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 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
isharamaduranga/Digitel_Company-Web-Bootstrap_V-5 | master | # Digitel_Agency-web-Bootstrap_V-5
About digital marketing agency that delivers comprehensive advertising solutions. Our expert services will maximize your ROAS to get more leads and grow your business
<br>
<h5 align="center">
𝚃𝚑𝚊𝚗𝚔 𝚈𝚘𝚞 𝙵𝚘𝚛 𝚈𝚘𝚞𝚛 𝙲𝚘𝚖𝚒𝚗𝚐 this Repository 😍😍😍<br>
𝙷𝚊𝚟𝚎 𝚊 nice 𝚍𝚊𝚢 !
<img src="https://raw.githubusercontent.com/isharamaduranga/red-alpha/main/Hi.gif" width="40px" Height="40px">
</h5>
<div align="center">




</div>
| About digital marketing agency that delivers comprehensive advertising solutions. Our expert services will maximize your ROAS to get more leads and grow your business | boostrap-5,css,html5,javascript | 2023-01-29T10:42:26Z | 2023-02-04T08:40:26Z | null | 1 | 0 | 21 | 0 | 0 | 3 | null | MIT | SCSS |
XarahDion/e-commerce | main | <h1 align="center">⌚ Welcome to Wearably° ⌚</h1>
> Click on the image below to view the live demo.
>
[<img src="https://res.cloudinary.com/dojn5va73/image/upload/v1675641263/wearably-home_ophexi.png" >](https://e-commerce-zl6k.onrender.com/)
| Fully responsive e-commerce MERN stack app built by Anthony Kameka, Mariana Oka, Francis Vézina and I. | expressjs,nodejs,reactjs,javascript,mongodb | 2023-02-05T21:08:08Z | 2023-02-08T16:03:18Z | null | 2 | 0 | 18 | 0 | 0 | 3 | null | null | JavaScript |
MateusLeviDev/crud-node-mongodb | main | `remember: added test`
[ENG] sup? my readme is literally my diary while i code. I'll try to organize it, promise. I need to translate this tooooo <br>
# crud-node-mongodb
### Back-end com Node.js e MongoDB
```
npm run start;;;
```
<p>
`Model`: mapeamento de tabela no banco de dados. fazendo conexão com a tabela do banco com nosso back-end. devemos ter o model para referênciar.
<br>
`mongoose`: para fazer essa conexão. mapeamento de módulo, criar controller, conectar ângulo de dados
</p>
https://github.com/GustaGitHub/controle_de_estoque/blob/main/controllers/employees.js
```sh
mongoose.set('strictQuery', true);
mongoose.connect('mongodb://127.0.0.1:27017/CrudNodeMongoDB',
async(err) => {
if(err) throw err;
console.log('connected to MongoDB')
});
```
<p>
<br>
- correção problema: trocar a porta do localhost. Atualizei meu url mongodb de 'mongodb://localhost:27017/student' para 'mongodb://127.0.0.1:27017/student' e funcionou bem para mim. Funcioando após novas atualizações.
</p>
<br>
`diferente do mysql o mongodb ele verifica se tem um model criado, se não tem a tabela no banco ele já cria, não precisamos fazer uma inicialização no myql, criar database e etc. ou seja, o processo é mais simples com o mongodb.`
<br>
```sh
module.exports = {
async index(req, res){
const usuario = await Usuario.find()
res.json(usuario)
```
- Mais acima é a criação do módulo.exports. Todas essas funções aqui de dentro vão ficar exportadas para poderem ser usadas em outras páginas como por exemplo em rotas. Primeira função de listagem criada
- `async/await`: async indica que será uma função assíncrona e esse await inidica onde ele deve esperar. Ou seja, quando é criada a função, colocamos ela pra receber, e colocamos antes de retornar `const usuario` ele deve esperar o `Usuario.find()` para retornar e listar, de fato.
- Req: Para trazer dado
- Res: para enviar dados
- `const usuario`: para armazenar os usuários
- `find()`: equivalente ao select do sql
- Conclusão: a função index listará todos os dados
- Agora teremo agora deverá ser criada uma rota que execute isso.
```
async store(req, res){
const { nome, senha } = req.body; //quando fazemos uma requisição tem a opção para colocar o body, passando as informações via body
var dataCreate = {} //vai receber um json
dataCreate = {
nome, senha
}
const usuarios = await Usuario.create(dataCreate)
res.json(usuarios)
}
```
- Nessa função `async store` pegamos os dado no `.body`, em seguida criamos uma nova variável chamada "dataCreate", essa var recebe os valores dos cmapos do body e vai para `.create` do banco de dados para criar na tabela um novo registro.
## Cadastrando dados:
<p>
criando outro request no body pelo formato json inserimos os dados. Pegando os valores da `const { nome, senha }` com o parâmetro `req.body` jogando o valores pro `dataCreate` e em seguida pro cretate do banco de dados.
</p>
```
async detail(req, res){
const {_id} = req.params; //parâmetro da url do detail
const usuarios = await Usuario.findOne(_id) // [select * usuario where id = ?]
res.json(usuarios)
}
-------------- ROTA ------------------
routes.get('/usuario:_id', UsuarioController.detail)
```
- o nome do parâmetro vai ser o valor dele.
- inserindo um valor na detail `req.params`
- automaticamente vai cair no `findOne(_id)`
- atribuindo o valor
## update
```
async update(req, res){
const { _id, nome, senha } = req.body; //quando fazemos uma requisição tem a opção para colocar o body, passando as informações via body
let dataCreate = {} //vai receber um json. só vale dentro do escopo
dataCreate = {
nome, senha
}
const usuarios = await Usuario.findByIdAndUpdate({_id}, dataCreate, {new: true}) //listaremos um novo registro ao inves do antigo registro
res.json(usuarios)
}
```
<p>
ele chama a url trazendo os valores. colocamos os valores no dataCreate, chama o findByIdAndUpdate.
- `new: true`: queremos que ele liste depois de alterado.
</p>
| BACKEND - NodeJs & MongoDB - BOILERPLATE | nodejs,backend,crud,javascript,express,mongodb,mongoose,npm-module | 2023-01-28T14:55:36Z | 2023-07-03T01:50:31Z | null | 1 | 0 | 42 | 0 | 0 | 3 | null | MIT | JavaScript |
ShineHtetAung99/Laravel-Food-Shop | master | <p align="center"><a href="https://laravel.com" target="_blank"><img src="https://raw.githubusercontent.com/laravel/art/master/logo-lockup/5%20SVG/2%20CMYK/1%20Full%20Color/laravel-logolockup-cmyk-red.svg" width="400" alt="Laravel Logo"></a></p>
<p align="center">
<a href="https://travis-ci.org/laravel/framework"><img src="https://travis-ci.org/laravel/framework.svg" alt="Build Status"></a>
<a href="https://packagist.org/packages/laravel/framework"><img src="https://img.shields.io/packagist/dt/laravel/framework" alt="Total Downloads"></a>
<a href="https://packagist.org/packages/laravel/framework"><img src="https://img.shields.io/packagist/v/laravel/framework" alt="Latest Stable Version"></a>
<a href="https://packagist.org/packages/laravel/framework"><img src="https://img.shields.io/packagist/l/laravel/framework" alt="License"></a>
</p>
## About Laravel
Laravel is a web application framework with expressive, elegant syntax. We believe development must be an enjoyable and creative experience to be truly fulfilling. Laravel takes the pain out of development by easing common tasks used in many web projects, such as:
- [Simple, fast routing engine](https://laravel.com/docs/routing).
- [Powerful dependency injection container](https://laravel.com/docs/container).
- Multiple back-ends for [session](https://laravel.com/docs/session) and [cache](https://laravel.com/docs/cache) storage.
- Expressive, intuitive [database ORM](https://laravel.com/docs/eloquent).
- Database agnostic [schema migrations](https://laravel.com/docs/migrations).
- [Robust background job processing](https://laravel.com/docs/queues).
- [Real-time event broadcasting](https://laravel.com/docs/broadcasting).
Laravel is accessible, powerful, and provides tools required for large, robust applications.
## Learning Laravel
Laravel has the most extensive and thorough [documentation](https://laravel.com/docs) and video tutorial library of all modern web application frameworks, making it a breeze to get started with the framework.
If you don't feel like reading, [Laracasts](https://laracasts.com) can help. Laracasts contains over 2000 video tutorials on a range of topics including Laravel, modern PHP, unit testing, and JavaScript. Boost your skills by digging into our comprehensive video library.
## Laravel Sponsors
We would like to extend our thanks to the following sponsors for funding Laravel development. If you are interested in becoming a sponsor, please visit the Laravel [Patreon page](https://patreon.com/taylorotwell).
### Premium Partners
- **[Vehikl](https://vehikl.com/)**
- **[Tighten Co.](https://tighten.co)**
- **[Kirschbaum Development Group](https://kirschbaumdevelopment.com)**
- **[64 Robots](https://64robots.com)**
- **[Cubet Techno Labs](https://cubettech.com)**
- **[Cyber-Duck](https://cyber-duck.co.uk)**
- **[Many](https://www.many.co.uk)**
- **[Webdock, Fast VPS Hosting](https://www.webdock.io/en)**
- **[DevSquad](https://devsquad.com)**
- **[Curotec](https://www.curotec.com/services/technologies/laravel/)**
- **[OP.GG](https://op.gg)**
- **[WebReinvent](https://webreinvent.com/?utm_source=laravel&utm_medium=github&utm_campaign=patreon-sponsors)**
- **[Lendio](https://lendio.com)**
## Contributing
Thank you for considering contributing to the Laravel framework! The contribution guide can be found in the [Laravel documentation](https://laravel.com/docs/contributions).
## Code of Conduct
In order to ensure that the Laravel community is welcoming to all, please review and abide by the [Code of Conduct](https://laravel.com/docs/contributions#code-of-conduct).
## Security Vulnerabilities
If you discover a security vulnerability within Laravel, please send an e-mail to Taylor Otwell via [taylor@laravel.com](mailto:taylor@laravel.com). All security vulnerabilities will be promptly addressed.
## License
The Laravel framework is open-sourced software licensed under the [MIT license](https://opensource.org/licenses/MIT).
| null | bootstrap-template,javascript,jquery,jquery-ajax,laravel9 | 2023-01-28T12:47:53Z | 2023-01-28T12:22:33Z | null | 1 | 0 | 1 | 0 | 0 | 3 | null | null | CSS |
mostafa-R/ToDo-List-App | main | null | win app ToDo-List app with electron javascript | electron,expressjs,javascript,reactjs | 2023-01-31T22:00:58Z | 2023-01-31T22:03:09Z | null | 1 | 1 | 1 | 0 | 0 | 3 | null | null | JavaScript |
GeraAlcantara/surfLanding | main | # surfLanding
Grupo de trabajo de Discord Matias Baldanza
Este proyecto de estudio se basa en el desarrollo de una landing page para una escuela de surf. El objetivo es desarrollar una landing page que cumpla con los requerimientos de la misma, y que sea responsive.
> El concepto se baso en el diseño de [Surf School Lessons Landing Page](https://dribbble.com/shots/9181377-Surf-School-Lessons-Landing-Page/attachments/1224385?mode=media)

## Figma Proyect
El recurso fue realizado por **@Julvertv** en Figma, y se puede encontrar en el siguiente link: [Cool resource 😎](https://www.figma.com/file/pMrGEOBODIqvSRhUdcVoQL/Surf?node-id=18%3A200&t=3ByxSYPZ7vQ34N9F-0)
## Integrantes
| Nombre | Nacionalidad | Teacnologias |
|------------------------ |-------------------------- |------------------------------------------------------------------------------------------------------------------------------- |
| Bruno | Argentina | HTML, Css + Bootstrap, JS/Node(Express), MongoDB |
| Martin Alba | Argentina | HTML, Css(SASS) + Bootstrap, JS, ReactJS |
| Marco Sarrio Ferrández | Española | HTML, Css(SASS), Librerias Css, JS, ReactJS(básico), VueJS3, Vite |
| Leandro Marin | Argentina | HTML, Css, JS |
| Martín Cosimano | Argentina | HTML, Css + Bootstrap, JS/Node(Express), MongoDB |
| Maximiliano Calderón | Argentina (en Dinamarca) | HTML, Css + Bootstrap + Tailwind Css + Chacra UI, Styled Components, Js/Node(Express), ReactJS, MongoDB + Supabase + Firebase |
| Grupo de trabajo de Discord Matias Baldanza | css,discord,front-end-development,javascript,learning-by-doing,learning-exercise,training | 2023-02-09T21:15:58Z | 2023-03-11T17:22:07Z | null | 11 | 30 | 64 | 3 | 10 | 3 | null | MIT | HTML |
brownhci/live-typing | main | # [live-typing](https://www.npmjs.com/package/live-typing)
Interaction-rich indicators for text-based communication
## Description
This package consists of the design and implementation of four typing indicators that can be incorporated in web or messaging platforms such as Discord, Slack, or Reddit. It works for input as well as text area elements. First, there are two typing interfaces that currently exist in SMS and IM applications:
* No-indicator: displays no cues (or a lack of typing indicator) when someone is typing.
* Is-typing: this typing interface displays when the other person is typing through three dots `...`
Next, there are two new indicators that this library includes for message transparency:
* Masked-typing: typing is concealed and displayed as # characters. The actual characters are revealed once it is sent.
* Live-typing: typed characters are displayed in real-time.
## Demo
https://github.com/brownhci/live-typing/assets/23429685/4e75376f-01a7-4f6c-8665-efc9ab6bf179
## Publications
_**Note:** You can install the npm package by running `npm i live-typing` command in your terminal. Package details [here](https://www.npmjs.com/package/live-typing)._
@inproceedings{iftikhar2023together,
author = {Zainab Iftikhar, Yumeng Ma, and Jeff Huang},
title = {“Together but not together”: Evaluating Typing Indicators for Interaction-Rich Communication},
booktitle = {Proceedings of the 2023 CHI Conference on Human Factors in Computing Systems},
pages = {1--12},
year = {2023},
organization={ACM}
}
## Installation
### Build the repository
You can build the repository from the source by following these instructions
```
# Download Node: https://nodejs.org/en/download/
git clone https://github.com/brownhci/live-typing.git
cd live-typing
npm install
```
### Integrate in any modern framework
To use this package in your application, install Node, and run the following command in the terminal:
```
npm i live-typing
```
In your code, you can import using
```
import { typingIndicator } from 'live-typing';
```
## Customization
By default, the typing indicator is set to ... (is-typing). The timeout is set to 5000ms. Based on your application needs, you can customize the variables or have users enable it in their settings. The indicators are linked with the following key values:
```
No-indicator: 1
Is-typing indicator: 2
Live-typing: 3
Masked-typing: 4
```
## How to use
The ```typingIndicator``` is a custom function of the package ```live-typing``` that creates a typing indicator which can display the typing state of an input field. The function takes an object with two properties: timeout which determines how long to wait before assuming that the user has stopped typing, and indicatorType which specifies the type of typing indicator to use.
In this example, we set the timout to 500ms and choose the Masked Typing indicator.
```
const [isTyping, typedCharacter, responseElement] = typingIndicator({
timeout: 500,
indicatorType: 4,
});
```
The ```typingIndicator``` function returns an array with three elements:
```isTyping```: a boolean value that indicates whether the user is currently typing or not.
```typedCharacter```: a string that represents the character(s) typed by the user since the last keystroke event. This will vary depending on the typing indicator you specify in the function call.
```responseElement```: an HTML element that can be used to display the typing indicator in the UI.
The ```responseElement``` is usually added to the DOM to display the typing indicator in the user interface. If you're creating a messaging application, this will be used by the server to send to the recipient client.
| Real-time typing indicators designed to increasing social presence in texting | javascript,react | 2023-01-30T07:56:08Z | 2024-03-05T14:34:46Z | null | 7 | 2 | 11 | 0 | 0 | 3 | null | NOASSERTION | TypeScript |
BaseMax/record-video-screen-puppeteer | main | # Record Video Screen in Puppeteer
This is a simple example of how to record a video of a web page by **Puppeteer**. The script will open a web page and record a video of the page. Designed in JavaScript and Node.js.
## Usage
```bash
$ npm install
$ node app.js
```
## License
GPL-3.0
Copyright (c) 2023, Max Base
| This is a simple example of how to record a video of a web page by Puppeteer. The script will open a web page and record a video of the page. Designed in JavaScript and Node.js. | javascript,js,puppeteer,puppeteer-extra,puppeteer-screenshot,javascript-puppeteer,js-puppeteer,puppeteer-javascript,puppeteer-js | 2023-02-04T07:27:54Z | 2023-02-07T11:28:19Z | null | 1 | 0 | 16 | 0 | 0 | 3 | null | GPL-3.0 | JavaScript |
NishitaErvantikar9/Web-Development-Bootcamp | main | <head>
<link rel="stylesheet" href="https://cdn.jsdelivr.net/gh/devicons/devicon@v2.15.1/devicon.min.css">
</head>
# Web-Development-Bootcamp
<img width="865" alt="image" src="https://github.com/NishitaErvantikar9/Web-Development-Bootcamp/assets/120945994/f6dc7d40-8e2c-435d-ae8c-b1e21e0289f9">
Hello!
Aim of this repository is to save your time and provide a structure to your self learning. Pretty much what every repo in my notes section aims to do in different tech domains.
It contains two folders. Theory and Practical. Both will go simulataneous in Theory folder. But for convenience it is documented differently, so you can refer all projects (level wise) at a single place -> [Projects]()
But this [Theory](), it contains all the notes, links and even level wise project guidance.
Just reach level 30 and you can start setting up multiple sources of income!
## Technologies covered
<img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/html5/html5-original.svg" height="60px" width="60px"/><img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/css3/css3-original.svg" height="60px" width="60px"/><img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/bootstrap/bootstrap-plain.svg" height="60px" width="60px" /><img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/javascript/javascript-original.svg" height="60px" width="60px"/><img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/jquery/jquery-original.svg" height="60px" width="60px" />
<img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/git/git-original.svg" height="60px" width="60px"/>
<i class="devicon-github-original" height="60px" width="60px"></i>
<img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/nodejs/nodejs-original.svg" height="60px" width="60px" />
<img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/mysql/mysql-original-wordmark.svg" height="60px" width="60px"/>
<img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/mongodb/mongodb-original.svg" height="60px" width="60px"/>
<img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/react/react-original.svg" height="60px" width="60px"/>
<img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/amazonwebservices/amazonwebservices-original.svg" height="60px" width="60px"/>
## Table of contents
| **S.no** | **Topic** | **Project** |
|---------:|----------:|---------------------------: |
| 1 | HTML | A resume or about you web page |
| 2 | CSS | |
| 3 | BOOTSTRAP | |
| 4 | JAVASCRIPT| |
| 5 | DOM | |
| 6 | JQUERY |
| 7 | UNIX COMMAND LINE |
| 8 | VERSION CONTROL, GIT, GITHUB |
| 9 | NODE JS |
| 10 | EXPRESS JS |
| 11 | APIS |
| 12 | EJS |
| 13 | DATA BASE FUNDAMENTALS |
| 14 | SQL DATABASE |
| 15 | NO-SQL DB : MONGODB |
| 16 | DEPLOYMENT |
| 17 | BUILDING RESFUL API |
| 18 | AUTHENTICATION AND SECURITY |
| 19 | REACTJS |
| 20 | JAVASCRIPT ES6 |
| 21 | WEB 3.O |
| 22 | BLOCKCHAIN | |
| 23 | CRYPTOGRAPHY | |
| Includes all the theory, commands and technologies learnt through out my career so far. This Repo includes notes for HTML, CSS, Bootstrap, JS, Typescript, Angularjs ,Mongodb, Expressjs, Reactjs, Nodejs, SQL database | api,bootstrap5,css3,databases,dom-manipulation,git,github,html5,javascript,javascript-es6 | 2023-02-02T07:05:15Z | 2024-01-27T16:20:47Z | null | 1 | 0 | 169 | 0 | 0 | 3 | null | null | C# |
artysta/duolingo | master | # Duolingo API
## 1. Description
This npm package is quite simple and rather not perfect. My main goal in creating this package was to learn how to create my own npm packages and how to add them to the official npm repository. Anyway, I believe that it might be useful for someone. 🙃
## 2. Installation.
You can add this package to your project by running the command below:
npm install duolingo
## 3. Usage example.
You can use `getField` method to get the value of the specific field from the response. Below you can find the available fields **(as of 10.02.2023)**:
```javascript
const mainFields = [
'joinedClassroomIds',
'streak',
'motivation',
'acquisitionSurveyReason',
'shouldForceConnectPhoneNumber',
'picture',
'learningLanguage',
'hasFacebookId',
'shakeToReportEnabled',
'liveOpsFeatures',
'canUseModerationTools',
'id',
'betaStatus',
'hasGoogleId',
'privacySettings',
'fromLanguage',
'hasRecentActivity15',
'_achievements',
'observedClassroomIds',
'username',
'bio',
'profileCountry',
'globalAmbassadorStatus',
'currentCourseId',
'hasPhoneNumber',
'creationDate',
'achievements',
'hasPlus',
'name',
'roles',
'classroomLeaderboardsEnabled',
'emailVerified',
'courses',
'totalXp'
];
```
You can use `getCourseField` method to get the value of the specific field for a specific course. Below you can find the available fields **(as of 12.02.2023)**:
```javascript
const coursesFields = [
'preload',
'placementTestAvailable',
'authorId',
'title',
'learningLanguage',
'xp',
'healthEnabled',
'fromLanguage',
'crowns',
'id'
]
```
You can use `getLanguageDetail` method to get some details related to the language that you are currently learning. For example if your learning language is english, method `getField('learningLanguage')` will return `en` value. Then you can pass this value to `getLanguageDetail` method and get the full name of the language or its Emoji flag.
Below you can find some usage examples.
```javascript
const Duolingo = require('duolingo');
(async() => {
// You have to pass your Duolingo user name to the constructor and use async method init() to prepare the data.
const duo = new Duolingo('adrian_kurek');
await duo.init();
const streak = duo.getField('streak');
console.log(streak); // Output: 272
const totalXp = duo.getField('totalXp');
console.log(totalXp); // Output: 114189
const learningLanguage = duo.getField('learningLanguage');
console.log(learningLanguage); // Output: de
const learningLanguageFullName = duo.getLanguageDetail(learningLanguage, 'fullName');
console.log(learningLanguageFullName); // Output: German
const learningLanguageEmojiFlag = duo.getLanguageDetail(learningLanguage, 'emojiFlag');
console.log(learningLanguageEmojiFlag); // Output: 🇩🇪
// Get total crowns from all of the courses.
const totalCrowns = duo.getTotalCrowns();
console.log(totalCrowns); // Output: 696
const learningLanguageXp = duo.getCourseField(learningLanguage, 'xp');
console.log(learningLanguageXp); // Output: 55185
const learningLanguageCrowns = duo.getCourseField(learningLanguage, 'crowns');
console.log(learningLanguageCrowns); // Output: 180
const spanishLanguageXp = duo.getCourseField('es', 'xp');
console.log(spanishLanguageXp); // Output: 8344
})();
```
## 4. Contribution.
At the moment `getLanguageDetail` method supports only 8 languages.
New languages can be simply added to the `languages` constant array in `./src/constants.js` file.
```javascript
const languages = {
'pl': {
fullName: 'Polish',
emojiFlag: '🇵🇱'
},
'en': {
fullName: 'English',
emojiFlag: '🇬🇧'
},
'de': {
fullName: 'German',
emojiFlag: '🇩🇪'
},
'es': {
fullName: 'Spanish',
emojiFlag: '🇪🇸'
},
'fr': {
fullName: 'French',
emojiFlag: '🇫🇷'
},
'it': {
fullName: 'Italian',
emojiFlag: '🇮🇹'
},
'fi': {
fullName: 'Finnish',
emojiFlag: '🇫🇮'
},
'sv': {
fullName: 'Swedish',
emojiFlag: '🇸🇪'
}
};
```
## 5. Duolingo Statistics Card
I used this npm package to create Duolingo Statistics Card that displays some statistics for a specific user. The data is always "fresh" as the package is using the API to retrieve it, but to be honest I do not know how many times a single IP address can hit this API, because it is not really "official". Therefore I cannot guarantee that the application which allows to render those cards will be working without any problems.
Anyway, the cards can be displayed on a webpage, in the GitHub special repository or any other markdown file (e.g. `README.md`). The example below is showing how the URL should look like:
https://artysta-cloud.vercel.app/api/duolingo/statistics?user=your_user_name&renderTitle=true&fields=field_1,field_2,field_3,field_4,field_5,field_6
The `user` query parameter is required. The `fields` parameter is also required. You have to provide at least 1 `field` in the query. At the moment only 6 fields are supported: `streak`, `totalXp`, `totalCrowns`, `learningLanguage`, `username`, `totalCourses`. Fields in the URL query should be separated by comma. The `renderTitle` parameter is optional (but its default value is `true`). If the `renderTitle` is set to `false`, the card title will not be displayed. You can also use the optional `lightTheme` parameter to define, if the card should be displayed in light or dark mode - the default value of this parameter is `false`.
For example, below you can find a valid URL for my Duolingo user:
https://artysta-cloud.vercel.app/api/duolingo/statistics?user=adrian_kurek&fields=streak,totalXp,totalCrowns,learningLanguage
If it comes to a GitHub special repository or any other markdown file you can just use the markdown example below:
[](https://github.com/artysta/artysta-cloud)
Here are some examples how the cards can look like (I have also included non valid URLs, so some of the cards are displaying error messages):
All available fields (dark theme):
[](https://github.com/artysta/artysta-cloud)
All available fields (light theme):
[](https://github.com/artysta/artysta-cloud)
All available fields (but different fields order - the order in which the fields are displayed depends on the order in which they are given in the query):
[](https://github.com/artysta/artysta-cloud)
4 fields + disabled card title:
[](https://github.com/artysta/artysta-cloud)
Only 1 field:
[](https://github.com/artysta/artysta-cloud)
The `user` parameter missing:
[](https://github.com/artysta/artysta-cloud)
The `fields` parameter missing:
[](https://github.com/artysta/artysta-cloud)
Not supported field (or just a typo in its name):
[](https://github.com/artysta/artysta-cloud)
| A tiny npm package that makes using (unofficial) Duolingo API easier. | api,duolingo,npm,javascript,npm-package | 2023-02-07T17:40:37Z | 2023-03-27T09:19:48Z | null | 1 | 0 | 48 | 2 | 1 | 3 | null | null | JavaScript |
0qsenxx/FE-Stars | main | null | null | html,javascript,sass,scss | 2023-01-26T18:58:37Z | 2023-03-01T14:04:51Z | null | 3 | 88 | 143 | 0 | 0 | 3 | null | null | SCSS |
carinacunha/soccer-games | main | # Soccer Games #


## About ##
It is a FullStack application composed of three services, Front-End, Back-end and database.
The soccer Games application consists of a football schedules ranking table, in which, through user validation via login, it is possible to consult and change match data, insert new matches, finalize ongoing matches, consult the general classification and Classify home schedules and away schedules.
## Stacks ##
### :whale: Docker ###
To ensure that the application would run in a standard way, regardless of the environment, the Docker tool was used to package the application services (Front-End, Back-end and database) in containers (segregation of processes in the same kernel).
These containers were created from an “image” that had its creation defined in the Dockerfile file of each service.
### Front End ###
* Programming language:
* **JavaScript**
* Compatibility with most modern browsers;
* High availability of resources;
* Frameworks
* **React:** JavaScript library used to create dynamic and responsive user interface;
* **ContextAPI**: to manage the global state of the application;
* **Axions**: HTTP client based on a simple promise for navegador and node.js, used to make requests transit between the Front and back-End.
## Backend ##
* Programming language:
* **JavaScript**;
* **TypeScript**: to add static typing to JavaScript.
* JS interpreter outside the browser
* **Node.js**
* Frameworks and libraries
* **Express**: framework that receives requests and sends responses;
* **JSonWebToken**: library used to make a token and validate it, ensuring user authentication;
* **bcrypt**: library used to encrypt passwords;
* **Chai**: library used to make assertions in application tests;
* **Sinon**: framework used to mock functions that will be used in application testing;
* Principles and concepts
* API REST
* **REST**: respects a standard for transferring information, API organized in a way that it serves clients by managing their HTTP requests, between one request and another, the API does not store client information, repeated requests can be optimized, as they return the same results and layered system.
* Software architecture
* **MSC** (Model-Service-Controller): where the application is separated into 3 layers being the data model, business logic and data presentation.
* Structuring and organization of the code:
* **Object Oriented Programming (OOP)**: programming paradigm based on the concept of objects to organize and structure the code in an organized and scalable way;
* **SOLID**: set of object-oriented design principles for creating cleaner and more modular code.
* Database:
* **MySQL**: relational database management system;
* **Sequelize**: library used in Node js to do database mapping.
* Environment variables: to hide access credentials, software behavior settings or other sensitive or relevant information that does not require the code to be changed.
## Routes ##
1️⃣ User Routes:
* POST /login
Responsible for registering the login and returning a user token.
* GET /login/validate
Responsible for validating the login and returning the 'role' of the user.
2️⃣ Team Routes:
* GET /teams
Responsible for returning teams registered in the DB.
* GET /teams/:id
Responsible for returning teams registered in the DB through the ID.
3️⃣ Matches Routes:
* GET /matches
Responsible for returning all matches.
* POST /matches/
Responsible for registering a match in the DB. -PATCH /matches/:id
Responsible for updating goas of a specific match
* PATCH /matches/:id/finish
Responsible for updating the status of a match in progress to a finished match ('inProgress: false') in the DB.
4️⃣ Leader Routes:
* GET /leaderboard
Responsible for returning the leaders of the championship (indoors or away from home).
* GET /leaderboard/home
Responsible for returning the league leaders playing at home
* GET /leaderboard/away
Responsible for returning the league leaders away from home
## Guidelines to runnig API ##
1. Clone the repository: ```git clone git@github.com:carinacunha/soccer-games.git```
2. Navigate to the root of the repository: ```cd soccer-games```
4. Install the dependencies: ```npm install ```
5. Navigate to app/: ```cd app/ ```
6. Initialize the Docker containers: ```npm run compose:up:dev```
7. Navigate to app/: ```cd frontend/ ```
8. Install the dependencies: ```npm install ```
9. Navigate to app/: ```cd backend/ ```
10. Install the dependencies: ```npm install ```
11. Initialize app: ```nmp start```
12. Run tests: ```npm run test```
**✨ This project was developed during the Full Stack Web Development course at Trybe**
| In this project, the Back-End part of an informative website about football games was created. The project is fullstack and the integration between Back-end, Front-end and database is done using docker-compose. | docker,javascript,jest,nodejs,react,typescript,express,mysql,oop-paradigm,sequelize | 2023-02-03T17:33:52Z | 2023-03-28T17:15:58Z | null | 2 | 0 | 48 | 0 | 0 | 3 | null | null | JavaScript |
syedmharis/MEN-Stack-Crud-App | main | # Crud App using MongoDb Express Node
<p>It has one to many relationship implemented.</p>
# Getting Started
- Download this repository
- Open project in command prompt
- To run, use command "npm start" in terminal
## Interface's
# Main Page
<img width="947" alt="1" src="https://user-images.githubusercontent.com/89534087/218255913-9953824c-b02d-4a66-91d2-0ae8b3394829.png">
# New Blog
<img width="946" alt="3" src="https://user-images.githubusercontent.com/89534087/218255910-d74e74d7-31af-4b1e-97e5-55c4898b1a39.png">
# New Author
<img width="947" alt="2" src="https://user-images.githubusercontent.com/89534087/218255912-ef6bcb3a-c287-44f2-bbdf-004bdef3fbd8.png">
| A simple crud Blog app made using node and express as backend, EJS as the views and mongo dB as the database | ejs,express,javascript,mongodb,mongodb-database,mongoose,node,menstack | 2023-02-04T21:10:36Z | 2023-03-05T22:45:32Z | null | 2 | 1 | 7 | 0 | 1 | 3 | null | null | EJS |
Sycatle/ThemeSwitcher | main | # Dark-mode
Simple light/dark mode switch with Javascript and TailwindCSS
| Simple light/dark mode switch with Javascript and TailwindCSS | dark-mode,javascript,tailwindcss,theme-switcher | 2023-02-09T17:27:40Z | 2023-02-09T17:29:52Z | null | 1 | 0 | 3 | 0 | 0 | 3 | null | null | CSS |
01JAMIL/crowd-funding-app | master | null | Blockchain based crowd funding application | javascript,solidity,ethersjs,smart-contracts,truffle,material-ui,tailwindcss,typescript,react-redux,redux-toolkit | 2023-02-05T00:13:08Z | 2023-05-26T21:59:01Z | null | 1 | 0 | 16 | 0 | 0 | 3 | null | null | TypeScript |
sankalp-7/social-media-website | master | <!DOCTYPE html>
<html>
<head>
</head>
<body>
<h1>Django Social Media Web App -- Djinsta</h1>
<p>This is a Django-based social media web app that has key functionalities like posting, following,
commenting, like, chat, and notifications..</p>
<h2>Installation and Setup</h2>
<ol>
<li>Clone the repository: 🌀
<pre>
git clone https://github.com/sankalp-7/Djinsta.git
</pre>
</li>
<li>Install Requirements: ⬇️
<pre>
pip install -r requirements.txt
</pre>
</li>
<li>Make Migrations: 🔖
<pre>
python manage.py makemigrations
</pre>
</li>
<li>Migrate DB changes 🔄
<pre>
python manage.py migrate
</pre>
</li>
<li>Runserver and access at localhost:8000 👍
<pre>
python manage.py runserver
</pre>
</li>
</ol>
<h3>OR IF YOU HAVE DOCKER 🗳️</h3>
<ol>
<li>
<pre>
docker-compose up
</pre>
</li>
</ol>
<h2>Usage</h2>
<p>The web app allows users to create posts, like and comment on posts,Chat with fellow friends and follow other users. Users can also edit their profiles and view other users' profiles.</p>
<h2>Development</h2>
<p>The web app can be developed and tested locally by running the Django development server:</p>
<pre>docker-compose up --build</pre>
<p>You can then access the development server at <a href="http://localhost:8000/">http://localhost:8000/</a>.</p>
</body>
</html>
<h2>Signin Page</h2>

<h2>Home Page</h2>

<h2>Profile Page Of Users</h2>

<h2>Group Chat Page</h2>

<h2>Real Time Notification System</h2>

<h2>Account Search System</h2>

<h2>Mobile Home Page View</h2>

| Social Media Webapp Using Django | django,docker,python,javascript | 2023-01-27T15:06:37Z | 2023-12-17T06:53:18Z | null | 1 | 0 | 144 | 0 | 0 | 3 | null | null | JavaScript |
hoangtien2k3/web-profile | main | # Personal webpage
:globe_with_meridians: Link: https://hoangtien2k3.github.io
| 🌐 Don't just be a forker🔱...Hit that 𝗦𝗧𝗔𝗥 ⭐...........( ͡° ͜ʖ ͡°)-︻デ┳═ー - - - - - - - - - - - - - - -💥¦̵̱ ̵̱ ̵̱ ̵̱ ̵̱(̢ ̡͇̅└͇̅┘͇̅ (▤8כ−◦. | html,javascript,rudy,scss | 2023-02-05T13:16:50Z | 2024-03-16T11:14:21Z | null | 1 | 1 | 26 | 0 | 0 | 3 | null | MIT | HTML |
sebaiturravaldes/falabella-seller-center-sdk | main | # Falabella Seller Center SDK JavaScript
Este repositorio contiene una implementación de la [API de Falabella Seller Center](https://developers.falabella.com/) para ser usada con JavaScript
## Instalación
Con Npm
```cli
npm install --save falabella-seller-center-sdk
```
Con Yarn
```cli
yarn add falabella-seller-center-sdk
```
## Uso
### Intanciando la clase principal
Para instanciar esta clase, necesitarás de dos parámetros obligatorios `apiKey` y `userId`, ambos los obtienes de tu cuenta en [Falabella Seller Center](https://sellercenter.falabella.com/api-explorer) en la sección de **Mi Cuenta/Integraciones**
```js
import FalabellaSellerCenter from 'falabella-seller-center-sdk'
const apiKey = 'xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx'
const userId = 'me@email.com'
const falabellaSellerCenter = new FalabellaSellerCenter(apiKey, userId)
```
### Acción
Dependiende del método (get o post) de la acción es cómo debes utilizar el SDK, por ejemplo si es un método post, debes utilizarlo de la siguiente manera:
```js
falabellaSellerCenter.sdk.post('action')
```
En cambio si es un método get:
```js
falabellaSellerCenter.sdk.get('action')
```
#### Ejemplo Obteniendo los productos
```js
const products = await falabellaSellerCenter.sdk.get('GetProducts')
console.log('products', products.data)
```
#### Ejemplo Creando un producto
```js
const createProduct = await falabellaSellerCenter.sdk.post(
'ProductCreate',
`<?xml version="1.0" encoding="UTF-8" ?>
<Request>
<Product>
<SellerSku>41053821734</SellerSku>
<ParentSku/>
<Name>Magic Product</Name>
<PrimaryCategory>1687</PrimaryCategory>
<Description>product description</Description>
<Color>Negro</Color>
<Brand>Bandai</Brand>
<ShipmentType>dropshipping</ShipmentType>
<ProductId>1</ProductId>
<Condition>new</Condition>
<Variation>64GB</Variation>
<ProductData>
<PackageWeight>100</PackageWeight>
<PackageWidth>200</PackageWidth>
<PackageLength>300</PackageLength>
<PackageHeight>400</PackageHeight>
<Genero>Hombre</Genero>
<ConditionType>Nuevo</ConditionType>
<PiezasPequenas>Sí</PiezasPequenas>
<GrupoDeEdad>Todas las etapas</GrupoDeEdad>
<Material>Plástico</Material>
</ProductData>
<BusinessUnits>
<BusinessUnit>
<OperatorCode>facl</OperatorCode>
<Price>19999.00</Price>
<SpecialPrice/>
<SpecialFromDate/>
<SpecialToDate/>
<Stock>10</Stock>
<Status>active</Status>
</BusinessUnit>
</BusinessUnits>
</Product>
</Request>`
)
console.log('createProduct', createProduct.data)
```
### Acciones disponibles en la API de Falabella Seller Center
La documentación donde encontrarás todas las acciones disponibles: https://developers.falabella.com/
| Implementación de la API de Falabella Seller Center SDK en JavaScript | falabella,javascript,nodejs,npm,falabellasellercenter | 2023-01-27T20:18:02Z | 2023-01-30T18:06:32Z | null | 1 | 0 | 20 | 2 | 0 | 3 | null | null | TypeScript |
Megacoderuzb/coralwithreact | master | null | Web app | bootstrap5,css3,html5,javascript,jsx,reactjs,scss | 2023-01-29T12:16:15Z | 2023-01-29T12:15:40Z | null | 1 | 0 | 1 | 0 | 0 | 3 | null | null | JavaScript |
lack21/Playable-Piano | main | # Playable-Piano
Personal Project

Link : https://lack21.github.io/Playable-Piano/
| Personal Project | html5,javascript,sass | 2023-02-09T11:33:12Z | 2023-02-09T11:47:27Z | null | 1 | 0 | 3 | 0 | 0 | 3 | null | null | SCSS |
SoumyaSagnik/Retro-Snake-Game | main | null | Old School Snake Game. | css,game,html,javascript | 2023-02-01T22:00:33Z | 2023-05-20T16:06:38Z | null | 1 | 0 | 10 | 0 | 0 | 3 | null | null | JavaScript |
jayantasamaddar/little-lemon-meta-frontend-capstone | main | # Table of Contents
- [Table of Contents](#table-of-contents)
- [The Booking App](#the-booking-app)
- [Setup and Evaluation](#setup-and-evaluation)
- [Front-end Architecture](#front-end-architecture)
- [Folder Structure](#folder-structure)
- [Component Architecture](#component-architecture)
- [Naming Conventions](#naming-conventions)
- [Use of Dependencies](#use-of-dependencies)
- [Data Fetching](#data-fetching)
- [Unit Testing](#unit-testing)
- [Future Considerations](#future-considerations)
- [Honour Code](#honour-code)
---
# The Booking App
This Booking App was created as the final capstone project of the **Meta Front-End Developer Certification**.
**Preview**: Little Lemon is a family-owned Mediterranean restaurant that blends traditional recipes with a modern twist. Our goal is to provide our customers with a unique dining experience that will take them on a culinary journey through the Mediterranean.
**Instructions Received**: To create a modern responsive Front-end for the Little Lemon app with a Bookings feature which they lack at present.
---
# Setup and Evaluation
```s
# Run in the Terminal
git clone https://github.com/jayantasamaddar/little-lemon-meta-frontend-capstone.git folder
# Install Dependencies
npm install
# Launch app in Browser
npm start
# Run Tests
npm test
# Run Tests with Coverage
npm test:cv
```
---
# Front-end Architecture
There were several considerations for the frontend architecture.
1. **Folder Structure** - How would the files be organized in the `src` folder.
2. **Component Architecture** - How best to write reusable components.
3. **Naming Conventions** - How and why CSS classes, CSS Variables are named so.
4. **Use of Dependencies** - Choice on what dependencies to use.
5. **Data Fetching** - How we will manage the data used by the app.
6. **Unit Testing** - How to have good coverage in our unit tests.
---
## Folder Structure
Separate folders for:
- **components**: For individual components. Complex components have nested `components` folder. The component folder has 4 files usually (some components are auto-tested without having to create a separate test file. Thus a single folder inside the `components` folder is all inclusive as a single Unit having the Renderer, the stylesheet and the unit test.
- `Component.jsx` (The Component)
- `Component.css` (The stylesheet)
- `index.js` (For exporting the component)
- `Component.test.jsx` (Test file for the component)
- **pages**: Single Pages in the application that have a collection of these components laid out in different ways. The individual pages in the `pages` folder, may further optionally have a `components` (which represent sections, e.g. `Testimonials`) and optionally, a `pages` (for nested pages) folder in them.
- **context**: Contains Context Providers and basic hooks to access the Context data.
- **hooks**: Hooks unrelated to context. E.g. `useWindowResize` to track resizing the window.
- **actions**: Reducer function and initial states (and any hooks related to them)
- **utilities**: Utility functions. E.g. `validateNumber`.
- **settings**: Contains global settings. Has a `cms` folder that mocks a content management system from which we can source content for our pages. Can be internationalized later.
> **Note**: The following has been generated with: `tree -d -I 'node_modules|coverage'`
**The directory tree** (only directories and excluding `node_modules` and `coverage`):
```s
├── public
└── src
├── actions
├── assets
├── components
│ ├── Backdrop
│ ├── Button
│ ├── Card
│ ├── Error
│ ├── Footer
│ ├── Header
│ │ └── components
│ │ └── BurgerMenu
│ ├── Heading
│ ├── Icon
│ ├── Label
│ ├── Logo
│ ├── Main
│ ├── ProgressBar
│ ├── ReviewStar
│ ├── Select
│ │ └── components
│ │ └── Option
│ ├── SocialMediaWidget
│ ├── Stack
│ ├── Table
│ │ └── components
│ │ ├── TableBody
│ │ ├── TableCell
│ │ ├── TableHeader
│ │ └── TableRow
│ └── Textfield
├── context
│ ├── AppProvider
│ ├── FormProvider
│ └── ThemeProvider
├── hooks
├── pages
│ ├── Booking
│ │ ├── components
│ │ │ └── BookingForm
│ │ └── pages
│ │ └── ConfirmedBooking
│ └── Home
│ └── components
│ ├── About
│ ├── Hero
│ ├── Specials
│ └── Testimonials
├── settings
│ └── cms
└── utilities
└── tests
```
---
## Component Architecture
There following Design Patterns have been followed:
- Most components are single units of functional code.
- In case of complex components that are comprised of components that can be used standalone, they were broken into separate components. The folder structure above explains where they reside.
- Where responsibility needed to be isolated, it was done: E.g. Table ([read more]('./src/components/../../../src/components/Table/README.md')).
- The **`Stack`** and **`Table`** elements, **OPTIONALLY** also have the **[Composite Components pattern](https://betterprogramming.pub/compound-component-design-pattern-in-react-34b50e32dea0)**. It allows some more flexibility as explained in the Table documentation above.
**Example**:
```jsx
import { Table } from './components';
const CustomTable = () => {
return (
<Table>
<Table.Body>
<Table.Header>
<Table.Cell>ID</Table.Cell>
<Table.Cell>Name</Table.Cell>
<Table.Cell>Price</Table.Cell>
</Table.Header>
<Table.Header>
<Table.Cell>1</Table.Cell>
<Table.Cell>Apple</Table.Cell>
<Table.Cell>3.00</Table.Cell>
</Table.Header>
<Table.Header>
<Table.Cell>ID</Table.Cell>
<Table.Cell>Mango</Table.Cell>
<Table.Cell>5.00</Table.Cell>
</Table.Header>
</Table.Body>
</Table>
);
};
```
- A **FormContextProvider** supplies the current `state` and `dispatch` function to update the state to the Booking Form. This pattern ensures, we can continue to have multiple forms in the app, as we grow the app while having a different Context limited to that individual multi-level form.
---
## Naming Conventions
The naming convention followed are:
- **CSS Component and Page specific Classes**: `LL-Component` for the top level class for the root element for almost every component. The child elements in that tree follow an appended PascalCase name, for e.g.`LL-ComponentSubComponent`.
- **CSS utility classes**: Utility classes like `text-sm`, `text-m`, `text-xl` are preset in `App.css` to offer global styles to quickly switch between font-sizes by any component that allows it. (E.g. the **`Heading`** Component)
- **CSS Variables**: CSS Variables serve as globally used presets for maintaining a standardized look and feel. The idea is to have a write-once-use-throughout approach - no need to keep writing a complex `box-shadow` property for all elements that use `box-shadow`. Instead presets in the form of `box-shadow-1`, `box-shadow-2`, `box-shadow-3` are available to use depending on the position of the element.
---
## Use of Dependencies
This project was developed with the personal intention to minimize dependencies as much as possible to test my core skills.
- No CSS Library has been used. All the CSS has been written from scratch.
- No Form Library like Formik or form validation library like Yup has been used. They have already been used in an earlier project in the certification and the decision was simply to have this implemented without using them. Utility functions like `validateNumber` have been created and used. Find them in the `src/utilities` folder.
- Font Awesome has been used for the icons.
---
## Data Fetching
A lot of data is replicated (e.g. links at header and footer) and/or is available as an array or an object that can grow or shrink in size. Thus, we need to consider the possibility of retrieving this from a database or a Content Management System. For now, we will mock this by using the data at `settings/cms` folder to simulate fetching from a centralized CMS.
---
## Unit Testing
Unit Testing has been done with the help of React Testing Library, Jest, Jestdom that can already shipped with `create-react-app`.
- The `setupTests.js` have been modified, so that we can interact with the window global object.
- Mocks for React hooks have been done throughout within the components itself. Mocks for `useContext`, `useLocation`, `useForm`, `dispatch` function of the `useReducer` have all been covered.
- The unit tests can be found in each of the component and page folders.
---
# Future Considerations
- The use of **Context API** and **`useReducer`** has been done in the Form to make sure the Form can have multiple levels and flexibility for any future modifications. While this is not needed in the Meta Capstone project, however to have an advanced service in a production level application, for e.g. A Mobile Phone OTP Validation service (to confirm that this is a valid person booking, considering restaurant tables are limited and we would like to prevent bots), a middleware form with an input phone field, a button and fields to enter a 4-digit OTP can be present. This field can then dispatch an action - `dispatch({ type: "OTPValidation" })`, which can then be processed by the reducer function and the `stage` updated, so the form can proceed to the next stage.
- A `ThemeProvider` that wraps all Pages of the app that will provide the styling when themes are switched from dark to light.
---
# Honour Code
This demo project is solely done by me, Jayanta Samaddar. You can contact me on **[GitHub](https://www.github.com/jayantasamaddar)** for interesting projects to work on.
| Little Lemon - Book a Table | capstone-project,css,javascript,jest,jest-mocking,meta,react,react-hooks,reactjs,test-driven-development | 2023-01-28T19:19:06Z | 2023-02-04T08:25:30Z | null | 1 | 0 | 7 | 0 | 5 | 3 | null | null | JavaScript |
Gagniuc/Programming-Languages | main | # Programming Languages
These files accompany the book entitled: <i>[An Introduction to Programming Languages: Simultaneous Learning in Multiple Coding Environments](https://link.springer.com/book/10.1007/978-3-031-23277-0)</i>. This work is an introductory textbook in several computer languages. It describes the most well-known and popular programming environments such as: C#, C++, Java, JavaScript, PERL, PHP, Python, Ruby, and Visual Basic (VB) or Visual Basic for Applications (VBA). Therefore, the main objective of this unique guide is to provide code examples reflected in these nine computer languages. Readers can easily understand the connection and universality between the syntax of different environments and be adept at translating code. This learning experience can be ideal for upper-undergraduate introductory courses, researchers, doctoral students, and sociologists or engineers charged with implementing data analysis. Graphical illustrations are used for technical details about the computation examples to aid in an in-depth understanding of their inner workings. Moreover, the book contains original material that has been class-tested by the author and numerous cases are examined. Readers will also benefit from the inclusion of: a) Historical and philosophical perspectives on the past, present and future of computer languages. b) A total of 448 additional files freely available online, from which a total of 44 files are poster presentations (i.e. PowerPoint and PDF files). c) A total of 404 code examples reflected in nine computer languages, namely: C#, C++, Java, JavaScript, PERL, PHP, Python, Ruby and VB.

This work first begins with a general introduction to history and presents the natural inevitable pathway from mechanical automatons to present electronic computers. Following this historical introduction, an in-detail look is made on philosophical questions, implementations, entropy and life. More often than not, there is a genuine amazement of the younger generations regarding the advancement of computer technology. Historical events that led to the development of technologies have been distilled down to the essence. However, the essence of any story is made with massive loss of detailed information. The essence of essences even more so. Over time, the lack of detail leads to a collective amnesia that can prevent us from understanding the naturalness by which technology has evolved. Thus, new constructs are always built upon older constructs to fit the evolutionary chain of technological progress, which boils down to the same fundamental rules as biological evolution. In the first stage, this book discusses the natural path of programming constructs by starting from time immemorial and ending with examples up to the present times. In the end, naturally driven constructs of all kinds also drive our society today. In the second part, the emphasis is made on the technical side where a total of nine computer languages are used simultaneously for mirrored examples. Simultaneous learning of multiple computer languages can be regarded as an asset in the world of science and technology. Thus, the reader can get used to the majority of known programming or scripting languages. Moreover, a basic knowledge of software implementation in several computer languages, even in an introductory way, helps the versatility and adaptability of the reader to new situations that may arise in industry, education, or research. Thus, this work is meant to bring a more concrete understanding of the similarities and differences between computer languages.

# References
- <i>Paul A. Gagniuc. An Introduction to Programming Languages: Simultaneous Learning in Multiple Coding Environments. Synthesis Lectures on Computer Science. Springer International Publishing, 2023, pp. 1-280.</i>
| A total of 44 poster presentations and 404 source code examples reflected in nine computer languages, namely: C#, C++, Java, JavaScript, PERL, PHP, Python, Ruby and VB. | cpp,csharp,java,javascript,perl,php,python,ruby,vb6,vba | 2023-02-08T16:29:28Z | 2023-07-03T22:32:51Z | 2023-04-06T05:37:44Z | 1 | 0 | 839 | 0 | 0 | 3 | null | MIT | Java |
MMGGYY66/leaderboard | main | # leaderboard
<p id="readme-top">My Microverse leaderboard
project (Module two)</p>
<!-- TABLE OF CONTENTS -->
# 📗 Table of Contents
- [📖 [🎯 leaderboard](#leaderboard)
- [🛠 Built With](#-built-with-)
- [Tech Stack](#tech-stack-)
- [🚀 Live Demo](#-live-demo-)
- [👁 Presentation](#-presentation-)
- [Deploy my website with github pages":](#deploy-my-website-with-github-pages)
- [- Loom video link:](#-loom-video-link)
- [💻 Getting Started](#-getting-started-)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Requirements](#requirements)
- [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 -->
# 📖 leaderboard <a name="about-project"></a>
The leaderboard website displays scores submitted by different players. It also allows you to submit your score. All data is preserved thanks to the external Leaderboard API service.
## 🛠 Built With <a name="built-with"></a>
<details>
<summary>Technology</summary>
<ul>
<li>HTML</li>
<li>CSS</li>
<li>Bootstrap 5</li>
<li>Javascript</li>
<li>Webpack</li>
<li>Linters (Lighthouse, Webhint, Stylelint, Eslint)</li>
<li>Git/GitHub work-flow </li>
</ul>
</details>
<p align="right">(<a href="#readme-top">back to top</a>)</p>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Client</summary>
<ul>
<li><a href="https://www.javascript.com/">JavaScript</a></li>
</ul>
<ul>
<li><a href="https://html.com/">Html</a></li>
</ul>
<ul>
<li><a href="hhttps://www.w3schools.com/css">CSS</a></li>
</ul>
<ul>
<li><a href="https://getbootstrap.com">Bootstrap 5</a></li>
</ul>
</details>
<details>
<summary>Server</summary>
<ul>
<li><a href="#">N/A</a></li>
</ul>
</details>
<details>
<summary>Database</summary>
<ul>
<li><a href="https://developer.mozilla.org/en-US/docs/Web/API/Window/localStorage">LocalStorage</a></li>
</ul>
</details>
## 🚀 Live Demo <a name="live-demo"></a>
- [leaderboard](https://mmggyy66.github.io/leaderboard/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👁 Presentation <a name="presentation"></a>
- []()
## Deploy my website with github pages"
## [leaderboard](https://mmggyy66.github.io/leaderboard/)
## - Loom video link
[]()
## 💻 Getting Started <a name="getting-started"></a>
To get a local copy up and running follow these simple example steps.
### Prerequisites
- IDE to edit and run the code (We use Visual Studio Code 🔥).
- Git to versionning your work.
### Install
- first install package.json and node_modules run:
npm init -y
- npm install --save-dev hint
- npm install --save-dev stylelint@13.x stylelint-scss@3.x stylelint-config-standard@21.x stylelint-csstree-validator@1.x
- npm install --save-dev eslint@7.x eslint-config-airbnb-base@14.x eslint-plugin-import@2.x babel-eslint@10.x
## Requirements
- Linters configuration.
Clone the repository to get start with project, then make sure to install dependencies in the linters file located in the [linter](https://github.com/Bateyjosue/linters-html-css/blob/main/.github/workflows/linters.yml) file
<p align="right">(<a href="#readme-top">back to top</a>)</p>
### Run tests
Check for the tests when you generate a pull request and fix the errors if any.
For stylelint error run:
<code>sudo npx stylelint "\*_/_.{css,scss}" --fix</code>
and it will the fix style issues automatically.
- to test and check the html file/s is error-free run:
npx hint .
- to fix errors run:
npx hint . -f
- to test and check the css file/s is error-free run:
npx stylelint "**/*.{css,scss}"
- to fix errors run:
npx stylelint "**/*.{css,scss}" --fix
- to test and check the js file/s is error-free run:
npx eslint .
- to fix errors run:
npx eslint . --fix
### Deployment
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
👤 **Mohamed Gamil Eldimardash**
- GitHub: [@github](https://github.com/MMGGYY66)
- LinkedIn: [LinkedIn](https://www.linkedin.com/in/mohamed-eldimardash-0023a3b5/)
- Twitter: [twitter](https://twitter.com/MOHAMEDELDIMARd)
- Facebook: [facebook](https://www.facebook.com/MOHAMED.ELDIMARDASH/)
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
- [ ] Project 2: send and receive data from API.
- [ ] Project 3: final touches.
<!-- CONTRIBUTING -->
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
Feel free to check the issues page
<!-- 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>
- [Microverse Team](https://www.microverse.org/).
I would like to thank Microverse for the information provided to build this project.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FAQ (optional) -->
## ❓ FAQ (OPTIONAL) <a name="faq"></a>
- **Can I use the project for any purpose?**
- Yes, you can use this files for anything you need.
- **Is the information saved in any database?**
- No, all data is saved in Local Storage.
## 📝 License <a name="license"></a>
This project is [MIT](https://github.com/MMGGYY66/readme-template/blob/master/MIT.md) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| The leaderboard website displays scores submitted by different players. It also allows you to submit your score. All data is preserved thanks to the external Leaderboard API service. | bootstrap5,css3,html5,javascript,webpack5 | 2023-01-28T04:03:16Z | 2023-03-15T23:52:29Z | null | 1 | 5 | 36 | 0 | 0 | 3 | null | MIT | JavaScript |
SattyamSamania/100-Days-of-Code | main |
#
This Repository will Contain the Projects that I have made during 100 Days using Frontend and Backend Web Technologies.
## 🚀 About Me
I'm a Frontend developer and Open Source Contributor...
## 🛠 Skills
Javascript, HTML, CSS, Tailwind CSS, Java
## 🔗 Links
[](https://www.linkedin.com/in/sattyam-samania-3691711b9/)
[](https://twitter.com/Sattyam15)
## Authors
- [SattyamSamania](https://www.github.com/SattyamSamania)
## License
[MIT](https://choosealicense.com/licenses/mit/)
| This Repository will Contain the Projects that I have made during 100 Days using Frontend and Backend Web Technologies. | css3,html5,javascript,reactjs,tailwind-css | 2023-01-31T03:08:11Z | 2023-06-29T04:58:40Z | null | 1 | 0 | 34 | 0 | 0 | 3 | null | MIT | HTML |
ViktorSvertoka/basic-js | main | ## BASIC JS
---
📚 JS LANGUAGE BASICS
---
| Freelancer for life 📖 | css,html,javascript,learning,practice,ukraine | 2023-02-04T11:05:03Z | 2023-02-09T19:45:09Z | null | 2 | 9 | 19 | 0 | 0 | 3 | null | null | JavaScript |
ThiagoFdaSLopes/Blog-Api | main | # Blog Api
Neste projeto foi desenvolvido uma API e um banco de dados para a produção de conteúdo para um blog!
Foi desenvolvido uma aplicação em Node.js usando o pacote sequelize para fazer um CRUD de posts.
Foi criado endpoints que estarão conectados ao seu banco de dados seguindo os princípios do REST;
Para fazer um post é necessário usuário e login, portanto será trabalhada a relação entre user e post;
Será necessária a utilização de categorias para os posts, trabalhando, assim, a relação de posts para categories e de categories para posts.
## Stack utilizada
Back-end: Javascript, Node, Express,Sequelize, JWT, MySQL2, Docker
## Rodando O Docker
Rode os serviços node e db com o comando ```docker-compose up -d```.
Lembre-se de parar o mysql se estiver usando localmente na porta padrão (3306), ou adapte, caso queria fazer uso da aplicação em containers.
Esses serviços irão inicializar um container chamado ```blogs_api``` e outro chamado ```blogs_api_db```.
A partir daqui você pode rodar o container ```blogs_api``` via CLI ou abri-lo no VS Code.
Use o comando ```docker exec -it blogs_api bash```.
Ele te dará acesso ao terminal interativo do container criado pelo compose, que está rodando em segundo plano.
Instale as dependências "Caso existam" com ```npm install```
:warning: Atenção :warning: Caso opte por utilizar o Docker, TODOS os comandos disponíveis no package.json (npm start, npm test, npm run dev, ...) devem ser executados DENTRO do container, ou seja, no terminal que aparece após a execução do comando docker exec citado acima.
:warning: Atenção :warning: O git dentro do container não vem configurado com suas credenciais. Faça os commits fora do container, ou configure as suas credenciais do git dentro do container.
:warning: Atenção :warning: Não rode o comando npm audit fix! Ele atualiza várias dependências do projeto, e essa atualização gera conflitos com o avaliador.
:warning: Atenção :warning: Caso você esteja usando macOS e ao executar o docker-compose up -d se depare com o seguinte erro:
```bash
The Compose file './docker-compose.yml' is invalid because:
Unsupported config option for services.db: 'platform'
Unsupported config option for services.node: 'platform'
```
Foram encontradas 2 possíveis soluções para este problema:
* Você pode adicionar manualmente a option platform: linux/amd64 no service do banco de dados no arquivo docker-compose.yml do projeto, mas essa é uma solução local e você deverá reproduzir isso para os outros projetos.
* Você pode adicionar manualmente nos arquivos .bashrc, .zshenv ou .zshrc do seu computador a linha export DOCKER_DEFAULT_PLATFORM=linux/amd64, essa é uma solução global. As soluções foram com base nesta fonte.
| Neste projeto foi desenvolvido uma API e um banco de dados para a produção de conteúdo para um blog! Foi desenvolvido uma aplicação em Node.js usando o pacote sequelize para fazer um CRUD de posts. Foi criado endpoints que estarão conectados ao seu banco de dados seguindo os princípios do REST; | api-rest,docker,docker-compose,javascript,jwt,jwt-authentication,jwt-token,msc,sequelize,sequelize-orm | 2023-02-09T16:20:34Z | 2023-02-13T16:55:52Z | null | 2 | 0 | 66 | 0 | 0 | 3 | null | null | JavaScript |
jhatheisen/PixelPeek | main | # 🦉Pixel Peek
This is the readme for the Pixel Peek. A platform for uploading and viewing photos from around the world. Take a peek at some beautiful pics!
## Live Server Link
https://pixelpeek.onrender.com
## Photos



## Wiki Link
* [API Documentation](https://github.com/jhatheisen/PixelPeek/wiki/API-Routes)
* [Database Schema](https://github.com/jhatheisen/PixelPeek/wiki/Database-Schema)
* [Feature List](https://github.com/jhatheisen/PixelPeek/wiki/Feature-List)
* [Redux Store Shape](https://github.com/jhatheisen/PixelPeek/wiki/Redux-Store)
* [Feature List](https://github.com/jhatheisen/PixelPeek/wiki/Feature-List)
* [User Stories](https://github.com/jhatheisen/PixelPeek/wiki/User-Stories)
* [Wireframe](https://github.com/jhatheisen/PixelPeek/wiki/Wireframe)
## Tech Stack
* Frameworks, Platforms, and Libraries:
* Javascript
* Python
* HTML5
* CSS3
* Node.js
* React
* Redux
* Flask
* SQLAlchemy
* Alembic
* Database
* Postgres
* Hosting
* Render
## Getting started
1. Clone this repository (only this branch)
2. Install dependencies
```bash
pipenv install -r requirements.txt
```
3. Create a **.env** file based on the example with proper settings for your
development environment
- Example
```js
SECRET_KEY=super-secret-key
FLASK_ENV=development
FLASK_DEBUG=True
DATABASE_URL=sqlite:///dev.db
SCHEMA=pixel_peek_schema
FLASK_RUN_PORT=5001
```
4. Make sure the SQLite3 database connection URL is in the **.env** file
5. This starter organizes all tables inside the `flask_schema` schema, defined
by the `SCHEMA` environment variable. Replace the value for
`SCHEMA` with a unique name, **making sure you use the snake_case
convention**.
6. Get into your pipenv, migrate your database, seed your database, and run your Flask app
```bash
pipenv shell
```
```bash
flask db upgrade
```
```bash
flask seed all
```
```bash
flask run
```
7. To run the React App in development, checkout the [README](./react-app/README.md) inside the `react-app` directory.
## Additional Photos...





| This is the project repo for the Pixel Peek. | flask,react,css,html,javascript,python | 2023-02-06T23:23:56Z | 2023-04-03T23:35:20Z | null | 5 | 43 | 204 | 0 | 0 | 3 | null | null | Python |
Victorprog4/Meu_Portfolio | main | # Meu Portfolio 💻
<br>

<br><br>
<div>
</div>
<a href="https://www.behance.net/gallery/163125511/Meu-Portfolio" style="margin-right: 30px"><img src="https://user-images.githubusercontent.com/100080203/222310333-7c757c2c-aded-440c-8b97-f4d965f128dd.png"></a><a href="https://victorhugo.tech/"><img src="https://user-images.githubusercontent.com/100080203/222313084-f4ad9719-433e-4b44-8633-27f3480aec8a.png"></a>
<div><br>
<h2>
Desenvolvido com
</h2>
<img align="center" src="https://img.shields.io/badge/JavaScript-F7DF1E?style=for-the-badge&logo=javascript&logoColor=black">
<img align="center" src="https://img.shields.io/badge/HTML-E34E26?style=for-the-badge&logo=html5&logoColor=white" />
<img align="center" src="https://img.shields.io/badge/Sass-CC6699?style=for-the-badge&logo=sass&logoColor=white" />
<img align="center" src="https://img.shields.io/badge/CSS3-1572B6?style=for-the-badge&logo=css3&logoColor=white" />
</div><br>
### Editor </>
<img align="center" src="https://img.shields.io/badge/Visual_Studio_Code-0078D4?style=for-the-badge&logo=visual%20studio%20code&logoColor=white" />
<br>
### O projeto é livre, portanto é só baixar ou clonar e utilizar como quiser! ✨
#### Clone o projeto. 🛠️
`git clone https://github.com/Victorprog4/Meu_Portfolio.git`
#### ou faça o download em zip, extraia os arquivos e utilize. 📁
<br>
#### Ah, se gostar do projeto deixe um ⭐
| null | html,javascript,sass,css | 2023-02-06T23:40:26Z | 2023-05-28T22:06:57Z | null | 1 | 0 | 42 | 0 | 0 | 3 | null | null | SCSS |
nxnom/tvmaze | dev | <a name="readme-top"></a>
<div>
<h1><b>TV Maze </b></h1><br/><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)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Usage](#usage)
- [Run tests](#run-tests)
- [Deployment](#triangular_flag_on_post-deployment)
- [👥 Author](#author)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [📝 License](#license)
# 📖 TV Maze <a name="about-project"></a>
**TV Maze** is a web application based on an external API. The webapp has two user interfaces. A homepage and a comments popup modal.
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<summary>Client</summary>
<ul>
<li><a href="https://html.com/html5/">HTML5</a></li>
<li><a href="https://developer.mozilla.org/en-US/docs/Learn/CSS/First_steps/What_is_CSS">CSS</a></li>
<li><a href="https://www.javascript.com/">JavaScript</a></li>
<li><a href="https://webpack.js.org">Webpack</a></li>
</ul>
### Key Features <a name="key-features"></a>
- **Javascript Async and Await**
- **ES6**
- **Webpack**
- **Gitflow**
- **API**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🚀 Live Demo <a name="live-demo"></a>
- Visit the live demo [here](https://oyhpnayiaw-as-micronaut.github.io/tvmaze/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 💻 Getting Started <a name="getting-started"></a>
To get a local copy up and running, follow these steps.
### Prerequisites
In order to run this project you need:
- A browser (e.g. Firefox)
- An IDE (e.g. [Vususal Studio Code](https://code.visualstudio.com/download))
- [npm](https://nodejs.org/en/)
- [Webpack](https://webpack.js.org/)
### Setup
To clone this repository to your desired folder, follow the steps below:
**Using the command line**
- Use the following commands
```sh
cd my-folder
git clone https://github.com/oyhpnayiaw-as-micronaut/tvmaze.git
```
**Using GitHub Desktop app**
- Follow the steps below
- Visit this link "https://github.com/oyhpnayiaw-as-micronaut/tvmaze.git"
- Click the green button labelled "code"
- Select the "Open with GitHub Desktop" option
- After the GitHub Desktop add opens, click the "clone repo" button
### Install
Install this project's dependencies with the following command:
```sh
npm install
```
### Usage
To run the project, execute the following command:
```sh
npm start
```
### Run tests
To run tests, run the following command:
```sh
npm test
```
### Deployment
You can deploy this project by running following command:
```sh
npm run deploy
```
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Author <a name="author"></a>
| 👤 Author | GitHub | Twitter | LinkedIn |
| :----------- | :------------------------------------------- | :-------------------------------------------- | :---------------------------------------------------- |
| Miles Mosweu | [@Timbar09](https://github.com/Timbar09) | [@Milez09](https://twitter.com/Milez09) | [@miles09](https://www.linkedin.com/in/miles09) |
| Wai Yan Phyo | [@oyhpnayiaw](https://github.com/oyhpnayiaw) | [@oyhpnayiaw](https://twitter.com/oyhpnayiaw) | [@oyhpnayiaw](https://www.linkedin.com/in/oyhpnayiaw) |
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🔭 Future Features <a name="future-features"></a>
- [ ] **Implement more functionality.**
<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/Timbar09/Leaderboard/issues).
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ⭐️ Show your support <a name="support"></a>
If you like this project, give it a ⭐️ and let us know what you like in particular.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🙏 Acknowledgments <a name="acknowledgements"></a>
We would like to thank the whole Microverse community for their help and contributions towards this project.
<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>
| TVMaze is a web application based on an external API. The webapp has two user interfaces. A homepage and a comments popup modal. It was developed using JavaScript, CSS, and HTML. | api,dynamic-programming,es6,javascript,jest-tests,single-page-app,webpack | 2023-02-06T08:41:27Z | 2023-02-08T15:31:45Z | null | 2 | 10 | 80 | 2 | 1 | 3 | null | MIT | JavaScript |
AnaCarolinaAquino/projeto-individual-modulo-5 | main | <h1>Curso Programadores Cariocas</h1>
<h3>Projeto Individual Módulo 5 – Tecnologias server-side/back-end</h3>
<br><br>
<b>CONTEXTO:</b> <i>Algumas soluções podem impactar muitas pessoas, ainda mais na
tecnologia. Que tal criar uma ferramenta no terminal que vai auxiliar
desenvolvedores no dia a dia com CSS?</i><br>
<br>
## Índice
* [Informações Gerais](#informações-Gerais)
* [Tecnologias](#tecnologias)
* [Configurações](#configurações)
<br><br>
## Informações Gerais
Usar o Node.js para montar um código que vai receber uma lista de propriedades de CSS (ex: background-color, font-size, text-align) e vai devolver
essa lista ordenada de A-Z. Ordenar o CSS ajuda a encontrar mais rápido a propriedade que precisamos alterar.<br><br>
<b> ⇨ Requisitos:</b>
<ol>
<li>A lista deve ser exibida completa em ordem alfabetica.</li>
<li>A aplicação não deve deixar inserir item que já exista.</li>
<li>A aplicação rodara no terminal e iniciará com o comando npm start.</li>
</ol>
<br><br>
## Tecnologias
O projeto foi criado com:
* node.js
* npm
<br><br>
## Configurações
Para executar este projeto, instale-o localmente usando npm:
```
$ npm init -y
$ npm install inquirer
$ npm install chalk
$ npm start
```
<br><br>
## Testes da Aplicação
Abaixo consta exemplos de testes realizados na aplicação desenvolvida.<br><br>
<b>Menu Inicial:</b><br>

<br><br>
<b>Exibir lista de propriedades CSS:</b><br>

<br><br>
<b>Adicionar propriedade CSS na lista:</b><br>

<br><br>
<b>Adicionar propriedade CSS que já esteja na lista:</b><br>

<br><br>
<b>Remover propriedade CSS da lista:</b><br>

<br><br>
<b>Sair da aplicação:</b><br>

<br><br>
| Aplicação desenvolvida em Node.js capaz de receber uma lista de propriedades CSS e retornar essa lista ordenada de A-Z. Projeto Individual do Módulo 5 - Tecnologias server-side/back-end. Curso Programadores Cariocas - Resilia. | chalk,inquirer,javascript,nodejs,npm | 2023-01-28T23:43:32Z | 2023-02-07T21:23:47Z | null | 1 | 0 | 21 | 6 | 2 | 3 | null | null | JavaScript |
Vishalll069/Myntra-Clone | main |

## Myntra Clone
This is a clone of the popular Indian online fashion and lifestyle store Myntra, created using HTML, CSS/Bootstrap, and JavaScript. The website features a similar layout and design as the original Myntra website, including a homepage with featured products and categories, individual product pages, a cart page, and a checkout process. This project was created as part of my web development studies, and serves as a demonstration of my HTML, CSS/Bootstrap, and JavaScript skills
## Demo
https://admirable-haupia-b8931e.netlify.app/index.html
## Tech Stack
Html, Css , Bootstarp and Javascript
| It's a clone Myntra Fashion app created using HTML , CSS , vanila js , bootstrap | bootstrap,css,html,javascript | 2023-02-04T18:40:40Z | 2023-04-28T14:22:25Z | null | 5 | 3 | 35 | 0 | 1 | 3 | null | null | JavaScript |
pallaveekumari/Agumentik_Landing_Page | master | # dribble
Hello Everyone !🌏 I am Pallavee Kumari and I am presenting my individual project of dribble.
## Details : 🔭
•Dribbble is a self-promotion and social networking platform for digital designers and creatives.
🚀 The link for the same is here :https://dribbble.com/shots/19177524-Seekret-API-Platform-Landing-page
## Pages & Features 👇
- ### Login,Signup page.
- ### Home Page.
- ### Admin Page.
## Credentials of login For Admin Page 👇
* email: "agumentik@gmail.com"
* password: "agumentic123"
## Tech Stack
* HTML, CSS5 ,Javascript, React, NodeJS, Mongodb, Express, Chakra UI, Render, Github.
## Lessons Learned
.
- I became proficient in reading and understanding the code.
- I learn about many new things.
- I learned how to plan a project and execute that in a limited time frame.
### Netlify Link:https://aumntik.netlify.app/
### Github Link:https://github.com/pallaveekumari/Agumentik_Landing_Page
| This is my individual Project. where user can login and signup . admin can change all the contents and images from admin panel and can make another user admin | css,express,github,html,javascript,mongodb,node-js,react,render | 2023-02-04T08:55:36Z | 2023-08-04T08:44:39Z | null | 2 | 0 | 23 | 0 | 0 | 3 | null | null | JavaScript |
1pushpak1/1pushpak1.github.io | main | ## Portfolio-Website
Portfolio website build using HTML5, CSS3, JavaScript and jQuery.
<a href="https://pushpak-is-a.dev/" target="_blank">**Visit Now** 🚀</a>
## 📌 Tech Stack
[](https://pushpak-is-a.dev)
[](https://pushpak-is-a.dev)
[](https://pushpak-is-a.dev)
<img alt="jQuery" src="https://img.shields.io/badge/jquery-%230769AD.svg?style=for-the-badge&logo=jquery&logoColor=white"/>
### Extras :
Particle.js, Typed.js, Tilt.js, Scroll Reveal, Tawk.to, Font Awesome and JSON
## 📌 Sneak Peek of Main Page 🙈 :


<h2>📬 Contact</h2>
If you want to contact me, you can reach me through below handles.
<a href="https://www.linkedin.com/in/pushpak-kumawat-b4bb921ba/"><img src="https://www.felberpr.com/wp-content/uploads/linkedin-logo.png" width="30"></img></a>
© 2023 Pushpak
[](https://forthebadge.com)
| Portfolio Website build using HTML5, CSS3, JavaScript and jQuery | css,html,javascript,jsquery | 2023-01-28T21:03:44Z | 2023-06-11T10:15:58Z | null | 1 | 1 | 72 | 0 | 0 | 3 | null | MIT | CSS |
Arun998/Javascript_Mini_projects | main | # Javascript_Mini_projects <br>
In these Repository You can find basic projects for beginners <br>
## Amazon payment checkout popup <br>
### Preview of the Popup these is created by using html,css,js <br>
 <br> <br>
The field of Card Name and Name also Validate by using javascript Regex pattrens
## 2) To-do-List <br>
A list of the tasks that you have to do, or things that you want to do: Each day I try to mark off as many items on my to-do list as possible <br>
#### Preview of the To-do-List <br>
 <br> <br>
## 3) Amazon_Signin_Form <br>
In these we can create a signin form with form validation <br>
#### Preview of the SignIn Form <br>

| In these Repository You can find basic projects for beginners | css,html5,javascript | 2023-02-09T11:14:16Z | 2023-02-10T11:01:16Z | null | 1 | 0 | 10 | 0 | 1 | 3 | null | null | CSS |
HasanC14/Islamic-Prayer-Time | main | # Islamic prayer time(Bangladesh Only) Chrome Extension
Islamic Prayer Time is a convenient and user-friendly Chrome extension that helps Muslims keep track of their daily prayers. With this extension, you can easily access the remaining time until the next prayer and view all prayer times for the current date. Designed with simplicity in mind, Islamic Prayer Time provides an accurate and reliable source of information, ensuring you never miss a prayer again. Download Islamic Prayer Time today and stay on top of your daily prayers with ease.
[](https://github.com/HasanC14/Islamic-Prayer-Time/releases/download/v1.0.0/Islamic.Prayer.Time.rar)
## Features
- Displays the current prayer time and the name of the next prayer
- Updates the prayer times automatically every minute
- Works offline after the first load
## Installation
1. Download the extension from the extension file.
2. Unzip the file.
3. In Chrome, open the extensions page (chrome://extensions).
4. Enable developer mode by clicking the toggle switch in the top right corner.
5. Click the "Load unpacked" button.
6. Select the unzipped folder.
## Video
[](https://www.youtube.com/watch?v=IE4AB3M6iMI)
Check out the video to learn how to install the extension.
## Usage
The extension will automatically display the current prayer time and the name of the next prayer in the extension badge. The badge will update automatically every minute.
## API
The prayer times are fetched from the [Prayer Times API by Aladhan.com](https://aladhan.com/prayer-times-api).
## License
This extension is licensed under the MIT License. See [LICENSE](LICENSE) for more information.
## Credits
- [Moment.js](https://momentjs.com/)
- [ReactJs](https://reactjs.org/)
- [Aladhan API](https://aladhan.com/prayer-times-api)
| Islamic Prayer Time is a convenient and user-friendly Chrome extension that helps Muslims keep track of their daily prayers. With this exntension, you can easily access the remaining time until the next prayer and view all prayer times for the current date. | chrome,extension,react,css3,html-css-javascript,html5,javascript,reactjs | 2023-01-30T00:49:07Z | 2023-02-01T11:43:40Z | 2023-02-01T10:22:35Z | 1 | 0 | 7 | 0 | 0 | 3 | null | null | JavaScript |
Kajal19-del/Hoil_Capstone | 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!
-->
<div align="center">
<!-- You are encouraged to replace this logo with your own! Otherwise you can also remove it. -->
<br/>
<h3><b>Portfolio README Template</b></h3>
</div>
<!-- TABLE OF CONTENTS -->
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [📝 License](#license)
<!-- PROJECT DESCRIPTION -->
# 📖 [Holi_Capstone] <a name="about-project"></a>
The goal of this project is to build a straightforward, responsive, HOLI event site that will hold all of the past personal projects. You must configure the HTML-CSS linter for this capstone project in accordance with the instructions provided in the HTML-CSS setup instructions and build the website with mobile & desktop users in mind.
## 🛠 Built With <a name="built-with"></a>
- HTML, CSS & JavaScript
- Git, Github and Visual Studio Code
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- Features -->
### Key Features <a name="key-features"></a>
> Describe between 1-3 key features of the application.
- **[I implement DOM in this project]**
- **[I get help from material icon & bootstrap icon]**
- **[I created feature section dynamically in JavaScript]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🚀 Live Demo <a name="live-demo"></a>
- [Live Demo Link](https://kajal19-del.github.io/Hoil_Capstone/)
## 🚀 Live Video <a name="live-video"></a>
- [Live Video Link](https://www.loom.com/share/7788dcef37d24066a24481c5835921ab)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- GETTING STARTED -->
## 💻 Getting Started <a name="getting-started"></a>
> Describe how a new developer could make use of your project.
To get a local copy up and running, follow these steps.
### Prerequisites
In order to run this project you need:
To get a local copy up and running follow these simple example steps.
- Choose a directory
- Open a Terminal
- write: git clone https://github.com/Kajal19-del/Hoil_Capstone
- get into to directory "Holi-project"
- write: npm install
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
👤 **Kajal Pramanik**
- GitHub: [@githubhandle](https://github.com/Kajal19-del)
- LinkedIn: [LinkedIn](https://www.linkedin.com/in/kajal-pramanik-234a93173/)
<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.
- [ ] **[I will upgrade with react framework]**
- [ ] **[I will use Tailwind css in this 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](https://github.com/Kajal19-del/Hoil_Capstone/issues).
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- SUPPORT -->
## ⭐️ Show your support <a name="support"></a>
> Write a message to encourage readers to support your project
If you like this project give it a star...
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- ACKNOWLEDGEMENTS -->
## 🙏 Acknowledgments <a name="acknowledgements"></a>
> Give credit to everyone who inspired your codebase.
All thanks to [Cindy Shin](https://www.behance.net/adagio07), the [author of the original design](https://www.behance.net/gallery/29845175/CC-Global-Summit-2015), as required by the [Creative Commons License](https://creativecommons.org/licenses/).
<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 goal of this project is to build a straightforward, responsive, HOLI event site that will hold all of the past personal projects. You must configure the HTML-CSS linter for this capstone project in accordance with the instructions provided in the HTML-CSS setup instructions and build the website with mobile & desktop users in mind. | css,html,javascript | 2023-02-06T16:39:03Z | 2023-02-10T13:34:03Z | null | 1 | 1 | 33 | 1 | 0 | 3 | null | MIT | CSS |
Rishi-Mishra0704/Capstone | main | <a name="readme-top"></a>
<div align="center">
<h3><b>First Capstone</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)
- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ (OPTIONAL)](#faq)
- [📝 License](#license)
# 📖 [First_Capstone] <a name="about-project"></a>
> Description
**[Rishi's_Portfolio]** is a project I created to test my skills with html and vanilla css , it has a greetings section , my introduction and my social handles, my works and about me .You can check the deployment section for more info.Also here is a <a href="https://www.loom.com/share/1b93984d6e3e4ddba042e49b43adb06b">link</a> to a short descriptive video about my thought process while making this program.
## 🛠 Built With <a name="built-with">HTMLand CSS</a>
### Tech Stack <a name="tech-stack"></a>
> This project is build purely by html and vanilla css and vanilla js.
## 🚀 Live Demo <a name="live-demo"></a>
- <a href="https://rishi-mishra0704.github.io/Capstone/">Check out the live demo</a>
- <a href="https://drive.google.com/file/d/1Gaxj8Q_P4J677fAH13IeJT8Anl6MXtdZ/view?usp=share_link">Check out the live video</a>
<details>
<summary>Client</summary>
<ul>
<li><a href="https://en.wikipedia.org/wiki/HTML">HTML</a></li>
<li><a href="https://en.wikipedia.org/wiki/Css">Css</a></li>
<li><a href="https://en.wikipedia.org/wiki/Javascript">JavaScript</a></li>
</ul>
</details>
<details>
<summary>Server</summary>
<ul>
<li><a href="">N/A</a></li>
</ul>
</details>
<details>
<summary>Database</summary>
<ul>
<li><a href="">N/A</a></li>
</ul>
</details>
## 💻 Getting Started <a name="getting-started"></a>
>
### Prerequisites
In order to run this project you need:
### Setup
Clone this repository to your desired folder:
### Install
Install this project with:
### Usage
To run the project, execute the following command:
### Run tests
To run tests, run the following command:
### Deployment
You can deploy this project using: <a href="https://rishi-mishra0704.github.io/portfolio-deployment.github.io/">This link</a>
<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.
👤 **Rishi Mishra**
- GitHub: [@githubhandle](https://github.com/Rishi-Mishra0704)
- Twitter: [@twitterhandle](https://twitter.com/RishiMi31357764)
- LinkedIn: [LinkedIn](https://www.linkedin.com/in/rishi-mishra-756718257/)
<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>
> 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>
## 🙏 Acknowledgments <a name="acknowledgements"></a>
> Give credit to everyone who inspired your codebase.
I would like to thank Cindy Shin for this awesome project .
It must have taken a lot of hard work and dedication.
By Re-creating this project my self I understand the hard work behind it.
So Thank You For Creating Such an Amazing Website .
<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>
| A Conference page to test my web development abilities built with html, css and vanilla Javascript. It has many features like responsiveness when used on mobile. When used on mobile it has a button to see more or less featured speakers . It also has an about section .Original design by Cindy shin | css,html,javascript | 2023-02-06T06:13:38Z | 2023-02-13T08:11:19Z | null | 1 | 1 | 13 | 3 | 0 | 3 | null | MIT | CSS |
LeslieAine/cake-shop | master | # cakeshop Website
<a name="readme-top"></a>
<!-- TABLE OF CONTENTS -->
<a name="readme-top"></a>
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Usage](#usage)
- [Deployment](#triangular_flag_on_post-deployment)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ](#faq)
- [📝 License](#license)
# 📖 [About the Project] <a name="about-project"></a>
**[cake-shop]** is a website built for a cake shop to display their confectionary and allow customers make orders
## 🛠 Built With <a name="built-with"></a>
### Html, css, bootstrap and Javascript <a name="tech-stack"></a>
<details>
<summary>Client</summary>
<ul>
<li><a href="https://www.w3schools.com/html/">HTML</a></li>
</ul>
</details>
<details>
<summary>Styling</summary>
<ul>
<li><a href="https://www.w3schools.com/css/">CSS</a></a></li>
</ul>
</details>
<details>
<summary>Interactivity</summary>
<ul>
<li><a href="https://www.w3schools.com/html/">JavaScript</a></a></li>
</ul>
</details>
### Key Features <a name="key-features"></a>
- **[Landing_page]**
- Landing page of the website
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🚀 Live Demo <a name="live-demo"></a>
- Click [here](https://leslieaine.github.io/cake-shop) to see the live demo of the project.
## 👥 Authors <a name="authors"></a>
👤 **Leslie Aine**
- GitHub: [@LeslieAine](https://github.com/LeslieAine)
- Twitter: [@LeslieAine](https://twitter.com/LeslieAine)
<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/).
<!-- FAQ (optional) -->
<!-- ## ❓ FAQ <a name="faq"></a>
> Add at least 2 questions new developers would ask when they decide to use your 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>
| A website built for a cake shop to display their confectionary, contact the shop and allow customers make orders. Built with JavaScript, HTML/SCSS, php. | html,javascript,scss | 2023-02-02T19:14:28Z | 2023-02-02T20:35:00Z | null | 1 | 0 | 17 | 0 | 0 | 3 | null | MIT | SCSS |
shawkyebrahim2514/Student-Database-Management | main | # Student Database Management
This repository contains a student database management system, where you can store, manage, and retrieve information about students.
The system is built using NodeJS, ExpressJS, ejs engine, css, and MySQL with a focus on using the Model-View-Controller (MVC) design pattern.
## Features for admins
* Store and manage student data
* Add, edit, and delete students
* Retrieve information about students
* Filter students based on different criteria
## Features for students
* Can edit their profiles' information
* Can add their courses
* Can store notes in their courses
## Prerequisites
* NodeJS
* ExpressJS
* ejs engine
* HTML
* CSS
* MySQL
## Project Details
> You can see <a href="./project details/Student Database Management - Photos.pdf">Project Photos</a> of its pages
> You can see <a href="./project details/project structure.md">Project Structure</a> for this project files
## Getting Started
Clone the repository to your local machine.
```bash
git clone https://github.com/shawkyebrahim2514/Student-Database-Management
```
## Install the required dependencies.
```
npm install
```
> Access the application by navigating to http://localhost:3000 in your web browser.
## Database Design
<img src="./Database Design/database diagram.svg">
> You can see <a href="./Database Design/database scheme.sql">Database Scheme</a> for this project
> You can see <a href="./Database Design/database queries.sql">Database Quiries</a> that used in this project
## Generate fake students for test
> You can use <a href="./Generate Fake Students">Faker.js</a> to generate fake students to test this project
> You can see <a href="./Database Design/view of students.md">Fake Students</a> that used in this project
| Student Database Management using Nodejs, Expressjs, Ejs engine, MySQL database, and MVC architecture pattern. | css,ejs-template-engine,expressjs,nodejs,student-management-system,database,javascript,mvc-architecture,mysql,sql | 2023-01-29T17:09:19Z | 2023-02-10T20:12:49Z | null | 1 | 0 | 14 | 0 | 1 | 3 | null | null | JavaScript |
MariferVL/Entiendeme | main | <div id="volver"></div>
<br/>
<div align="center">
<!-- README:
Incluye Definición del producto clara e informativa.
Incluye historias de usuario.
Asegúrate de incluir la definición de terminado (definition of done) y los Criterios
de Aceptación para cada una
Incluye sketch de la solución (prototipo de baja fidelidad).
TODO:Incluye Diseño de la Interfaz de Usuario (prototipo de alta fidelidad). ==> Figma
TODO: Incluye el listado de problemas que detectaste a través de tests de usabilidad.
(Cumple con Definición de Terminado + Criterios de Aceptación).
https://blog.hubspot.es/marketing/pruebas-usabilidad -->
<h1 align="center"><b>🌞¡Entiéndeme!🌚</br></h1>
<h2 align="center">Proyecto Data Lovers </br> < L > </b></h2>
<br/>
<br/>
<img src="https://user-images.githubusercontent.com/120422565/224590435-f464a316-41c9-4bb6-826d-b2556d95c638.png" alt="Logo" width="220px">
<br/>
<br/>
<br/>
<b>Autoras</b>
<br/>
[María-Fernanda Villalobos](https://github.com/MariferVL) <br/>
[Gabriela Gomez](https://github.com/GaabsG)
<br/>
<p align="center">
</summary>
<br/>
<br/>
<a href="https://github.com/MariferVL/Data-Lovers" target="_blank"><strong>Acceso a Documentos »</strong></a>
<br/>
<a href="https://marifervl.github.io/CardValidation-Part2/src/" target="_blank"><strong>Acceso a Despliegue »</strong></a>
<br/>
</p>
</div>
<br/>
<br/>
## Índice
* [1. Acerca del proyecto](#1-acerca-del-proyecto)
* [2. Objetivos de aprendizaje cumplidos](#2-objetivos-de-aprendizaje-cumplidos)
* [3. Proyecto](#3-proyecto)
* [4. Producto](#4-producto)
* [5. Demo](#5-demo)
* [6. Referencias](#6-referencias)
***
## 1. Acerca del proyecto
Según [Forbes](https://www.forbes.com/sites/bernardmarr/2018/05/21/how-much-data-do-we-create-every-day-the-mind-blowing-stats-everyone-should-read),
el <b>90%</b> de la data que existe hoy ha sido creada por nosotros durante los últimos dos años, generandoses <b>2.5 millones</b> de <b>terabytes</b> de datos por día, una cifra sin precedentes.
Es por esto que para la realización de este proyecto hemos utilizado/reciclado una de las billones de fuentes de información disponibles en la web.
Parte de este proceso implicó la aplicación de conocimiento del <b>DOM</b>, <b>Javascript</b> y <b>UX/UI</b> en conjunto con los nuesvos aprendizajes de manejo de <b>APIS</b>. Así se creó una plataforma que permite a los usuarios conocer los aspectos básicos de su <b>carta astral</b> mediante su fecha, hora y lugar de nacimiento.
### Lenguaje de programación
- [Javascript](https://www.javascript.com/)
### Framework
- [Bootstrap](https://getbootstrap.com/)
<br/>
<p align="left"><a href="#volver">Volver</a></p>
## 2. Objetivos de aprendizaje cumplidos
<summary>Mediante la estructuración y creación de este proyecto logramos<b> adquirir conocimientos</b> en las siguientes temáticas:</summary>
<details>
<br/>
<summary>1. CSS</summary>
<ul>
<li>
- [x] Uso de selectores de CSS
</li>
<li>
- [x] Modelo de caja (box model): borde, margen, padding
</li>
</ul>
</details>
<details>
<summary>2. Web APIs</summary>
<ul>
<li>
- [x] Uso de selectores del DOM
</li>
<li>
- [x] Manejo de eventos del DOM (listeners, propagación, delegación)
</li>
<li>
- [x] Manipulación dinámica del DOM
</li>
</ul>
</details>
<details>
<summary>3. JavaScript</summary>
<ul>
<li>
- [x] Tipos de datos primitivos
</li>
<li>
- [x] Strings (cadenas de caracteres)
</li>
<li>
- [x] Variables (declaración, asignación, ámbito)
</li>
<li>
- [x] Uso de condicionales (if-else, switch, operador ternario, lógica booleana)
</li>
<li>
- [x] Uso de bucles/ciclos (while, for, for..of)
</li>
<li>
- [x] Funciones (params, args, return)
</li>
<li>
- [x] Pruebas unitarias (unit tests)
</li>
<li>
- [x] Módulos de ECMAScript (ES Modules)
</li>
<li>
- [x] Uso de linter (ESLINT)
</li>
<li>
- [x] Uso de identificadores descriptivos (Nomenclatura y Semántica)
</li>
</ul>
</details>
<details>
<summary>4. Control de Versiones (Git y GitHub)</summary>
<ul>
<li>
- [x] Git: Instalación y configuración
</li>
<li>
- [x] Git: Control de versiones con git (init, clone, add, commit, status, push, pull, remote)
</li>
<li>
- [x] GitHub: Creación de cuenta y repos, configuración de llaves SSH
</li>
<li>
- [x] GitHub: Despliegue con GitHub Pages
</li>
</ul>
</details>
<details>
<summary>5. Centrado en el usuario</summary>
<ul>
<li>
- [x] Diseñar y desarrollar un producto o servicio poniendo a las usuarias en el centro
</li>
</ul>
</details>
<details>
<summary>6. Diseño de producto</summary>
<ul>
<li>
- [x] Crear prototipos de alta fidelidad que incluyan interacciones
</li>
<li>
- [x] Seguir los principios básicos de diseño visual
</li>
</ul>
</details>
<details>
<summary>7. Investigación</summary>
<ul>
<li>
- [ ] Planear y ejecutar testeos de usabilidad de prototipos en distintos niveles de fidelidad
</li>
</ul>
</details>
<br/>
<br/>
## 3. Proyecto
<details>
<summary><b>Hito 1</b></summary>
<ul>
<li>
- [x] Pasa linter (npm run pretest)
</li>
<li>
- [x] Pasa tests (npm test)
</li>
<li>
- [x] Pruebas unitarias cubren un mínimo del 70% de statements, functions y lines y branches
</li>
<li>
- [x] Incluye Definición del producto clara e informativa en README
</li>
<li>
- [x] Incluye historias de usuario en README
</li>
<li>
- [x] Incluye sketch de la solución (prototipo de baja fidelidad) en README
</li>
<li>
- [x] Incluye Diseño de la Interfaz de Usuario (prototipo de alta fidelidad) en README
</li>
<li>
- [] Incluye el listado de problemas que detectaste a través de tests de usabilidad en el README
</li>
<li>
- [x] UI: Muestra lista y/o tabla con datos y/o indicadores
</li>
<li>
- [x] UI: Permite ordenar data por uno o más campos (asc y desc)
</li>
<li>
- [x] UI: Permite filtrar data en base a una condición
</li>
<li>
- [x] UI: Es responsive
</li>
</ul>
</details>
### Historias de Usuario
<li> Como amiga quiero filtrar la información por elemento astrológico para evaluar mi compatibilidad con mis amigos.</li>
<li> Como pareja quiero saber el signo ascendente de mi pareja para potencializar nuestra relación. </li>
<li> Como fan quiero ordenar la información por cantantes para saber con cuáles artistas comparto signo zodiacal. </li>
<li> Como asesor quiero saber el signo zodiacal de mis clientes para entender sus necesidades de compra. </li>
<li> Como astróloga quiero saber el porcentaje de personas de signos aire menores de 50 años. </li>
### Prototipo de baja y alta fidelidad
<div align="center">
<img height="350" alt="prototipo-papel" src="https://user-images.githubusercontent.com/120422565/215957059-41f0126f-18a8-419d-a811-45aeac0a3100.png">
<img height="350" alt="prototipo-papel-carta" src="https://user-images.githubusercontent.com/120422565/215957073-0d7d0aa4-2757-484c-adf7-87578b2e9985.png">
<br/>
<img width="400" alt="prototipo-baja-fidelidad2" src="https://user-images.githubusercontent.com/120422565/215957529-49b7e0f2-6151-43ea-9ef5-a352df42f41b.png">
<img width="400" alt="prototipo-baja-fidelidad" src="https://user-images.githubusercontent.com/120422565/215957538-142e916a-c2bb-4b4f-bd45-b40fa29760a5.png">
<br/>
<img width="400" alt="prototipo-alta-fidelidad2" src="https://user-images.githubusercontent.com/120422565/224590701-85411b95-80e5-454f-a74e-0cbcb8cb8a1b.png">
</div>
### Pruebas de API en Postman
<div align="center">
<img width="400" alt="params-postman" src="https://user-images.githubusercontent.com/120422565/215957494-35f2b4c5-d01a-4575-8c5a-fbf0f11f266d.png">
<img width="400" alt="data-postman" src="https://user-images.githubusercontent.com/120422565/215957504-cef2dac1-6496-47f5-848b-3f17b77ac159.png">
</div>
<br/>
### Código
<div align="center">
<img width="400" alt="data-postman" src="https://user-images.githubusercontent.com/99364311/219038157-6e44b4db-34c3-4c3d-8248-0ffd005612ee.png">
<img width="400" alt="params-postman" src="https://user-images.githubusercontent.com/99364311/219038173-113ad858-4d1a-4068-93d1-c2ae046c8772.png">
<img width="400" alt="data-postman" src="https://user-images.githubusercontent.com/99364311/219038183-0fbce798-50a6-4611-a630-6e2a1b892858.png">
</div>
<br/>
<p align="left"><a href="#volver">Volver</a></p>
<br/>
## 4. Producto
Durante milenios, la humanidad ha estado empleando la astrología y la carta astral como una forma de adivinar el futuro y registrar el paso del tiempo. Una carta astral es un mapa que muestra la alineación planetaria en el momento exacto en el que naciste, así que nunca dos cartas son iguales.
Al elaborar el mapa de la ubicación de los planetas y signos zodiacales en las casas astrológicas al momento de tu nacimiento, puedes tener una mayor comprensión de quién eres.
<br/>
<div align="center">
<img width="500" alt="producto-inicial" src="https://user-images.githubusercontent.com/120422565/224591457-effa6c69-d833-4838-8376-8a7429b3d527.png">
<img width="500" alt="producto-funcion" src="https://user-images.githubusercontent.com/120422565/224591374-53f0e908-2c97-490b-95df-c429d65e6db0.png">
</div>
<br/>
<p align="left"><a href="#volver">Volver</a></p>
<br/>
## 5. Demo
<p align="left"><a href="#volver">Volver</a></p>
## 6. Referencias
- [StackOverflow](https://stackoverflow.com/)
- [MDN WebDocs](https://developer.mozilla.org/en-US/)
- [W3Schools](https://www.w3schools.com/)
- [Programiz](https://www.programiz.com/)
- [Geeks for Geeks](https://www.geeksforgeeks.org/)
<p align="left"><a href="#volver">Volver</a></p>
| "Entiendeme" is a platform that unveils your Vedic astrological birth chart insights. Using DOM manipulation, JavaScript, and UX/UI principles, we generate personalized interpretations based on your Vedic birth details. Explore the alignment of planets and nakshatras to gain a deeper understanding of yourself in just a few clicks. | api,css3,html5,javascript | 2023-01-26T15:26:21Z | 2023-03-13T14:01:18Z | null | 2 | 40 | 144 | 1 | 1 | 3 | null | null | JavaScript |
AnandRP2030/KFC-Clone | main | # **KFC-Clone**
## **Project Description**
The aim of this project is to develop a KFC clone website with a modern and user-friendly interface. The website will include the following features:
Workflow: The website will have a well-defined workflow that allows users to place orders, view their order history, and make payments.
Login Page: The login page will allow users to log in using their email and password. If a user does not have an account, they will be able to sign up for one.
Home Page: The home page will display a menu of items available for order and will allow users to place orders directly from the homepage.
Menu Page: The menu page will provide a comprehensive list of all items available for order. Users will be able to filter items based on their preferences and dietary restrictions.
Payment Page: The payment page will allow users to make payments using a variety of methods, including credit/debit cards, PayPal, and cash on delivery.
Order History Page: The order history page will allow users to view a record of their past orders, including the date and time of the order, items ordered, and payment details.
The website will be developed using a modern web framework and will be optimized for both desktop and mobile devices. The design of the website will be sleek and modern, with a focus on ease of use and a fast loading time.
## **Tech stacks used :**
To create this clone following Tech stack is used by contributors.
<br>
<img src="https://img.shields.io/badge/HTML5-E34F26?style=for-the-badge&logo=html5&logoColor=white"/>
<img src="https://img.shields.io/badge/CSS3-1572B6?style=for-the-badge&logo=css3&logoColor=white"/>
<img src="https://img.shields.io/badge/JavaScript-323330?style=for-the-badge&logo=javascript&logoColor=F7DF1E"/>
* **Email JS**
* **GoogleFonts**
* **GoogleMAP API**
* **GoogleIcon**
* **FontawesomeIcon**
# **Project Status**
KFC-CLONE is now complete and fully functional. The team has successfully implemented all of the necessary features and functionality of the website.
## **About KFC**
KFC (Kentucky Fried Chicken) is an American fast food restaurant chain headquartered in Louisville, Kentucky, that specializes in fried chicken. It is the world's second-largest restaurant chain after McDonald's. KFC was founded by Colonel Harland Sanders, an entrepreneur who began selling fried chicken from his roadside restaurant in Corbin, Kentucky. By branding himself as "Colonel Sanders", Harland became a prominent figure of American cultural history and his image remains widely used in KFC advertising to this day.
<hr/>
## Screenshots
#### **Home Page:**


#### Signup Page:

#### Product Page:

<br>
<br>
#### Product Details page:

<br>
<br>
#### Cart Function Page:

<br>
<hr/>
## Installation and Setup Instructions
Clone down this repository using this <a href="https://github.com/AnandRP2030/KFC-Clone">link</a>
<hr/>
## See Live
Visit the Deployed version using this <a href="https://my-kfc-clone3.netlify.app/">link</a>
<hr/>
## Team Members and Contributors
### Anand RP
- **Github** : AnandRP2030
- **Github Link** : https://github.com/AnandRP2030
- **Linkedin** : https://www.linkedin.com/in/anandrp2030/
### Ruchi Upadhyay
- **Github** : warriorruchi
- **Github Link** : https://github.com/warriorruchi
- **Linkedin** :https://www.linkedin.com/in/ruchi-upadhyay-843a9021a
### Keerthi Malini
- **Github** : Keerthimalini6
- **Github Link** : https://github.com/Keerthimalini6
- **Linkedin** :https://www.linkedin.com/in/keerthi-malini-698923161
### Debabrata Hembram
- **Github** : debabrata-pw08-429
- **Github Link** : https://github.com/debabrata-pw08-429
- **Linkedin** :https://www.linkedin.com/in/debabrata-hembram-704723184/
### Ankit Gadhwe
- **Github** : AnkitGadhwe
- **Github Link** :https://github.com/AnkitGadhwe
- **Linkedin** :https://www.linkedin.com/in/ankit-gadhwe-47073a192/
[](https://github.com/AnandRP2030/KFC-Clone)
| KFC Clone Website - It is a Collaborative project The aim of this project is to develop a KFC clone website with a modern and user-friendly interface. The website will include the following features: | css,font-aw,google-maps-api,html,javascript | 2023-01-29T13:13:38Z | 2023-02-13T14:30:01Z | null | 5 | 64 | 182 | 1 | 6 | 3 | null | MIT | JavaScript |
mohammad-zolghadr/image-editor | main | # Image Editor V.1.0
✅ Edit Images <br/>
✅ Apply filter in your custom image<br/>
✅ Export in custom size<br/>
Using :<br/>
🔴 Html - Css - Javascript <br/>
🔴 React.Js <br/>
🔴 React Hooks <br/>
# <a href="https://mohammad-image-editor.netlify.app/" target="_blank"> Click To Show Demo</a>
<div style="display:flex" align="center">
<img src="https://user-images.githubusercontent.com/48680310/217930317-d7917e41-bdb6-4564-b800-1329787f3e5a.png" style="width:48%"/>
<img src="https://user-images.githubusercontent.com/48680310/217931176-708d1df3-e0bb-4c63-bebb-afd4b3bae7ce.png" style="width:48%"/>
</div>
# Contact Me
Gmail : mohammad.zol9978@gmail.com <br/>
Website : https://mohammadzolghadr.ir <br/>
Instagram : https://instagram.com/mozo.plus <br/>
Linkedin : https://www.linkedin.com/in/mohammad-zolghadr <br/>
| A simple photo editor that you can change a series of saturation parameters, color, contrast, etc | editor,image,javascript,reactjs | 2023-02-08T07:33:17Z | 2023-02-09T20:37:24Z | null | 1 | 0 | 15 | 0 | 0 | 3 | null | null | JavaScript |
ballalamit/Bewakoof_Clone | main | # Bewakoof_Clone
This is a clone for Bewakoof_Clone-website
About Bewakoof_Clone a fashion and lifestyle brand, is Reliance Retail’s digital commerce initiative and is the ultimate fashion destination for styles that are handpicked, on trend and at prices that are the best you’ll find anywhere. Celebrating fearlessness and uniqueness, Ajio is constantly looking to bring a fresh, current and accessible perspective to personal style.
In this project we have tried to enhance the cloning of “AJIO” website. We had build up all our efforts to do our best in this project. As, the Masai School's Mentorship was specifically to build up our skills and we also accordingly implemented all that teachings in our project to look it at its best.
Technology We Used 💻
HTML5
CSS3
Advanced JavaScript
ES6
Bootstrap
check Out our website
click here (project URL): https://keen-beijinho-ffb7b1.netlify.app/
| Beewakoof.com is your go-to destination for trendy and stylish clothing designed exclusively for youngsters. Express your style effortlessly with their curated collection of cool graphic tees, comfortable joggers, chic dresses, and funky accessories. | css3,html,javascript | 2023-02-05T07:01:51Z | 2023-07-04T09:55:41Z | null | 5 | 5 | 44 | 0 | 1 | 3 | null | null | HTML |
Yashrajgoudar/enerGYM | main | 
# Built With
enerGYM is a multi page application with modern navigation bar which improves the User-Interface. This application allows the user to know about the plans and trainers that are available at enerGYM.
The Technologies that are used in this project are,
* HTML
* CSS
* Javascript
* SASS
* React JS
* VS Code
* Netlify App
# Features
* Multi-Page Layout
* Styled with CSS3 and SASS (A CSS Framework )
* Fully Responsive
# App Demo
To reach out enerGYM website you can use the following link,
https://extraordinary-sorbet-a8ef19.netlify.app/
| A static web page application built with React JS and SASS. This application allows users to know the plans and various trainers available in enerGYM. | react,css,energym,html,multipage-application,react-router,reactjs,sass,framer-motion,javascript | 2023-02-08T16:08:17Z | 2023-02-08T18:13:56Z | null | 1 | 0 | 5 | 0 | 0 | 3 | null | null | SCSS |
IanVitor/Climats | main | # Climats
<H1>Previsão de clima</H1>
<img src='./src/imagem_2023-02-04_024347715.png'>
<p>
Projeto inspirado no vídeo do canal <a target="_blank" href="https://www.youtube.com/@MatheusBattisti">Matheus Battisti</a>.
</p>
<hr>
<dl>
<dt><h2>Tecnologias:</h2></dt><br>
<dd><img width=20px height=20px src='https://cdn.icon-icons.com/icons2/2107/PNG/512/file_type_html_icon_130541.png'> HTML5</dd>
<dd><img width=20px height=20px src='https://icones.pro/wp-content/uploads/2022/08/css3.png'> CSS3</dd>
<dd><img width=20px height=20px src='https://pcodinomebzero.neocities.org/Imagens/javascript1.png'> JavaScript</dd>
</dl>
<hr>
<h2>To do:</h2>
<ul>
<li>Implementar tratamento de erros</li>
<li>Criar componente de loading</li>
</ul>
| Site para previsão do tempo com API. | api,css3,html5,javascript,weather-api | 2023-02-04T05:30:03Z | 2023-02-07T19:39:40Z | null | 1 | 0 | 12 | 0 | 1 | 3 | null | MIT | HTML |
Rachelwebdev/Leaderboard-project | develop | # Leaderboard-project
<a name="readme-top"></a>
# 📗Table of Contents
- [Leaderboard-project](#leaderboard-project)
- [📗Table of Contents](#table-of-contents)
- [📖 \[Leaderboard-project\] ](#-leaderboard-project-)
- [🛠 Built With ](#-built-with-)
- [Tech Stack ](#tech-stack-)
- [Key Features ](#key-features-)
- [🚀 Live Demo ](#-live-demo-)
- [💻 Getting Started ](#-getting-started-)
- [Prerequisites](#prerequisites)
- [Setup](#setup)
- [Install](#install)
- [Usage](#usage)
- [👥 Author ](#-author-)
- [🙏 Acknowledgments ](#-acknowledgments-)
- [📝 License ](#-license-)
<!-- PROJECT DESCRIPTION -->
# 📖 [Leaderboard-project] <a name="about-project"></a>
**Leaderboard-project]** is a website that displays scores submitted by different players. It also allows the user to submit their score. All data is preserved as a result of using external Leaderboard API service.
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Client</summary>
<ul>
<li>HTML</li>
<li>CSS</li>
<li>JavaScript</li>
</ul>
</details>
### Key Features <a name="key-features"></a>
- An HTML File
- A CSS File
- A Javascript file
- An md file
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LIVE DEMO -->
## 🚀 Live Demo <a name="live-demo"></a>
>
- [Live Demo Link]()
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 💻 Getting Started <a name="getting-started"></a>
### Prerequisites
In order to run this project you need:
A Browser
### Setup
Clone this repository to your desired folder:
`git@github.com:Rachelwebdev/Leaderboard-project.git`
### Install
Install this project with:
A commandline interface e.g Gitbash
### Usage
To run the project, execute the following command:
- npm install
- npm start
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Author <a name="authors"></a>
👤 **Rachel Isaac**
- GitHub: [@rachelwebdev](https://github.com/Rachelwebdev)
- Twitter:[@rachelisaac13](https://twitter.com/Rachelisaac13)
- LinkedIn: [Rachel Isaac](https://www.linkedin.com/in/rachelisaac13/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
🤝 Contributing
Contributions, issues, and feature requests are welcome!
<p align="right"><p align="right">(<a href="#readme-top"><a href="#readme-top">back to top</a></a>)</p></p>
## 🙏 Acknowledgments <a name="acknowledgements"></a>
🙏 Acknowledgments
Give credit to everyone who inspired your codebase.
I would like to thank Microverse for the learning materials and technical support provided to work on this project
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 📝 License <a name="license"></a>
<p align="right">(<a href="#readme-top">back to top</a>)</p>
📝 License
This project is [MIT](https://github.com/Rachelwebdev/Leaderboard-project/blob/develop/LICENSE) licensed.
| This project is a minimalist leaderboard application for a game that utilizes a Leaderboard API service to add and receive scores and player names. The leaderboard has been designed to be sleek, simple, and easy to use, providing players with an efficient and enjoyable experience. | api,css,html,javascript | 2023-01-30T14:23:52Z | 2023-02-28T10:34:45Z | null | 1 | 3 | 34 | 2 | 0 | 3 | null | MIT | JavaScript |
yulsmir/foocoding | master | ### Foocoding
Foocoding is a fullstack web development course.
This repository includes all the homework related to the course:
- HTML5
- CSS3
- JavaScript
- GIT/CLI/Debugging
- Node.js
- React.js
- Databases
- Project
### Here you can find my homeworks:
### HTML/CSS
- Week 0:
- [x] Code: https://github.com/yulsmir/foocoding/tree/master/HTML-CSS/week00
- Week 1:
- [x] Code: https://github.com/yulsmir/foocoding/tree/master/HTML-CSS/week01
- [x] Web version: https://yulsmir.github.io/foocoding/HTML-CSS/week01/
- Week 2:
- [x] Code: https://github.com/yulsmir/foocoding/tree/master/HTML-CSS/week02
- [x] Web version: https://yulsmir.github.io/foocoding/HTML-CSS/week02/
- Week 3:
- [x] Code: https://github.com/yulsmir/foocoding/tree/master/HTML-CSS/week03
- [x] Web version: https://yulsmir.github.io/foocoding/HTML-CSS/week03/
### JavaScript2
- Week 1:
- [x] Code: https://github.com/yulsmir/foocoding/tree/master/JavaScript2/week01
- [x] Web version: https://yulsmir.github.io/foocoding/JavaScript2/week01/
- Week 2:
- [x] Code: https://github.com/yulsmir/foocoding/tree/master/JavaScript2/week02
- [x] Web version: https://yulsmir.github.io/foocoding/JavaScript2/week02
| Full Stack Web Development course - Feb 2023 - Present | css-flexbox,css-grid,css3,html5,javascript,vanilla-javascript,vanilla-js,deployment,dotenv,express | 2023-02-05T12:07:39Z | 2023-06-30T17:18:18Z | null | 1 | 3 | 452 | 0 | 0 | 2 | null | null | JavaScript |
abpanic/WebDev101 | main | [](https://GitHub.com/abpanic/WebDev101/pulls/)
[](http://makeapullrequest.com)
[](https://vscode.dev/github/abpanic/WebDev101)
[](https://msftcasehandling.azurewebsites.net/Learning)
Compiled by [Abhilash Panicker](https://dbugr.vercel.app/)
# Web Dev Basics for Rest API and WebServices debugging
Following is a self-learn module with 24-lesson curriculum which is all about JavaScript, CSS, and HTML basics. Each lesson includes pre- and post-lesson quizzes, written instructions to complete the lesson, a solution, an assignment and more. Our project-based pedagogy allows you to learn while building, a proven way for new skills to 'stick'.
## Pedagogy
>To be able to troublshoot issues related to RestAPI and other script related issues, it is important to understand the basics before we jump into [](https://learn.microsoft.com/en-us/power-apps/developer/model-driven-apps/clientapi/reference)
Chosen two pedagogical tenets while building this curriculum: ensuring that it is project-based and that it includes frequent quizzes. By the end of this series, students will have built a typing game, a virtual terrarium, a 'green' browser extension, a 'space invaders' type game, and a business-type banking app, and will have also learned the basics of JavaScript, HTML, and CSS along with the modern toolchain of today's web developer.
Purposefully avoided introducing JavaScript frameworks to concentrate on the basic skills needed as a web developer before adopting a framework, a good next step to completing this curriculum would be learning about Node.js via another collection of videos: "[Beginner Series to: Node.js](https://channel9.msdn.com/Series/Beginners-Series-to-Nodejs/?WT.mc_id=academic-77807-sagibbon)".
## Each lesson includes:
- optional sketchnote
- optional supplemental video
- pre-lesson warmup quiz
- written lesson
- for project-based lessons, step-by-step guides on how to build the project
- knowledge checks
- a challenge
- supplemental reading
- assignment
- post-lesson quiz
> **A note about quizzes**: All quizzes are contained [in this app](https://ashy-river-0debb7803.1.azurestaticapps.net/), for 48 total quizzes of three questions each. They are linked from within the lessons but the quiz app can be run locally; follow the instruction in the `quiz-app` folder. They are gradually being localized.
## Lessons
| | Project Name | Concepts Taught | Learning Objectives | Linked Lesson |
| :-: | :------------------------------------------------------: | :--------------------------------------------------------------------: | ----------------------------------------------------------------------------------------------------------------------------------- | :----------------------------------------------------------------------------------------------------------------------------: |
| 01 | Getting Started | Introduction to Programming and Tools of the Trade | Learn the basic underpinnings behind most programming languages and about software that helps professional developers do their jobs | [Intro to Programming Languages and Tools of the Trade](/1-getting-started-lessons/1-intro-to-programming-languages/README.md) |
| 02 | Getting Started | Basics of GitHub, includes working with a team | How to use GitHub in your project, how to collaborate with others on a code base | [Intro to GitHub](/1-getting-started-lessons/2-github-basics/README.md) |
| 03 | Getting Started | Accessibility | Learn the basics of web accessibility | [Accessibility Fundamentals](/1-getting-started-lessons/3-accessibility/README.md) |
| 04 | JS Basics | JavaScript Data Types | The basics of JavaScript data types | [Data Types](/2-js-basics/1-data-types/README.md) |
| 05 | JS Basics | Functions and Methods | Learn about functions and methods to manage an application's logic flow | [Functions and Methods](/2-js-basics/2-functions-methods/README.md) |
| 06 | JS Basics | Making Decisions with JS | Learn how to create conditions in your code using decision-making methods | [Making Decisions](/2-js-basics/3-making-decisions/README.md) |
| 07 | JS Basics | Arrays and Loops | Work with data using arrays and loops in JavaScript | [Arrays and Loops](/2-js-basics/4-arrays-loops/README.md) |
| 08 | [Terrarium](/3-terrarium/solution/README.md) | HTML in Practice | Build the HTML to create an online terrarium, focusing on building a layout | [Introduction to HTML](/3-terrarium/1-intro-to-html/README.md) |
| 09 | [Terrarium](/3-terrarium/solution/README.md) | CSS in Practice | Build the CSS to style the online terrarium, focusing on the basics of CSS including making the page responsive | [Introduction to CSS](/3-terrarium/2-intro-to-css/README.md) |
| 10 | [Terrarium](/3-terrarium/solution/README.md) | JavaScript Closures, DOM manipulation | Build the JavaScript to make the terrarium function as a drag/drop interface, focusing on closures and DOM manipulation | [JavaScript Closures, DOM manipulation](/3-terrarium/3-intro-to-DOM-and-closures/README.md) |
| 11 | [Typing Game](/4-typing-game/solution/README.md) | Build a Typing Game | Learn how to use keyboard events to drive the logic of your JavaScript app | [Event-Driven Programming](/4-typing-game/typing-game/README.md) |
| 12 | [Green Browser Extension](/5-browser-extension/solution/README.md) | Working with Browsers | Learn how browsers work, their history, and how to scaffold the first elements of a browser extension | [About Browsers](/5-browser-extension/1-about-browsers/README.md) |
| 13 | [Green Browser Extension](/5-browser-extension/solution/README.md) | Building a form, calling an API and storing variables in local storage | Build the JavaScript elements of your browser extension to call an API using variables stored in local storage | [APIs, Forms, and Local Storage](/5-browser-extension/2-forms-browsers-local-storage/README.md) |
| 14 | [Green Browser Extension](/5-browser-extension/solution/README.md) | Background processes in the browser, web performance | Use the browser's background processes to manage the extension's icon; learn about web performance and some optimizations to make | [Background Tasks and Performance](/5-browser-extension/3-background-tasks-and-performance/README.md) |
| 15 | [Space Game](/6-space-game/solution/README.md) | More Advanced Game Development with JavaScript | Learn about Inheritance using both Classes and Composition and the Pub/Sub pattern, in preparation for building a game | [Introduction to Advanced Game Development](/6-space-game/1-introduction/README.md) |
| 16 | [Space Game](/6-space-game/solution/README.md) | Drawing to canvas | Learn about the Canvas API, used to draw elements to a screen | [Drawing to Canvas](/6-space-game/2-drawing-to-canvas/README.md) |
| 17 | [Space Game](/6-space-game/solution/README.md) | Moving elements around the screen | Discover how elements can gain motion using the cartesian coordinates and the Canvas API | [Moving Elements Around](/6-space-game/3-moving-elements-around/README.md) |
| 18 | [Space Game](/6-space-game/solution/README.md) | Collision detection | Make elements collide and react to each other using keypresses and provide a cooldown function to ensure performance of the game | [Collision Detection](/6-space-game/4-collision-detection/README.md) |
| 19 | [Space Game](/6-space-game/solution/README.md) | Keeping score | Perform math calculations based on the game's status and performance | [Keeping Score](/6-space-game/5-keeping-score/README.md) |
| 20 | [Space Game](/6-space-game/solution/README.md) | Ending and restarting the game | Learn about ending and restarting the game, including cleaning up assets and resetting variable values | [The Ending Condition](/6-space-game/6-end-condition/README.md) |
| 21 | [Banking App](/7-bank-project/solution/README.md) | HTML Templates and Routes in a Web App | Learn how to create the scaffold of a multipage website's architecture using routing and HTML templates | [HTML Templates and Routes](/7-bank-project/1-template-route/README.md) |
| 22 | [Banking App](/7-bank-project/solution/README.md) | Build a Login and Registration Form | Learn about building forms and handing validation routines | [Forms](/7-bank-project/2-forms/README.md) |
| 23 | [Banking App](/7-bank-project/solution/README.md) | Methods of Fetching and Using Data | How data flows in and out of your app, how to fetch it, store it, and dispose of it | [Data](/7-bank-project/3-data/README.md) |
| 24 | [Banking App](/7-bank-project/solution/README.md) | Concepts of State Management | Learn how your app retains state and how to manage it programmatically | [State Management](/7-bank-project/4-state-management/README.md) |
| 25 | [Client Script in CE](https://learn.microsoft.com/en-us/power-apps/developer/model-driven-apps/clientapi/walkthrough-write-your-first-client-script) | Getting started with D365 CE scripting | Create your 1st Client script in D365 CE | [Walkthrough](https://learn.microsoft.com/en-us/power-apps/developer/model-driven-apps/clientapi/walkthrough-write-your-first-client-script) |
------------------------------------------
## Microsoft D365 CE Plugins starting with C# and API basics
To use this curriculum on your own, fork the entire repo and go into the numbered folders to access the lessons and projects.
## Lessons
| | Lesson Name | Learning Objectives | Linked Lesson |
| :-: | :------------------------------------------------------: | ----------------------------------------------------------------------------------------------------------------------------------- | :----------------------------------------------------------------------------------------------------------------------------: |
| 01 | Welcome | Introduction to C#, .NET, and web development with .NET | [Welcome to the Intro to Web Dev with .NET series](./intro-to-dotnet-web-dev/1-welcome/README.md) |
| 02 | C# | A quick runthrough of C# attributes, syntax, and OOP | [C# Crash Course](./intro-to-dotnet-web-dev/2-csharp/README.md) |
| 03 | Controller-based Web APIs | Build a Minimal API backend for To-do website | [Build an HTTP backend with Minimal APIs](https://learn.microsoft.com/en-us/aspnet/core/tutorials/first-web-api?view=aspnetcore-7.0&tabs=visual-studio-code) |
| 04 | Download Developer Tools | Environment set-up with required tools | [Install Power Platform Tools](https://learn.microsoft.com/en-us/power-apps/developer/data-platform/tools/devtools-install?view=op-9-1) |
| 05 | Getting Started with Plugins | Get Introduced to Plugins and the need for custom logic| [Plugins](./Sandbox-Plugins/Plugins.md)|
| 06 | Event Framework officiallyOfficial Documentation | Understand the Event Framework for execution from official documentation | [Event framework](https://learn.microsoft.com/en-us/power-apps/developer/data-platform/event-framework) |
| 07 | Plugin Registration | Registering your First Plugin | [Plugin_Registration](./Sandbox-Plugins/Plugin%20Registration.md) |
| 08 | Web Services | Introducing to IDiscovery and IOrganization Interfaces | [Web_Services](./Sandbox-Plugins/Web%20Services.md) |
Official Documentation:
[D365 Developer Guide](https://learn.microsoft.com/en-us/dynamics365/customerengagement/on-premises/developer/overview?view=op-9-1)
All feedback to [Abhilash Panicker](https://dbugr.vercel.app/)
| Project hosted to https://webdevtutorials101.netlify.app/ | css,html-css-javascript,javascript,learning,programming,tutorial,webdevelopment | 2023-02-08T19:40:09Z | 2023-04-13T21:49:59Z | null | 1 | 0 | 85 | 0 | 0 | 2 | null | MIT | JavaScript |
vahan-sahakyan/objlay | main | # @vahan-sahakyan/objlay
[](https://www.npmjs.com/package/@vahan-sahakyan/objlay)
[](https://www.npmjs.com/package/@vahan-sahakyan/objlay)
Displays an object via Express.js in the browser.
## Install
```
$ npm install @vahan-sahakyan/objlay
```
## Usage
```js
const objlay = require('@vahan-sahakyan/objlay');
const object = {
name: 'Vahan',
job: 'Software Engineer',
};
objlay(object, 3000, 4, false);
// OBJECT, PORT, INDENT, GRAY_PRIMITIVES
```
## In Action

| A tiny npm package to format-expand-display an object in the browser. | javascript,json-formatter,nodejs,npm,npm-package,open-source,object-display,objlay,express-js,ds-algo | 2023-01-29T18:19:18Z | 2023-01-31T19:36:08Z | null | 1 | 0 | 5 | 0 | 0 | 2 | null | MIT | JavaScript |
Alzubair98/ozyapi | master | # Project Name
Ozyapi company
# Description
its the Front-end part of the website im building for the real estate company called ozyapi
## project Link
[link](https://mellifluous-bienenstitch-8176b8.netlify.app/)
## Built With
- Major languages : HTML, CSS, JavaScript
- Frameworks : React
- Technologies used : webpack
## Authors
👤 **Alzubair**
- GitHub: https://github.com/Alzubair98
- Twitter: https://twitter.com/FitZubair
- LinkedIn: https://www.linkedin.com/in/alzubair-alqaraghuli-272918233/
## 🤝 Contributing
Contributions, issues, and feature requests are welcome!
## Show your support
Give a ⭐️ if you like this project!
## Acknowledgments
- Hat tip to anyone whose code was used
- Inspiration
- etc
| null | css,html,javascript,react | 2023-02-03T13:13:01Z | 2023-03-31T14:32:25Z | null | 1 | 8 | 197 | 0 | 0 | 2 | null | null | JavaScript |
romulan-overlord/JourneyPlus | master | <!-- ABOUT THE PROJECT -->
## About The Project
This is an expansive journalling web application with networking possible, allowing users to publish beautifully crafted entries as blogs easily accessible to their network.
What expansive journalling entails:
* The traditional feeling of journalling is retained with the text component.
* Add snippets of your memories not describable by words in the form of pictures, videos and audios.
* Turn your journal entry into an experience in itself with customisable background images and background audio.
* Collaborate with your friends to create journal entries together in real time.
### Built With
* [![MongoDB][MongoDB.com]][Mongo-url]
* [![Express][Express.js]][Express-url]
* [![React][React.js]][React-url]
* [![Node][Node.js]][Node-url]
* [![Bootstrap][Bootstrap.com]][Bootstrap-url]
* [![MUI][Material.ui]][MUI-url]
* [![JQuery][JQuery.com]][JQuery-url]
* [![NPM][NPM.com]][NPM-url]
* [![Socket][Socket.io]][Socket-url]
<!-- GETTING STARTED -->
## Getting Started
Follow these steps to have the application running on your own device
### Prerequisites
Install the following prerequisites:
* nodeJS
* mongoDB
Setup your mongoDB database by running mongod.
The project will create a database named projectDB.
### Installation
1. Clone the repo
```sh
git clone https://github.com/romulan-overlord/Project-1.git
```
2. Install NPM packages in backend
```sh
cd ./backend
npm install
```
3. Start up the backend server
```sh
npm run dev
```
4. Start up the socket server to allow synchronised editing:
```sh
npm run sync
```
5. Install NPM packages in frontend
```sh
cd ./frontend
npm install
```
6. Start up the frontend server
```sh
npm start
```
The website will start up on port `3000`
Note: Change the url of the ExpressIP constant in `settings.js` in frontend to your backend server's url.
### Screenshots


## Concurrent Editing
[sync_example.webm](https://user-images.githubusercontent.com/77074247/235601007-13e97016-31d1-46e9-8d30-32a268e2d6ac.webm)
### System Layout

<!-- MARKDOWN LINKS & IMAGES -->
[React.js]: https://img.shields.io/badge/React-20232A?style=for-the-badge&logo=react&logoColor=61DAFB
[React-url]: https://reactjs.org/
[Bootstrap.com]: https://img.shields.io/badge/Bootstrap-563D7C?style=for-the-badge&logo=bootstrap&logoColor=white
[Bootstrap-url]: https://getbootstrap.com
[JQuery.com]: https://img.shields.io/badge/jQuery-0769AD?style=for-the-badge&logo=jquery&logoColor=white
[JQuery-url]: https://jquery.com
[MongoDB.com]: https://img.shields.io/badge/MongoDB-4EA94B?style=for-the-badge&logo=mongodb&logoColor=white
[Mongo-url]: https://www.mongodb.com/
[Express.js]: https://img.shields.io/badge/Express.js-000000?style=for-the-badge&logo=express&logoColor=white
[Express-url]: https://expressjs.com/
[Material.ui]: https://img.shields.io/badge/Material%20UI-007FFF?style=for-the-badge&logo=mui&logoColor=white
[MUI-url]: https://mui.com/
[Node.js]: https://img.shields.io/badge/Node.js-339933?style=for-the-badge&logo=nodedotjs&logoColor=white
[Node-url]: https://nodejs.org/
[NPM.com]: https://img.shields.io/badge/npm-CB3837?style=for-the-badge&logo=npm&logoColor=white
[NPM-url]: https://www.npmjs.com/
[Socket.io]: https://img.shields.io/badge/Socket.io-010101?&style=for-the-badge&logo=Socket.io&logoColor=white
[Socket-url]: https://socket.io/
[Yarn.com]: https://img.shields.io/badge/Yarn-2C8EBB?style=for-the-badge&logo=yarn&logoColor=white
[CSS.3]: https://img.shields.io/badge/CSS3-1572B6?style=for-the-badge&logo=css3&logoColor=white
[HTML.5]: https://img.shields.io/badge/HTML5-E34F26?style=for-the-badge&logo=html5&logoColor=white
[Javascript]: https://img.shields.io/badge/JavaScript-323330?style=for-the-badge&logo=javascript&logoColor=F7DF1E
[JSON]: https://img.shields.io/badge/json-5E5C5C?style=for-the-badge&logo=json&logoColor=white
| Documentation: https://drive.google.com/file/d/18uxkZTQ39zCWbb03z_L1U2zdD2oy63Ay/view?usp=sharing | express,javascript,mongodb,nodejs,reactjs,react,socket-io | 2023-02-01T10:57:52Z | 2023-05-02T10:35:45Z | null | 2 | 3 | 186 | 0 | 0 | 2 | null | MIT | JavaScript |
asmaaadel0/Expense-Tracker | main | ## 📝 Table of Contents
- [About <a name = "about"></a>](#about-)
- [website description <a name = "website-description"></a>](#website-description-)
- [How to Use <a name = "How-to-Use"></a>](#How-to-Use-)
- [Website link <a name = "link"></a>](#website-link-)
- [vedio <a name = "vedio"></a>](#vedio-)
- [Contributors <a name = "Contributors"></a>](#contributors-)
<!--- [License <a name = "License"></a>](#License-) -->
## About <a name = "about"></a>
- Expense Tracker is a web application built with React that helps you track and manage your expenses.
- With this app, you can easily add new expenses, view charts showcasing your expenses throughout the year, and keep track of important details such as dates, titles, and amounts for each expense.
## website description <a name = "website-description"></a>
- Add New Expenses: Use the intuitive user interface to input new expenses, including the date, title, and amount, making it quick and convenient to keep track of your spending.
- Expense Chart: Gain insights into your spending habits with the interactive expense chart. Visualize your expenses over time, allowing you to identify trends and make informed financial decisions.
- Detailed Expense View: Access a comprehensive view of each expense, including the date, title, and amount. This allows for easy reference and review of past spending records.
## How to Use <a name = "How-to-Use"></a>
- Clone the repository: `git clone https://github.com/asmaaadel0/expense-tracker.git`
- Install dependencies: `npm install`
- Start the development server: `npm start`
- Open your browser and visit: `http://localhost:3000`
## Website link <a name = "link"></a>
- https://expense-tracker-theta-eight.vercel.app/
## vedio <a name = "vedio"></a>
https://github.com/asmaaadel0/Expense-Tracker/assets/88618793/6fcf0b92-db7e-4293-9104-7f0138e348a1
<!-- ## License <a name = "License"></a> -->
<!-- - Expense Tracker is open source and released under the MIT License. -->
## Contributors <a name = "Contributors"></a>
<table>
<tr>
<td align="center">
<a href="https://github.com/asmaaadel0" target="_black">
<img src="https://avatars.githubusercontent.com/u/88618793?s=400&u=886a14dc5ef5c205a8e51942efe9665ed8fd4717&v=4" width="150px;" alt="Asmaa Adel"/>
<br />
<sub><b>Asmaa Adel</b></sub></a>
</tr>
</table>
| Expense Tracker is a web application built with React that helps you track and manage your expenses. With this app, you can easily add new expenses, view charts showcasing your expenses throughout the year, and keep track of important details such as dates, titles, and amounts for each expense. | chart,css,expense-tracker,filter,html,react,javascript | 2023-01-26T12:30:34Z | 2023-06-21T00:35:38Z | null | 1 | 0 | 46 | 0 | 0 | 2 | null | null | JavaScript |
raminka13/carousel | main | 
# Project
> About this project.
## Built With
- **HTML & CSS best practices:** Correct use of tags, elements, properties and syntax.
- **GitHub flow:** Correct use of Branches for deployment and features development.
- **Linters Check:** Local and Pull Request check for errors, bugs and stylistic errors in code.
## Live Demo
[Live Demo Link](https://raminka13.github.io/M1-Portfolio/)
## Authors
👤 **Raul A Ospina**
- GitHub: [@raminka13](https://github.com/raminka13)
- Twitter: [@raminka13](https://twitter.com/raminka13)
- LinkedIn: [Raul Ospina](http://linkedin.com/in/raul-ospina-83232614)
## Collaborators
- [Name](URL)
- [Name](URL)
## Project Milestones
- Milestone 1
## Show your support
Give a ⭐️ if you like this project!
## 📝 License
This project is [MIT](./MIT.md) licensed.
| null | css3,html5,javascript | 2023-01-26T22:35:21Z | 2023-02-01T20:29:50Z | null | 1 | 4 | 12 | 0 | 0 | 2 | null | null | CSS |
Bigizi/To-Do-List-Pro | main |
# 📗 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)
# 📖 [To_Do_List_Project] <a name="about-project"></a>
**[Milestone]** is a project developed using HTML, CSS, and vanilla Javascript.
It is has details about webpack configuration
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
> This project is built in HTML, CSS and Javascript
<summary>Client</summary>
<ul>
<li><a href="https://reactjs.org/">HTML</a></li>
</ul>
<ul>
<li><a href="https://reactjs.org/">CSS</a></li>
</ul>
<ul>
<li><a href="https://reactjs.org/">JAVASCRIPT</a></li>
</ul>
<!-- Features -->
### Key Features <a name="key-features"></a>
> This project has the following feature.
- **[Landing_page]**
<!-- LIVE DEMO -->
## 🚀 Live Demo <a name="live-demo"></a>
> Here is the where the project is deployed and video presentation.
- [Live Demo Link](https://bigizi.github.io/To-Do-List-Pro/dist/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- GETTING STARTED -->
## 💻 Getting Started <a name="getting-started"></a>
To get a local copy up and running, follow these steps.
### Prerequisites
In order to run this project you need:
### Setup
Clone this repository to your desired folder:
### Install
Install any code editor in your computer
clone the repo using this command:
git clone [https://github.com/Bigizi/To-Do-List-Pro]
### Usage
To run the project, execute the following command:
Navigating to your repo use this command: cd [directory-name]
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
👤 **Author**
- GitHub: [@Crispin](https://github.com/Bigizi)
- LinkedIn: [Crispin](https://www.linkedin.com/in/bigizi-nduwayo-crispin-74b534227/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[new_feature_1]** More CSS animation.
<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!
<!-- SUPPORT -->
## ⭐️ Show your support <a name="support"></a>
>This project will help you to know step by step to build a to-do-list project using HTML, CSS and JAVASCRIPT
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 all my coding partners, morning session team and stand up call team for the support.
<p align="right">(<a href="#acknowledgements">back to top</a>)</p>
| This project is mostly developed using Javacript and others. In this project I completed the CRUD methods using javascript. | css,html,javascript | 2023-01-26T09:31:47Z | 2023-01-28T11:20:10Z | null | 2 | 4 | 29 | 2 | 0 | 2 | null | MIT | JavaScript |
joaolucasp/QRCode-Custom-Generator | main | # **QR Code Custom Generator**
<img alt="HTML5" src="https://img.shields.io/badge/html5-%23E34F26.svg?&style=for-the-badge&logo=html5&logoColor=white"/> <img alt="CSS3" src="https://img.shields.io/badge/css3-%231572B6.svg?&style=for-the-badge&logo=css3&logoColor=white"/> <img alt="Bootstrap4" src="https://img.shields.io/badge/Bootstrap-563D7C?style=for-the-badge&logo=bootstrap&logoColor=white"/> <img alt="JavaScript" src="https://img.shields.io/badge/javascript-%23323330.svg?&style=for-the-badge&logo=javascript&logoColor=%23F7DF1E"/>
</br>




> Este projeto contempla um gerador de QR Code Customizável gratuito construído em JavaScript.
## 📫 Contribuindo para QR Code Custom Generator
Para contribuir com o projeto, siga estas etapas:
1. Bifurque este repositório.
2. Crie um branch: `git checkout -b <nome_branch>`.
3. Faça suas alterações e confirme-as: `git commit -m '<mensagem_commit>'`
4. Envie para o branch original: `git push origin <nome_do_projeto> / <local>`
5. Crie a solicitação de pull.
Como alternativa, consulte a documentação do GitHub em [como criar uma solicitação pull](https://help.github.com/en/github/collaborating-with-issues-and-pull-requests/creating-a-pull-request).
## 🤝 Colaboradores
Agradecemos às seguintes pessoas que contribuíram para este projeto:
<table>
<tr>
<td align="center">
<a href="#">
<img style="border-radius: 30px;" src="https://avatars.githubusercontent.com/u/83319546?v=4" width="100px;" alt="Foto do João Lucas no GitHub"/><br>
<sub>
<b>João Lucas</b>
</sub>
</a>
</td>
</tr>
</table>
[⬆ Voltar ao topo](#QRCode-Custom-Generator)<br>
| Free QR Code Custom Generator JavaScript. | bootstrap5,css,html5,javascript,qrcode-generator | 2023-02-03T02:10:30Z | 2023-02-04T03:33:41Z | null | 1 | 0 | 3 | 0 | 1 | 2 | null | MIT | JavaScript |
l1ttps/nest-auth | main | <p align="center">
<a href="http://nestjs.com/" target="blank"><img src="https://nestjs.com/img/logo-small.svg" width="200" alt="Nest Logo" /></a>
</p>
[circleci-image]: https://img.shields.io/circleci/build/github/nestjs/nest/master?token=abc123def456
[circleci-url]: https://circleci.com/gh/nestjs/nest
<p align="center">A progressive <a href="http://nodejs.org" target="_blank">Node.js</a> framework for building efficient and scalable server-side applications.</p>
<p align="center">
<a href="https://www.npmjs.com/~nestjscore" target="_blank"><img src="https://img.shields.io/npm/v/@nestjs/core.svg" alt="NPM Version" /></a>
<a href="https://www.npmjs.com/~nestjscore" target="_blank"><img src="https://img.shields.io/npm/l/@nestjs/core.svg" alt="Package License" /></a>
<a href="https://www.npmjs.com/~nestjscore" target="_blank"><img src="https://img.shields.io/npm/dm/@nestjs/common.svg" alt="NPM Downloads" /></a>
<a href="https://circleci.com/gh/nestjs/nest" target="_blank"><img src="https://img.shields.io/circleci/build/github/nestjs/nest/master" alt="CircleCI" /></a>
<a href="https://coveralls.io/github/nestjs/nest?branch=master" target="_blank"><img src="https://coveralls.io/repos/github/nestjs/nest/badge.svg?branch=master#9" alt="Coverage" /></a>
<a href="https://discord.gg/G7Qnnhy" target="_blank"><img src="https://img.shields.io/badge/discord-online-brightgreen.svg" alt="Discord"/></a>
<a href="https://opencollective.com/nest#backer" target="_blank"><img src="https://opencollective.com/nest/backers/badge.svg" alt="Backers on Open Collective" /></a>
<a href="https://opencollective.com/nest#sponsor" target="_blank"><img src="https://opencollective.com/nest/sponsors/badge.svg" alt="Sponsors on Open Collective" /></a>
<a href="https://paypal.me/kamilmysliwiec" target="_blank"><img src="https://img.shields.io/badge/Donate-PayPal-ff3f59.svg"/></a>
<a href="https://opencollective.com/nest#sponsor" target="_blank"><img src="https://img.shields.io/badge/Support%20us-Open%20Collective-41B883.svg" alt="Support us"></a>
<a href="https://twitter.com/nestframework" target="_blank"><img src="https://img.shields.io/twitter/follow/nestframework.svg?style=social&label=Follow"></a>
</p>
<!--[](https://opencollective.com/nest#backer)
[](https://opencollective.com/nest#sponsor)-->
## Description
[Nest](https://github.com/nestjs/nest) framework TypeScript starter repository.
## Installation
```bash
$ yarn install
```
## Running the app
```bash
# development
$ yarn run start
# watch mode
$ yarn run start:dev
# production mode
$ yarn run start:prod
```
## Test
```bash
# unit tests
$ yarn run test
# e2e tests
$ yarn run test:e2e
# test coverage
$ yarn run test:cov
```
## Support
Nest is an MIT-licensed open source project. It can grow thanks to the sponsors and support by the amazing backers. If you'd like to join them, please [read more here](https://docs.nestjs.com/support).
## Stay in touch
- Author - [Kamil Myśliwiec](https://kamilmysliwiec.com)
- Website - [https://nestjs.com](https://nestjs.com/)
- Twitter - [@nestframework](https://twitter.com/nestframework)
## License
Nest is [MIT licensed](LICENSE).
| NestJs authentication | javascript,nestjs,nodejs,typescript | 2023-01-29T03:55:53Z | 2023-02-26T15:29:56Z | null | 1 | 0 | 11 | 0 | 0 | 2 | null | null | TypeScript |
ahmadfaqih796/Wedding-Website | main | # Wedding-Website
membuat website dengan html dom dan css, tampilan responsive dan elegan
| membuat website dengan html dom dan css | css,fontawesome,html,html-css-javascript,javascript,website,wedding,wedding-website | 2023-01-31T04:56:48Z | 2023-02-27T02:22:54Z | null | 1 | 0 | 56 | 0 | 0 | 2 | null | null | CSS |
walber-vaz/api-express-contact | main | [](https://choosealicense.com/licenses/mit/)
# 🚀 Criando uma api de cadastro de contatos
👨💻 Estudos sobre backend usando express com seus middlewares e construindo um CRUD de cadastro de usuários.
## 🔃 Dependência do projeto
- ✅ Nodejs >= 16.x && Nodejs <= 18.x
- ✅ Express
- ✅ Nodemon
- ✅ Helmet
- ✅ Cors
- ✅ Postgresql
- ✅ Docker
- ✅ Docker Compose
## 📢 Funcionalidades Rotas default
```
// Retorna todos os contatos cadastrados
GET: /contacts
// Retorna um contato pelo id passado por parâmetro
GET: /contacts/:id
// Deleta um contato
DEL: /contacts/:id
// Cadastra um contato
POST: /contacts
// Body
{
"name": "Fulano",
"email": "fulano@mail.com",
"phone": "123454321"
"category_id": "id da categoria cadastra para esse contato"
}
// Atualizar dados do usuário
PUT: /contacts/:id
// Body
{
"name": "Fulano Sobrenome",
"email": "fulano@mail.com",
"phone": "1234657890",
"category_id": "id da categoria cadastra para esse contato"
}
```
## 🧪 Stack utilizada
**Front-end:** React
**Back-end:** Node, Express, Postgresql, Docker
## 💡 Contribuindo
Contribuições são sempre bem-vindas!
## 💡 Feedback
Se você tiver algum feedback, por favor nos deixe saber por meio de issues
## 👨💻 Autores
- [@walber-vaz](https://www.github.com/walber-vaz)
- [Meu Linkedin](https://www.linkedin.com/in/walber-vaz/)
## 🔥 Licença
[MIT](https://choosealicense.com/licenses/mit/)
| Criando api de cadastro de contatos usando postgresql junto com docker | backend-api,javascript,nodejs,sql | 2023-01-29T21:32:27Z | 2023-11-08T10:53:09Z | null | 1 | 3 | 19 | 0 | 0 | 2 | null | MIT | JavaScript |
Fene-87/LeaderBoard | development | # LeaderBoard
<a name="readme-top"></a>
<!-- TABLE OF CONTENTS -->
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [💻 Getting Started](#getting-started)
- [👥 Authors](#authors)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ](#faq)
- [📝 License](#license)
# 📖 LeaderBoard <a name="about-project"></a>
**LeaderBoard** is a project whereby I get to develop a basic website which lists tasks and allows a user to mark them as complete.
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>HTML</summary>
<ul>
<li><a href="https://html.com/">html.com</a></li>
</ul>
</details>
<details>
<summary>CSS</summary>
<ul>
<li><a href="https://developer.mozilla.org/en-US/docs/Web/CSS">CSS</a></li>
</ul>
</details>
<details>
<summary>Javascript</summary>
<ul>
<li><a href="https://www.javascript.com/">Javascript</a></li>
</ul>
</details>
<details>
<summary>Webpack</summary>
<ul>
<li><a href="https://webpack.js.org/">Webpack</a></li>
</ul>
</details>
<!-- Features -->
### Key Features <a name="key-features"></a>
- **Submission of scores**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LIVE DEMO -->
## 🚀 Live Demo <a name="live-demo"></a>
Click on the link to view the LeaderBoard website.
- [Live Demo]( https://fene-87.github.io/LeaderBoard/dist/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- GETTING STARTED -->
## 💻 Getting Started <a name="getting-started"></a>
To get a local copy up and running, follow these steps:
-Install visual studio code or any text editor of your choice.
-clone the repository to your local machine.
-run it using npm start
### Prerequisites
In order to run this project you need visual studio code or any text editor of your choice
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
👤 **Fene-87**
- GitHub: [@Fene-87](https://github.com/Fene-87)
- LinkedIn: [Mark Fenekayas](https://www.linkedin.com/in/mark-fenekayas-67378220b/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
<!-- CONTRIBUTING -->
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- SUPPORT -->
## ⭐️ Show your support <a name="support"></a>
If you like this project kindly show your support or make a contribution to it.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- ACKNOWLEDGEMENTS -->
## 🙏 Acknowledgments <a name="acknowledgements"></a>
I would like to thank the entire microverse community for helping me out with this project.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LICENSE -->
## 📝 License <a name="license"></a>
This project is [MIT](./LICENSE) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| A simple website which displays scores submitted by different players whereby all data is preserved thanks to the external leaderboard API service | javascript,leaderboard-api | 2023-01-31T06:15:06Z | 2023-02-05T19:47:43Z | null | 1 | 3 | 15 | 1 | 0 | 2 | null | MIT | JavaScript |
Nourhaan-Atef/calculator-app-main | main | # Frontend Mentor - Calculator app

## Welcome! 👋
Thanks for checking out this front-end coding challenge.
[Frontend Mentor](https://www.frontendmentor.io) challenges help you improve your coding skills by building realistic projects.
**To do this challenge, you need a good understanding of HTML, CSS and JavaScript.**
## The challenge
Your challenge is to build out this calculator app and get it looking as close to the design as possible.
You can use any tools you like to help you complete the challenge. So if you've got something you'd like to practice, feel free to give it a go.
Your users should be able to:
- See the size of the elements adjust based on their device's screen size
- Perform mathematical operations like addition, subtraction, multiplication, and division
- Adjust the color theme based on their preference
- **Bonus**: Have their initial theme preference checked using `prefers-color-scheme` and have any additional changes saved in the browser
Want some support on the challenge? [Join our Slack community](https://www.frontendmentor.io/slack) and ask questions in the **#help** channel.
## Where to find everything
Your task is to build out the project to the designs inside the `/design` folder. You will find both a mobile and a desktop version of the design.
The designs are in JPG static format. Using JPGs will mean that you'll need to use your best judgment for styles such as `font-size`, `padding` and `margin`.
If you would like the design files (we provide Sketch & Figma versions) to inspect the design in more detail, you can [subscribe as a PRO member](https://www.frontendmentor.io/pro).
You will find all the required assets in the `/images` folder. The assets are already optimized.
There is also a `style-guide.md` file containing the information you'll need, such as color palette and fonts.
## Building your project
Feel free to use any workflow that you feel comfortable with. Below is a suggested process, but do not feel like you need to follow these steps:
1. Initialize your project as a public repository on [GitHub](https://github.com/). Creating a repo will make it easier to share your code with the community if you need help. If you're not sure how to do this, [have a read-through of this Try Git resource](https://try.github.io/).
2. Configure your repository to publish your code to a web address. This will also be useful if you need some help during a challenge as you can share the URL for your project with your repo URL. There are a number of ways to do this, and we provide some recommendations below.
3. Look through the designs to start planning out how you'll tackle the project. This step is crucial to help you think ahead for CSS classes to create reusable styles.
4. Before adding any styles, structure your content with HTML. Writing your HTML first can help focus your attention on creating well-structured content.
5. Write out the base styles for your project, including general content styles, such as `font-family` and `font-size`.
6. Start adding styles to the top of the page and work down. Only move on to the next section once you're happy you've completed the area you're working on.
## Deploying your project
As mentioned above, there are many ways to host your project for free. Our recommend hosts are:
- [GitHub Pages](https://pages.github.com/)
- [Vercel](https://vercel.com/)
- [Netlify](https://www.netlify.com/)
You can host your site using one of these solutions or any of our other trusted providers. [Read more about our recommended and trusted hosts](https://medium.com/frontend-mentor/frontend-mentor-trusted-hosting-providers-bf000dfebe).
## Create a custom `README.md`
We strongly recommend overwriting this `README.md` with a custom one. We've provided a template inside the [`README-template.md`](./README-template.md) file in this starter code.
The template provides a guide for what to add. A custom `README` will help you explain your project and reflect on your learnings. Please feel free to edit our template as much as you like.
Once you've added your information to the template, delete this file and rename the `README-template.md` file to `README.md`. That will make it show up as your repository's README file.
## Submitting your solution
Submit your solution on the platform for the rest of the community to see. Follow our ["Complete guide to submitting solutions"](https://medium.com/frontend-mentor/a-complete-guide-to-submitting-solutions-on-frontend-mentor-ac6384162248) for tips on how to do this.
Remember, if you're looking for feedback on your solution, be sure to ask questions when submitting it. The more specific and detailed you are with your questions, the higher the chance you'll get valuable feedback from the community.
## Sharing your solution
There are multiple places you can share your solution:
1. Share your solution page in the **#finished-projects** channel of the [Slack community](https://www.frontendmentor.io/slack).
2. Tweet [@frontendmentor](https://twitter.com/frontendmentor) and mention **@frontendmentor**, including the repo and live URLs in the tweet. We'd love to take a look at what you've built and help share it around.
3. Share your solution on other social channels like LinkedIn.
4. Blog about your experience building your project. Writing about your workflow, technical choices, and talking through your code is a brilliant way to reinforce what you've learned. Great platforms to write on are [dev.to](https://dev.to/), [Hashnode](https://hashnode.com/), and [CodeNewbie](https://community.codenewbie.org/).
We provide templates to help you share your solution once you've submitted it on the platform. Please do edit them and include specific questions when you're looking for feedback.
The more specific you are with your questions the more likely it is that another member of the community will give you feedback.
## Got feedback for us?
We love receiving feedback! We're always looking to improve our challenges and our platform. So if you have anything you'd like to mention, please email hi[at]frontendmentor[dot]io.
This challenge is completely free. Please share it with anyone who will find it useful for practice.
**Have fun building!** 🚀
| Making a simple calculator app using tailwind | css,front-end-development,frontend-mentor,frontendmentor-challenge,html5,javascript,responsive-design,tailwindcss | 2023-01-31T08:58:58Z | 2023-01-31T09:16:02Z | null | 1 | 0 | 4 | 0 | 0 | 2 | null | null | CSS |
FredyJabe/TwitchTvShowGame | main | null | Twitch tool to host a TV show-like question game with your viewers | game,html,html-css-javascript,javascript,js,stream,streaming,twitch | 2023-01-31T15:45:39Z | 2023-04-11T19:31:28Z | null | 1 | 0 | 17 | 0 | 0 | 2 | null | GPL-3.0 | JavaScript |
MAGistR-bit/CheckUser | master | ## Веб-приложение <img src="https://cdn-icons-png.flaticon.com/512/5968/5968322.png?" width="20"/>
<img src="images/main_page.png" alt="page" width="358">
### Содержание
---
1. [Тестовое задание](#test-task)
2. [Работа приложения](#application)
3. [Как запустить веб-приложение?](#how-to-run-application)
### Тестовое задание <a name="test-task"></a>
Необходимо написать простое web-приложение с использованием node.js node-addon-api WinAPI для проверки наличия пользователя (например, Администратор) в списке пользователей операционной системы Windows.
Приложение должно работать по следующему сценарию
1. Пользователь запускает web-сервер из корня проекта:
`server.bat`
2. Автоматически открывается браузер с начальной web страницей, на которой отображаются
- поле ввода имени пользователя
- кнопка "Проверить"
3. Пользователь вводит любое имя пользователя и нажимает на "проверить".
4. Если введённый пользователь присутствует в списке пользователей Windows, отображается
страница с надписью "Пользователь <имя_введённого_пользователя> есть",
иначе "Пользователя <имя_введённого_пользователя> нет".
Под надписью есть кнопка "Назад", при нажатии на которую происходит возврат на начальную страницу.
5. Проверку наличия введённого имени пользователя в списке пользователей ОС Windows запрещено проводить путём сравнения текущего пользователя, от которого запущен процесс сервера и введённого пользователя, а также запрещено использовать названия домашних каталогов пользователей в каталоге C:\Users (С:\Пользователи).
Список пользователей для проверки можно получить через Управление компьютером->Служебные программы->Локальные пользователи и группы->Пользователи.
6. В корне проекта создать файл README.MD с текстом тестового задания в кодировке UTF-8
### Работа приложения <a name="application"></a>
_**Введенное имя пользователя найдено в списке пользователей Windows**_
<img src="images/1.png" alt="Пользователь есть" width="380">
**_Введенное имя пользователя не найдено в списке пользователей Windows_**
<img src="images/2.png" alt="Пользователя нет" width="380">
**_Имя пользователя не было введено_**
<img src="images/3.png" alt="Вы не ввели имя пользователя" width="380">
### Как запустить веб-приложение? <a name="how-to-run-application"></a>
1. Установить **_Node.js_** на компьютер.
Чтобы убедиться в том, что `Node.js` работает, необходимо
выполнить следующие команды (в командной строке):
```
node -v # Проверяем версию Node.js
npm -v # Проверяем наличие npm
```
2. Запустить BAT-файл (`server.bat`).
3. Приложение должно быть запущено! Если возникли проблемы с зависимостями
(например, _**express**_, _**iconv-lite**_), установите их.
| Проверяет наличие пользователя в ОС Windows | batch-file,javascript,node-js,webapplication | 2023-02-01T18:40:02Z | 2023-02-06T08:11:43Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | JavaScript |
Elezaaby/disney-plus | main | # Getting Started with Create React App
This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app).
## Available Scripts
In the project directory, you can run:
### `npm start`
Runs the app in the development mode.\
Open [http://localhost:3000](http://localhost:3000) to view it in your browser.
The page will reload when you make changes.\
You may also see any lint errors in the console.
### `npm test`
Launches the test runner in the interactive watch mode.\
See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information.
### `npm run build`
Builds the app for production to the `build` folder.\
It correctly bundles React in production mode and optimizes the build for the best performance.
The build is minified and the filenames include the hashes.\
Your app is ready to be deployed!
See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information.
### `npm run eject`
**Note: this is a one-way operation. Once you `eject`, you can't go back!**
If you aren't satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project.
Instead, it will copy all the configuration files and the transitive dependencies (webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you're on your own.
You don't have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn't feel obligated to use this feature. However we understand that this tool wouldn't be useful if you couldn't customize it when you are ready for it.
## Learn More
You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started).
To learn React, check out the [React documentation](https://reactjs.org/).
### Code Splitting
This section has moved here: [https://facebook.github.io/create-react-app/docs/code-splitting](https://facebook.github.io/create-react-app/docs/code-splitting)
### Analyzing the Bundle Size
This section has moved here: [https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size](https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size)
### Making a Progressive Web App
This section has moved here: [https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app](https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app)
### Advanced Configuration
This section has moved here: [https://facebook.github.io/create-react-app/docs/advanced-configuration](https://facebook.github.io/create-react-app/docs/advanced-configuration)
### Deployment
This section has moved here: [https://facebook.github.io/create-react-app/docs/deployment](https://facebook.github.io/create-react-app/docs/deployment)
### `npm run build` fails to minify
This section has moved here: [https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify](https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify)
| null | css,html,javascript,reactjs,api,react | 2023-02-03T14:43:09Z | 2023-02-14T20:48:18Z | null | 1 | 0 | 18 | 0 | 0 | 2 | null | null | JavaScript |
mayaif/movie-search | main | # Getting Started with Create React App
This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app).
## Available Scripts
In the project directory, you can run:
### `npm start`
Runs the app in the development mode.\
Open [http://localhost:3000](http://localhost:3000) to view it in your browser.
The page will reload when you make changes.\
You may also see any lint errors in the console.
### `npm test`
Launches the test runner in the interactive watch mode.\
See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information.
### `npm run build`
Builds the app for production to the `build` folder.\
It correctly bundles React in production mode and optimizes the build for the best performance.
The build is minified and the filenames include the hashes.\
Your app is ready to be deployed!
See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information.
### `npm run eject`
**Note: this is a one-way operation. Once you `eject`, you can't go back!**
If you aren't satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project.
Instead, it will copy all the configuration files and the transitive dependencies (webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you're on your own.
You don't have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn't feel obligated to use this feature. However we understand that this tool wouldn't be useful if you couldn't customize it when you are ready for it.
## Learn More
You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started).
To learn React, check out the [React documentation](https://reactjs.org/).
### Code Splitting
This section has moved here: [https://facebook.github.io/create-react-app/docs/code-splitting](https://facebook.github.io/create-react-app/docs/code-splitting)
### Analyzing the Bundle Size
This section has moved here: [https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size](https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size)
### Making a Progressive Web App
This section has moved here: [https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app](https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app)
### Advanced Configuration
This section has moved here: [https://facebook.github.io/create-react-app/docs/advanced-configuration](https://facebook.github.io/create-react-app/docs/advanced-configuration)
### Deployment
This section has moved here: [https://facebook.github.io/create-react-app/docs/deployment](https://facebook.github.io/create-react-app/docs/deployment)
### `npm run build` fails to minify
This section has moved here: [https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify](https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify)
| React_Movie_Search app. | css,javascript,reactjs,usestate,fetch-api | 2023-02-03T16:17:46Z | 2023-03-11T13:05:18Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | JavaScript |
Mu-selim/portfolio-v2 | master | <h1 align="center"><b>Muhammad Selim</b></h1>
<div align="center">
<img alt="Logo" src="public/images/favicon.svg" width="100" />
</div>
<p align="center">
The second iteration of my personal website uisng JavaScript, Tailwind CSS, Node.js, and Express.js
</p>
<p align="center">
Previous iteration: <a href="https://github.com/Mu-selim/v1">v1</a>
</p>
<div align="center">
<img alt="preview" src="public/images/preview.png" />
</div>
# **Documentation and Licence**
* <a href="#forkingNotes">Important forking notes.</a>
* <a href="#setup">Installation & Set Up.</a>
* <a href="#structure">Directory Structure.</a>
<h2 id="forkingNotes"><b>🚨 Forking this repo (please read!)</b></h2>
if you are asking to use my code for your application, my answer to that question is usually yes, **with attribution**.
I am keeping my code open source, but as you all know, ***plagiarism is bad***. it is a bad thing to find your code in anothor project without giving me ***credit***. so All I ask of you all is to not claim this effort as your own.
Finally, you can fork this repo and give me credit [Muhammad Selim](https://www.linkedin.com/in/selimjs).
<h2 id="setup"><b>🛠 Installation & Set Up</b></h2>
1. Install [**Node.js**](https://nodejs.org/en/).
2. Initialize package.json
```bash
npm init
```
3. Install Node packages
```bash
npm install express ejs body-parser fs path nodemon cors
```
3. Start the server
```bash
npm run build
```
<h2 id="structure"><b>Directory Structure</b></h2>
```bash
Root
|--- node_modules
|--- public
|--- |--- fonts
|--- |--- images
|--- |--- scripts
|--- |--- styles
|--- routes
|--- |--- index.js
|--- |--- database
|--- |--- |--- index.json
|--- |--- user
|--- |--- |--- index.js
|--- |--- |--- APIs
|--- views
|--- |--- index.ejs
|--- |--- 404.ejs
|--- server.js
|--- package.json
|--- tailwind.config.js
|--- README.md
``` | Second iteration of my personal website using JavaScript(ES6), CSS, Node.js, Express. | ejs,express,javascript,nodejs | 2023-02-04T19:39:53Z | 2023-02-04T19:49:44Z | null | 1 | 1 | 4 | 0 | 0 | 2 | null | null | JavaScript |
ZhArtem/moduleC4_homework | main | # Реализован слайдер для фото, исходя из требований ниже.
### Общие требования:
- Должна быть возможность пролистывать фото. Например, добавить 2 кнопки вперед и назад (предыдущее, следующее и так далее);
- При клике «назад» на первом фото должно открываться последнее. При клике «вперед» на последнем фото должно открываться первое;
- Блок, в котором располагаются изображения, не должен меняться под размер картинок;
- Добавить анимацию при переключении фото;
- На входе — массив изображений. Их может быть любое количество;
- Использовать стороннее API, сделав GET запрос для получения изображений;
- Соблюдать семантическую верстку;
- Использовать селекторы по тегу для задания стилей нельзя. Использовать классы. В случае, когда есть необходимость — селектор по id;
- Дизайн произвольный. Минимум — застилизовать кнопки (добавить hover) и обеспечить для них accessibility: переключение по tab, enter и стрелками лево/право.
### Результат:
[zhartem.github.io/moduleC4_homework/](https://zhartem.github.io/moduleC4_homework/) (может понадобится VPN)
| My homework solutions on SkillFactory course | api,javascript,js,photos,slider,slides,async | 2023-02-08T11:29:18Z | 2023-05-23T18:18:49Z | null | 1 | 0 | 6 | 0 | 0 | 2 | null | null | JavaScript |
michaelreichmann/Fractal_Tree | main | # Fractal Tree
*Max 8.5*
This Max Patch creates and animates a fractal tree using jit.gl.mesh and JavaScript.
The controls are:<br/>
**Initial Angle** of the branches<br/>
**Angle Offset**: animated offset of the branch angles<br/>
It is inspired by this tutorial by [The Coding Train](https://youtu.be/0jjeOYMjmDU).
The result looks like this:<br/>

| Max Patch. Create and animate a fractal tree. | fractal,javascript,jitter,maxmsp | 2023-02-07T14:47:17Z | 2023-02-07T14:47:48Z | null | 1 | 0 | 1 | 0 | 0 | 2 | null | MIT | Max |
elonehoo/utils | main | # @elonehoo/utils
Opinionated collection of common JavaScript / TypeScript utils by [@elonehoo](https://github.com/elonehoo).
| Collection of common JavaScript / TypeScript utils | javascript,typescript,utils | 2023-02-07T01:46:50Z | 2023-03-27T07:16:45Z | 2023-02-07T03:32:09Z | 1 | 6 | 20 | 0 | 0 | 2 | null | MIT | TypeScript |
bergamotBen/nc-news | main | ## 📖 README contents
### 🔗 Find the hosted version here: [nc-news](https://magnificent-jelly-b730c4.netlify.app/).
### 🔗 Find the backend git repo here: [be-nc-news](https://github.com/bergamotBen/be-nc-news).
### 📋 Summary of the project.
### 🛠 How to clone repo, install packages and run scripts.
### ⚙️ Minimum version of node
---
### 📋 Summary of the project.
This is my first React project. It is a CRUD application based on an api that I built. Users can view, sort and filter, vote and comment on articles. In this version, a dummy user is statically logged-in to demonstrate posting and deleting comments.
The UI is designed to support the user's expectations. When components are rendering, visual feedback is given to the user. The states of buttons indicate whether they can be or are being clicked. Components are optimistically rendered to support the flow of data on the page. If an optimistically rendered request fails, the component returns to its original state and the user is informed.
The UI changes according to the user's screen size to utilise available space.
---
### 🛠 How to clone repo, install packages and run scripts.
To have a closer look at the app works:
### 1. Clone the repo.
Clone the repo by pasting
```
git clone https://github.com/bergamotBen/nc-news.git
```
into the terminal.
### 2. Install packages.
This project was created with
-React
-React router DOM
-Axios
Install these packages with
```
npm i
```
### 3. Run the project.
To run the project use
```
npm start
```
---
### ⚙️ Minimum version of node
The minimum version of Node is v19.1.0.
| This is my first React project. It is a CRUD application based on an api that I built. Users can view, sort and filter, vote and comment on articles. | axios,crud-application,css,javascript,react | 2023-02-06T10:13:31Z | 2023-02-11T10:58:54Z | null | 1 | 13 | 76 | 0 | 0 | 2 | null | null | JavaScript |
fulyaertay/basic-projects-javascript | master | ## Table of contents
- [Overview](#overview)
- [Description](#description)
- [Projects](#projects)
- [1-Passenger Counter App](#passenger-counter)
- [2-Calculator App](#calculator)
- [3-Black Jack App](#black-jack)
- [4-Emoji Fighter App](#figter)
- [5-Solo Project: Basketball Scoreboard](#solo-project-basketball-scoreboard)
- [6-Solo Project: Password Generator](#solo-project-password-generator)
- [7-Solo Project: Chrome Extension App](#chrome-extension)
- [8-Solo Project: Unit Converter App](#unit-converter)
- [9-Solo Project: My Emojis App](#my-emojis)
- [10-First PWA App: Mobile Cat App](#10-cat-pwa-app)
## Overview
### Description
I completed 9 projects of Module 3 of the frontend developer career path on [Scrimba](https://scrimba.com/learn/frontend/). I mastered HTML/CSS and JavaScript in these projects.
You can see the visual representations of the each app below.
## Projects
### 1-Passenger Counter App
### Visulation of the App

### 2-Calculator App
### Visulation of the App

### 3-Black Jack App
### Visulation of the App

### 4-Emoji Fighter App
### Visulation of the App

### 5-Solo Project:Basketball Scoreboard
### Visulation of the App
### Check it out: [The Link](https://basketball-scoreboard-challenge.netlify.app/)

### What I Learned?
```bash
- Mastered JavaScript.
- HTML/CSS
- Functions
- DOM Manipulation
```
### Stretch Goals: COMPLETED ✅
- Add a new game button: Button added as a new div, when button is clicked all scores adjusted as zero
- Highlight the leader: The text color changes when home or guest score is increased
- Add a new content: Added time content
- Change the design: Button styles, text weight, letter spacing adjusted
- Make all six buttons work: Home or guest have 3 three buttons which increase score as 1,2 or 3
### 6-Solo Project: Password Generator App
### Visulation of the App
### Check it out: [The Link](https://password-generator-solo-app.netlify.app/)

### What I Learned?
```bash
- Mastered JavaScript.
- HTML/CSS
- For Loops
- Arrays
- Functions
- Math.random() Module
```
### Stretch Goals: COMPLETED ✅
- Generate two random passwords when the user clicks the button ✅
- Each password should be 15 characters long ✅
### 7-Solo Project: Chrome Extension App
### Visulation of the App

### What I Learned?
```bash
- const,let
- addEventListener(click and dblclick events)
- innerHTML
- function parameters,arguments
- template strings
- localStorage(setItem,getItem,clear)
- Chrome API to save tabs
- JSON object
- manifest.json file
- objects in array
```
### Stretch Goals: COMPLETED ✅
- When user enter a link in textbox and clicks "SAVE INPUT" button, link is saved in storage ✅
- When user clicks "SAVE TAB" button, current tab's url is saved ✅
- When user clicks "DELETE ALL" button, all saved links are deleted on localStorage ✅
### 8-Solo Project: Unit Converter
### Visulation of the App
### Check it out: [Link](https://scrimba-unit-converter-app.netlify.app/)

### What I Learned?
```bash
- const,let
- addEventListener event like click listener
- innerHTML
- functions
- template strings
- toFixed() attribute
```
### Stretch Goals: COMPLETED ✅
- When user enter a number and press "CONVERT" button, generated all conversions(Meter/Feet, Liters/Gallons, Kilos/Pounds) ✅
- Rebuild the desing spec ✅
- Round numbers down to three decimal places ✅
### 9-Solo Project: My Emojis
### Visulation of the App
### Check it out: [Link](https://scrimba-my-emojis-app.netlify.app/)

### What I Learned?
```bash
- const,let
- addEventListener event like click listener
- for loops
- innerHTML
- functions
- createElement,pop(),push(),shift(),unshift()
- arrays
- DOM manipulation
```
### Stretch Goals: COMPLETED ✅
- Add your personal emojis: "👩💻", "🐈", "🥺","💅" added in array ✅
- When user texts an emoji and clicks "Add to end", emoji added as last element ✅
- When user texts an emoji and clicks "Add to beginning", emoji added as first element ✅
- When user texts an emoji and clicks "Remove from end", emoji removed from last index ✅
- When user texts an emoji and clicks "Remove from beginnig", emoji removed from first index ✅
### 10-Cat PWA App
### Visulation of the App
### Check it out: [The Link](https://cat-pwa-app.netlify.app/)

### Description: Created first PWA app using real time database with Firebase. It is called as shopping list. The app features include:
```bash
- User can add or remove items on Firebase database
- When user clicks any item, item is deleted
- User can add this application on homescreen and use it as a mobile app
```
### What I Learned?
```bash
- Firebase: onValue, push(), remove(), getDatabase, ref(), snapshots
- Favicon converter
- Web Application Manifest
- user-select
- Object.values(), Object.keys()
```
| My Scrimba projects with Javascript | html-css,javascript,scrimba | 2023-01-29T09:58:41Z | 2023-05-02T17:53:40Z | null | 1 | 0 | 200 | 0 | 1 | 2 | null | null | JavaScript |
Lns-XueFeng/CodeRoad | master | ### 编程基础<hr>
* [数据结构与算法](https://github.com/Lns-XueFeng/PyAlgorithm)
* [编码(隐匿在计算机下的语言)](https://book.douban.com/subject/4822685/)
* [操作系统导论](https://book.douban.com/subject/33463930/)
* [计算机网络(自顶向下方法)](https://book.douban.com/subject/30280001/)
### 编程语言<hr>
* [汇编语言入门](http://www.ruanyifeng.com/blog/2018/01/assembly-language-primer.html)
* [C语言基础](https://wangdoc.com/clang/)、[C++语言基础](https://www.nowcoder.com/tutorial/10003/7bdcb36b1ff74114b026c46b7ac64ac1)
* [Python语言基础](https://docs.python.org/zh-cn/3/tutorial/index.html)
* [Python标准库](https://docs.python.org/zh-cn/3/library/index.html)、[实例教程](https://learnku.com/docs/pymotw)
* [JavaScript教程](https://zh.javascript.info/)
### 派森项目<hr>
* [quick_learn](https://github.com/Lns-XueFeng/quick_learn)
* [ColorfulProjects](https://github.com/Lns-XueFeng/ColorfulProjects)
* [ViliWeb](https://github.com/Lns-XueFeng/ViliWeb)
* [MusicSpider](https://github.com/Lns-XueFeng/MusicSpider)
* [WebProjects](https://github.com/Lns-XueFeng/WebProjects)
* [ToRidQQ](https://github.com/Lns-XueFeng/ToRidQQ)
* [MagicMethod](https://github.com/Lns-XueFeng/MagicMethod)
* [FengWeb](https://github.com/Lns-XueFeng/FengWeb)
* [Feasp](https://github.com/Lns-XueFeng/Feasp)
* [EPiano](https://github.com/Lns-XueFeng/EPiano)
* [keyplay](https://github.com/Lns-XueFeng/keyplay)
### 网站开发<hr>
* [HTML-CSS-JS](https://github.com/Lns-XueFeng/LearnNoStoppingWeb/tree/master/html-css-javascript)
* [DOM编程艺术](https://github.com/Lns-XueFeng/LearnNoStoppingWeb/tree/master/dom-art-program)
* [Bootstrap框架](https://v3.bootcss.com/)
* [互联网协议](http://www.ruanyifeng.com/blog/2012/05/internet_protocol_suite_part_i.html)、[TCP/IP](https://www.ruanyifeng.com/blog/2017/06/tcp-protocol.html)
* [HTTP协议入门](https://www.ruanyifeng.com/blog/2016/08/http.html)
* [KnowWebServer](https://github.com/Lns-XueFeng/KnowWebServer)
* [WerkzeugNotes](https://github.com/Lns-XueFeng/WerkzeugNotes)
* [HelloFlask](https://github.com/Lns-XueFeng/HelloFlask)
* [SQLForMySQL](https://github.com/Lns-XueFeng/CodeRoad/blob/master/sql_for_mysql.md)
### 第三方库<hr>
* [Requests](https://github.com/psf/requests)
* [viztracer](https://github.com/gaogaotiantian/viztracer)
* [UIAutomation](https://github.com/chenxu7601257/UIAutomation)
* [Pillow](https://github.com/python-pillow/Pillow)
* [Scrapy](https://github.com/scrapy/scrapy)
* [Feapder](https://github.com/Boris-code/feapder)
* [Flask](https://github.com/Boris-code/feapder)
* [Jinja](https://github.com/pallets/jinja)
* [Werkzeug](https://github.com/pallets/werkzeug)
* [Django](https://github.com/django/django)
* [Musicpy](https://github.com/django/musicpy)
* [PyQt](https://maicss.com/pyqt/)
* [Matplotlib](https://github.com/django/matplotlib)
### 扩展阅读<hr>
* [黑客与画家](https://book.douban.com/subject/6021440/)
* [流畅的Python](https://book.douban.com/subject/27028517/)
* [史蒂夫-乔布斯传](https://book.douban.com/subject/25810506/)
* [代码大全2](https://book.douban.com/subject/35216782/)
* [微积分的力量](https://book.douban.com/subject/35292688/)
* [禅与摩托车维修艺术](https://book.douban.com/subject/6811366/)
* [摩托车修理店的未来工作哲学](https://book.douban.com/subject/25885921/)
#### 目前正在研究的:Dive into JavaScript, Musicpy
| XueFeng的计算机编程自学之路,包括计算机基础、python、javascript、network、web、toytools等 | web,newwork,c,python3,spider,javascript | 2023-02-03T08:19:18Z | 2024-01-11T04:20:43Z | null | 1 | 0 | 87 | 0 | 0 | 2 | null | MIT | Python |
muh-osman/clean-code-javascript-arabic | main | # Clean Code JavaScript
## فهرس المحتويات
1- [المقدمة](#المقدمة)
2- [المتغيرات](#المتغيرات)
3- [الدوال](#الدوال)
4- [الكائنات وهياكل البيانات](#الكائنات-وهياكل-البيانات)
5- [الفئات Classes](#الفئات-Classes)
6- [مصطلح SOLID](#مصطلح-SOLID)
7- [الاختبار](#الاختبار)
8- [التزامن](#التزامن)
9- [معالجة الأخطاء](#معالجة-الأخطاء)
10- [التنسيق](#التنسيق)
11- [التعليقات](#التعليقات)
12- [الترجمة](#الترجمة)
## المقدمة

مبادئ هندسة البرمجيات ، من كتاب روبرت سي مارتن [_Clean Code_](https://www.amazon.com/Clean-Code-Handbook-Software-Craftsmanship/dp/0132350882) ،
تم تكييفها مع JavaScript. هذا ليس دليل لأسلوب كتابة الكود. بل دليل لإنتاج
كود جافا سكريبت [قابل للقراءة ولإعادة الاستخدام والبناء](https://github.com/ryanmcdermott/3rs-of-software-architecture).
لا يجب اتباع جميع هذه المبادئ بدقة ، خصوصا أنها غير متفق عليها عالميا. هذه مجرد إرشادات لا أكثر من ذلك ، لكنها مقننة على مدى سنوات عديدة من الخبرة الجماعية لمؤلفي كتاب _Clean Code_.
يتجاوز عمر هندسة البرمجيات 50 عامًا بقليل ، وما زلنا نتعلم الكثير. عندما تكون هندسة البرمجيات قديمة قدم الهندسة المعمارية نفسها ، فربما سيكون لدينا قواعد أصعب يجب اتباعها. في الوقت الحالي ، استخدم هذه الإرشادات كمحك لتقييم جودة كود JavaScript الذي تنتجه أنت وفريقك.
شيء آخر يجيب أن تعرفه وهو أن هذه الارشادات لن تجعلك على الفور مطور أفضل ، والعمل بها لسنوات طويلة لا يعني أنك لن ترتكب أخطاء. تبدأ كل قطعة من الكود كمسودة أولى ، مثل تشكيل الطين في شكله النهائي. أخيرًا ، نزيل العيوب عندما نراجعها مع فريق العمل. لا تضغط على نفسك بسبب كثرة المسودات التي تحتاج إلى تحسين. تغلب على الكود بدلا من ذلك!
## **المتغيرات**
### #1 استخدم اسماء متغيرات ذات معنى وقابلة للنطق
**Bad⛔:**
```javascript
const yyyymmdstr = moment().format("YYYY/MM/DD");
```
**Good✅:**
```javascript
const currentDate = moment().format("YYYY/MM/DD");
```
### #2 استخدم نفس الكلمات لنفس النوع من المتغيرات
**Bad⛔:**
```javascript
getUserInfo();
getClientData();
getCustomerRecord();
```
**Good✅:**
```javascript
getUser();
```
### #3 استخدم أسماء قابلة للبحث
ستقرأ أكود أكثر مما ستكتب. لذا من المهم أن يكون الكود الذي تكتبه قابل للقراءة والبحث. فتجاهل تسمية المتغيرات الهامة لفهم برنامجك، ستؤذي قراءتك. اجعل أسماءك قابلة للبحث. يمكن أن تساعد أدوات مثل [buddy.js](https://github.com/danielstjules/buddy.js) و [ESLint](https://github.com/eslint/eslint/blob/660e0918933e6e7fede26bc675a0763a6b357c94/docs/rules/no-magic-numbers.md) في تحديد الثوابت غير المسماة.
**Bad⛔:**
```javascript
// What the heck is 86400000 for?
setTimeout(blastOff, 86400000);
```
**Good✅:**
```javascript
// Declare them as capitalized named constants.
const MILLISECONDS_PER_DAY = 60 * 60 * 24 * 1000; //86400000;
setTimeout(blastOff, MILLISECONDS_PER_DAY);
```
### #4 استخدم المتغيرات التوضيحية
**Bad⛔:**
```javascript
const address = "One Infinite Loop, Cupertino 95014";
const cityZipCodeRegex = /^[^,\\]+[,\\\s]+(.+?)\s*(\d{5})?$/;
saveCityZipCode(
address.match(cityZipCodeRegex)[1],
address.match(cityZipCodeRegex)[2]
);
```
**Good✅:**
```javascript
const address = "One Infinite Loop, Cupertino 95014";
const cityZipCodeRegex = /^[^,\\]+[,\\\s]+(.+?)\s*(\d{5})?$/;
const [_, city, zipCode] = address.match(cityZipCodeRegex) || [];
saveCityZipCode(city, zipCode);
```
### #5 تجنب الخرائط الذهنية
الصريح أفضل من الضمني.
**Bad⛔:**
```javascript
const locations = ["Austin", "New York", "San Francisco"];
locations.forEach(l => {
doStuff();
doSomeOtherStuff();
// ...
// ...
// ...
// Wait, what is `l` for again?
dispatch(l);
});
```
**Good✅:**
```javascript
const locations = ["Austin", "New York", "San Francisco"];
locations.forEach(location => {
doStuff();
doSomeOtherStuff();
// ...
// ...
// ...
dispatch(location);
});
```
### #6 لا تقم بإضافة سياق غير ضروري
إذا كان اسم الـ class/object يدل على شيئ محدد، فلا تقم بتكراره في اسم المتغير.
**Bad⛔:**
```javascript
const Car = {
carMake: "Honda",
carModel: "Accord",
carColor: "Blue"
};
function paintCar(car, color) {
car.carColor = color;
}
```
**Good✅:**
```javascript
const Car = {
make: "Honda",
model: "Accord",
color: "Blue"
};
function paintCar(car, color) {
car.color = color;
}
```
### #7 استخدم parameter الافتراضي بدلاً من الاختصارات أو الشروط
غالبًا ما تكون الـ parameters الافتراضية أنظف من الاختصارات. اعلم أنه في حالة استخدامها ، فإن وظيفتك ستقتصر على توفير القيم الافتراضية لـ arguments غير المعرفة (`undefined`). اما القيم الـ "falsy" مثل `""` و `""` و `false` و `null` و `0` و `NaN` فلن يتم استبدالها بقيمة افتراضية.
**Bad⛔:**
```javascript
function createMicrobrewery(name) {
const breweryName = name || "Hipster Brew Co.";
// ...
}
```
**Good✅:**
```javascript
function createMicrobrewery(name = "Hipster Brew Co.") {
// ...
}
```
## **الدوال**
### #8 عدد الـ arguments المثالي (2 أو أقل)
يعتبر الحد من عدد الـ parameters في الـ function أمرًا مهمًا للغاية لأنه يجعل اختبارالـ function أسهل. وبالعكس يؤدي وجود أكثر من ثلاثة إلى انفجار اندماجي حيث يتعين عليك اختبار العديد من الحالات المختلفة مع argument منفصلة.
الحالة المثالية هي أن يكون هناك واحد أو اثنين من الـ arguments، ويجب تجنب ثلاث arguments إن أمكن. أي شيء أكثر من ذلك يجب أن يتم توحيده ودمجه. عادة ، إذا كان لديك أكثر من وسيطين(arguments) ، فإن الـ function الخاصة بك تحاول أداء الكثير من الوظائف. في الحالات التي لا يكون فيها الأمر كذلك ، فإن الـ object ذي المستوى الأعلى يكفي في معظم الأحيان كوسيط(argument).
نظرًا لأن JavaScript تسمح لك بإنشاء object بشكل سريع، دون الحاجة الى الكثير من الطبقات المعيارية، يمكنك استخدام الـ object إذا وجدت نفسك بحاجة إلى الكثير من الـ arguments.
لتوضيح الخصائص التي يمكن أن تتوقعها من الـ function، يمكنك استخدام صيغة ES2015 / ES6. وهذه بعض مزاياها:
1. عندما ينظر شخص ما إلى المعلومات العامة لـ function، يتضح على الفور ما هي الخصائص التي يتم استخدامها.
2. يمكن استخدامها لمحاكاة الـ parameters المسماة.
3. يؤدي النشر أيضًا إلى استنساخ القيم الأولية المحددة لـ argument object الذي يتم تمريره إلى function. يمكن هذا أن يساعد على منع الآثار الجانبية. ملاحظة: لا يتم نسخ objects وarrays التي تم نشرها من argument object.
4. يمكن أن تحذرك ادوات فحص الكود(Linters) من الخصائص غير المستخدمة ، والتي ستكون مستحيلة دون النشر.
**Bad⛔:**
```javascript
function createMenu(title, body, buttonText, cancellable) {
// ...
}
createMenu("Foo", "Bar", "Baz", true);
```
**Good✅:**
```javascript
function createMenu({ title, body, buttonText, cancellable }) {
// ...
}
createMenu({
title: "Foo",
body: "Bar",
buttonText: "Baz",
cancellable: true
});
```
### #9 الـ Functions يجب أن تقوم بوظيفة واحدا
هذه هي القاعدة الأكثر أهمية في هندسة البرمجيات. عندما تقوم الـ Function بأكثر من وظيفة، يؤدي ذلك الى صعوبة تكوينها واختبارها وتفسيرها. بالتالي عندما تتمكن من عزل الـ Function لأداء وظيفة واحد فقط ، ستتمكن من إعادة بنائها بسهولة وستقرأ تعليماتها البرمجية بشكل أكثر وضوح. إذا أخذت هذه القاعدة بعين الاعتبار، فستتقدم على العديد من المطورين.
**Bad⛔:**
```javascript
function emailClients(clients) {
clients.forEach(client => {
const clientRecord = database.lookup(client);
if (clientRecord.isActive()) {
email(client);
}
});
}
```
**Good✅:**
```javascript
function emailActiveClients(clients) {
clients.filter(isActiveClient).forEach(email);
}
function isActiveClient(client) {
const clientRecord = database.lookup(client);
return clientRecord.isActive();
}
```
### #10 اسم الـ Function يجب ان يدل على وظيفتها
**Bad⛔:**
```javascript
function addToDate(date, month) {
// ...
}
const date = new Date();
// It's hard to tell from the function name what is added
addToDate(date, 1);
```
**Good✅:**
```javascript
function addMonthToDate(month, date) {
// ...
}
const date = new Date();
addMonthToDate(1, date);
```
### #11 يجب أن تحوي الـ Functions مستوى واحد من الأكواد المجردة
عندما يكون لديك أكثر من مستوى واحد من المهام والوظائف التي يفترض بالـ function أن تأديها فهذا يعني أن الـ function عادة ما تنفذ الكثير من المهام. بالتالي فإن تقسيم هذه المهام والوظائف الى عدة function يؤدي إلى سهولة إعادة استخدام الـ functions واختبارها.
**Bad⛔:**
```javascript
function parseBetterJSAlternative(code) {
const REGEXES = [
// ...
];
const statements = code.split(" ");
const tokens = [];
REGEXES.forEach(REGEX => {
statements.forEach(statement => {
// ...
});
});
const ast = [];
tokens.forEach(token => {
// lex...
});
ast.forEach(node => {
// parse...
});
}
```
**Good✅:**
```javascript
function parseBetterJSAlternative(code) {
const tokens = tokenize(code);
const syntaxTree = parse(tokens);
syntaxTree.forEach(node => {
// parse...
});
}
function tokenize(code) {
const REGEXES = [
// ...
];
const statements = code.split(" ");
const tokens = [];
REGEXES.forEach(REGEX => {
statements.forEach(statement => {
tokens.push(/* ... */);
});
});
return tokens;
}
function parse(tokens) {
const syntaxTree = [];
tokens.forEach(token => {
syntaxTree.push(/* ... */);
});
return syntaxTree;
}
```
### #12 أزل الأكواد المكررة
ابذل قصارى جهدك لتجنب تكرار الكود. الكود المكرر سيء لأن ذلك يعني أن هناك عدة أكواد في أماكن مختلفة يجب الوصول اليها وتعديلها اذا ما كنت بحاجة لتغيير بعض المنطق البرمجي لتطبيقك.
تخيل أنك تدير مطعمًا وتتابع مخزونك: كل الطماطم ، والبصل ، والثوم ، والتوابل ، وما إلى ذلك. إذا كانت لديك قوائم متعددة تحتفظ بها ، فيجب تحديثها جميعًا عند تقديم طبق فيه طماطم. أما إذا كان لديك قائمة واحدة فقط ، فهناك مكان واحد فقط لتعديله!
في كثير من الأحيان يكون لديك كود مكرر لأن لديك شيئين مختلفين أو أكثر قليلاً ، يشتركان في الكثير من القواسم المشتركة ، لكن الاختلافات بينهما تجبرك على وجود دالتين منفصلتين أو أكثر تقومان بالكثير من الأشياء نفسها. تعني إزالة الكود المكرر إنشاء تجريد يمكنه التعامل مع هذه المجموعة من الأشياء المختلفة بـ function/module/class واحدة فقط.
يعد الوصول الى التجريد بشكله الصحيح أمرًا بالغ الأهمية ، ولهذا السبب يجب عليك اتباع مبادئ SOLID الموضحة في قسم الـ _Classes_. يمكن أن تكون التجريدات السيئة أسوأ من الكود المكرر ، لذا كن حذرًا! بعد قولي هذا ، إذا كان بإمكانك عمل فكرة تجريدية جيدة ، فافعل ذلك! لا تكرر نفسك ، وإلا ستجد نفسك تقوم بتحديث الكود بأماكن متعددة في أي وقت تريد تغيير شيء واحد.
**Bad⛔:**
```javascript
function showDeveloperList(developers) {
developers.forEach(developer => {
const expectedSalary = developer.calculateExpectedSalary();
const experience = developer.getExperience();
const githubLink = developer.getGithubLink();
const data = {
expectedSalary,
experience,
githubLink
};
render(data);
});
}
function showManagerList(managers) {
managers.forEach(manager => {
const expectedSalary = manager.calculateExpectedSalary();
const experience = manager.getExperience();
const portfolio = manager.getMBAProjects();
const data = {
expectedSalary,
experience,
portfolio
};
render(data);
});
}
```
**Good✅:**
```javascript
function showEmployeeList(employees) {
employees.forEach(employee => {
const expectedSalary = employee.calculateExpectedSalary();
const experience = employee.getExperience();
const data = {
expectedSalary,
experience
};
switch (employee.type) {
case "manager":
data.portfolio = employee.getMBAProjects();
break;
case "developer":
data.githubLink = employee.getGithubLink();
break;
}
render(data);
});
}
```
### #13 قم بتعيين قيم افتراضية لـ Objects باستخدام Object.assign
**Bad⛔:**
```javascript
const menuConfig = {
title: null,
body: "Bar",
buttonText: null,
cancellable: true
};
function createMenu(config) {
config.title = config.title || "Foo";
config.body = config.body || "Bar";
config.buttonText = config.buttonText || "Baz";
config.cancellable =
config.cancellable !== undefined ? config.cancellable : true;
}
createMenu(menuConfig);
```
**Good✅:**
```javascript
const menuConfig = {
title: "Order",
// User did not include 'body' key
buttonText: "Send",
cancellable: true
};
function createMenu(config) {
let finalConfig = Object.assign(
{
title: "Foo",
body: "Bar",
buttonText: "Baz",
cancellable: true
},
config
);
return finalConfig
// config now equals: {title: "Order", body: "Bar", buttonText: "Send", cancellable: true}
// ...
}
createMenu(menuConfig);
```
### #14 لا تستحدم الـ flags كا parameters لـ function
تخبر الـ Flags المستخدم أن هذه الـ function تقوم بأكثر من شيء. يجب أن تقوم الـ function بشيئ واحد. قسّم الـ function إذا كانت تتبع مسارات كود مختلفة بناءً على قيمة منطقية(true/false).
**Bad⛔:**
```javascript
function createFile(name, temp) {
if (temp) {
fs.create(`./temp/${name}`);
} else {
fs.create(name);
}
}
```
**Good✅:**
```javascript
function createFile(name) {
fs.create(name);
}
function createTempFile(name) {
createFile(`./temp/${name}`);
}
```
### #15 تجنب الآثار الجانبية (الجزء 1)
تنتج الدالة تأثيرًا جانبيًا إذا فعلت أي شيء آخر غير أخذ قيمة وإرجاع قيمة أو قيم أخرى. قد يكون أحد الآثار الجانبية هو الكتابة في ملف ، أو تعديل بعض المتغيرات العامة ، أو تحويل كل أموالك بطريق الخطأ إلى شخص غريب.
في بعض الأحيان، أنت بحاجة إلى أن يكون لديك آثار جانبية في تطبيقك. مثل المثال السابق ، قد تحتاج إلى الكتابة في ملف. ما تريد القيام به هو التركيز على مكان قيامك بذلك. ليس لديك العديد من functions و classes التي تكتب في ملف معين. لديك خدمة واحدة تفعل ذلك. واحد فقط لا غير.
النقطة الأساسية هي تجنب المطبات الشائعة مثل مشاركة الحالة بين الـ objects بدون أي بنية ، باستخدام أنواع البيانات القابلة للتعديل والتغير والتي يمكن تعديلها بأي شيء ، وليس التركيز على مكان حدوث الآثار الجانبية. إذا تمكنت من القيام بذلك ، فستكون أكثر سعادة من الغالبية العظمى من المبرمجين الآخرين.
**Bad⛔:**
```javascript
// Global variable referenced by following function.
// If we had another function that used this name, now it'd be an array and it could break it.
let name = "Ryan McDermott";
function splitIntoFirstAndLastName() {
name = name.split(" ");
}
splitIntoFirstAndLastName();
console.log(name); // ['Ryan', 'McDermott'];
```
**Good✅:**
```javascript
function splitIntoFirstAndLastName(name) {
return name.split(" ");
}
const name = "Ryan McDermott";
const newName = splitIntoFirstAndLastName(name);
console.log(name); // 'Ryan McDermott';
console.log(newName); // ['Ryan', 'McDermott'];
```
### #16 تجنب الآثار الجانبية (الجزء 2)
في JavaScript ، بعض القيم غير قابلة للتعديل (immutable) وبعضها قابل للتعديل (mutable). تعد الـ Objects والـ arrays نوعين من القيم القابلة للتعديل ، لذا من المهم التعامل معها بعناية عند تمريرها كا parameters إلى دالة. يمكن للـ function في JavaScript تغيير خصائص الـ object أو تغيير محتويات المصفوفة مما قد يتسبب بسهولة في حدوث أخطاء في مكان آخر.
افترض أن هناك function تقبل مصفوفة كا parameter تمثل عربة تسوق. إذا قامت هذه الدالة بإجراء تغيير في محتويات مصفوفة عربة التسوق هذه - عن طريق إضافة عنصر للشراء ، على سبيل المثال - فإن أي وظيفة أخرى تستخدم نفس مصفوفة `cart` التسوق هذه ستتأثر بهذه الإضافة. قد يكون هذا رائعًا ، ولكنه قد يكون سيئًا أيضًا. لنتخيل وضعًا سيئًا:
ينقر المستخدم على زر "شراء" الذي يستدعي دالة `purchase` التي تولد طلب من الشبكة وترسل مصفوفة `cart` التسوق إلى الخادم.لكن بسبب الاتصال السيئ بالشبكة ، يجب أن تستمر دالة `purchase` في محاولة إعادة الطلب. الآن، ماذا لو نقر المستخدم في هذه الأثناء عن طريق الخطأ على زر "إضافة إلى عربة التسوق" على عنصر لا يريده بالفعل قبل بدء طلب الشبكة؟ إذا حدث ذلك وبدأ طلب الشبكة ، فستقوم دالة الشراء هذه بإرسال العنصر المضاف بطريق الخطأ لأنه تم تعديل مصفوفة `cart` التسوق.
سيكون الحل الرائع لدالة `addItemToCart` أن تقوم دائمًا باستنساخ `cart` وتحريرها وإرجاع النسخة المستنسخة. سيضمن ذلك أن الدالة التي لا تزال تستخدم عربة التسوق القديمة لن تتأثر بالتغييرات.
هناك تحذيران يجب ذكرهما لهذا النهج:
1. قد تكون هناك حالات تريد فيها بالفعل تعديل object الـ input ، ولكن عندما تتبنى هذا النهج في البرمجة، ستجد أن هذه الحالات نادرة جدًا. يمكن إعادة هيكلة معظم الاشياء حتى لا يكون لها أي آثار جانبية!
2. قد يكون استنساخ الـ objects الكبيرة مكلفًا للغاية من حيث الأداء. لكن لحسن الحظ ، هذه ليست مشكلة كبيرة من الناحية العملية لأن هناك [مكتبات رائعة](https://facebook.github.io/immutable-js/) تسمح لهذا النوع من نهج البرمجة أن يكون سريعًا وليس كثيفًا للذاكرة كما هو الحال بالنسبة لك عند استنساخ الـ objects و arrays يدويًا.
**Bad⛔:**
```javascript
const addItemToCart = (cart, item) => {
cart.push({ item, date: Date.now() });
};
```
**Good✅:**
```javascript
const addItemToCart = (cart, item) => {
return [...cart, { item, date: Date.now() }];
};
```
### #17 لا تقم بالكتابة على الـ functions العامة
يعد تلويث المجال العام ممارسة سيئة في جافا سكريبت لأنك قد تصطدم بمكتبة أخرى ولن يكون مستخدم الـ API الخاص بك أكثر حكمة حتى يحصل على استثناء في مرحلة الإنتاج النهائي للتطبيق. لنفكر في مثال: ماذا لو أردت توسيع الـ method الأصلية لـ Array في جافا سكريبت لتشمل method جديد اسمها `diff` وظيفتها اظهار الفرق بين مصفوفتين؟ يمكنك كتابة function جديدة في `Array.prototype` ، لكنها قد تتعارض مع مكتبة أخرى تحاول أن تفعل الشيء نفسه. ماذا لو كانت تلك المكتبة الأخرى تستخدم `diff` لإيجاد الفرق بين أول وآخر عنصر في المصفوفة؟ هذا هو السبب في أنه سيكون من الأفضل استخدام classes ES2015 / ES6 وتمديد مجال الـ `Array`.
**Bad⛔:**
```javascript
Array.prototype.diff = function diff(comparisonArray) {
const hash = new Set(comparisonArray);
return this.filter(elem => !hash.has(elem));
};
```
**Good✅:**
```javascript
class SuperArray extends Array {
diff(comparisonArray) {
const hash = new Set(comparisonArray);
return this.filter(elem => !hash.has(elem));
}
}
```
### #18 البرمجة الوظيفية مفضلة على البرمجة الضرورية
من المعروف أن JavaScript ليست لغة وظيفية بالطريقة التي هي عليها لغات اخرى مثل Haskell ، لكن لها نكهة وظيفية. يمكن أن تكون اللغات الوظيفية أنظف وأسهل في الاختبار. لذا يفضل استخدام هذا النمط من البرمجة.
**Bad⛔:**
```javascript
const programmerOutput = [
{
name: "Uncle Bobby",
linesOfCode: 500
},
{
name: "Suzie Q",
linesOfCode: 1500
},
{
name: "Jimmy Gosling",
linesOfCode: 150
},
{
name: "Gracie Hopper",
linesOfCode: 1000
}
];
let totalOutput = 0;
for (let i = 0; i < programmerOutput.length; i++) {
totalOutput += programmerOutput[i].linesOfCode;
}
```
**Good✅:**
```javascript
const programmerOutput = [
{
name: "Uncle Bobby",
linesOfCode: 500
},
{
name: "Suzie Q",
linesOfCode: 1500
},
{
name: "Jimmy Gosling",
linesOfCode: 150
},
{
name: "Gracie Hopper",
linesOfCode: 1000
}
];
const totalOutput = programmerOutput.reduce(
(totalLines, output) => totalLines + output.linesOfCode,
0
);
```
### #19 غلف الشروط
**Bad⛔:**
```javascript
if (fsm.state === "fetching" && isEmpty(listNode)) {
// ...
}
```
**Good✅:**
```javascript
function shouldShowSpinner(fsm, listNode) {
return fsm.state === "fetching" && isEmpty(listNode);
}
if (shouldShowSpinner(fsmInstance, listNodeInstance)) {
// ...
}
```
### #20 تجنب الشروط المنفية
**Bad⛔:**
```javascript
function isDOMNodeNotPresent(node) {
// ...
}
if (!isDOMNodeNotPresent(node)) {
// ...
}
```
**Good✅:**
```javascript
function isDOMNodePresent(node) {
// ...
}
if (isDOMNodePresent(node)) {
// ...
}
```
### #21 تجنب الشروط
عند سماع هذا لأول مرة، تبدو هذه مهمة مستحيلة. يقول معظم الناس: "كيف يفترض بي أن أفعل أي شيء بدون `if` الجواب هو أنه يمكنك استخدام تعدد الأشكال(Polymorphism) لتحقيق نفس المهمة في كثير من الحالات. السؤال الثاني: "حسنًا هذا رائع ولكن لماذا أرغب في القيام بذلك؟" الجواب هو مفهوم الكود النظيف السابق الذي تعلمناه يجب أن تقوم الـ function بشيء واحد فقط. عندما يكون لديك classes وfunctions تحوي على عبارات `if`، فأنت تخبر المستخدم أن function تقوم بأكثر من شيء واحد. تذكر ، فقط افعل شيئًا واحدًا.
**Bad⛔:**
```javascript
class Airplane {
// ...
getCruisingAltitude() {
switch (this.type) {
case "777":
return this.getMaxAltitude() - this.getPassengerCount();
case "Air Force One":
return this.getMaxAltitude();
case "Cessna":
return this.getMaxAltitude() - this.getFuelExpenditure();
}
}
}
```
**Good✅:**
```javascript
class Airplane {
// ...
}
class Boeing777 extends Airplane {
// ...
getCruisingAltitude() {
return this.getMaxAltitude() - this.getPassengerCount();
}
}
class AirForceOne extends Airplane {
// ...
getCruisingAltitude() {
return this.getMaxAltitude();
}
}
class Cessna extends Airplane {
// ...
getCruisingAltitude() {
return this.getMaxAltitude() - this.getFuelExpenditure();
}
}
```
### #22 تجنب التحقق من النوع (الجزء 1)
بشكل افراضي JavaScript لا تكترث بالنوع، مما يعني أن الـ functions يمكن أن تأخذ أي نوع من الـ argument. أحيانًا تلدغك هذه الحرية ويصبح من المغري القيام بفحص النوع في الـ functions. هناك العديد من الطرق لتجنب الاضطرار إلى القيام بذلك. أول شيء يجب مراعاته هو الـ APIs الثابتة.
**Bad⛔:**
```javascript
function travelToTexas(vehicle) {
if (vehicle instanceof Bicycle) {
vehicle.pedal(this.currentLocation, new Location("texas"));
} else if (vehicle instanceof Car) {
vehicle.drive(this.currentLocation, new Location("texas"));
}
}
```
**Good✅:**
```javascript
function travelToTexas(vehicle) {
vehicle.move(this.currentLocation, new Location("texas"));
}
```
### #23 تجنب التحقق من النوع (الجزء 2)
إذا كنت تعمل بقيم أولية أساسية مثل السلاسل والأعداد الصحيحة ، ولا يمكنك استخدام تعدد الأشكال(polymorphism) ولكنك ما زلت تشعر بالحاجة إلى التحقق من نوع البيانات، فعليك التفكير في استخدام TypeScript. إنه بديل ممتاز لجافا سكريبت الاساسية، لأنه يوفر لك كتابة ثابتة ضمن بناء جملة جافا سكريبت القياسي. تكمن مشكلة فحص JavaScript العادي يدويًا في أن القيام بذلك بشكل جيد يتطلب الكثير من الإسهاب الإضافي بحيث لا يعوض "أمان النوع" الزائف الذي تحصل عليه عن قابلية القراءة المفقودة. حافظ على نظافة JavaScript الخاصة بك ، واكتب اختبارات جيدة ، واحصل على تقييمات جيدة للكود. بخلاف ذلك ، افعل كل ذلك ولكن باستخدام TypeScript (والذي ، كما قلت ، هو بديل رائع!).
**Bad⛔:**
```javascript
function combine(val1, val2) {
if (
(typeof val1 === "number" && typeof val2 === "number") ||
(typeof val1 === "string" && typeof val2 === "string")
) {
return val1 + val2;
}
throw new Error("Must be of type String or Number");
}
```
**Good✅:**
```javascript
function combine(val1, val2) {
return val1 + val2;
}
```
### #24 لا تفرط في تحسين الكود
تقوم المتصفحات الحديثة بالكثير من التحسين (optimization) في الخلفية. في كثير من الأحيان، إذا كنت تقوم بالتحسين ، فأنت تضيع وقتك فقط. [هناك موارد جيدة](https://github.com/petkaantonov/bluebird/wiki/Optimization-killers) لمعرفة الأماكن التي تفتقر إلى التحسين. استهدف هذه الاماكن في هذه الأثناء، حتى يتم إصلاحهم إذا أمكن ذلك.
**Bad⛔:**
```javascript
// On old browsers, each iteration with uncached `list.length` would be costly
// because of `list.length` recomputation. In modern browsers, this is optimized.
for (let i = 0, len = list.length; i < len; i++) {
// ...
}
```
**Good✅:**
```javascript
for (let i = 0; i < list.length; i++) {
// ...
}
```
### #25 أزل الأكواد الميتة
الأكواد الميتة سيئة مثل الأكواد المكررة. لا يوجد سبب للاحتفاظ بها في قاعدة البيانات الخاصة بك. إذا لم يتم استخدامه، فتخلص منه! سيظل آمنًا في محفوظات مستودعك إذا كنت لا تزال بحاجة إليه.
**Bad⛔:**
```javascript
function oldRequestModule(url) {
// ...
}
function newRequestModule(url) {
// ...
}
const req = newRequestModule;
inventoryTracker("apples", req, "www.inventory-awesome.io");
```
**Good✅:**
```javascript
function newRequestModule(url) {
// ...
}
const req = newRequestModule;
inventoryTracker("apples", req, "www.inventory-awesome.io");
```
## **الكائنات وهياكل البيانات**
### #26 استخدم getters و setters
قد يكون استخدام getters و setters للوصول إلى بيانات الـ objects أفضل من مجرد البحث عن property في object ما. "لماذا؟" ربما تسال. حسنًا ، إليك قائمة غير منظمة بالأسباب:
- عندما تريد أكثر من مجرد الحصول على الـ property الخاصة بالـ object ، لا يتعين عليك البحث عن كل ملحق في قاعدة التعليمات البرمجية الخاصة بك وتغييره.
- يجعل إضافة التحقق من الصحة (validation) أمرًا بسيطًا عند اجراء `set`.
- يغلف التمثيل الداخلي.
- من السهل إضافة تسجيل (logging) ومعالجة الأخطاء عند اجراء getting و setting.
- يمكنك التحميل البطيء لـ object's properties الخاص بك ، دعنا نقول الحصول عليه من الخادم.
**Bad⛔:**
```javascript
function makeBankAccount() {
// ...
return {
balance: 0
// ...
};
}
const account = makeBankAccount();
account.balance = 100;
```
**Good✅:**
```javascript
function makeBankAccount() {
// this one is private
let balance = 0;
// a "getter", made public via the returned object below
function getBalance() {
return balance;
}
// a "setter", made public via the returned object below
function setBalance(amount) {
// ... validate before updating the balance
balance = amount;
}
return {
// ...
getBalance,
setBalance
};
}
const account = makeBankAccount();
account.setBalance(100);
```
### #27 اجعل للـ objects أعضاء خاصون بها
يمكن تحقيق ذلك من خلال الإغلاق closures (لـ ES5 وما دون).
**Bad⛔:**
```javascript
const Employee = function(name) {
this.name = name;
};
Employee.prototype.getName = function getName() {
return this.name;
};
const employee = new Employee("John Doe");
console.log(`Employee name: ${employee.getName()}`); // Employee name: John Doe
delete employee.name;
console.log(`Employee name: ${employee.getName()}`); // Employee name: undefined
```
**Good✅:**
```javascript
function makeEmployee(name) {
return {
getName() {
return name;
}
};
}
const employee = makeEmployee("John Doe");
console.log(`Employee name: ${employee.getName()}`); // Employee name: John Doe
delete employee.name;
console.log(`Employee name: ${employee.getName()}`); // Employee name: John Doe
```
## **الفئات Classes**
### #28 استخدم ES2015 / ES6 classes بدلا من ES5 functions
في ES5 classes الكلاسيكية من الصعب جدًا الحصول على class موروث سهل القرءة و قابل للبناء عليه وبـ method معرفة. إذا كنت بحاجة إلى التوريث (وكن على دراية بأنك قد لا تفعل ذلك) ، فعندئذ يفضل استخدام classes ES2015 / ES6. ومع ذلك ، يفضل استخدام الـ functions الصغيرة بدلا من classes حتى تجد نفسك بحاجة إلى objects أكبر وأكثر تعقيدًا.
**Bad⛔:**
```javascript
const Animal = function(age) {
if (!(this instanceof Animal)) {
throw new Error("Instantiate Animal with `new`");
}
this.age = age;
};
Animal.prototype.move = function move() {};
const Mammal = function(age, furColor) {
if (!(this instanceof Mammal)) {
throw new Error("Instantiate Mammal with `new`");
}
Animal.call(this, age);
this.furColor = furColor;
};
Mammal.prototype = Object.create(Animal.prototype);
Mammal.prototype.constructor = Mammal;
Mammal.prototype.liveBirth = function liveBirth() {};
const Human = function(age, furColor, languageSpoken) {
if (!(this instanceof Human)) {
throw new Error("Instantiate Human with `new`");
}
Mammal.call(this, age, furColor);
this.languageSpoken = languageSpoken;
};
Human.prototype = Object.create(Mammal.prototype);
Human.prototype.constructor = Human;
Human.prototype.speak = function speak() {};
```
**Good✅:**
```javascript
class Animal {
constructor(age) {
this.age = age;
}
move() {
/* ... */
}
}
class Mammal extends Animal {
constructor(age, furColor) {
super(age);
this.furColor = furColor;
}
liveBirth() {
/* ... */
}
}
class Human extends Mammal {
constructor(age, furColor, languageSpoken) {
super(age, furColor);
this.languageSpoken = languageSpoken;
}
speak() {
/* ... */
}
}
```
### #29 استخدم method متسلسلة
هذا النمط مفيد جدًا في JavaScript ويمكنك رؤيته في العديد من المكتبات مثل jQuery و Lodash. يسمح للكود أن يكون معبر، وأقل إسهابًا. لهذا السبب ، أقول ، استخدم method متسلسلة وألق نظرة على مدى نظافة الكود الخاص بك. في class functions ، ما عليك سوى إرجاع `this` في نهاية كل function، ويمكنك ربط المزيد من class methods بها.
**Bad⛔:**
```javascript
class Car {
constructor(make, model, color) {
this.make = make;
this.model = model;
this.color = color;
}
setMake(make) {
this.make = make;
}
setModel(model) {
this.model = model;
}
setColor(color) {
this.color = color;
}
save() {
console.log(this.make, this.model, this.color);
}
}
const car = new Car("Ford", "F-150", "red");
car.setColor("pink");
car.save();
```
**Good✅:**
```javascript
class Car {
constructor(make, model, color) {
this.make = make;
this.model = model;
this.color = color;
}
setMake(make) {
this.make = make;
// NOTE: Returning this for chaining
return this;
}
setModel(model) {
this.model = model;
// NOTE: Returning this for chaining
return this;
}
setColor(color) {
this.color = color;
// NOTE: Returning this for chaining
return this;
}
save() {
console.log(this.make, this.model, this.color);
// NOTE: Returning this for chaining
return this;
}
}
const car = new Car("Ford", "F-150", "red").setColor("pink").save();
```
### #30 استخدم التأليف بدلا من التوريث
كما هو مذكور في كتاب [_Design Pattern_](https://en.wikipedia.org/wiki/Design_Patterns) لـ Gang of Four ، يجب أن تفضل التأليف على التوريث حيث يمكنك ذلك. هناك الكثير من الأسباب الوجيهة لاستخدام التوريث والعديد من الأسباب الوجيهة لاستخدام التأليف. النقطة الأساسية في هذا المبدأ هي أنه إذا ذهب عقلك غريزيًا إلى التوريث، فحاول التفكير فيما إذا كان التأليف يمكن أن يصوغ مشكلتك بشكل أفضل. في بعض الحالات يمكن ذلك.
قد تتساءل إذا، "متى يمكنني استخدام التوريث؟" يعتمد الأمر على مشكلتك، ولكن هذه قائمة جيدة عندما يكون التوريث أكثر منطقية من التأليف:
1. يمثل التوريث الخاص بك "is-a" علاقة "has-a" علاقة (الإنسان-> الحيوان VS المستخدم-> تفاصيل المستخدم).
2. يمكنك إعادة استخدام التعليمات البرمجية من classes الأساسية (يمكن للبشر التحرك مثل جميع الحيوانات).
3. تريد إجراء تغييرات عامة على الـ classes المستمدة عن طريق تغيير class الأساسية. (تغيير عدد السعرات الحرارية التي يتم حرقها لجميع الحيوانات عندما تتحرك).
**Bad⛔:**
```javascript
class Employee {
constructor(name, email) {
this.name = name;
this.email = email;
}
// ...
}
// Bad because Employees "have" tax data. EmployeeTaxData is not a type of Employee
class EmployeeTaxData extends Employee {
constructor(ssn, salary) {
super();
this.ssn = ssn;
this.salary = salary;
}
// ...
}
```
**Good✅:**
```javascript
class EmployeeTaxData {
constructor(ssn, salary) {
this.ssn = ssn;
this.salary = salary;
}
// ...
}
class Employee {
constructor(name, email) {
this.name = name;
this.email = email;
}
setTaxData(ssn, salary) {
this.taxData = new EmployeeTaxData(ssn, salary);
}
// ...
}
```
## **مصطلح SOLID**
### #31 مبدأ المسؤولية الفردية (SRP)
كما هو مذكور في كتاب Clean Code، "يجب ألا يكون هناك أكثر من سبب لتغيير الـ class". من المغري أن تحزم الـ class بالكثير من الوظائف، مثل حقيبة السفر الواحدة التي تأخذها عند سفرك. لكن المشكلة تكمن في أن الـ class لن يكون متماسكًا من الناحية المنطقية وسيكون هناك العديد من الأسباب للتغيير. من المهم تقليل عدد المرات التي تحتاج فيها لتغيير الـ class. إنه أمر مهم لأنه إذا كان هناك الكثير من الوظائف في class واحد وقمت بتعديل جزء منه، فقد يكون من الصعب فهم كيف سيؤثر ذلك على الوحدات(modules) التابعة الأخرى في قاعدة التعليمات البرمجية الخاصة بك.
**Bad⛔:**
```javascript
class UserSettings {
constructor(user) {
this.user = user;
}
changeSettings(settings) {
if (this.verifyCredentials()) {
// ...
}
}
verifyCredentials() {
// ...
}
}
```
**Good✅:**
```javascript
class UserAuth {
constructor(user) {
this.user = user;
}
verifyCredentials() {
// ...
}
}
class UserSettings {
constructor(user) {
this.user = user;
this.auth = new UserAuth(user);
}
changeSettings(settings) {
if (this.auth.verifyCredentials()) {
// ...
}
}
}
```
### #32 مبدأ الفتح / الاغلاق (OCP)
كما ذكر Bertrand Meyer، "يجب أن تكون الاكواد البرمجية (classes, modules, functions، وما إلى ذلك) مفتوحة للتمديد ، ولكنها مغلقة للتعديل." ماذا يعني ذلك؟ ينص هذا المبدأ بشكل أساسي على أنه يجب عليك السماح للمستخدمين بإضافة وظائف جديدة دون تغيير التعليمات البرمجية الحالية.
**Bad⛔:**
```javascript
class AjaxAdapter extends Adapter {
constructor() {
super();
this.name = "ajaxAdapter";
}
}
class NodeAdapter extends Adapter {
constructor() {
super();
this.name = "nodeAdapter";
}
}
class HttpRequester {
constructor(adapter) {
this.adapter = adapter;
}
fetch(url) {
if (this.adapter.name === "ajaxAdapter") {
return makeAjaxCall(url).then(response => {
// transform response and return
});
} else if (this.adapter.name === "nodeAdapter") {
return makeHttpCall(url).then(response => {
// transform response and return
});
}
}
}
function makeAjaxCall(url) {
// request and return promise
}
function makeHttpCall(url) {
// request and return promise
}
```
**Good✅:**
```javascript
class AjaxAdapter extends Adapter {
constructor() {
super();
this.name = "ajaxAdapter";
}
request(url) {
// request and return promise
}
}
class NodeAdapter extends Adapter {
constructor() {
super();
this.name = "nodeAdapter";
}
request(url) {
// request and return promise
}
}
class HttpRequester {
constructor(adapter) {
this.adapter = adapter;
}
fetch(url) {
return this.adapter.request(url).then(response => {
// transform response and return
});
}
}
```
### #33 مبدأ Liskov للاستبدال (LSP)
هذا مصطلح مخيف لمفهوم بسيط للغاية. يتم تعريفه رسميًا على أنه "إذا كان S نوعًا فرعيًا من T ، فيمكن استبدال objects من النوع T بـ objects من النوع S (على سبيل المثال ، قد تحل objects من النوع S محل objects من النوع T) دون تغيير أي من الخصائص المرغوبة لهذا البرنامج (تصحيح، اجراء مهمة، إلخ). " هذا تعريف أكثر ترويعًا.
أفضل تفسير لذلك هو إذا كان لديك class أب وclass ابن، فيمكن استخدام الـ class الاب والـ class الابن بالتبادل دون الحصول على نتائج غير صحيحة. قد يكون هذا محيرًا ، لذلك دعونا نلقي نظرة على مثال "المستطيل- المربع" الكلاسيكي. من الناحية الرياضية ، يعتبر المربع مستطيل، ولكن إذا قمت بنمذجه باستخدام علاقة "is-a" عبر الوراثة، فإنك ستقع في مشكلة بسرعة.
**Bad⛔:**
```javascript
class Rectangle {
constructor() {
this.width = 0;
this.height = 0;
}
setColor(color) {
// ...
}
render(area) {
// ...
}
setWidth(width) {
this.width = width;
}
setHeight(height) {
this.height = height;
}
getArea() {
return this.width * this.height;
}
}
class Square extends Rectangle {
setWidth(width) {
this.width = width;
this.height = width;
}
setHeight(height) {
this.width = height;
this.height = height;
}
}
function renderLargeRectangles(rectangles) {
rectangles.forEach(rectangle => {
rectangle.setWidth(4);
rectangle.setHeight(5);
const area = rectangle.getArea(); // Bad⛔: Returns 25 for Square. Should be 20.
rectangle.render(area);
});
}
const rectangles = [new Rectangle(), new Rectangle(), new Square()];
renderLargeRectangles(rectangles);
```
**Good✅:**
```javascript
class Shape {
setColor(color) {
// ...
}
render(area) {
// ...
}
}
class Rectangle extends Shape {
constructor(width, height) {
super();
this.width = width;
this.height = height;
}
getArea() {
return this.width * this.height;
}
}
class Square extends Shape {
constructor(length) {
super();
this.length = length;
}
getArea() {
return this.length * this.length;
}
}
function renderLargeShapes(shapes) {
shapes.forEach(shape => {
const area = shape.getArea();
shape.render(area);
});
}
const shapes = [new Rectangle(4, 5), new Rectangle(4, 5), new Square(5)];
renderLargeShapes(shapes);
```
### #34 مبدأ فصل الواجهات (ISP)
لا تحتوي JavaScript على واجهات ، لذا فإن هذا المبدأ لا ينطبق بشكل صارم مثل اللغات الاخرى. ومع ذلك ، فهي مهمة وذات صلة حتى مع افتقار JavaScript إلى نظام للكتابة.
مبدأ الفصل بين الواجهات ISP ينص على أنه "لا ينبغي إجبار العملاء على الاعتماد على الواجهات التي لا يستخدمونها." الواجهات هي عقود ضمنية في JavaScript بسبب نمط الكتابة "duck typing".
من الأمثلة الجيدة التي يجب النظر إليها والتي توضح هذا المبدأ في JavaScript هي الـ classes التي تتطلب objects تحوي إعدادات كثيرة. يعد عدم مطالبة العملاء بإعداد كميات هائلة من الخيارات أمرًا مفيدًا ، لأنهم في معظم الأوقات لن يحتاجوا إلى جميع هذه الإعدادات. يساعد جعلها اختيارية في منع الوصول الى "واجهة سمينة".
**Bad⛔:**
```javascript
class DOMTraverser {
constructor(settings) {
this.settings = settings;
this.setup();
}
setup() {
this.rootNode = this.settings.rootNode;
this.settings.animationModule.setup();
}
traverse() {
// ...
}
}
const $ = new DOMTraverser({
rootNode: document.getElementsByTagName("body"),
animationModule() {} // Most of the time, we won't need to animate when traversing.
// ...
});
```
**Good✅:**
```javascript
class DOMTraverser {
constructor(settings) {
this.settings = settings;
this.options = settings.options;
this.setup();
}
setup() {
this.rootNode = this.settings.rootNode;
this.setupOptions();
}
setupOptions() {
if (this.options.animationModule) {
// ...
}
}
traverse() {
// ...
}
}
const $ = new DOMTraverser({
rootNode: document.getElementsByTagName("body"),
options: {
animationModule() {}
}
});
```
### #35 مبدأ الاعتماد العكسي (DIP)
ينص هذا المبدأ على أمرين أساسيين:
1. يجب ألا تعتمد الـ modules عالية المستوى على modules المستوى المنخفض. كلاهما يجب أن يعتمد على الأكواد المجردة.
2. يجب ألا تعتمد الأكواد المجردة على التفاصيل. بل يفترض بالتفاصيل أن تعتمد على الأكواد المجردة.
قد يكون من الصعب فهم هذا في البداية ، ولكن إذا كنت قد استخدمت AngularJS ، فقد رأيت تطبيقًا لهذا المبدأ في شكل Dependency Injection (DI). على الرغم من أنها ليست مفاهيم متطابقة ، إلا أن DIP تمنع الـ modules عالية المستوى من معرفة تفاصيل الـ modules ذات المستوى المنخفض وإعدادها. فائدة كبيرة أخرى لهذا المبدأ هو أنه يقلل من الاقتران بين الـ modules. يعتبر الاقتران نمط تطوير سيئً للغاية لأنه يجعل من الصعب إعادة بناء الكود الخاص بك.
كما ذكرنا سابقًا ، لا تحتوي JavaScript على واجهات ، لذا فإن الاكواد المجردة التي تعتمد عليها هي عقود ضمنية. وهذا يعني أن الـ methods و properties يعرضها object/class لـ object/class أخرى. في المثال أدناه، العقد الضمني يعني أن أي طلب من قبل module لـ `InventoryTracker` سيكون لها `requestItems` method.
**Bad⛔:**
```javascript
class InventoryRequester {
constructor() {
this.REQ_METHODS = ["HTTP"];
}
requestItem(item) {
// ...
}
}
class InventoryTracker {
constructor(items) {
this.items = items;
// Bad⛔: We have created a dependency on a specific request implementation.
// We should just have requestItems depend on a request method: `request`
this.requester = new InventoryRequester();
}
requestItems() {
this.items.forEach(item => {
this.requester.requestItem(item);
});
}
}
const inventoryTracker = new InventoryTracker(["apples", "bananas"]);
inventoryTracker.requestItems();
```
**Good✅:**
```javascript
class InventoryTracker {
constructor(items, requester) {
this.items = items;
this.requester = requester;
}
requestItems() {
this.items.forEach(item => {
this.requester.requestItem(item);
});
}
}
class InventoryRequesterV1 {
constructor() {
this.REQ_METHODS = ["HTTP"];
}
requestItem(item) {
// ...
}
}
class InventoryRequesterV2 {
constructor() {
this.REQ_METHODS = ["WS"];
}
requestItem(item) {
// ...
}
}
// By constructing our dependencies externally and injecting them, we can easily
// substitute our request module for a fancy new one that uses WebSockets.
const inventoryTracker = new InventoryTracker(
["apples", "bananas"],
new InventoryRequesterV2()
);
inventoryTracker.requestItems();
```
## **الاختبار**
إذا لم تقم بإختبار للكود أو لم تقم بذلك بشكل كافي، ففي كل مرة تقوم فيها بتشغيله لن تكون متأكدًا من أن تطبيقك سيسير في اتجاه خاطئ أم لا. إن اتخاذ قرار بشأن عدد الاختبارات المناسب متروك لفريقك ، لكن الحصول على تغطية بنسبة 100٪ (جميع الأكواد والفروع) هذا يعني تحقيق ثقة عالية جدًا وراحة بال للمطور. الأمر الذي يتطلب بالإضافة إلى وجود إطار عمل رائع للاختبار(testing framework)، فإنك تحتاج أيضًا إلى استخدام [coverage tool](https://gotwarlost.github.io/istanbul/) كذلك.
ليس هناك أي عذر لعدم اجراء الاختبارات. هناك [الكثير من أطر عمل اختبار JS جيدة](https://jstherightway.org/#testing-tools)، لذا ابحث عن إطار يفضله فريقك. عندما تجد واحدًا يناسب فريقك، فهدف دائمًا إلى كتابة اختبارات لكل feature/module جديدة تقدمها. إذا كانت طريقتك المفضلة هي "التطوير المدفوع بالاختبار" (TDD) ، فهذا أمر رائع ، ولكن النقطة الأساسية هي التأكد من وصولك إلى أهداف التغطية قبل إطلاق أي ميزة، أو إعادة هيكلة ميزة موجودة.
### #36 مفهوم واحد لكل اختبار
**Bad⛔:**
```javascript
import assert from "assert";
describe("MomentJS", () => {
it("handles date boundaries", () => {
let date;
date = new MomentJS("1/1/2015");
date.addDays(30);
assert.equal("1/31/2015", date);
date = new MomentJS("2/1/2016");
date.addDays(28);
assert.equal("02/29/2016", date);
date = new MomentJS("2/1/2015");
date.addDays(28);
assert.equal("03/01/2015", date);
});
});
```
**Good✅:**
```javascript
import assert from "assert";
describe("MomentJS", () => {
it("handles 30-day months", () => {
const date = new MomentJS("1/1/2015");
date.addDays(30);
assert.equal("1/31/2015", date);
});
it("handles leap year", () => {
const date = new MomentJS("2/1/2016");
date.addDays(28);
assert.equal("02/29/2016", date);
});
it("handles non-leap year", () => {
const date = new MomentJS("2/1/2015");
date.addDays(28);
assert.equal("03/01/2015", date);
});
});
```
## **التزامن**
### #37 استخدم Promises، وليس callbacks
لا تعطي الـ Callbacks كود نظيف، وتسبب تداخلًا مفرطًا. بينما يعد استخدام الـ Promises المدمجة بـ ES2015 / ES6 ، نمطا عالميًا. استخدمه!
**Bad⛔:**
```javascript
import { get } from "request";
import { writeFile } from "fs";
get(
"https://en.wikipedia.org/wiki/Robert_Cecil_Martin",
(requestErr, response, body) => {
if (requestErr) {
console.error(requestErr);
} else {
writeFile("article.html", body, writeErr => {
if (writeErr) {
console.error(writeErr);
} else {
console.log("File written");
}
});
}
}
);
```
**Good✅:**
```javascript
import { get } from "request-promise";
import { writeFile } from "fs-extra";
get("https://en.wikipedia.org/wiki/Robert_Cecil_Martin")
.then(body => {
return writeFile("article.html", body);
})
.then(() => {
console.log("File written");
})
.catch(err => {
console.error(err);
});
```
### #38 استخدام Async / Await أنظف حتى من الوعود(Promises)
تعد الوعود بديلاً نظيفًا جدًا لـ callbacks، لكن ES2017 / ES8 تجلب async و await والتي تقدم حلاً أكثر نظافة. كل ما تحتاجه هو function مسبوقة بكلمة `async`، وبعد ذلك يمكنك كتابة الكود البرمجي دون الحاجة الى سلسلة من الـ `then`. استخدم هذا من الأن إذا كان بإمكانك الاستفادة من ميزات ES2017 / ES8!
**Bad⛔:**
```javascript
import { get } from "request-promise";
import { writeFile } from "fs-extra";
get("https://en.wikipedia.org/wiki/Robert_Cecil_Martin")
.then(body => {
return writeFile("article.html", body);
})
.then(() => {
console.log("File written");
})
.catch(err => {
console.error(err);
});
```
**Good✅:**
```javascript
import { get } from "request-promise";
import { writeFile } from "fs-extra";
async function getCleanCodeArticle() {
try {
const body = await get(
"https://en.wikipedia.org/wiki/Robert_Cecil_Martin"
);
await writeFile("article.html", body);
console.log("File written");
} catch (err) {
console.error(err);
}
}
getCleanCodeArticle()
```
## **معالجة الأخطاء**
الأخطاء الظاهرة شيء جيد! إنها تعني أنه اثناء تشغيل الكود قد تم تحديد حدوث خطأ ما ويخبرك ذلك عن طريق إيقاف تنفيذ الـ function، وايقاف العملية (في الـ Node) ، وإخطارك في الـ console لتتبع الخطأ.
### #39 لا تتجاهل الأخطاء المكتشفة
عدم التعامل مع خطأ تم اكتشافه لا يمنحك القدرة على إصلاح أو الرد على الخطأ المذكور. كما لا يعد تسجيل الخطأ في الـ (`console.log`) أفضل بكثير لأنه في كثير من الأحيان يمكن أن تضيع في بحر من الأشياء المطبوعة في الـ console. لكن إذا قمت بإحاطة أي جزء من الكود بـ `try/catch`، فهذا يعني أنك تعتقد أن خطأ ما قد يحدث هناك ، وبالتالي يجب أن يكون لديك خطة ، أو إنشاء مسار مختلف، عندما يحدث.
**Bad⛔:**
```javascript
try {
functionThatMightThrow();
} catch (error) {
console.log(error);
}
```
**Good✅:**
```javascript
try {
functionThatMightThrow();
} catch (error) {
// One option (more noisy than console.log):
console.error(error);
// Another option:
notifyUserOfError(error);
// Another option:
reportErrorToService(error);
// OR do all three!
}
```
### #40 لا تتجاهل الوعود المرفوضة
لنفس السبب لا يجب أن تتجاهل الأخطاء التي يتم اكتشافها من `try/catch`.
**Bad⛔:**
```javascript
getdata()
.then(data => {
functionThatMightThrow(data);
})
.catch(error => {
console.log(error);
});
```
**Good✅:**
```javascript
getdata()
.then(data => {
functionThatMightThrow(data);
})
.catch(error => {
// One option (more noisy than console.log):
console.error(error);
// Another option:
notifyUserOfError(error);
// Another option:
reportErrorToService(error);
// OR do all three!
});
```
## **التنسيق**
تنسيق الكود هو امر شخصي. مثل العديد من القواعد الواردة هنا، لا توجد قاعدة صارمة وسريعة يجب عليك اتباعها. النقطة الأساسية هي عدم الجدال حول التنسيق. هناك [الكثير من الأدوات](https://standardjs.com/rules.html) لأتمتة هذا. استخدم واحدة! الجدل حول التنسيق يعد مضيعة للوقت والمال.
بالنسبة للأشياء التي لا تقع ضمن نطاق التنسيق التلقائي (المسافة البادئة ، tabs vs. spaces، علامات الاقتباس المزدوجة مقابل علامات الاقتباس المفردة ، إلخ) ، ابحث هنا عن بعض الإرشادات.
### #41 اكتب بأحرف كبيرة وبطريقة متسقة
تعد JavaScript لغة غير مطبوع (untyped)، لذا فإن الكتابة بالأحرف الكبيرة تخبرك كثيرًا عن المتغيرات والـ functions وما إلى ذلك. هذه القواعد شخصية، لذا يمكن لفريقك اختيار ما يريده. النقطة المهمة هي، بغض النظر عما تختاروه جميعًا ، فقط كن متسقًا.
**Bad⛔:**
```javascript
const DAYS_IN_WEEK = 7;
const daysInMonth = 30;
const songs = ["Back In Black", "Stairway to Heaven", "Hey Jude"];
const Artists = ["ACDC", "Led Zeppelin", "The Beatles"];
function eraseDatabase() {}
function restore_database() {}
class animal {}
class Alpaca {}
```
**Good✅:**
```javascript
const DAYS_IN_WEEK = 7;
const DAYS_IN_MONTH = 30;
const SONGS = ["Back In Black", "Stairway to Heaven", "Hey Jude"];
const ARTISTS = ["ACDC", "Led Zeppelin", "The Beatles"];
function eraseDatabase() {}
function restoreDatabase() {}
class Animal {}
class Alpaca {}
```
### #42 يجب على الـ Function التي تستدعي أخرى أن تكون قريبة منها
إذا استدعت دالة دالة أخرى ، ابقي هذه الـ functions قريبة من بعضها البعض عموديًا في الملف المصدر. من الناحية المثالية ، احتفظ بالمستدعي فوق المستدعى مباشرةً. نميل إلى قراءة التعليمات البرمجية من أعلى إلى أسفل ، مثل الجريدة. لهذا السبب ، اجعل الكود الخاص بك يقرأ بهذه الطريقة.
**Bad⛔:**
```javascript
class PerformanceReview {
constructor(employee) {
this.employee = employee;
}
lookupPeers() {
return db.lookup(this.employee, "peers");
}
lookupManager() {
return db.lookup(this.employee, "manager");
}
getPeerReviews() {
const peers = this.lookupPeers();
// ...
}
perfReview() {
this.getPeerReviews();
this.getManagerReview();
this.getSelfReview();
}
getManagerReview() {
const manager = this.lookupManager();
}
getSelfReview() {
// ...
}
}
const review = new PerformanceReview(employee);
review.perfReview();
```
**Good✅:**
```javascript
class PerformanceReview {
constructor(employee) {
this.employee = employee;
}
perfReview() {
this.getPeerReviews();
this.getManagerReview();
this.getSelfReview();
}
getPeerReviews() {
const peers = this.lookupPeers();
// ...
}
lookupPeers() {
return db.lookup(this.employee, "peers");
}
getManagerReview() {
const manager = this.lookupManager();
}
lookupManager() {
return db.lookup(this.employee, "manager");
}
getSelfReview() {
// ...
}
}
const review = new PerformanceReview(employee);
review.perfReview();
```
## **التعليقات**
### #43 قم فقط بالتعليق على الأكواد التي تحوي منطق معقد
التعليقات هي تبرير وليست شرطا اساسيا. الكود الجيد _في الغالب_ يوثق نفسه بنفسه.
**Bad⛔:**
```javascript
function hashIt(data) {
// The hash
let hash = 0;
// Length of string
const length = data.length;
// Loop through every character in data
for (let i = 0; i < length; i++) {
// Get character code.
const char = data.charCodeAt(i);
// Make the hash
hash = (hash << 5) - hash + char;
// Convert to 32-bit integer
hash &= hash;
}
}
```
**Good✅:**
```javascript
function hashIt(data) {
let hash = 0;
const length = data.length;
for (let i = 0; i < length; i++) {
const char = data.charCodeAt(i);
hash = (hash << 5) - hash + char;
// Convert to 32-bit integer
hash &= hash;
}
}
```
### #44 لا تترك التعليمات البرمجية المعلقة في ملفك
نظام التحكم في الإصدار (VCS) موجود لهذا السبب. اترك الكود القديم في سجلك.
**Bad⛔:**
```javascript
doStuff();
// doOtherStuff();
// doSomeMoreStuff();
// doSoMuchStuff();
```
**Good✅:**
```javascript
doStuff();
```
### #45 لا تكثر من التعليقات
تذكر، استخدم تطبيقات التحكم في الإصدار مثل git! ليست هناك حاجة للأكواد الميتة ، والتعليمات البرمجية المعلقة ، وخاصة التعليقات الكثيرة. استخدم `git log` للحصول على قائمة بجميع التغييرات!
**Bad⛔:**
```javascript
/**
* 2016-12-20: Removed monads, didn't understand them (RM)
* 2016-10-01: Improved using special monads (JP)
* 2016-02-03: Removed type-checking (LI)
* 2015-03-14: Added combine with type-checking (JR)
*/
function combine(a, b) {
return a + b;
}
```
**Good✅:**
```javascript
function combine(a, b) {
return a + b;
}
```
### #46 تجنب العلامات الموضعية
عادة ما يضيفون الكثير من التعليقات الفوضوية. فقط دع الـ functions وأسماء المتغيرات جنبًا إلى جنب مع المسافة البادئة المناسبة والتنسيق سيعطي البنية المرئية للكود الخاص بك.
**Bad⛔:**
```javascript
////////////////////////////////////////////////////////////////////////////////
// Scope Model Instantiation
////////////////////////////////////////////////////////////////////////////////
$scope.model = {
menu: "foo",
nav: "bar"
};
////////////////////////////////////////////////////////////////////////////////
// Action setup
////////////////////////////////////////////////////////////////////////////////
const actions = function() {
// ...
};
```
**Good✅:**
```javascript
$scope.model = {
menu: "foo",
nav: "bar"
};
const actions = function() {
// ...
};
```
## الترجمة
هذا الملف متوفر بلغات أخرى:
-  **Armenian**: [hanumanum/clean-code-javascript/](https://github.com/hanumanum/clean-code-javascript)
-  **Bangla(বাংলা)**: [InsomniacSabbir/clean-code-javascript/](https://github.com/InsomniacSabbir/clean-code-javascript/)
-  **Brazilian Portuguese**: [fesnt/clean-code-javascript](https://github.com/fesnt/clean-code-javascript)
-  **Simplified Chinese**:
- [alivebao/clean-code-js](https://github.com/alivebao/clean-code-js)
- [beginor/clean-code-javascript](https://github.com/beginor/clean-code-javascript)
-  **Traditional Chinese**: [AllJointTW/clean-code-javascript](https://github.com/AllJointTW/clean-code-javascript)
-  **French**: [eugene-augier/clean-code-javascript-fr](https://github.com/eugene-augier/clean-code-javascript-fr)
-  **German**: [marcbruederlin/clean-code-javascript](https://github.com/marcbruederlin/clean-code-javascript)
-  **Indonesia**: [andirkh/clean-code-javascript/](https://github.com/andirkh/clean-code-javascript/)
-  **Italian**: [frappacchio/clean-code-javascript/](https://github.com/frappacchio/clean-code-javascript/)
-  **Japanese**: [mitsuruog/clean-code-javascript/](https://github.com/mitsuruog/clean-code-javascript/)
-  **Korean**: [qkraudghgh/clean-code-javascript-ko](https://github.com/qkraudghgh/clean-code-javascript-ko)
-  **Polish**: [greg-dev/clean-code-javascript-pl](https://github.com/greg-dev/clean-code-javascript-pl)
-  **Russian**:
- [BoryaMogila/clean-code-javascript-ru/](https://github.com/BoryaMogila/clean-code-javascript-ru/)
- [maksugr/clean-code-javascript](https://github.com/maksugr/clean-code-javascript)
-  **Spanish**: [tureey/clean-code-javascript](https://github.com/tureey/clean-code-javascript)
-  **Spanish**: [andersontr15/clean-code-javascript](https://github.com/andersontr15/clean-code-javascript-es)
-  **Serbian**: [doskovicmilos/clean-code-javascript/](https://github.com/doskovicmilos/clean-code-javascript)
-  **Turkish**: [bsonmez/clean-code-javascript](https://github.com/bsonmez/clean-code-javascript/tree/turkish-translation)
-  **Ukrainian**: [mindfr1k/clean-code-javascript-ua](https://github.com/mindfr1k/clean-code-javascript-ua)
-  **Vietnamese**: [hienvd/clean-code-javascript/](https://github.com/hienvd/clean-code-javascript/)
-  **Arabic**: [muh-osman/clean-code-javascript-arabic](https://github.com/muh-osman/clean-code-javascript-arabic)
| 🛁قواعد الكود النظيف في لغة جافا سكريبت | best-practices,clean-code,javascript | 2023-01-31T20:09:33Z | 2024-01-24T06:06:31Z | null | 1 | 1 | 10 | 0 | 0 | 2 | null | MIT | null |
principlebrothers/Portfolio | dev | <a name="readme-top"></a>
<!--
HOW TO USE:
This is an example of how you may give instructions on setting up your project locally.
Modify this file to match your project and remove sections that don't apply.
REQUIRED SECTIONS:
- Table of Contents
- About the Project
- Built With
- 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="porfoliologo.png" alt="logo" width="140" height="auto" />
<br/>
<h3><b>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)
- [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 web app designed to showcase projects, skills and to help recuiters and people interested in the works to contact me.

## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
> [React](https://reactjs.org/docs/getting-started.html) is a JavaScript library for building user interfaces.
<details>
<summary>Client</summary>
<ul>
<li><a href="is a JavaScript library for building user interfaces.">React</a></li>
</ul>
</details>
<details>
<summary>Styling</summary>
<ul>
<li><a href="https://sass-lang.com/guide">Syntactically Awesome Style Sheets (SASS)</a></li>
</ul>
</details>
<!-- Features -->
### Key Feature <a name="key-features"></a>
- **Contact Form**
<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://eaadonu.vercel.app/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- GETTING STARTED -->
## 💻 Getting Started <a name="getting-started"></a>
To get a local copy up and running, follow these steps.
### Prerequisites
In order to run this project you need:
- [Node.js](https://nodejs.dev/en/) installed
### Setup
Clone this repository to your desired folder:
```sh
cd my-folder
git clone https://github.com/principlebrothers/Portfolio.git
```
### Install
Install this project with:
```sh
cd Portfolio
npm install
```
### Usage
To run the project, execute the following command:
```sh
npm run dev
```
### Run tests
To run tests, run the following command:
```sh
npm run test or npm test
```
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
👤 **Ernest Anyewe Adonu**
- GitHub: [@principlebrothers](https://github.com/principlebrothers)
- Twitter: [@adonu_ernest](https://twitter.com/adonu_ernest)
- LinkedIn: [Ernest Anyewe Adonu](www.linkedin.com/in/ernest-anyewe-adonu)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
- **A live bot**
- **Social media links for mobile**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- CONTRIBUTING -->
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
Feel free to check the [issues page](https://github.com/principlebrothers/Portfolio/issues/new)).
<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 give as a ⭐️
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- ACKNOWLEDGEMENTS -->
## 🙏 Acknowledgments <a name="acknowledgements"></a>
- We would like to thank [Lama Dev]( https://www.instagram.com/lamawebdev) for inspiring this project
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FAQ (optional) -->
## ❓ FAQ (OPTIONAL) <a name="faq"></a>
- **Why did you choose react?**
- [The biggest advantage of using it is that you can change any component at any point in time without affecting the other components. This alone results in widespread support among both clients and service providers.](https://blog.nextstacks.com/reasons-to-choose-react/#:~:text=Advantages%20of%20React%20over%20other%20frameworks%201%20Code,to%20Learn%20...%206%20Better%20Development%20Experience%20)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LICENSE -->
## 📝 License <a name="license"></a>
This project is [MIT](./LICENSE) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| A web app developed to showcase my projects and skills (portfolio) | javascript,jsx,react,scss,react-icons | 2023-01-27T15:11:27Z | 2024-03-27T06:49:10Z | null | 1 | 12 | 197 | 0 | 0 | 2 | null | MIT | JavaScript |
aaryansinha16/WeConnect | master | null | WeConnect is an real time chat application with individual / group chat options and various other features like notifications/auth etc. | chakra-ui,chat-application,dark-light-mode,express,javascript,mongodb,nodejs,react,responsive-design,socket-io | 2023-02-09T19:31:56Z | 2023-03-17T08:09:57Z | null | 2 | 0 | 56 | 3 | 1 | 2 | null | null | JavaScript |
routejs/docs | main | <p align="center">
<img src="https://raw.githubusercontent.com/routejs/docs/main/routejs.jpg" width="400px" alt="Routejs Logo">
</p>
[![NPM Version][npm-version-image]][npm-url]
[![NPM Install Size][npm-install-size-image]][npm-install-size-url]
[![NPM Downloads][npm-downloads-image]][npm-downloads-url]
Routejs is a fast and lightweight http routing engine for [Node.js](http://nodejs.org)
## User Guide
- [Introduction](Introduction.md)
- [Quick-start](Quick-start.md)
- [Installation](Installation.md)
- [Routing](Routing.md)
- [Middlewares](Middlewares.md)
- [Request handler](Request-handler.md)
## Features
- Fast and lightweight
- Group routing
- Host based routing
- Named routing
- Middleware support
- Object and array based routing
- Regular expression support
## Installation
Install using npm:
```console
$ npm i @routejs/router
```
Install using yarn:
```console
$ yarn add @routejs/router
```
## Example
```js
const { Router } = require("@routejs/router");
const http = require("http");
const app = new Router();
app.get("/", function (req, res) {
res.end("Ok");
});
// Create 404 page not found error
app.use(function (req, res) {
res.writeHead(404).end("404 Page Not Found");
});
http.createServer(app.handler()).listen(3000);
```
## Url route example
Routejs is very simple and flexible, it support both object and array based url routing.
Let's create `urls.js` urls file for routes:
```js
const { path, use } = require("@routejs/router");
// Url routes
const urls = [
path("get", "/", (req, res) => res.end("Ok")),
// Create 404 page not found error
use((req, res) => res.writeHead(404).end("404 Page Not Found")),
];
module.exports = urls;
```
Use urls in routejs app:
```javascript
const { Router } = require("@routejs/router");
const http = require("http");
const urls = require("./urls");
const app = new Router();
// Use url routes
app.use(urls);
http.createServer(app.handler()).listen(3000);
```
## License
[MIT License](https://github.com/routejs/router/blob/main/LICENSE)
[npm-downloads-image]: https://badgen.net/npm/dm/@routejs/router
[npm-downloads-url]: https://npmcharts.com/compare/@routejs/router?minimal=true
[npm-install-size-image]: https://badgen.net/packagephobia/install/@routejs/router
[npm-install-size-url]: https://packagephobia.com/result?p=@routejs/router
[npm-url]: https://npmjs.org/package/@routejs/router
[npm-version-image]: https://badgen.net/npm/v/@routejs/router
| Fast and lightweight http router for nodejs | http-router,library,router,web-framework,routejs,routing,nodejs,documentation,javascript | 2023-02-06T14:10:12Z | 2024-01-03T01:50:07Z | 2023-12-18T15:53:49Z | 2 | 1 | 65 | 0 | 2 | 2 | null | MIT | null |
raj03kumar/testimonials | main | # testimonials
This is testimonial carousel which i made using JavaScript
| This is testimonial carousel which i made using JavaScript | html-css-javascript,javascript,testimonials | 2023-02-07T18:52:42Z | 2023-02-07T18:56:27Z | null | 1 | 0 | 5 | 0 | 0 | 2 | null | GPL-3.0 | JavaScript |
aimadhas/rest-countries-api | master | # World Explorer
this is a web-based application that provides information about different countries around the world. With this app,
you can explore countries and filter the countries based on their region. You can also search for any country you want
to learn more about and get detailed information about the selected country.
# Templete


# Features
- Show a list of 50 random countries from the API on the homepage
- Search for a country using an `input` field
- Filter countries by region
- Toggle the color scheme between light and dark mode *(optional)*
- View detailed information about a selected country, including:
- Capital
- Population
- Area
- Region
- Flag
- currencies
- Languages
- Border Countries
# Technology Stack
This project is built using the following technology stack:
- Frontend: HTML, tailwind, JavaScript
- API: REST Countries API
# Run Locally
Clone the project
```bash
git clone https://link-to-project
```
Go to the project directory
```bash
cd my-project
```
Install dependencies
```bash
npm install
```
Start the server
```bash
npm run test
```
# Contributions
This project is open for contributions. If you have any ideas or suggestions, feel free to create a pull request.
| null | html5,javascript,tailwindcss | 2023-02-08T06:56:52Z | 2023-02-15T12:28:06Z | null | 1 | 0 | 24 | 0 | 0 | 2 | null | null | CSS |
Vidyaa123/aws-bootcamp-cruddur-2023 | main | # FREE AWS Cloud Project Bootcamp
- Application: Cruddur
- Cohort: 2023-A1
This is the starting codebase that will be used in the FREE AWS Cloud Project Bootcamp 2023


## Instructions
At the start of the bootcamp you need to create a new Github Repository from this template.
## Journaling Homework
The `/journal` directory contains
- [ ] [Week 0](journal/week0.md)
- [ ] [Week 1](journal/week1.md)
- [ ] [Week 2](journal/week2.md)
- [ ] [Week 3](journal/week3.md)
- [ ] [Week 4](journal/week4.md)
- [ ] [Week 5](journal/week5.md)
- [ ] [Week 6](journal/week6.md)
- [ ] [Week 7](journal/week7.md)
- [ ] [Week 8](journal/week8.md)
- [ ] [Week 9](journal/week9.md)
- [ ] [Week 10](journal/week10.md)
- [ ] [Week 11](journal/week11.md)
- [ ] [Week 12](journal/week12.md)
- [ ] [Week 13](journal/week13.md) | AWS Bootcamp Cloud Project | aws,aws-cli,aws-dynamodb,flask-backend,javascript,postgresql,python3,react | 2023-02-08T06:27:22Z | 2023-03-21T16:03:36Z | null | 1 | 17 | 75 | 0 | 0 | 2 | null | null | JavaScript |
GiselleBarbosa/angular-tour-of-heroes | master | # AngularTourOfHeroes
This project was generated with [Angular CLI](https://github.com/angular/angular-cli) version 14.2.7.
## Deployment
`https://tour-of-heroes-tutorial.vercel.app/dashboard`
## Development server
Run `ng serve` for a dev server. Navigate to `http://localhost:4200/`. The application will automatically reload if you change any of the source files.
## Code scaffolding
Run `ng generate component component-name` to generate a new component. You can also use `ng generate directive|pipe|service|class|guard|interface|enum|module`.
## Build
Run `ng build` to build the project. The build artifacts will be stored in the `dist/` directory.
## Running unit tests
Run `ng test` to execute the unit tests via [Karma](https://karma-runner.github.io).
## Running end-to-end tests
Run `ng e2e` to execute the end-to-end tests via a platform of your choice. To use this command, you need to first add a package that implements end-to-end testing capabilities.
## Further help
To get more help on the Angular CLI use `ng help` or go check out the [Angular CLI Overview and Command Reference](https://angular.io/cli) page.
| 🚩Angular Tutorial - Tour of Heroes | angular,toh,javascript,rxjs,tour-of-heroes,tutorial,typescript | 2023-01-26T17:42:52Z | 2023-01-30T13:33:24Z | null | 1 | 0 | 14 | 0 | 0 | 2 | null | null | TypeScript |
sabidalam/Doctors-Portal-Client | main | # Doctors-Portal
# Live-Site: https://doctors-portal-24e72.web.app/
# Project Feature
1. Separate dashboard for admin and user.
2. Admin can view and manage(add, delete) all doctors and users.
3. User can book doctors appointment.
4. Stripe payment method.
5. Firebase and JWT Authentication.
# Admin
email: saad@gmail.com
password: 123456
| null | cors-request,daisyui,exressjs,firebase,javascript,jwt-authentication,mongodb,nodejs,react-hook-form,reactjs | 2023-01-28T07:30:19Z | 2023-01-28T07:45:56Z | null | 1 | 0 | 5 | 0 | 0 | 2 | null | null | JavaScript |
divyaGrvgithub/Order-Management-System-B5 | company_project/inventory_application | null | An order management system (OMS) is a digital way to manage the lifecycle of an order. ¹ It tracks all the information and processes, including order entry, inventory management, fulfillment and after-sales service. | javascript,npm,postman | 2023-02-06T03:05:57Z | 2023-03-02T04:06:11Z | null | 2 | 0 | 7 | 0 | 1 | 2 | null | null | JavaScript |
beginner-cryptonyx/Kruu-Project | master | # Kruu-Project
This Website Was Made By me and my team, who provided the content and the design ideas
### I hated this | A rep to hold the code for our crew project | css-flexbox,css-grid,css3,html5,javascript,js,vaccines,kruu | 2023-02-04T05:25:02Z | 2023-02-17T14:37:10Z | null | 1 | 1 | 17 | 0 | 0 | 2 | null | MIT | HTML |
johannesbraeunig/ocean_race_scriptable_widget | main | # The Ocean Race 2023 Homescreen Widget for Scriptable.app
A [scriptable.app](https://scriptable.app/) widget to get the latest update of [The Ocean Race](https://www.theoceanrace.com/) on your homescreen.
The default view is the team view of the [Team Malizia](https://www.team-malizia.com/).


## Features
- Select by team of each category and get information about the rank, speed, distance to the next position and distance to the finish
- Select by category and get the teams in ranked order
- Configure the options via the widget parameter, without touching the script
- Configuration via the widget parameters enable the widget to put as many widget on the homescreen as you want
- It has light- and darkmode (depending on device setting)
- Basic strings are available in english and german (depending on device setting)
## Configuration via parameters
Press long-tab on the widget and select "Edit Widget". You'll see a section with "Parameters", there it's possible to configure the widget (further down, there is a video available how to add and configure a widget).

The first value is the type of the widget, either "TEAMS" or "ALL_TEAMS", followed by either the category "IMOCA" or "VO65" or the teams code:
```
GUYO
BIOT
HOLC
11TH
MALI
AUST
WHIS
JAJO
BALT
MIRU
MEXI
```
seperated by a comma (`,`).
### Example
Let the widget display the ranking order of the Imocas, the parameter has to be:
```
ALL_TEAMS,IMOCA
```
Let the widget display the ranking order of the VO65, the parameter has to be:
```
ALL_TEAMS,VO65
```
Let the widget display the team Malizia:
```
TEAM,MALI
```
## Configure parameters inline
Of course, you're free to change the parameters in the script too. Default parameters are placed at the top of the script and can be
changed easily. Feel free to do so, but you'll loose the ability to put as many widget on your home screen as you want, except you
create for each case a new script (copy & paste again).
## Example recording how to add the widget and configure it
https://user-images.githubusercontent.com/1436744/215749451-0315eb47-1997-49bc-be8f-ebc90cc88e5f.mp4
## Update the script
Simply copy & paste the latest version of the script.
## Scriptable.app Installation
1. Download scriptable.app
1. Open the app and create a new script
1. Copy & paste the code of the [`widget.js`](https://raw.githubusercontent.com/johannesbraeunig/ocean_race_scriptable_widget/main/widget.js) to the scriptable script and save
1. Go to your homescreen and add a new widget
1. Select "Scriptable" and add the widget
1. Long press on the newly created widget and select the just created script, configure the parameters and confirm
## Warning
Use at your own risk!
| The Ocean Race 2023 homescreen widget for the Scriptable.app | ios,javascript,scriptable-app | 2023-01-29T20:01:18Z | 2023-01-31T11:48:20Z | null | 1 | 0 | 1 | 0 | 0 | 2 | null | null | JavaScript |
PoyoPoak/discord-ash | main | # discord-ash
Welcome, this is a WIP side project that I started on my spare time during school with the recent interest and hype surrounding ChatGPT.
This project is a discord bot uses OpenAI's language models through their API so that Discord users can communicate with OpenAI's language models via text channels in discord. Originally meant to be a voice chat bot, I decided to make it a text chat bot instead due to lack of discord API support in audio listening. Voice functionality will be done in a different project separate from this one.
Branches:<br>
main - Python bot, interacts via text channels. <br>
voice-js-conversion - Bot rewritten in JS to interact via voice channels.
Update 05/17/2023: Currently working on converting this bot over to javascript to utilize the discord.js libraries so that the bot will be able to interact via voice chat.<br>
Update 05/21/2023: JS bot has the ability to interact over voice.
| A Discord bot named Ash(AI Simulated Human) chatbot using OpenAI's language models. | ai,chatbot,chatgpt,discord,language-model,openai,python,bot,discord-bot,discord-js | 2023-02-01T09:31:18Z | 2023-07-02T02:03:44Z | null | 1 | 1 | 46 | 0 | 0 | 2 | null | MIT | Python |
agusabdulrahman/web-travel | main |
# Travel Agency
Aplikasi Travel Agency membantu pengguna dalam mempermudah pemesanan perjalanan wisata mereka. Dengan tiga fitur utama: pesan sekarang, perjalanan, dan paket, pengguna dapat memilih opsi yang sesuai dengan kebutuhan mereka.
## Fitur Utama
### 1. Pesan Sekarang
Fitur ini memungkinkan pengguna untuk memesan perjalanan mereka dengan mudah dan cepat. Cukup masukkan informasi perjalanan, seperti tanggal, tujuan, dan jumlah orang, dan aplikasi akan memberikan informasi tentang harga dan ketersediaan.
### 2. Perjalanan
Fitur ini menyediakan informasi tentang berbagai destinasi wisata yang dapat dikunjungi. Pengguna dapat menjelajahi destinasi dan membaca ulasan dari pengguna lain untuk membantu memilih tujuan perjalanan.
### 3. Paket
Fitur ini menawarkan berbagai paket perjalanan yang sudah teratur dan terkoordinir, termasuk paket perjalanan wisata dengan transportasi, penginapan, dan makan selama perjalanan. Pengguna dapat memilih paket yang sesuai dengan kebutuhan dan budget mereka.
Demo
Untuk melihat demo aplikasi, klik disini(ongoing).
Kontribusi
Jika ingin berkontribusi pada pengembangan aplikasi, silakan fork repository dan kirimkan pull request. Kami sangat menghargai kontribusi dari semua pengembang.
| Aplikasi Travel Agency membantu pengguna dalam mempermudah pemesanan perjalanan wisata mereka. | html,javascript,travel-agency,travelagency,web,aplikasi-travel-agency,webtravel-agency,css | 2023-02-09T07:59:00Z | 2023-02-09T08:33:21Z | null | 1 | 0 | 2 | 0 | 0 | 2 | null | null | HTML |
sanidhyy/metaversus | main | # Modern Metaverse App using React JS

[](https://github.com/Technical-Shubham-tech "Ask Me Anything!")
[](https://github.com/Technical-Shubham-tech/metaversus/blob/main/LICENSE.md "GitHub license")
[](https://github.com/Technical-Shubham-tech/metaversus/commits/main "Maintenance")
[](https://github.com/Technical-Shubham-tech/metaversus/branches "GitHub branches")
[](https://github.com/Technical-Shubham-tech/metaversus/commits "Github commits")
[](https://metaversusapp.vercel.app/ "Website Status")
[](https://github.com/Technical-Shubham-tech/metaversus/issues "GitHub issues")
[](https://github.com/Technical-Shubham-tech/metaversus/pulls "GitHub pull requests")
## :pushpin: How to use this App?
1. Clone this **repository** to your local computer.
2. Open **terminal** in root directory.
3. Type and Run `npm install` or `yarn install`.
4. Once packages are installed, you can start this app using `npm start` or `yarn start`.
5. Now app is fully configured and you can start using this app :+1:.
## :camera: Screenshots:



## :gear: Built with
[<img src="https://img.shields.io/badge/JavaScript-323330?style=for-the-badge&logo=javascript&logoColor=F7DF1E" width="150" height="40" />](https://www.javascript.com/ "JavaScript")
[<img src="https://img.shields.io/badge/React-20232A?style=for-the-badge&logo=react&logoColor=61DAFB" width="150" />](https://reactjs.org/ "React JS")
[<img src="https://img.shields.io/badge/Framer-black?style=for-the-badge&logo=framer&logoColor=blue" width="150" />](https://www.framer.com/ "Framer Motion")
[<img src="http://ForTheBadge.com/images/badges/built-with-love.svg" alt="Built with Love">](https://github.com/Technical-Shubham-tech/ "Built with Love")
## :wrench: Stats

## :raised_hands: Contribute
You might encounter some bugs while using this app. You are more than welcome to contribute. Just submit changes via pull request and I will review them before merging. Make sure you follow community guidelines.
## Buy Me a Coffee 🍺
[<img src="https://img.shields.io/badge/Buy_Me_A_Coffee-FFDD00?style=for-the-badge&logo=buy-me-a-coffee&logoColor=black" width="200" />](https://www.buymeacoffee.com/sanidhy "Buy me a Coffee")
## :rocket: Follow Me
[](https://github.com/Technical-Shubham-tech "Follow Me")
[](https://twitter.com/intent/tweet?text=Wow:&url=https%3A%2F%2Fgithub.com%2FTechnical-Shubham-tech%2Fmedical-chat-app "Tweet")
[](https://www.youtube.com/channel/UCNAz_hUVBG2ZUN8TVm0bmYw "Subscribe my Channel")
## :star: Give A Star
You can also give this repository a star to show more people and they can use this repository.
## :fire: Getting Started
This is a [Next.js](https://nextjs.org/) project bootstrapped with [`create-next-app`](https://github.com/vercel/next.js/tree/canary/packages/create-next-app).
First, run the development server:
```bash
npm run dev
# or
yarn dev
```
Open [http://localhost:3000](http://localhost:3000) with your browser to see the result.
You can start editing the page by modifying `pages/index.js`. The page auto-updates as you edit the file.
[API routes](https://nextjs.org/docs/api-routes/introduction) can be accessed on [http://localhost:3000/api/hello](http://localhost:3000/api/hello). This endpoint can be edited in `pages/api/hello.js`.
The `pages/api` directory is mapped to `/api/*`. Files in this directory are treated as [API routes](https://nextjs.org/docs/api-routes/introduction) instead of React pages.
## :books: 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!
## :rocket: Deploy on Vercel
The easiest way to deploy your Next.js app is to use the [Vercel Platform](https://vercel.com/new?utm_medium=default-template&filter=next.js&utm_source=create-next-app&utm_campaign=create-next-app-readme) from the creators of Next.js.
Check out our [Next.js deployment documentation](https://nextjs.org/docs/deployment) for more details.
| Modern Metaverse App using React JS | app,css,html,javascript,js,metaverse,modern,modern-ui-ux,react,reactjs | 2023-02-02T14:59:00Z | 2023-10-01T13:35:56Z | null | 1 | 0 | 31 | 0 | 0 | 2 | null | MIT | JavaScript |
Coder-Stark/Javascript-full-course-notes | master | null | In this basically i gave the all code regarding javascript from basic to advance level the reference of this codes is Code With Harry | javascript | 2023-01-29T13:30:58Z | 2023-02-28T13:13:57Z | null | 1 | 0 | 23 | 0 | 0 | 2 | null | null | JavaScript |
chagasleandro/Portfolio-My | main | # Portfolio-My
<p align="center">
<a href="https://portfolio-my-omega.vercel.app/">Projeto</a> |
<a href="#-tecnologias">Tecnologias</a> |
<a href="#-instalação">Instalação</a> |
</p>
<p align="center">
<img src="https://img.shields.io/static/v1?label=PRs&message=welcome&color=49AA26&labelColor=000000" alt="PRs welcome!" />
<img alt="License" src="https://img.shields.io/static/v1?label=license&message=MIT&color=49AA26&labelColor=000000">
</p>
# 💻 Projeto:
Projeto desenvolvido com HTML, CSS e JAVASCRIPT meu portfolio onde mostro meus conhecimento e minha formação.
## 🚀 Tecnologias:
* HMTL
* CSS
* JAVASCRIPT
## 🔖 Instalação
* Baixar o NPM e o Node
* Abrir o projeto em uma IDE de preferência ou no terminal do sistema operacional
```bash
# Clone this project
$ git clone https://github.com/chagasleandro/Portfolio-My.git
# Access
$ cd Portfolio-My
# The server will initialize in the <(http://127.0.0.1:5500/Portfolio-My/index.html#hero)>
| Projeto desenvolvido como html, css e javascript meu portfolio. | css,html,javascript | 2023-02-05T20:17:45Z | 2023-03-02T02:54:03Z | null | 1 | 1 | 19 | 0 | 1 | 2 | null | null | HTML |
cihat/delaygram | master | # stack
## Todos
**Frontend**
- [X] Change frontend framework to React/TypeScript from Vue.js
- [ ] Create React project folder structure from !research
- [ ] Create frontend structure with React
- [ ] Add state managment library(redux or zustand or other things(research)) to frontend
- [ ] a lot of things...
**Backend**
- [ ] Create UML diagram with PlantUML for backend
- [ ] Create backend RESTful API structure with Node.js/Express
- [ ] Add database(maybe mongoDB or other thing(research)) connection to backend
- [ ] Add authentication(local or google or instagram auth) to backend
- [ ] a lot of things...
---
A starter repository for MongoDB, Node.js, and React, with a local environment based on Docker.
# Installation
## Running the stack
```sh
$ docker-compose up
```
## Accessing the stack from a browser
The starter stack works with a load balancer that binds to ports 80 and 443. It currently serves the domain http://stack.localhost. In order to reach the frontend through the stack, you need to edit your `hosts` file (usually under `/etc/hosts` in UNIX environments and `C:\Windows\System32\Drivers\etc\hosts` in Windows) and add the following line:
```
127.0.0.1 stack.localhost
```
Now if you visit http://stack.localhost, you will be greeted with the frontend starter project.
## Changing the local domain
If you wish to use a domain name other than http://stack.localhost, simply set the environment variable `DOMAIN` to any domain you want.
```sh
$ DOMAIN=another-domain.localhost docker-compose up
```
You then also need to update your `hosts` file accordingly.
## Debugging
You can debug the backend while it's running in VSCode. Instead of running `docker-compose up`, run the following command:
```sh
$ docker-compose -f docker-compose.yml -f docker-compose.debug.yml up
```
This starts the backend service in the debug mode, so you can use the built-in debug task `Attach to backend` to debug your backend service.
# Running tests
## Running backend tests
```sh
$ cd backend
$ npm i
$ npm test
```
## Running frontend tests
```sh
$ cd frontend
$ npm i
$ npm test:unit
$ npm test:e2e
```
# Linting
Run `npm install` on the root folder and it will set up a pre-commit hook to lint the staged files. You will also have two lint commands, `npm run lint` and `npm run lint-staged` that you can run on the root folder.
These commands run the individual `lint` and `lint-staged` scripts in both the `frontend` and the `backend` folders, and they will respect individual configurations of these folders.
# License
MIT License
Copyright (c) 2023 Cihat Salik
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
| full-stack instagram clone. | clone-project,javascript,social-media,typescript | 2023-01-30T20:19:07Z | 2023-02-03T12:31:35Z | null | 1 | 0 | 31 | 0 | 0 | 2 | null | MIT | TypeScript |
Spartanlasergun/Spartanlasergun.github.io | main | Repository for experimenting with web design.
https://spartanlasergun.github.io
| Web Design Experiments | css,html,javascript,math | 2023-02-09T00:22:57Z | 2024-05-22T02:44:36Z | null | 1 | 0 | 396 | 1 | 0 | 2 | null | GPL-3.0 | HTML |
lenra-io/lenra-components-lib-javascript | beta | # This project is archived and no longer maintained. Please use [app-lib-js](https://github.com/lenra-io/app-lib-js)
<div id="top"></div>
<!--
*** This README was created with https://github.com/othneildrew/Best-README-Template
-->
<!-- PROJECT SHIELDS -->
[![Contributors][contributors-shield]][contributors-url]
[![Forks][forks-shield]][forks-url]
[![Stargazers][stars-shield]][stars-url]
[![Issues][issues-shield]][issues-url]
[![GPL License][license-shield]][license-url]
<!-- PROJECT LOGO -->
<br />
<div align="center">
<h3 align="center">JavaScript - Components lib</h3>
<p align="center">
The Lenra's components JavaScript lib.
<br />
<br />
<a href="https://github.com/lenra-io/components-lib-javascript/issues">Report Bug</a>
·
<a href="https://github.com/lenra-io/components-lib-javascript/issues">Request Feature</a>
</p>
</div>
<div style="text-align: justify">
The components lib let you build your Lenra apps UI easely.
</div>
<!-- GETTING STARTED -->
## Install
```bash
npm i @lenra/components
```
<p align="right">(<a href="#top">back to top</a>)</p>
<!-- USAGE EXAMPLES -->
## Usage
Create components
```javascript
Flex([Button("Test").onPressed("test")])
```
<p align="right">(<a href="#top">back to top</a>)</p>
<!-- CONTRIBUTING -->
## Contributing
Contributions are what make the open source community such an amazing place to learn, inspire, and create. Any contributions you make are **greatly appreciated**.
If you have a suggestion that would make this better, please open an issue with the tag "enhancement".
Don't forget to give the project a star if you liked it! Thanks again!
<p align="right">(<a href="#top">back to top</a>)</p>
<!-- LICENSE -->
## License
Distributed under the **MIT** License. See [LICENSE](./LICENSE) for more information.
<p align="right">(<a href="#top">back to top</a>)</p>
<!-- CONTACT -->
## Contact
Lenra - [@lenra_dev](https://twitter.com/lenra_dev) - contact@lenra.io
Project Link: [https://github.com/lenra-io/components-lib-javascript](https://github.com/lenra-io/components-lib-javascript)
<p align="right">(<a href="#top">back to top</a>)</p>
<!-- MARKDOWN LINKS & IMAGES -->
<!-- https://www.markdownguide.org/basic-syntax/#reference-style-links -->
[contributors-shield]: https://img.shields.io/github/contributors/lenra-io/components-lib-javascript.svg?style=for-the-badge
[contributors-url]: https://github.com/lenra-io/components-lib-javascript/graphs/contributors
[forks-shield]: https://img.shields.io/github/forks/lenra-io/components-lib-javascript.svg?style=for-the-badge
[forks-url]: https://github.com/lenra-io/components-lib-javascript/network/members
[stars-shield]: https://img.shields.io/github/stars/lenra-io/components-lib-javascript.svg?style=for-the-badge
[stars-url]: https://github.com/lenra-io/components-lib-javascript/stargazers
[issues-shield]: https://img.shields.io/github/issues/lenra-io/components-lib-javascript.svg?style=for-the-badge
[issues-url]: https://github.com/lenra-io/components-lib-javascript/issues
[license-shield]: https://img.shields.io/github/license/lenra-io/components-lib-javascript.svg?style=for-the-badge
[license-url]: https://github.com/lenra-io/components-lib-javascript/blob/master/LICENSE
| null | components-lib,components-library,javascript,lenra,typescript | 2023-01-31T16:12:23Z | 2023-09-18T12:16:27Z | null | 3 | 12 | 13 | 0 | 0 | 2 | null | MIT | TypeScript |
dollpriyanka/Log_Parser_App | main | # Log_Parser_App
## Frontend
```sh
Develop a small UI in react, which will upload the file using the above API and let the user download the JSON file received from the API response.It can be a simple UI with a button to upload a file and the button can have a loader while the API is being called. After successful response, download the JSON file without user intervention. If there is an error, show an alert.
```
## Backend
```sh
Develop an API in node.js, which takes a file and returns a parsed output as JSON.
```
## Get Started
1. Clone this repository
```sh
git clone https://github.com/dollpriyanka/Log_Parser_App.git
```
2. Go to the cloned directory
3. Initialize the directory
```sh
npm init -y
```
4. Install dependencies
```sh
npm install
```
# Input File_Format
```sh
<ISO Date> - <Log Level> - {"transactionId: "<UUID>", "details": "<message event/action description>", "err": "<Optional, error description>", ...<additional log information>}
```
# Output File_Format
```sh
[{"timestamp": <Epoch Unix Timestamp>, "loglevel": "<loglevel>", "transactionId: "<UUID>", "err": "<Error message>" }]
```
# API Endpoint
```sh
* /upload - upload the log file
```
| A Log Parser App in React | expressjs,javascript,nodejs,reactjs,logparser | 2023-02-06T05:59:44Z | 2023-02-07T16:05:33Z | null | 1 | 0 | 12 | 0 | 0 | 2 | null | null | JavaScript |
come219/auto_aws_lambda_setup | master | This is a README.md file for this code project : Automatic AWS Lambda Dummy Function Setup
written by sebistj, 25/01/23
last updated on, 27/01/23
version 1.0
# Automatic AWS Lambda Dummy Function Setup
# /auto_aws_lambda_setup
This project intends to, when invoked, automatically create an AWS Lambda function on the corresponding configured region.
Currently it has two invocation methods:
+ **auto_setup.sh** | This function prompts the user to configure their AWS region and account.
+ **auto_run.sh** | This function features parameters when invoking the script, with multiple configurations. Error checking.
+ **auto_run_simple.sh** | This function runs the functions without parameters or intervention. Parameters are set within the script.
### Prerequisites:
These are the prerequisites that are required inorder to invoke the script as the script uses them to preform the function.
On the chosen region of AWS, the lambda function must not exist, even in cache (hidden from the dashboard / hidden from AWS ).
Futhermore, the role (IAM, Identity and Access Management, - Roles) that is generated by this function must not exist.
If there are errors while using this script and the role & lambda function do not exist, then creating the lambda function and deleting it would normally be able to fix this issue.
Note: it is better to delete the Lambda function before deleting the role.
+ **awscliv2** | version 2 of AWS command line use (no dependency hell but installed through pip)
+ (old) **awscli** | AWS command line use
+ **python** | python sdk
+ **python3** | python3 sdk
+ **json** | json sdk
+ **nodejs.14** | nodejs 14 sdk
+ **nodejs.16** | nodejs 16 sdk
+ **nodejs.18** | nodejs 18 sdk
+ **java** | java sdk
+ (old) **jq** - to replace json words
+ git | git ??
### Commands:
This is a list of commands that are used within the project:
+ To start set up of the project:
$ bash auto_setup.sh
$ ./bin/auto_setup
+ Initiate the automated script (simple version):
$ bash auto_run_simple.sh
$ ./bin/auto_run_simple
+ Initiate the automated advanced script:
$ bash auto_run.sh {param1} {param2}
$ ./bin/auto_run {param ...}
Parameters:
+ param 0: Region configuration
+ param 1: Function name
+ param 2: Role name
+ param 3: ...
### Codebase Files required:
This is a list files from the codebase that are required for the project to run properly.
+ /bin/ | This folder should contain all the executables for the project.
+ /scripts/ | This folder should contain all the scripts for the project.
+ /src/ | This is the source folder that should contain the project codebase.
+ /docs/ | This folder will contain all the relevant docs for the project.
+ /logs_folder/ | This folder contains all the logs generated from running the script.
+ /sed_folder/ | This folder is used by sed to write the ARN to temp file to be used.
+ /arn_folder/ | This folder contains the role arn outputs.
+ /lambda_folder/ | This folder contains the different dummy lambda function codes & zip files.
+ /role_folder/ | This folder contains the different role configuration files represented as json.
+ /config_folder/ | This folder contains the data for configuring to the AWS account & region.
+ /test_folder/ | This folder contains the different testing methods & techniques.
### Files produced & Outputs:
These files are produced as an output as a result for running/successfully executing the script.
+ function_output | This file contains the lambda function creation execution output
+ arn_file | This file contains the arn datas for the created lambda objects
+ Lambda function | An empty framework lambda function with all the configurations setup.
+ IAM role | An IAM role that is used by the corresponding lambda function.
## Change Log:
___________________________________________________
| Version | Date | Name | Comment
|_________|______________|_______________|___________
| 0.1 | ??/11-12/22 | concieved | init project
|_________|______________|_______________|___________
| 0.2 | 25/01/23 | git init | git init
|_________|______________|_______________|___________
| 1.0 | 27/01/23 | project init | versioning
|_________|______________|_______________|___________
| 1.1 | 02/02/23 | m.v.p. | working minimum viable product
|_________|______________|_______________|___________
| 1.2 | unreleased | working adv | working advanced version
|_________|______________|_______________|__________
## Back Log:
[✓] created this...
[x] finished implementation
[x] working advanced version
[✓] 30/01/23, uncommentted functions/features ... more documentation
[✓] 02/02/23, working functions with distinguishable names
[x] need params -> advanced version
[x] other error checking
| Automatically creates a Lambda function based on the arguments of the execution call. Configures the SDK, configs and language of the lambda function | automation,aws,aws-lambda,bash,bash-scripting,dynamodb,javascript,json,mysql,nodejs | 2023-01-27T06:43:34Z | 2023-02-02T09:06:32Z | null | 1 | 0 | 24 | 0 | 0 | 2 | null | MIT | Shell |
SuboptimalEng/ray-tracing | main | # 📚 Learning Ray Tracing
This repo contains the code for various ray tracers I made using Pete
Shirley's [Ray Tracing in One Weekend](https://raytracing.github.io/books/RayTracingInOneWeekend.html) book as a reference.
| 📚 Learning the basics of Ray Tracing. | raytracer,javascript,ray-tracer,ray-tracing,raytracing,typescript,raytracing-one-weekend,cplusplus,cpp | 2023-02-04T15:55:33Z | 2023-07-12T22:20:49Z | null | 1 | 0 | 98 | 0 | 0 | 2 | null | MIT | TypeScript |
oscarrc/Tactylophone | master | [](https://ko-fi.com/Y8Y43D7I3)
## Tactylophone
A synthetizer at your fingertips

<table>
<tr>
<td align="center">
<a href="https://tactylophone.oscarrc.me" target="_BLANK">
<img width="175" src="https://user-images.githubusercontent.com/3104648/28969264-d14f6178-791b-11e7-9399-e7820d6aaa39.png" alt="PWA"></a>
</td>
<td align="center">
<a href="https://play.google.com/store/apps/details?id=me.oscarrc.tactylophone.twa" target="_BLANK"><img width="200" src="https://play.google.com/intl/en_us/badges/static/images/badges/en_badge_web_generic.png" alt="Play Store"/></a>
</td>
</tr>
</table>
---
### How it works
1. Visit the [Tactylophone web page](https://tactylophone.oscarrc.me) or install [the Tactylophone app](https://play.google.com/store/apps/details?id=me.oscarrc.tactylophone.twa).
2. Turn on the Tactylophone by clicking on the power switch
3. Start playing
### Features
* Fully playable monophonic synthesizer
* Vibrato effect
* Three tunning modes
* Convenient key bindigs:
* `p` to toggle power
* `v` to toggle vibrato
* `1`, `2` & `3` to select the tuning
### Found a bug?
Open an [issue](https://github.com/oscarrc/tactylophone/issues) and let me know.
### Do you wanna help?
[Buy me a coffee](https://ko-fi.com/Y8Y43D7I3), and feel free to open a PR
### License
This work is license under the [MIT License](https://github.com/oscarrc/tactylophone/blob/master/LICENSE)
Google Play and the Google Play logo are trademarks of Google LLC. | A synthetizer at your fingertips | css3,html5,javascript | 2023-01-31T11:34:31Z | 2023-08-23T07:21:51Z | 2023-02-13T15:37:04Z | 1 | 1 | 128 | 0 | 0 | 2 | null | MIT | HTML |
iriscacais/iris-cacais-portfolio | main | null | Portfólio pessoal desenvolvido em react | css3,html,javascript,react | 2023-01-29T21:44:39Z | 2023-02-26T00:53:18Z | null | 1 | 1 | 30 | 0 | 0 | 2 | null | null | JavaScript |
Amirsamrezv/oxygen-bootstrap-landing-page | main | # oxygen-bootstrap-landing-page
Bootstrap landing page template
Landing page benefits
The landing page is one of the most important parts of the site in digital marketing. The landing page can display your purpose of sales, introduction, marketing, information gathering, etc. well and play a significant role in attracting customers and site users. A good landing page can turn the user of the site into a customer, it is enough to use attractive links to read the content, receive services or buy products, in this case you will see what kind of commotion the landing page will create and how much Increases your sales.
Oxygen corporate site landing page bootstrap template
The above template is a simple but attractive template in which you can easily display all the benefits of your company. It should be mentioned that you can add to its attractiveness by changing the color of the template and coordinating it according to your taste. This template is designed so that you can introduce the company, introduce services and receive information from the user. Other features of this format:
Persian and right folded
Simple and understandable coding
Use of icons font
Fully reactive and responsive
Written with bootstrap
Has a responsive menu
Has a menu and sub-menu
Ability to display video
Has counter of products and services
Ability to display comments as a slide
Using responsive tabs to display services
Has a form to receive user information
Written with JavaScript and jQuery
| Bootstrap landing page template | bootstrap,bootstrap5,css,css3,developer,development,environment,front-end-development,frontend,html | 2023-01-29T21:14:24Z | 2023-01-29T21:20:09Z | null | 1 | 0 | 4 | 0 | 0 | 2 | null | null | CSS |
JesusRomanDev/Anime-Watchlist | master | # Mirai Anime Watchlist
Este proyecto fue creado con la finalidad de juntar HTML CSS y JavaScript, con fines educativos.

## Agregando a la Watchlist algun Anime

Al poner el mouse sobre la watchlist apareceran los animes que hemos agregado con el boton de "Add to Watchlist"
## Si no hay algun anime en la lista y nos vamos a Watchlist nos dira que esta vacio

Lo mismo nos dira si vaciamos totalmente los animes
| Practice of an Anime Webpage with JS | css,html,javascript | 2023-02-07T18:57:03Z | 2023-02-20T03:43:14Z | null | 1 | 0 | 10 | 0 | 0 | 2 | null | null | HTML |
Rafa-KozAnd/Ignite_Node.js_Challenge_04 | main | <p align="center">
<img src="http://img.shields.io/static/v1?label=STATUS&message=Concluded&color=blue&style=flat"/>
<img alt="GitHub language count" src="https://img.shields.io/github/languages/count/Rafa-KozAnd/Ignite_Node.js_Challenge_04">
<img alt="GitHub language count" src="https://img.shields.io/github/languages/top/Rafa-KozAnd/Ignite_Node.js_Challenge_04">
<img alt="GitHub repo file count" src="https://img.shields.io/github/directory-file-count/Rafa-KozAnd/Ignite_Node.js_Challenge_04">
<img alt="GitHub repo size" src="https://img.shields.io/github/repo-size/Rafa-KozAnd/Ignite_Node.js_Challenge_04">
<img alt="GitHub language count" src="https://img.shields.io/github/license/Rafa-KozAnd/Ignite_Node.js_Challenge_04">
</p>
# Ignite_Node.js_Challenge_04
Node JS challenge done with 'Rocketseat' Ignite course. ("Desafio 04 - Introdução ao SOLID & Documentando com Swagger")
# Desafio - Introdução ao SOLID
## 💻 Sobre o desafio
Nesse desafio, você deverá criar uma aplicação para treinar o que aprendeu até agora no Node.js!
Essa será uma aplicação de listagem e cadastro de usuários. Para que a listagem de usuários funcione, o usuário que solicita a listagem deve ser um admin (mais detalhes ao longo da descrição).
# Desafio - Documentando com Swagger
## 💻 Sobre o desafio
Nesse desafio, você deverá criar uma aplicação para treinar o que aprendeu até agora no Node.js!
Utilizando uma aplicação já funcional como base, realize a documentação das rotas com o Swagger.
| Node JS challenge done with 'Rocketseat' Ignite course. ("Desafio 04 - Introdução ao SOLID & Documentando com Swagger") | ignite,ignite-nodejs,ignite-rocketseat,javascript,nodejs,rocketseat,typescript | 2023-02-08T21:35:59Z | 2023-04-20T13:27:54Z | null | 1 | 0 | 4 | 0 | 0 | 2 | null | null | TypeScript |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.