diff --git a/api/gist.js b/api/gist.js index 006977613a2b4..e26f829ceb8f2 100644 --- a/api/gist.js +++ b/api/gist.js @@ -22,19 +22,27 @@ export default async (req, res) => { border_color, show_owner, hide_border, + json, } = req.query; - res.setHeader("Content-Type", "image/svg+xml"); + const returnJson = parseBoolean(json); + + res.setHeader( + "Content-Type", + returnJson ? "application/json" : "image/svg+xml", + ); if (locale && !isLocaleAvailable(locale)) { return res.send( - renderError("Something went wrong", "Language not found", { - title_color, - text_color, - bg_color, - border_color, - theme, - }), + returnJson + ? { error: "Language not found" } + : renderError("Something went wrong", "Language not found", { + title_color, + text_color, + bg_color, + border_color, + theme, + }), ); } @@ -55,6 +63,10 @@ export default async (req, res) => { `max-age=${cacheSeconds}, s-maxage=${cacheSeconds}`, ); + if (returnJson) { + return res.send(gistData); + } + return res.send( renderGistCard(gistData, { title_color, @@ -77,13 +89,15 @@ export default async (req, res) => { }, stale-while-revalidate=${CONSTANTS.ONE_DAY}`, ); // Use lower cache period for errors. return res.send( - renderError(err.message, err.secondaryMessage, { - title_color, - text_color, - bg_color, - border_color, - theme, - }), + returnJson + ? { error: err.message, secondaryMessage: err.secondaryMessage } + : renderError(err.message, err.secondaryMessage, { + title_color, + text_color, + bg_color, + border_color, + theme, + }), ); } }; diff --git a/api/index.js b/api/index.js index ef41fa139755f..48b940eff0b23 100644 --- a/api/index.js +++ b/api/index.js @@ -38,30 +38,41 @@ export default async (req, res) => { border_color, rank_icon, show, + json, } = req.query; - res.setHeader("Content-Type", "image/svg+xml"); + + const returnJson = parseBoolean(json); + + res.setHeader( + "Content-Type", + returnJson ? "application/json" : "image/svg+xml", + ); if (blacklist.includes(username)) { return res.send( - renderError("Something went wrong", "This username is blacklisted", { - title_color, - text_color, - bg_color, - border_color, - theme, - }), + returnJson + ? { error: "This username is blacklisted" } + : renderError("Something went wrong", "This username is blacklisted", { + title_color, + text_color, + bg_color, + border_color, + theme, + }), ); } if (locale && !isLocaleAvailable(locale)) { return res.send( - renderError("Something went wrong", "Language not found", { - title_color, - text_color, - bg_color, - border_color, - theme, - }), + returnJson + ? { error: "Language not found" } + : renderError("Something went wrong", "Language not found", { + title_color, + text_color, + bg_color, + border_color, + theme, + }), ); } @@ -91,6 +102,10 @@ export default async (req, res) => { `max-age=${cacheSeconds}, s-maxage=${cacheSeconds}, stale-while-revalidate=${CONSTANTS.ONE_DAY}`, ); + if (returnJson) { + return res.send(stats); + } + return res.send( renderStatsCard(stats, { hide: parseArray(hide), @@ -126,13 +141,15 @@ export default async (req, res) => { }, stale-while-revalidate=${CONSTANTS.ONE_DAY}`, ); // Use lower cache period for errors. return res.send( - renderError(err.message, err.secondaryMessage, { - title_color, - text_color, - bg_color, - border_color, - theme, - }), + returnJson + ? { error: err.message, secondaryMessage: err.secondaryMessage } + : renderError(err.message, err.secondaryMessage, { + title_color, + text_color, + bg_color, + border_color, + theme, + }), ); } }; diff --git a/api/pin.js b/api/pin.js index b8fa617ba7860..6fd932d82a8af 100644 --- a/api/pin.js +++ b/api/pin.js @@ -25,31 +25,41 @@ export default async (req, res) => { border_radius, border_color, description_lines_count, + json, } = req.query; - res.setHeader("Content-Type", "image/svg+xml"); + const returnJson = parseBoolean(json); + + res.setHeader( + "Content-Type", + returnJson ? "application/json" : "image/svg+xml", + ); if (blacklist.includes(username)) { return res.send( - renderError("Something went wrong", "This username is blacklisted", { - title_color, - text_color, - bg_color, - border_color, - theme, - }), + returnJson + ? { error: "This username is blacklisted" } + : renderError("Something went wrong", "This username is blacklisted", { + title_color, + text_color, + bg_color, + border_color, + theme, + }), ); } if (locale && !isLocaleAvailable(locale)) { return res.send( - renderError("Something went wrong", "Language not found", { - title_color, - text_color, - bg_color, - border_color, - theme, - }), + returnJson + ? { error: "Language not found" } + : renderError("Something went wrong", "Language not found", { + title_color, + text_color, + bg_color, + border_color, + theme, + }), ); } @@ -70,6 +80,10 @@ export default async (req, res) => { `max-age=${cacheSeconds}, s-maxage=${cacheSeconds}`, ); + if (returnJson) { + return res.send(repoData); + } + return res.send( renderRepoCard(repoData, { hide_border: parseBoolean(hide_border), @@ -93,13 +107,15 @@ export default async (req, res) => { }, stale-while-revalidate=${CONSTANTS.ONE_DAY}`, ); // Use lower cache period for errors. return res.send( - renderError(err.message, err.secondaryMessage, { - title_color, - text_color, - bg_color, - border_color, - theme, - }), + returnJson + ? { error: err.message, secondaryMessage: err.secondaryMessage } + : renderError(err.message, err.secondaryMessage, { + title_color, + text_color, + bg_color, + border_color, + theme, + }), ); } }; diff --git a/api/top-langs.js b/api/top-langs.js index fe5fb4afc3cfb..a441e3fcf998d 100644 --- a/api/top-langs.js +++ b/api/top-langs.js @@ -32,23 +32,36 @@ export default async (req, res) => { border_color, disable_animations, hide_progress, + json, } = req.query; - res.setHeader("Content-Type", "image/svg+xml"); + + const returnJson = parseBoolean(json); + + res.setHeader( + "Content-Type", + returnJson ? "application/json" : "image/svg+xml", + ); if (blacklist.includes(username)) { return res.send( - renderError("Something went wrong", "This username is blacklisted", { - title_color, - text_color, - bg_color, - border_color, - theme, - }), + returnJson + ? { error: "This username is blacklisted" } + : renderError("Something went wrong", "This username is blacklisted", { + title_color, + text_color, + bg_color, + border_color, + theme, + }), ); } if (locale && !isLocaleAvailable(locale)) { - return res.send(renderError("Something went wrong", "Locale not found")); + return res.send( + returnJson + ? { error: "Locale not found" } + : renderError("Something went wrong", "Locale not found"), + ); } if ( @@ -57,7 +70,9 @@ export default async (req, res) => { !["compact", "normal", "donut", "donut-vertical", "pie"].includes(layout)) ) { return res.send( - renderError("Something went wrong", "Incorrect layout input"), + returnJson + ? { error: "Incorrect layout input" } + : renderError("Something went wrong", "Incorrect layout input"), ); } @@ -82,6 +97,10 @@ export default async (req, res) => { `max-age=${cacheSeconds / 2}, s-maxage=${cacheSeconds}`, ); + if (returnJson) { + return res.send(topLangs); + } + return res.send( renderTopLanguages(topLangs, { custom_title, @@ -110,13 +129,15 @@ export default async (req, res) => { }, stale-while-revalidate=${CONSTANTS.ONE_DAY}`, ); // Use lower cache period for errors. return res.send( - renderError(err.message, err.secondaryMessage, { - title_color, - text_color, - bg_color, - border_color, - theme, - }), + returnJson + ? { error: err.message, secondaryMessage: err.secondaryMessage } + : renderError(err.message, err.secondaryMessage, { + title_color, + text_color, + bg_color, + border_color, + theme, + }), ); } }; diff --git a/api/wakatime.js b/api/wakatime.js index 1517cc496011f..d63231ee5cc21 100644 --- a/api/wakatime.js +++ b/api/wakatime.js @@ -1,4 +1,3 @@ -import { renderWakatimeCard } from "../src/cards/wakatime.js"; import { clampValue, CONSTANTS, @@ -7,6 +6,7 @@ import { renderError, } from "../src/common/utils.js"; import { fetchWakatimeStats } from "../src/fetchers/wakatime.js"; +import { renderWakatimeCard } from "../src/cards/wakatime.js"; import { isLocaleAvailable } from "../src/translations.js"; export default async (req, res) => { @@ -32,19 +32,27 @@ export default async (req, res) => { border_color, display_format, disable_animations, + json, } = req.query; - res.setHeader("Content-Type", "image/svg+xml"); + const returnJson = parseBoolean(json); + + res.setHeader( + "Content-Type", + returnJson ? "application/json" : "image/svg+xml", + ); if (locale && !isLocaleAvailable(locale)) { return res.send( - renderError("Something went wrong", "Language not found", { - title_color, - text_color, - bg_color, - border_color, - theme, - }), + returnJson + ? { error: "Language not found" } + : renderError("Something went wrong", "Language not found", { + title_color, + text_color, + bg_color, + border_color, + theme, + }), ); } @@ -67,6 +75,10 @@ export default async (req, res) => { }, s-maxage=${cacheSeconds}, stale-while-revalidate=${CONSTANTS.ONE_DAY}`, ); + if (returnJson) { + return res.send(stats); + } + return res.send( renderWakatimeCard(stats, { custom_title, @@ -97,13 +109,15 @@ export default async (req, res) => { }, stale-while-revalidate=${CONSTANTS.ONE_DAY}`, ); // Use lower cache period for errors. return res.send( - renderError(err.message, err.secondaryMessage, { - title_color, - text_color, - bg_color, - border_color, - theme, - }), + returnJson + ? { error: err.message, secondaryMessage: err.secondaryMessage } + : renderError(err.message, err.secondaryMessage, { + title_color, + text_color, + bg_color, + border_color, + theme, + }), ); } }; diff --git a/docs/readme_cn.md b/docs/readme_cn.md new file mode 100644 index 0000000000000..282bc39f47a9a --- /dev/null +++ b/docs/readme_cn.md @@ -0,0 +1,366 @@ +
+
+
在你的 README 中获取动态生成的 GitHub 统计信息!
+ +
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ 查看 Demo + · + 报告 Bug + · + 请求增加功能 +
++ Français + · + 简体中文 + · + Español + · + Deutsch + · + 日本語 + · + Português Brasileiro + · + Italiano + · + 한국어 + . + Nederlands + . + नेपाली + . + Türkçe +
+ +喜欢这个项目?请考虑捐赠来帮助它完善!
+
+# 特性
+
+- [GitHub 统计卡片](#github-统计卡片)
+ - [隐藏指定统计](#隐藏指定统计)
+ - [将私人项目贡献添加到总提交计数中](#将私人项目贡献添加到总提交计数中)
+ - [显示图标](#显示图标)
+ - [主题](#主题)
+ - [自定义](#自定义)
+- [GitHub 更多置顶](#github-更多置顶)
+ - [使用细则](#使用细则)
+ - [Demo](#demo)
+- [热门语言卡片](#热门语言卡片)
+ - [使用细则](#使用细则-1)
+ - [隐藏指定语言](#隐藏指定语言)
+ - [紧凑的语言卡片布局](#紧凑的语言卡片布局)
+ - [Demo](#demo-1)
+ - [全部 Demos](#全部-demos)
+ - [快速提示 (对齐 Repo 卡片)](#快速提示-对齐-repo-卡片)
+ - [自己部署](#自己部署)
+ - [:sparkling\_heart: 支持这个项目](#sparkling_heart-支持这个项目)
+
+# GitHub 统计卡片
+
+将这行代码复制到你的 markdown 文件中,就是如此简单!
+
+更改 `?username=` 的值为你的 GitHub 用户名。
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+_注: 等级基于用户的统计信息计算得出,详见 [src/calculateRank.js](../src/calculateRank.js)_
+
+### 隐藏指定统计
+
+想要隐藏指定统计信息,你可以调用参数 `?hide=`,其值用 `,` 分隔。
+
+> 选项:`&hide=stars,commits,prs,issues,contribs`
+
+```md
+
+```
+
+### 将私人项目贡献添加到总提交计数中
+
+你可以使用参数 `?count_private=true` 把私人贡献计数添加到总提交计数中。
+
+_注:如果你是自己部署本项目,私人贡献将会默认被计数,如果不是自己部署,你需要分享你的私人贡献计数。_
+
+> 选项: `&count_private=true`
+
+```md
+
+```
+
+### 显示图标
+
+如果想要显示图标,你可以调用 `show_icons=true` 参数,像这样:
+
+```md
+
+```
+
+### 主题
+
+你可以通过现有的主题进行卡片个性化,省去[手动自定义](#自定义)的麻烦。
+
+通过调用 `?theme=THEME_NAME` 参数,像这样:
+
+```md
+
+```
+
+#### 所有现有主题
+
+dark, radical, merko, gruvbox, tokyonight, onedark, cobalt, synthwave, highcontrast, dracula
+
+
+
+你可以预览[所有可用主题](../themes/README.md)或者签出[主题配置文件](../themes/index.js), 而且如果你喜欢, **你也可以贡献新的主题** :D
+
+### 自定义
+
+你可以通过使用 URL 参数的方式,为你的 `Stats Card` 或 `Repo Card` 自定义样式。
+
+常用选项:
+
+- `title_color` - 卡片标题颜色 _(十六进制色码)_
+- `text_color` - 内容文本颜色 _(十六进制色码)_
+- `icon_color` - 图标颜色(如果可用)_(十六进制色码)_
+- `bg_color` - 卡片背景颜色 _(十六进制色码)_ **或者** 以 _angle,start,end_ 的形式渐变
+- `hide_border` - 隐藏卡的边框 _(布尔值)_
+- `theme` - 主题名称,从[所有可用主题](../themes/README.md)中选择
+- `cache_seconds` - 手动设置缓存头 _(最小值: 14400,最大值: 86400)_
+- `locale` - 在卡片中设置语言 _(例如 cn, de, es, 等等)_
+- `json` - 输出原始 JSON 数据,而不是渲染卡片。适用于调试或在其他应用中使用数据。 _(布尔值)_
+
+##### bg_color 渐变
+
+你可以在 bg_color 选项中提供多个逗号分隔的值来呈现渐变,渐变的格式是 :-
+
+```
+&bg_color=DEG,COLOR1,COLOR2,COLOR3...COLOR10
+```
+
+> 缓存的注意事项: 如果 fork 数和 star 数 少于 1k , Repo 卡片默认缓存是 4 小时 (14400 秒) ,否则是 2 小时(7200)。另请注意缓存被限制为最短 2 小时,最长 24 小时。
+
+#### 统计卡片专属选项:
+
+- `hide` - 隐藏特定统计信息 _(以逗号分隔)_
+- `hide_title` - _(boolean)_
+- `hide_rank` - _(boolean)_
+- `show_icons` - _(boolean)_
+- `include_all_commits` - 统计总提交次数而不是仅统计今年的提交次数 _(boolean)_
+- `count_private` - 统计私人提交 _(boolean)_
+- `line_height` - 设置文本之间的行高 _(number)_
+
+#### Repo 卡片专属选项:
+
+- `show_owner` - 显示 Repo 的所有者名字 _(boolean)_
+
+#### 语言卡片专属选项:
+
+- `hide` - 从卡片中隐藏指定语言 _(Comma seperated values)_
+- `hide_title` - _(boolean)_
+- `layout` - 提供五种布局 `normal` & `compact` & `donut` & `donut-vertical` & `pie` 间切换
+- `card_width` - 手动设置卡片的宽度 _(number)_
+
+> :warning: **重要:**
+> 如 [Percent Encoding](https://en.wikipedia.org/wiki/Percent-encoding) 所指定,语言名称应使用 uri 转义。
+> (例: `c++` 应该是 `c%2B%2B`, `jupyter notebook` 应该是 `jupyter%20notebook`, 等.)
+
+---
+
+# GitHub 更多置顶
+
+GitHub 更多置顶 允许你在使用 GitHub readme profile 时,在个人资料中置顶多于 6 个 repo 。
+
+是的!你不再受限于置顶最多 6 个存储库了。
+
+### 使用细则
+
+复制粘贴这段代码到你的 README 文件中,并更改链接。
+
+端点: `api/pin?username=anuraghazra&repo=github-readme-stats`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Demo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+使用 [show_owner](#自定义) 变量将 Repo 所有者的用户名包含在内。
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# 热门语言卡片
+
+热门语言卡片显示了 GitHub 用户常用的编程语言。
+
+_注意:热门语言并不表示我的技能水平或类似的水平,它是用来衡量用户在 github 上拥有最多代码的语言的一项指标,它是 github-readme-stats 的新特性_
+
+### 使用细则
+
+将此代码复制粘贴到您的 `README.md` 文件中,并修改链接。
+
+端点: `api/top-langs?username=anuraghazra`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### 隐藏指定语言
+
+可以使用 `?hide=language1,language2` 参数来隐藏指定的语言。
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### 紧凑的语言卡片布局
+
+你可以使用 `&layout=compact` 参数来改变卡片的样式。
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Demo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- 紧凑布局
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### 全部 Demos
+
+- 默认
+
+
+
+- 隐藏指定统计
+
+
+
+- 显示图标
+
+
+
+- 包含全部提交
+
+
+
+- 主题
+
+从[默认主题](#主题)中进行选择
+
+
+
+- 渐变
+
+
+
+- 自定义统计卡片
+
+
+
+- 自定义 repo 卡片
+
+
+
+- 热门语言
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### 快速提示 (对齐 Repo 卡片)
+
+你通常无法将图片靠边显示。为此,您可以使用以下方法:
+
+```html
+
+
+
+
+
+
+```
+
+## 自己部署
+
+#### [查看分步视频教程 作者:@codeSTACKr](https://youtu.be/n6d4KHSKqGk?t=107)
+
+因为 GitHub 的 API 每个小时只允许 5 千次请求,我的 `https://github-readme-stats.vercel.app/api` 很有可能会触发限制。如果你将其托管在自己的 Vercel 服务器上,那么你就不必为此担心。点击 deploy 按钮来开始你的部署!
+
+注意: 从 [#58](https://github.com/anuraghazra/github-readme-stats/pull/58) 开始,我们应该能够处理超过 5 千次的请求,并且不会出现宕机问题 :D
+
+[](https://vercel.com/import/project?template=https://github.com/anuraghazra/github-readme-stats)
+
+
设置 Vercel 的指导
+
+1. 前往 [vercel.com](https://vercel.com/)
+1. 点击 `Log in`
+ 
+1. 点击 `Continue with GitHub` 通过 GitHub 进行登录
+ 
+1. 登录 GitHub 并允许访问所有存储库(如果系统这样提示)
+1. Fork 这个仓库
+1. 返回到你的 [Vercel dashboard](https://vercel.com/dashboard)
+1. 选择 `Import Project`
+ 
+1. 选择 `Import Git Repository`
+ 
+1. 选择 root 并将所有内容保持不变,并且只需添加名为 PAT_1 的环境变量(如图所示),其中将包含一个个人访问令牌(PAT),你可以在[这里](https://github.com/settings/tokens/new)轻松创建(保留默认,并且只需要命名下,名字随便)
+ 
+1. 点击 deploy,这就完成了,查看你的域名就可使用 API 了!
+
+
+
+
Zeige dynamisch generierte GitHub-Statistiken in deinen Readmes!
+ + +
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Beispiele ansehen + · + Fehler melden + · + Funktion wünschen +
++ Français + · + 简体中文 + · + Español + · + Deutsch + · + 日本語 + · + Português Brasileiro + · + Italiano + · + 한국어 + . + Nederlands + . + नेपाली + . + Türkçe +
+ +Du magst das Projekt? Wie wäre es mit einer kleinen Spende um es weiterhin am Leben zu erhalten?
+
+# Funktionen
+
+- [GitHub Statistiken-Karte](#github-statistiken-karte)
+ - [Verbergen individueller Statistiken](#verbergen-individueller-statistiken)
+ - [Symbole anzeigen](#symbole-anzeigen)
+ - [Erscheinungsbild/Themes](#erscheinungsbildthemes)
+ - [Anpassungen/Personalisierung](#anpassungenpersonalisierung)
+- [GitHub Extra-Pins](#github-extra-pins)
+ - [Benutzung](#benutzung)
+ - [Beispiele](#beispiele)
+- [Top Programmiersprachen-Karte](#top-programmiersprachen-karte)
+ - [Benutzung](#benutzung-1)
+ - [Verbirg einzelne Sprachen](#verbirg-einzelne-sprachen)
+ - [Kompaktes Sprachen-Karte Layout](#kompaktes-sprachen-karte-layout)
+ - [Beispiel](#beispiel)
+- [WakaTime Wochen-Statistik](#wakatime-wochen-statistik)
+ - [Beispiel](#beispiel-1)
+ - [Alle Beispiele](#alle-beispiele)
+ - [Kleiner Tipp (Ausrichten der Repo-Karte)](#kleiner-tipp-ausrichten-der-repo-karte)
+ - [Betreibe es auf deiner eigenen Vercel-Instanz](#betreibe-es-auf-deiner-eigenen-vercel-instanz)
+ - [:sparkling\_heart: Unterstütze das Projekt](#sparkling_heart-unterstütze-das-projekt)
+
+# GitHub Statistiken-Karte
+
+Kopiere folgendes in deine Readme um die Statistiken zu benutzen.
+Passe den Wert des URL-Parameters `?username=` so an, dass dort dein GitHub-Nutzername steht.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+_Hinweis: Die Berechnung des Ranges basiert auf den jeweiligen Benutzerstatistiken, siehe [src/calculateRank.js](../src/calculateRank.js)_
+
+### Verbergen individueller Statistiken
+
+Um eine spezifische Statistik auszublenden, kann dem Query-Parameter `?hide=` ein Array an Optionen, die nicht angezeigt werden sollen, übergeben werden.
+
+> Optionen: `&hide=stars,commits,prs,issues,contribs`
+
+```md
+
+```
+
+### Symbole anzeigen
+
+Um Symbole anzuzeigen kann der URL-Parameter `show_icons=true` wie folgt verwendet werden:
+
+```md
+
+```
+
+### Erscheinungsbild/Themes
+
+Mithilfe der eingebauten Themes kann das Aussehen der Karten verändern werden, ohne manuelle Anpassungen vornehmen zu müssen.
+
+Benutze den `?theme=THEME_NAME`-Parameter wie folgt :-
+
+```md
+
+```
+
+#### Alle eingebauten Themes :-
+
+dark, radical, merko, gruvbox, tokyonight, onedark, cobalt, synthwave, highcontrast, dracula
+
+
+
+Du kannst dir eine Vorschau [aller verfügbaren Themes](../themes/README.md) ansehen oder die [theme config Datei](../themes/index.js) ansehen.
+Außerdem **kannst du neue Themes erstellen**, Beiträge an diesem Projekt sind gerne gesehen! :D
+
+### Anpassungen/Personalisierung
+
+Du kannst das Erscheinungsbild deiner `Stats Card` oder `Repo Card`, mithilfe von URL-Parametern, nach deinen Vorlieben anpassen.
+
+#### Verbreitete Optionen:
+
+- `title_color` - Titelfarbe _(hex color)_
+- `text_color` - Textkörperfarbe _(hex color)_
+- `icon_color` - Symbolfarbe (falls verfügbar) _(hex color)_
+- `bg_color` - Hintergrundfarbe _(hex color)_ **oder** ein Farbverlauf in der Form von _winkel,start,ende_
+- `hide_border` - Blendet den Rand der Karte aus _(Boolean)_
+- `theme` - Name des Erscheinungsbildes/Themes [alle verfügbaren Themes](../themes/README.md)
+- `cache_seconds` - manuelles festlegen der Cachezeiten _(min: 14400, max: 86400)_
+- `locale` - Stellen Sie die Sprache auf der Karte ein _(z.B. cn, de, es, etc.)_
+- `json` - Gibt rohe JSON-Daten aus, anstatt eine Karte zu rendern. Nützlich zum Debuggen oder für die Verwendung der Daten in anderen Anwendungen. _(Boolean)_
+
+##### Farbverlauf in bg_color
+
+Du kannst mehrere, mit Kommas separierte, Werte in der bg_color Option angeben, um einen Farbverlauf anzuzeigen. Das Format ist:-
+
+```
+&bg_color=WINKEL,FARBE1,FARBE2,FARBE3...FARBE10
+```
+
+> Hinweis bzgl. des Caches: Wenn die Anzahl der Forks und Stars geringer als 1 Tsd. ist, haben die Repo-Cards eine Standard-Cachezeit von 30 Minuten (1800 Sekunden), ansonsten beträgt diese 2 Stunden (7200 Sekunden). Außerdem ist der Cache auf ein Minimum von 30 Minuten und ein Maximum von 24 Stunden begrenzt.
+
+#### Exklusive Optionen der Statistiken-Karte:
+
+- `hide` - Verbirgt die [angegeben Elemente](#verbergen-individueller-statistiken) _(mit Komma abgegrenzte Werte)_
+- `hide_title` - _(Boolean)_
+- `hide_rank` - _(Boolean)_
+- `show_icons` - _(Boolean)_
+- `include_all_commits` - Zähle alle Beiträge anstatt nur das aktuelle Jahr _(Boolean)_
+- `count_private` - Zähle private Beiträge _(Boolean)_
+- `line_height` - Legt die Zeilenhöhe zwischen Text fest _(Zahl)_
+
+#### Exklusive Optionen der Repo-Karte:
+
+- `show_owner` - Zeigt den Besitzer des Repos _(Boolean)_
+
+#### Exklusive Optionen der Sprachen-Karte:
+
+- `hide` - Verbirgt die angegebenen Sprachen von der Karte _(Komma separierte Werte)_
+- `hide_title` - _(Boolean)_
+- `layout` - Wechseln Sie zwischen den fünf verfügbaren Layouts `normal` & `compact` & `donut` & `donut-vertical` & `pie`
+- `card_width` - Lege die Breite der Karte manuell fest _(Zahl)_
+
+> :warning: **Wichtig:**
+> Sprachennamen sollten uri-escaped sein, wie hier angegeben: [Percent Encoding](https://en.wikipedia.org/wiki/Percent-encoding)
+> (z.B.: `c++` sollte zu `c%2B%2B` werden, `jupyter notebook` sollte zu `jupyter%20notebook` werden, usw.)
+
+#### Exklusive Optionen der WakaTime-Karte:
+
+- `hide_title` - _(Boolean)_
+- `line_height` - Legt die Zeilenhöhe des Texts fest _(Zahl)_
+- `hide_progress` - Verbirgt die Fortschrittsanzeige und Prozentzahl _(Boolean)_
+- `custom_title` - Legt einen benutzerdefinierten Titel fest
+- `layout` - Wechselt zwischen zwei verschiedenen Layouts: `default` & `compact`
+- `langs_count` - Begrenzt die Anzahl der angezeigten Sprachen auf der Karte
+- `api_domain` - Legt eine benutzerdefinierte API Domain fest, z.B. für [Hakatime](https://github.com/mujx/hakatime) oder [Wakapi](https://github.com/muety/wakapi)
+- `range` – Fragt eine andere Zeitspanne an, als jene, welche standardmäßig in WakaTime hinterlegt ist. Zum Beispiel `last_7_days`. Siehe [WakaTime API Dokumentation](https://wakatime.com/developers#stats).
+
+---
+
+# GitHub Extra-Pins
+
+GitHub Extra-Pins ermöglicht es mit Hilfe einer Readme auf deinem Profil mehr als 6 Repositories anzuzeigen.
+
+Und Bääm! Du bist nicht mehr auf 6 angeheftete Repositories limitiert.
+
+### Benutzung
+
+Füge diesen Code in deine Readme-Datei ein und passe die Links an.
+Passe den Wert des URL-Parameters `?username=` so an, dass dort dein GitHub-Nutzername steht.
+Den Wert des URL-Parameters `?repo=` musst du so anpassen, dass dort der Namen deines Repositorys steht.
+
+Endpunkt: `api/pin?username=anuraghazra&repo=github-readme-stats`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Beispiele
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+Benutze die [show_owner](#anpassungenpersonalisierung) Variable, um den Nutzernamen des Repository-Eigentümers anzuzeigen.
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# Top Programmiersprachen-Karte
+
+Die Top Programmiersprachen-Karte visualisiert die am meisten benutzten Programmiersprachen eines GitHub-Nutzers.
+
+_HINWEIS: Die Top Programmiersprachen treffen keine Aussage über persönliche Fähigkeiten oder dergleichen, es ist lediglich eine auf den GitHub-Statistiken des Nutzers basierende Kennzahl, welche Programmiersprache wie häufig verwendet wurde._
+
+### Benutzung
+
+Füge diesen Code in deine Readme-Datei ein und passe die Links an.
+Passe den Wert des URL-Parameters `?username=` so an, dass dort dein GitHub-Nutzername steht.
+
+Endpunkt: `api/top-langs?username=anuraghazra`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Verbirg einzelne Sprachen
+
+Du kannst den `?hide=language1,language2` URL-Parameter benutzen, um einzelne Sprachen auszublenden.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Kompaktes Sprachen-Karte Layout
+
+Du kannst die `&layout=compact` Option nutzen, um das Kartendesign zu ändern.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Beispiel
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- Kompaktes Layout
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# WakaTime Wochen-Statistik
+
+Ändere `?username=` in den eigenen [WakaTime](https://wakatime.com)-Benutzernamen.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Beispiel
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- Kompaktes Layout
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### Alle Beispiele
+
+- Default
+
+
+
+- Ausblenden bestimmter Statistiken
+
+
+
+- Symbole anzeigen
+
+
+
+- Alle Beiträge anzeigen
+
+
+
+- Erscheinungsbild/Themes
+
+Wähle Eines von den [Standard-Themes](#themes)
+
+
+
+- Farbverlauf
+
+
+
+- Statistiken-Karte anpassen
+
+
+
+- Repo-Karte(Extra-Pin) anpassen
+
+
+
+- Top Programmiersprachen
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### Kleiner Tipp (Ausrichten der Repo-Karte)
+
+Üblicherweise ist es in `.md`-Dateien nicht möglich Bilder nebeneinander anzuzeigen. Um dies zu ermöglichen, kannst du folgendes tun:
+
+```html
+
+
+
+
+
+
+```
+
+## Betreibe es auf deiner eigenen Vercel-Instanz
+
+#### [Schritt für Schritt YouTube Tutorial by @codeSTACKr](https://youtu.be/n6d4KHSKqGk?t=107)
+
+Da die GitHub API nur 5 Tsd. Aufrufe pro Stunde zulässt, kann es passieren, dass meine `https://github-readme-stats.vercel.app/api` dieses Limit erreicht.
+Wenn du es auf deinem eigenen Vercel-Server hostest, brauchst du dich darum nicht zu kümmern. Klicke auf den Deploy-Knopf um loszulegen!
+
+Hinweis: Seit [#58](https://github.com/anuraghazra/github-readme-stats/pull/58) sollte es möglich sein, mehr als 5 Tsd Aufrufe pro Stunde ohne Downtimes zu verkraften :D
+
+[](https://vercel.com/import/project?template=https://github.com/anuraghazra/github-readme-stats)
+
+
Anleitung zum Einrichten von Vercel 🔨
+
+1. Gehe zu [vercel.com](https://vercel.com/)
+1. Klicke auf `Log in`
+ 
+1. Melde dich mit deinem GitHub-account an, indem du `Continue with GitHub` klickst
+ 
+1. Verbinde dich mit GitHub und erlaube den Zugriff auf alle Repositories (falls gefordert)
+1. Forke dieses Repository
+1. Gehe zurück zu deinem [Vercel Dashboard](https://vercel.com/dashboard)
+1. Klick `Import Project`
+ 
+1. Klick `Import Git Repository`
+ 
+1. Wähle root und füge eine Umgebungsvariable namens PAT_1 (siehe Abbildung) die als Wert deinen persönlichen Access Token (PAT) hat hinzu, den du einfach [hier](https://github.com/settings/tokens/new) erzeugen kannst (lasse alles wie es ist, vergebe einen beliebigen Namen)
+ 
+1. Klicke auf `Deploy`, und das wars. Besuche deine Domains um die API zu benutzen!
+
+
+
¡Obtén tus estadísticas de GitHub generadas dinámicamente en tu README!
+ + +
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Ver un ejemplo + · + Reportar un bug + · + Solicitar una mejora +
++ Français + · + 简体中文 + · + Español + · + Deutsch + · + 日本語 + · + Português Brasileiro + · + Italiano + · + 한국어 + . + Nederlands + . + Türkçe + . + नेपाली +
+ +¿Te gusta este proyecto? ¡Por favor, considera donar para ayudar a mejorarlo!
+
+# Características
+
+- [Tarjeta de estadísticas de GitHub](#tarjeta-de-estadísticas-de-github)
+ - [Ocultar estadísticas individualmente](#ocultar-estadísticas-individualmente)
+ - [Agregar contribuciones privadas al total de commits contados](#agregar-contribuciones-privadas-al-total-de-commits-contados)
+ - [Mostrar íconos](#mostrar-íconos)
+ - [Temas](#temas)
+ - [Personalización](#personalización)
+- [Pines adicionales de GitHub](#pines-adicionales-de-github)
+ - [Utilización](#utilización)
+ - [Ejemplo](#ejemplo)
+- [Tarjeta de Lenguajes Principales](#tarjeta-de-lenguajes-principales)
+ - [Utilización](#utilización-1)
+ - [Excluir repositorios individualmente](#excluir-repositorios-individualmente)
+ - [Ocultar lenguajes individualmente](#ocultar-lenguajes-individualmente)
+ - [Mostrar más lenguajes](#mostrar-más-lenguajes)
+ - [Diseño Compacto de Tarjeta de Lenguaje](#diseño-compacto-de-tarjeta-de-lenguaje)
+ - [Ejemplo](#ejemplo-1)
+- [Estadísticas de la semana de WakaTime](#estadísticas-de-la-semana-de-wakatime)
+ - [Ejemplo](#ejemplo-2)
+ - [Todos los ejemplos](#todos-los-ejemplos)
+ - [Consejo rápido (para alinear las tarjetas de repositorio)](#consejo-rápido-para-alinear-las-tarjetas-de-repositorio)
+ - [Despliega tu propia instancia de Vercel](#despliega-tu-propia-instancia-de-vercel)
+ - [:sparkling\_heart: Apoya al proyecto](#sparkling_heart-apoya-al-proyecto)
+
+# Tarjeta de estadísticas de GitHub
+
+Copia y pega esto en el contenido de tu README.md y listo. ¡Simple!
+
+Cambia el valor de `?username=` al nombre de tu usuario de GitHub.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+_Nota: Los rangos disponibles son S+ (top 1%), S (top 25%), A++ (top 45%), A+ (top 60%) y B+ (todos). Los valores se calculan utilizando la [función de distribución acumulada](https://es.wikipedia.org/wiki/Funci%C3%B3n_de_distribuci%C3%B3n) utilizando commits, contribuciones, issues, estrellas, pull request, seguidores y repositorios propios. Puedes investigar más sobre la implementación en [src/calculateRank.js](../src/calculateRank.js)._
+
+### Ocultar estadísticas individualmente
+
+Para ocultar alguna estadística específica, puedes utilizar el parámetro `?hide=` con los elementos que quieras ocultar separados por comas.
+
+> Opciones: `&hide=stars,commits,prs,issues,contribs`
+
+```md
+
+```
+
+### Agregar contribuciones privadas al total de commits contados
+
+Puedes agregar el recuento de todas sus contribuciones privadas al recuento total de commits utilizando el parámetro `?count_private=true`.
+
+_Nota: Si estás desplegando este proyecto tú mismo, las contribuciones privadas se contarán de manera predeterminada; de lo contrario, deberás elegir compartir el recuento de sus contribuciones privadas._
+
+> Opciones: `&count_private=true`
+
+```md
+
+```
+
+### Mostrar íconos
+
+Para habilitar los íconos, puedes utilizar `show_icons=true` como parámetro, de esta manera:
+
+```md
+
+```
+
+### Temas
+
+Puedes personalizar el aspecto de la tarjeta sin realizar ninguna [personalización manual](#personalización) con los temas incorporados.
+
+Utiliza el parámetro `?theme=THEME_NAME`, de esta manera:
+
+```md
+
+```
+
+#### Todos los temas incorporados
+
+dark, radical, merko, gruvbox, tokyonight, onedark, cobalt, synthwave, highcontrast, dracula
+
+
+
+Puedes ver una vista previa de [todos los temas disponibles](../themes/README.md) o ver el [archivo de configuración](../themes/index.js) del tema y también **puedes contribuir con nuevos temas** si lo deseas :D
+
+### Personalización
+
+Puedes personalizar el aspecto de tu `Tarjeta de Estadísticas` o `Tarjeta de Repo` de la manera que desees con los parámetros URL.
+
+#### Opciones Comunes:
+
+- `title_color` - Color del título _(hex color)_
+- `text_color` - Color del contenido _(hex color)_
+- `icon_color` - Color de icono si esta disponible _(hex color)_
+- `bg_color` - Color de fondo _(hex color)_
+- `hide_border` - Oculta el borde de la tarjeta _(booleano)_
+- `theme` - Nombre del tema, elige uno de [todos los temas disponible ](../themes/README.md)
+- `cache_seconds` - Cache _(min: 14400, max: 86400)_
+- `locale` - configurar el idioma en la tarjeta _(p.ej. cn, de, es, etc.)_
+- `json` - Muestra datos JSON en bruto en lugar de renderizar una tarjeta. Útil para depuración o para usar datos en otras aplicaciones. _(booleano)_
+
+##### Gradiente en `bg_color`
+
+Puedes pasar mútliples valores separados por coma en la opción `bg_color` para dibujar un gradiente, el formato del gradiente es:
+
+```
+&bg_color=DEG,COLOR1,COLOR2,COLOR3...COLOR10
+```
+
+> Nota sobre la caché: las tarjetas de Repo tienen un caché predeterminado de 4 horas (14400 segundos) si el recuento forks y el recuento de estrellas es inferior a 1k; de lo contrario, son 2 horas (7200 segundos). También ten en cuenta que la caché está sujeta a un mínimo de 2 horas y un máximo de 24 horas
+
+#### Opciones exclusivas de la Tarjeta de Estadísticas:
+
+- `hide` - Oculta de las estadísticas [los elementos especificados](#ocultar-estadísticas-individualmente) _(valores separados por comas)_
+- `hide_title` - _(booleano)_
+- `hide_rank` - _(booleano)_
+- `show_icons` - _(booleano)_
+- `include_all_commits` - Cuenta el total de commits en lugar de solo los commits del año actual _(boolean)_
+- `count_private` - Cuenta los commits privadas _(boolean)_
+- `line_height` - Establece el alto de línea entre texto _(número)_
+- `custom_title` - Establece un título personalizado
+- [`disable_animations`] - Desactiva todas las animaciones _(booleano)_
+
+#### Opciones exclusivas de la Tarjeta de Repo:
+
+- `show_owner` - Mostrar el nombre del propietario del repositorio _(booleano)_
+
+#### Opciones exclusivas de la Tarjeta de Lenguajes:
+
+- `hide` - Oculta de la tarjeta los lenguajes especificados _(valores separados por comas)_
+- `hide_title` - _(booleano)_
+- `layout` - Cambiar entre los cinco diseños disponibles `normal` & `compact` & `donut` & `donut-vertical` & `pie`
+- `card_width` - Establece el ancho de la tarjeta manualmente _(número)_
+- `langs_count` - Muestra más lenguajes en la tarjeta, entre 1-10, por defecto 5 _(número)_
+- `exclude_repo` - Excluye los repositorios especificados _(valores separados por comas)_
+- `custom_title` - Establece un título personalizado
+
+> :warning: **Importante:**
+> Los nombres de los lenguajes deben estar codificados para URLs, como se especifica en [Código porciento](https://es.wikipedia.org/wiki/C%C3%B3digo_porciento)
+> (es decir: `c++` debería convertirse en `c%2B%2B`,`jupyter notebook` debería convertirse en `jupyter%20notebook`, etc.)
+
+#### Opciones exclusivas de la Tarjeta de WakaTime:
+
+- `hide_title` - _(booleano)_
+- `line_height` - Establece el alto de línea entre texto _(número)_
+- `hide_progress` - Oculta la barra de progreso y el porcentaje _(booleano)_
+- `custom_title` - Establece un título personalizado
+- `layout` - Cambia entre los dos diseños disponibles `default` & `compact`
+- `langs_count` - Limita el número de idiomas que aparecen en el mapa
+- `api_domain` - Establece un dominio de API personalizado para la tarjeta
+
+---
+
+# Pines adicionales de GitHub
+
+Los pines adicionales de GitHub le permiten fijar más de 6 repositorios en su perfil utilizando un perfil readme de GitHub.
+
+¡Yey! Ya no está limitado a 6 repositorios pinneados.
+
+### Utilización
+
+Copia y pegua este código en tu Readme y cambia los enlaces.
+
+Endpoint: `api/pin?username=anuraghazra&repo=github-readme-stats`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Ejemplo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+Utiliza la variable [show_owner](#customización) para incluir el nombre de usuario del propietario del repositorio.
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# Tarjeta de Lenguajes Principales
+
+La tarjeta de lenguajes principales muestra los lenguajes principales del usuario de GitHub que se han utilizado principalmente.
+
+_NOTA: los lenguajes principales no indican mi nivel de habilidad o algo así, es una métrica de GitHub de los lenguajes que tengo más código en GitHub. Es una nueva característica de github-readme-stats_
+
+### Utilización
+
+Copia y pegua este código en tu Readme y cambia los enlaces.
+
+Endpoint: `api/top-langs?username=anuraghazra`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Excluir repositorios individualmente
+
+Puedes usar el parámetro `?exclude_repo=repo1,repo2` para ocultar repositorios individualmente.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Ocultar lenguajes individualmente
+
+Puedes usar el parámetro `?hide=language1,language2` para ocultar lenguajes individualmente.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Mostrar más lenguajes
+
+Puedes usar el paramétro `&langs_count=` para incrementar o decrementar el número de lenguajes mostrados en la tarjeta. Los valores admitidos son los números enteros entre 1 y 10 (inclusive), y el valor por defecto es 5.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Diseño Compacto de Tarjeta de Lenguaje
+
+Puedes usar la opción `& layout = compact` para cambiar el diseño de la tarjeta.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Ejemplo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- Diseño compacto
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# Estadísticas de la semana de WakaTime
+
+cambia el valor del parámetro `?username=` a tu username en [WakaTime](https://wakatime.com).
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Ejemplo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- Diseño compacto
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### Todos los ejemplos
+
+- Por defecto
+
+
+
+- Ocultando ciertas estadísticas
+
+
+
+- Mostrando íconos
+
+
+
+- Incluyendo todos los commits
+
+
+
+- Temas
+
+Escoja cualquiera de los [temas por defecto](#themes)
+
+
+
+- Gradiente
+
+
+
+- Personalizando Tarjeta de Estadísticas
+
+
+
+- Estableciendo Idioma de la tarjeta
+
+
+
+- Personalizando Tarjeta de Repo
+
+
+
+- Lenguajes Top
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- Tarjeta de WakaTime
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### Consejo rápido (para alinear las tarjetas de repositorio)
+
+Por lo general, no podrás acomodar las imágenes una al lado de la otra. Para hacerlo, puede usar este enfoque:
+
+```html
+
+
+
+
+
+
+```
+
+## Despliega tu propia instancia de Vercel
+
+#### [Échale un vistazo a este tutorial paso a paso de @codeSTACKr](https://youtu.be/n6d4KHSKqGk?t=107)
+
+Desde que la API de GitHub permite solo 5k peticiones por hora, es posible que mi `https://github-readme-stats.vercel.app/api` pueda llegar al límite. Si lo alojas en tu propio servidor de Vercel, no tendrás que preocuparte de nada. ¡Clickea en el botón "Deploy" para comenzar!
+
+NOTA: Debido a [#58](https://github.com/anuraghazra/github-readme-stats/pull/58) podríamos manejar más de 5k peticiones sin tener ningún problema con el downtime :D
+
+[](https://vercel.com/import/project?template=https://github.com/anuraghazra/github-readme-stats)
+
+
Guía para comenzar en Vercel
+
+1. Ve a [vercel.com](https://vercel.com/)
+2. Clickea en `Log in`
+ 
+3. Inicia sesión con GitHub presionando `Continue with GitHub`
+ 
+4. Permite el acceso a todos los repositorios (si se te pregunta)
+5. Haz un Fork de este repositorio
+6. Dirígete de nuevo a tu [Vercel dashboard](https://vercel.com/dashboard)
+7. Selecciona `Import Project`
+ 
+8. Selecciona `Import Git Repository`
+ 
+9. Selecciona "root" y matén todo como está, simplemente añade tu variable de entorno llamada PAT_1 (como se muestra), la cual contendrá un token de acceso personal (PAT), el cual puedes crear fácilmente [aquí](https://github.com/settings/tokens/new) (mantén todo como está, simplemente asígnale un nombre, puede ser cualquiera que desees)
+ 
+10. Clickea "Deploy" y ya está listo. ¡Ve tus dominios para usar la API!
+
+
+
+
Obtenez des statistiques GitHub générées dynamiquement sur vos Readme !
+ +
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Voir la démo + · + Soumettre un bug + · + Demander une nouveauté +
++ Français + · + 简体中文 + · + Español + · + Deutsch + · + 日本語 + · + Português Brasileiro + · + Italiano + · + 한국어 + . + Nederlands + . + नेपाली + . + Türkçe +
+ +Vous aimez ce projet? Pensez à faire un don pour l'améliorer!
+
+# Features
+
+- [Carte des Stats GitHub](#carte-des-stats-github)
+ - [Cacher les statistiques individuelles](#cacher-les-statistiques-individuelles)
+ - [Afficher les icônes](#afficher-les-icônes)
+ - [Thèmes](#thèmes)
+ - [Personnalisation](#personnalisation)
+- [GitHub Extra Pins](#github-extra-pins)
+ - [Usage](#usage)
+ - [Démo](#démo)
+- [Carte des langages les + utilisés](#carte-des-langages-les--utilisés)
+ - [Usage](#usage-1)
+ - [Cacher certaines langages](#cacher-certaines-langages)
+ - [Carte compacte des langages](#carte-compacte-des-langages)
+ - [Démo](#démo-1)
+ - [Toutes les démos](#toutes-les-démos)
+ - [Conseil rapide (aligner les cartes des dépôts)](#conseil-rapide-aligner-les-cartes-des-dépôts)
+ - [Déployer sur votre propre instance Vercel](#déployer-sur-votre-propre-instance-vercel)
+ - [:sparkling\_heart: Supporter le project](#sparkling_heart-supporter-le-project)
+
+# Carte des Stats GitHub
+
+Copiez-collez ceci dans votre Markdown, et c'est tout. C'est simple !
+
+Remplacez la valeur `?username=` par le nom d'utilisateur de votre GitHub.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+_Note: Les rangs sont calculés sur la base des statistiques de l'utilisateur, voir [src/calculateRank.js](../src/calculateRank.js)_
+
+### Cacher les statistiques individuelles
+
+Pour masquer des statistiques spécifiques, vous pouvez passer un paramètre de requête `?hide=` avec des valeurs séparées par des virgules.
+
+> Options: `&hide=stars,commits,prs,issues,contribs`
+
+```md
+
+```
+
+### Afficher les icônes
+
+Pour activer les icônes, vous pouvez passer `show_icons=true` dans le paramètre de requête, comme ceci :
+
+```md
+
+```
+
+### Thèmes
+
+Avec les thèmes intégrés, vous pouvez personnaliser l'apparence de la carte sans faire de [personnalisation manuelle](#customization).
+
+Use `?theme=THEME_NAME` parameter like so :-
+
+```md
+
+```
+
+#### Tous les thèmes intégrés :-
+
+dark, radical, merko, gruvbox, tokyonight, onedark, cobalt, synthwave, highcontrast, dracula
+
+
+
+Vous pouvez consulter un aperçu de [tous les thèmes disponibles](../themes/README.md) ou consulter le [fichier de configuration des thèmes](../themes/index.js) & **vous pouvez également ajouter de nouveaux thèmes** si vous le souhaitez :D
+
+### Personnalisation
+
+Vous pouvez personnaliser l'apparence de votre `Carte des stats` ou `Carte de dépôt` comme vous le souhaitez avec les paramètres d'URL.
+
+#### Options principales:
+
+- `title_color` - Couleur du titre de la carte _(hex color)_
+- `text_color` - Couleur du texte _(hex color)_
+- `icon_color` - Couleur des icônes si disponibles _(hex color)_
+- `bg_color` - Couleur du fond de la carte _(hex color)_ **ou** un gradiant de la forme _angle,start,end_
+- `hide_border` - Cache la bordure de la carte _(booléen)_
+- `theme` - Nom du thème, parmis [tous les thèmes disponibles](../themes/README.md)
+- `cache_seconds` - Paramétrer le cache manuellement _(min: 14400, max: 86400)_
+- `locale` - définir la langue de la carte _(par exemple. cn, de, es, etc.)_
+- `json` - Affiche les données JSON brutes au lieu de rendre une carte. Utile pour le débogage ou pour utiliser les données dans d'autres applications. _(booléen)_
+
+##### Gradient in bg_color
+
+Vous pouvez fournir plusieurs valeurs (suivie d'une virgule) dans l'option bg_color pour rendre un degradé, le format du degradé est :-
+
+```
+&bg_color=DEG,COLOR1,COLOR2,COLOR3...COLOR10
+```
+
+> Note relative: Les cartes dépôt ont un cache par défaut de 30 minutes (1800 secondes) si le nombre de bifurcations et d'étoiles est inférieur à 1K, alors il est de 2 heures (7200). Notez également que la mémoire cache est limitée à 30 minutes au minimum et à 24 heures au maximum.
+
+#### Stats Card Exclusive Options:
+
+- `hide` - Masquer [les éléments spécifiés](#cacher-les-statistiques-individuelles) dans les statistiques _(Comma seperated values)_
+- `hide_title` - Masquer le titre _(boolean)_
+- `hide_rank` - Masquer le rang _(boolean)_
+- `show_icons` - Afficher les icônes _(boolean)_
+- `include_all_commits` - Compter le total de commits au lieu de ne compter que les commits de l'année en cours _(boolean)_
+- `count_private` - Compter les contributions privées _(boolean)_
+- `line_height` - Fixer la hauteur de la ligne entre les textes _(number)_
+
+#### Repo Card Exclusive Options:
+
+- `show_owner` - Affiche le nom du propriétaire du dépôt _(boolean)_
+
+#### Language Card Exclusive Options:
+
+- `hide` - Masquer les langages spécifiés sur la carte _(Comma seperated values)_
+- `hide_title` - Masquer le titre _(boolean)_
+- `layout` - Alterner entre 5 mise en page `normal` & `compact` & `donut` & `donut-vertical` & `pie`
+- `card_width` - Fixer la largeur de la carte manuellement _(number)_
+
+> :warning: **Important:**
+> Les noms des langages doivent être en format uri, comme spécifié dans [Percent Encoding](https://fr.wikipedia.org/wiki/Percent-encoding)
+> (c'est-à-dire que: `c++` devrait devenir `c%2B%2B`, `jupyter notebook` devrait devenir `jupyter%20notebook`, etc.)
+
+---
+
+# GitHub Extra Pins
+
+Les épingles supplémentaires GitHub vous permettent d'épingler plus de 6 dépôts dans votre profil en utilisant un profil GitHub readme.
+
+Et OUI ! Vous n'êtes plus limité à 6 dépôts épinglés.
+
+### Usage
+
+Copiez-collez ce code dans votre readme et modifiez les liens.
+
+Extrémité: `api/pin?username=anuraghazra&repo=github-readme-stats`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Démo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+Utiliser la variable [show_owner](#customization) pour inclure le nom d'utilisateur du propriétaire du dépôt.
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# Carte des langages les + utilisés
+
+La carte des langages principaux montre les langages les plus utilisés par les utilisateurs de GitHub.
+
+_NOTE: Les langages affichés n'indiquent pas mon niveau de compétence ou quelque chose comme ça, c'est une métrique GitHub de quelles langages j'ai le plus de code sur GitHub, c'est une nouvelle fonctionnalité de github-readme-stats_
+
+### Usage
+
+Copiez-collez ce code dans votre readme et modifiez les liens.
+
+Extrémité: `api/top-langs?username=anuraghazra`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Cacher certaines langages
+
+Vous pouvez utiliser le paramètre `?hide=language1,language2` pour masquer les langages individuels.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Carte compacte des langages
+
+Vous pouvez utiliser l'option `&layout=compact` pour changer le style de la carte.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Démo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- Carte compacte
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### Toutes les démos
+
+- Défaut
+
+
+
+- Ne pas afficher des stats spécifiques
+
+
+
+- Afficher les icônes
+
+
+
+- Inclure tous les commits
+
+
+
+- Thèmes
+
+Choisissez parmi l'un des [thèmes par défaut](#themes)
+
+
+
+- Dégradé
+
+
+
+- Personnaliser la carte des stats
+
+
+
+- Personnaliser la carte dépôt
+
+
+
+- Top Langages
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### Conseil rapide (aligner les cartes des dépôts)
+
+En général, vous ne pourrez pas mettre les images côte à côte. Pour ce faire, vous pouvez utiliser cette approche :
+
+```html
+
+
+
+
+
+
+```
+
+## Déployer sur votre propre instance Vercel
+
+#### [Check Out Step By Step Video Tutorial By @codeSTACKr](https://youtu.be/n6d4KHSKqGk?t=107)
+
+Comme l'API GitHub ne permet que 5k requêtes par heure, il est possible que mon `https://github-readme-stats.vercel.app/api` puisse atteindre le limiteur de débit. Si vous l'hébergez sur votre propre serveur Vercel, alors vous n'avez pas à vous soucier de quoi que ce soit. Cliquez sur le bouton de déploiement pour commencer !
+
+NOTE: Depuis [#58](https://github.com/anuraghazra/github-readme-stats/pull/58) nous devrions être en mesure de traiter plus de 5 000 demandes et ne pas avoir de problèmes de temps d'arrêt :D
+
+[](https://vercel.com/import/project?template=https://github.com/anuraghazra/github-readme-stats)
+
+
Guide pour la mise en place de Vercel 🔨
+
+1. Allez sur [vercel.com](https://vercel.com/)
+1. Cliquez sur `Log in`
+ 
+1. Connectez-vous avec GitHub en cliquant `Continue with GitHub`
+ 
+1. Connectez-vous à GitHub et autorisez l'accès à tous les dépôts, si vous y êtes invité
+1. Forkez ce dépôt
+1. Retournez au [dashboard Vercel](https://vercel.com/dashboard)
+1. Sélectionnez `Import Project`
+ 
+1. Sélectionnez `Import Git Repository`
+ 
+1. Choisissez root et gardez tout tel quel, ajoutez simplement votre variable d'environnement nommée PAT_1 (comme indiqué), qui contiendra un jeton d'accès personnel (PAT), que vous pouvez facilement créer [ici](https://github.com/settings/tokens/new) (laissez tout tel quel, nommez le simplement quelque chose, cela peut être tout ce que vous voulez)
+ 
+1. Cliquez sur "Deploy" et vous êtes prêt à partir. Regardez vos domaines pour utiliser l'API !
+
+
+
+
Mostra nei tuoi README file le statistiche GitHub generate dinamicamente!
+ +
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Anteprima + · + Segnala un errore + · + Richiedi una nuova funzionalità +
++ Français + · + 简体中文 + · + Español + · + Deutsch + · + 日本語 + · + Português Brasileiro + · + Italiano + · + 한국어 + . + Nederlands + . + नेपाली + . + Türkçe +
+ +Se ti piace questo progetto, considera la possibilità di donare per aiutare a renderlo migliore!
+
+# Caratteristiche
+
+- [GitHub Stats Card](#github-stats-card)
+ - [Nascondere statistiche individuali](#nascondere-statistiche-individuali)
+ - [Includere i contributi privati nel computo totale](#includere-i-contributi-privati-nel-computo-totale)
+ - [Mostrare le icone](#mostrare-le-icone)
+ - [Temi](#temi)
+ - [Personalizzazione](#personalizzazione)
+- [GitHub Extra Pins](#github-extra-pins)
+ - [Utilizzo](#utilizzo)
+ - [Demo](#demo)
+- [Top Languages Card](#top-languages-card)
+ - [Utilizzo](#utilizzo-1)
+ - [Nascondi linguaggi specifici](#nascondi-linguaggi-specifici)
+ - [Layout compatto](#layout-compatto)
+ - [Demo](#demo-1)
+ - [Galleria di esempi](#galleria-di-esempi)
+ - [Consiglio veloce (Allineare le Card)](#consiglio-veloce-allineare-le-card)
+ - [Deploy su Vercel](#deploy-su-vercel)
+ - [:sparkling\_heart: Supporta il progetto](#sparkling_heart-supporta-il-progetto)
+
+
+# GitHub Stats Card
+
+Per creare una Card con le statistiche GitHub, copia e incolla nel tuo file markdown, tutto qua: è semplice!
+
+Ricorda di cambiare il valore `?username=` con il tuo nome utente GitHub.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+_Nota: I punteggi sono calcolati sulla base delle tue statistiche, dai un'occhiata a [src/calculateRank.js](../src/calculateRank.js) per ulteriori informazioni_
+
+### Nascondere statistiche individuali
+
+Per nascondere qualche dato, puoi aggiungere i parametri `?hide=`, separando i valori con una virgola.
+
+> Opzioni: `&hide=stars,commits,prs,issues,contribs`
+
+```md
+
+```
+
+### Includere i contributi privati nel computo totale
+
+Puoi aggiungere i tuoi contributi privati al totale dei commit, utilizzando il parametro `?count_private=true`.
+
+_Nota: se hai deciso di fare il deploy del progetto, i contributi privati verranno inclusi in automatico._
+
+> Opzioni: `&count_private=true`
+
+```md
+
+```
+
+### Mostrare le icone
+
+Per abilitare le icone, puoi specificare `show_icons=true`, ad esempio:
+
+```md
+
+```
+
+### Temi
+
+Esistono alcuni temi predefiniti coi quali è possibile personalizzare l'aspetto delle card. In alternativa, è possibile effettuare una [personalizzazione manuale](#personalizzazione).
+
+Usa il parametro `?theme=NOME_TEMA` in questo modo:-
+
+```md
+
+```
+
+#### Galleria dei temi:-
+
+dark, radical, merko, gruvbox, tokyonight, onedark, cobalt, synthwave, highcontrast, dracula
+
+
+
+Puoi avere un'anteprima di [tutti i temi supportati](../themes/README.md) o controllare il [file di configurazione dei temi](../themes/index.js) e **puoi anche contribuire creando un nuovo tema** se vuoi :D
+
+### Personalizzazione
+
+Puoi personalizzare l'aspetto delle tue `Stats Card` o delle `Repo Card` in qualsiasi modo, semplicemente modificando i parametri dell'URL.
+
+#### Opzioni comuni:
+
+- `title_color` - Colore del titolo _(in esadecimale)_
+- `text_color` - Colore del testo _(in esadecimale)_
+- `icon_color` - Colore delle icone, se disponibili _(in esadecimale)_
+- `bg_color` - Colore dello sfondo _(in esadecimale)_ **oppure** un gradiente nella forma _angolo,inizio,fine_
+- `hide_border` - Nasconde il bordo della carta _(booleano)_
+- `theme` - Nome del tema, dai un'occhiata a [tutti i temi disponibili](../themes/README.md)
+- `cache_seconds` - Specifica manualmente il valore di cache, in secondi _(min: 14400, max: 86400)_
+- `locale` - Impostare la lingua nella scheda _(per esempio. cn, de, es, eccetera.)_
+- `json` - Mostra i dati JSON grezzi invece di rendere una scheda. Utile per il debug o per utilizzare i dati in altre applicazioni. _(booleano)_
+
+##### Gradiente nello sfondo
+
+Puoi fornire valori separati da virgola nel parametro bg_color per creare un gradiente, il cui formato è:-
+
+```
+&bg_color=DEG,COLOR1,COLOR2,COLOR3...COLOR10
+```
+
+> Nota sulla cache: le card hanno un valore di cache di 4 ore (14400 seconds) di default se il numero di fork & il numero di stelle è inferiore a 1000; altrimenti è pari a 2 ore (7200).
+
+#### Opzioni valide solo per le card delle statistiche:
+
+- `hide` - Nasconde gli oggetti selezionati _(valori separati da virgola)_
+- `hide_title` - Nasconde il titolo _(booleano)_
+- `hide_rank` - Nasconde il punteggio _(booleano)_
+- `show_icons` - Mostra le icone _(booleano)_
+- `include_all_commits` - Mostra tutti i commit e non solo quelli dell'anno corrente _(booleano)_
+- `count_private` - Include i contributi privati _(booleano)_
+- `line_height` - Specifica il valore dell'altezza di riga _(numero)_
+
+#### Opzioni valide solo per le Repo Card:
+
+- `show_owner` - Mostra il nome utente del proprietario _(booleano)_
+
+#### Opzioni valide solo per le card dei linguaggi:
+
+- `hide` - Nasconde un linguaggio specifico _(valori separati da virgola)_
+- `hide_title` - Nasconde il titolo _(booleano)_
+- `layout` - Specificare il tipo di layout, `normal` (esteso), `compact` (compatto), `donut` (ciambella), `donut-vertical` (ciambella verticale) e `pie` (torta)
+- `card_width` - Specifica il valore della larghezza _(numero)_
+
+> :warning: **Importante:**
+> Per i nomi dei linguaggi, assicurati di effettuare l'encoding giusto nell'uri, come specificato in [Percent Encoding](https://en.wikipedia.org/wiki/Percent-encoding)
+> (ad esempio: `c++` diventa `c%2B%2B`, `jupyter notebook` diventa `jupyter%20notebook`, ecc.)
+
+---
+
+# GitHub Extra Pins
+
+GitHub Extra Pins ti permette di fissare in alto più di 6 repository nel tuo profilo, sfruttando il README del profilo.
+
+### Utilizzo
+
+Copia e incolla il seguente codice, premurandoti di cambiare il link.
+
+Endpoint: `api/pin?username=anuraghazra&repo=github-readme-stats`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Demo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+Usa la variabile [show_owner](#personalizzazione) per includere il nome utente del proprietario
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# Top Languages Card
+
+La Top Languages Card mostra i linguaggi che utilizzi di più su GitHub.
+
+_NOTA: questa card non indica il livello di abilità, ma piuttosto quanto codice hai scritto in un determinato linguaggio_
+
+### Utilizzo
+
+Copia e incolla nel tuo file README, cambiando i link.
+
+Endpoint: `api/top-langs?username=anuraghazra`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Nascondi linguaggi specifici
+
+Puoi utilizzare il parametro `?hide=linguaggio1,linguaggio2` per nascondere alcuni linguaggi.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Layout compatto
+
+Puoi utilizzare l'opzione `&layout=compact` per cambiare l'aspetto della card.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Demo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- Layout Compatto
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### Galleria di esempi
+
+- Default
+
+
+
+- Nascondere dati specifici
+
+
+
+- Mostrare le icone
+
+
+
+- Includere tutti i commit
+
+
+
+- Temi
+
+Scegli uno dei [temi di default](#themes)
+
+
+
+- Gradiente
+
+
+
+- Personalizzare le Stats Card
+
+
+
+- Personalizzare le Repo Card
+
+
+
+- Linguaggi più usati
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### Consiglio veloce (Allineare le Card)
+
+Per allineare le card una accanto all'altra, puoi adottare questo approccio:
+
+```html
+
+
+
+
+
+
+```
+
+## Deploy su Vercel
+
+#### [Guarda questo Video Tutorial, realizzato da @codeSTACKr](https://youtu.be/n6d4KHSKqGk?t=107)
+
+Since the GitHub API only allows 5k requests per hour, it is possible that my `https://github-readme-stats.vercel.app/api` could hit the rate limiter. If you host it on your own Vercel server, then you don't have to worry about anything. Click on the deploy button to get started!
+
+NOTE: Since [#58](https://github.com/anuraghazra/github-readme-stats/pull/58) we should be able to handle more than 5k requests and have no issues with downtime :D
+
+[](https://vercel.com/import/project?template=https://github.com/anuraghazra/github-readme-stats)
+
+
Guide on setting up Vercel 🔨
+
+1. Go to [vercel.com](https://vercel.com/)
+1. Click on `Log in`
+ 
+1. Sign in with GitHub by pressing `Continue with GitHub`
+ 
+1. Sign into GitHub and allow access to all repositories, if prompted
+1. Fork this repo
+1. Go back to your [Vercel dashboard](https://vercel.com/dashboard)
+1. Select `Import Project`
+ 
+1. Select `Import Git Repository`
+ 
+1. Select root and keep everything as is, just add your environment variable named PAT_1 (as shown), which will contain a personal access token (PAT), which you can easily create [here](https://github.com/settings/tokens/new) (leave everything as is, just name it something, it can be anything you want)
+ 
+1. Click deploy, and you're good to go. See your domains to use the API!
+
+
+
+
あなたの README に自動生成された GitHub の統計情報を載せましょう!
+ +
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ View Demo + · + Report Bug + · + Request Feature +
++ Français + · + 简体中文 + · + Español + · + Deutsch + · + 日本語 + · + Português Brasileiro + · + Italiano + · + 한국어 + . + Nederlands + . + नेपाली + . + Türkçe +
+ +このプロジェクトを気に入っていただけましたか?
もしよろしければ、プロジェクトのさらなる改善のために寄付を検討して頂けると嬉しいです!
+
+その他の使用可能なテーマの[プレビュー](../themes/README.md)や[設定ファイル](../themes/index.js)もご覧ください。もしよろしければ、**新しいテーマを投稿してみてください** :smile:
+
+### テーマを自分でカスタマイズする
+
+`Stats Card` や `Repo Card` の外観を URL パラメータを使って好きなようにカスタマイズすることができます。
+
+#### 共通のオプション
+
+- `title_color` - タイトルの色 _(16 進数カラーコード)_
+- `text_color` - 中身のテキストの色 _(16 進数カラーコード)_
+- `icon_color` - アイコンの色(変更可能な場合のみ) _(16 進数カラーコード)_
+- `bg_color` - 背景の色 _(16 進数カラーコード)_ **または** _angle,start,end_ の形式でグラデーションを指定することも可
+- `hide_border` - カードの境界線を非表示にします _(ブール値)_
+- `theme` - [使用可能なテーマ一覧](../themes/README.md) から選んだテーマ名
+- `cache_seconds` - キャッシュ時間の秒数 _(最小値: 14400, 最大値: 86400)_
+- `locale` - カードに言語を設定する _(例えば cn, de, es, 等)_
+- `json` - カードをレンダリングする代わりに生のJSONデータを出力します。デバッグや他のアプリでデータを使用するのに便利です。 _(ブール値)_
+
+##### bg_color の グラデーション指定
+
+bg_color オプションで複数のカンマ区切りの値を指定してグラデーションをレンダリングすることができます。フォーマットは以下の通りになります。
+
+```
+&bg_color=DEG,COLOR1,COLOR2,COLOR3...COLOR10
+```
+
+> キャッシュに関する注意点: Repo cards のデフォルトのキャッシュは、フォーク数とスター数が 1k 未満の場合は 30 分(1800 秒) で、それ以外の場合は 2 時間(7200) です。また、キャッシュは最低でも 30 分、最大でも 24 時間に制限されていることに注意してください。
+
+#### Stats Card だけに存在するオプション
+
+- `hide` - 特定の統計情報を隠す _(カンマ区切りで指定)_
+- `hide_title` - _(boolean)_
+- `hide_rank` - _(boolean)_
+- `show_icons` - _(boolean)_
+- `include_all_commits` - 今年度のコミット数だけでなく、コミット数の総数をカウントする _(boolean)_
+- `count_private` - プライベートリポジトリへのコミットをカウントする _(boolean)_
+- `line_height` - テキストの行の高さ _(number)_
+- `custom_title` - タイトル文字列を変更する
+- `disable_animations` - カードのアニメーションを無効にする _(boolean)_
+
+#### Repo Card だけに存在するオプション
+
+- `show_owner` - リポジトリのオーナーを表示する _(boolean)_
+
+#### Language Card だけに存在するオプション
+
+- `hide` - 特定の言語を隠す _(カンマ区切りで指定)_
+- `hide_title` - _(boolean)_
+- `layout` - `normal` & `compact` & `donut` & `donut-vertical` & `pie` のいずれかのレイアウトに切り替える
+- `card_width` - カードの横幅 _(number)_
+- `langs_count` - 表示される言語の数 _(1 ~ 10, 初期値 5)_
+- `exclude_repo` - 指定されたリポジトリを除外する _(カンマ区切りで指定)_
+- `custom_title` - タイトル文字列を変更する
+
+> :warning: **重要:**
+> [Percent Encoding](https://en.wikipedia.org/wiki/Percent-encoding) で指定されているように、プログラミング言語の名前は URL エンコードされている必要があります。
+> (例: `c++` は `c%2B%2B`, `jupyter notebook` は `jupyter%20notebook`, など)
+
+---
+
+# GitHub Extra Pins
+
+GitHub extra pins を使うと、GitHub の readme プロフィールを使って、自分のプロフィールに 6 つ以上のリポジトリをピン留めすることができます。
+
+やったー! もはや、リポジトリをピン留めできる数が 6 つに制限されることはありません。
+
+### 使い方
+
+以下のコードをあなたの readme にコピー & ペーストし、リンクを変更してください。
+
+エンドポイント: `api/pin?username=anuraghazra&repo=github-readme-stats`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### デモ
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+リポジトリのオーナーのユーザー名を含める場合は、show_owner 変数を使用します。
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# Top Languages Card
+
+Top languages card には、その GitHub ユーザーが最も利用している Top languages が表示されます。
+
+_NOTE: Top languages は、ユーザのスキルレベルを示すものではなく、GitHub 上でどの言語で最も多くのコードを書いているかを示す GitHub の指標です。_
+
+### 使い方
+
+以下のコードをあなたの readme にコピー & ペーストし、リンクを変更してください。
+
+エンドポイント: `api/top-langs?username=anuraghazra`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### 特定の言語を隠す
+
+クエリパラメータ `?hide=language1,language2` 使用することで、特定の言語を非表示にすることができます。
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### レイアウトをコンパクトにする
+
+クエリパラメータ `&layout=compact` を使用することで、カードのデザインを変更することができます。
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### デモ
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- Compact layout の場合
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### 全てのデモ
+
+- デフォルト
+
+
+
+- 特定の統計情報を隠す
+
+
+
+- アイコンを表示する
+
+
+
+- コミット数の総数をカウントする
+
+
+
+- テーマの変更
+
+任意の[テーマ](#themes)を選択できます。
+
+
+
+- グラデーション
+
+
+
+- stats card のカスタマイズ
+
+
+
+- repo card のカスタマイズ
+
+
+
+- Top languages
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### クイックヒント (カードを並べる)
+
+通常、画像を並べてレイアウトすることはできません。画像を並べるには、以下のような方法があります。
+
+```html
+
+
+
+
동적으로 생성되는 GitHub 사용량 통계를 여러분의 README 에 추가해보세요!
+ +
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ 미리보기 확인 + · + 버그 제보하기 + · + 기능 추가 요청하기 +
++ Français + · + 简体中文 + · + Español + · + Deutsch + · + 日本語 + · + Português Brasileiro + · + Italiano + · + 한국어 + . + Nederlands + . + नेपाली + . + Türkçe +
+ +기능들이 마음에 드시나요? 괜찮으시다면, 서비스 개선을 위해 기부를 고려해주세요!
+
+# 기능들
+
+- [GitHub 통계](#github-통계)
+ - [개별 통계 숨기기](#개별-통계-숨기기)
+ - [총 커밋 수에 비공개 기여도 (private contribs) 수 추가하기](#총-커밋-수에-비공개-기여도-private-contribs-수-추가하기)
+ - [아이콘 표시하기](#아이콘-표시하기)
+ - [테마 설정하기](#테마-설정하기)
+ - [커스터마이징](#커스터마이징)
+- [GitHub 저장소 핀](#github-저장소-핀)
+ - [사용법](#사용법)
+ - [미리보기](#미리보기)
+- [언어 사용량 통계](#언어-사용량-통계)
+ - [사용법](#사용법-1)
+ - [통계에서 제외할 저장소 지정하기](#통계에서-제외할-저장소-지정하기)
+ - [통계에서 특정 언어 제외하기](#통계에서-특정-언어-제외하기)
+ - [표시할 언어 수 지정하기](#표시할-언어-수-지정하기)
+ - [컴택트한 카드 레이아웃 설정하기](#컴택트한-카드-레이아웃-설정하기)
+ - [미리보기](#미리보기-1)
+- [WakaTime 주간 통계](#wakatime-주간-통계)
+ - [미리보기](#미리보기-2)
+ - [전체 미리보기](#전체-미리보기)
+ - [꿀팁 (저장소 핀 정렬하기)](#꿀팁-저장소-핀-정렬하기)
+ - [나만의 Vercel 인스턴스에 직접 배포하기](#나만의-vercel-인스턴스에-직접-배포하기)
+ - [:sparkling\_heart: 프로젝트 지원하기!](#sparkling_heart-프로젝트-지원하기)
+
+
+# GitHub 통계
+
+아래 코드를 복사해서 마크다운 파일에 붙여넣으면 끝이에요, 아주 간단해요!
+
+`?username=` 속성의 값을 GitHub 계정의 사용자 명(닉네임)으로 바꿔주세요.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+_참고:_
+
+_랭크는 S+ (상위 1%), S (상위 25%), A++ (상위 45%), A+ (상위 60%), 그리고 B+ (전체) 로 구성되어 있습니다._
+
+_커밋의 수(commits), 기여도(contribution), 이슈의 수(issues), 즐겨찾기(star), 작업내용 반영 요청(Pull Request),
+팔로워 수, 그리고 보유 중인 저장소 등의 항목들에 대해 [누적 분포 함수](https://ko.wikipedia.org/wiki/%EB%88%84%EC%A0%81_%EB%B6%84%ED%8F%AC_%ED%95%A8%EC%88%98) 를 이용해 계산됩니다._
+
+_[src/calculateRank.js](../src/calculateRank.js) 에서 수행되는 계산 작업의 내용을 확인할 수 있습니다._
+
+### 개별 통계 숨기기
+
+특정 통계를 숨기려면 `콤마(,)`로 구분된 값들을 `?hide=` 속성의 값으로 넣어주세요.
+
+> 사용 가능한 항목들: `&hide=stars,commits,prs,issues,contribs`
+
+```md
+
+```
+
+### 총 커밋 수에 비공개 기여도 (private contribs) 수 추가하기
+
+`?count_private=true` 속성을 추가하시면, 여러분의 모든 비공개 기여도까지 반영됩니다.
+
+_참고: 프로젝트를 직접 배포하신 경우, 비공개 기여도는 기본적으로 반영됩니다. 원하지 않는 경우엔 직접 설정해야 합니다._
+
+> 예시: `&count_private=true`
+
+```md
+
+```
+
+### 아이콘 표시하기
+
+아이콘 항목을 활성화 하기 위해선, 다음과 같이 `show_icons=true` 속성을 추가해주세요.
+
+```md
+
+```
+
+### 테마 설정하기
+
+내장 테마를 사용하시면, 별도의 [커스터마이징](#커스터마이징) 없이 GitHub 통계 카드를 꾸미실 수 있어요.
+
+다음과 같이 `?theme=THEME_NAME` 속성을 이용해주세요.
+
+```md
+
+```
+
+#### 지원하는 내장 테마 목록
+
+dark, radical, merko, gruvbox, tokyonight, onedark, cobalt, synthwave, highcontrast, dracula
+
+
+
+[사용 가능한 모든 테마](../themes/README.md) 에서 미리보기를 확인하실 수 있어요.
+
+원하신다면 [테마 설정하기](../themes/index.js) 항목에서 **새로운 테마를 직접 만드실수 있어요.** :D
+
+### 커스터마이징
+
+여러가지 추가 속성을 통해, 원하는대로 `Stats Card` 또는 `Repo Card` 모양을 커스터마이징할 수 있어요.
+
+#### 기본 옵션:
+
+- `title_color` - 카드 타이틀 색상 _(hex color)_
+- `text_color` - 카드 본문 글씨 색상 _(hex color)_
+- `icon_color` - 아이콘 색상 (활성화된 경우) _(hex color)_
+- `bg_color` - 카드의 배경 색상 _(hex color)_ **혹은** 다음 양식으로 그라데이션 주기 _angle,start,end_
+- `hide_border` - 카드의 테두리 표시 여부 _(boolean)_
+- `theme` - 테마의 이름, [사용 가능한 모든 테마](../themes/README.md) 에서 선택
+- `cache_seconds` - 수동으로 캐시 헤더 설정 _(min: 14400, max: 86400)_
+- `locale` - 카드에 표시할 언어 _(e.g. kr, cn, de, es, etc.)_
+- `json` - 카드 대신 원시 JSON 데이터를 출력합니다. 디버깅이나 다른 앱에서 데이터 사용에 유용합니다. _(boolean)_
+
+##### 배경에 그라데이션 주기
+
+그라데이션이 적용된 카드를 표시하고 싶으시다면, 여러가지 쉼표(,) 로 구분된 값을 추가할 수 있어요.
+
+양식은 다음과 같습니다.
+
+```
+&bg_color=DEG,COLOR1,COLOR2,COLOR3...COLOR10
+```
+
+> 캐시에 대한 참고사항:
+> 포크와 스타 수가 1,000 개 미만인 저장소의 카드는 기본적으로 4시간 (14,400초) 으로 설정되어 있습니다.
+> 그 외에는, it's 2시간 (7,200초) 입니다. 또한, 캐시설정 시간의 범위는 최소 2시간, 최대 24시간입니다.
+
+
+#### 통계 카드의 표시 제한 옵션:
+
+- `hide` - 통계에서 특정한 값 제외 _(Comma-separated values)_
+- `hide_title` - 타이틀 표시 여부 _(boolean)_
+- `hide_rank` - 랭크 표시 여부 _(boolean)_
+- `show_icons` - 아이콘 표시 여부 _(boolean)_
+- `include_all_commits` - 올해가 아닌 전체 연도에 대한 커밋 포함 여부 _(boolean)_
+- `count_private` - 비공개 기여도 포함 여부 _(boolean)_
+- `line_height` - 텍스트 간 줄 높이 설정(자간) _(number)_
+- `custom_title` - 카드의 타이틀 값 설정
+- `disable_animations` - 카드의 모든 에니메이션 활성 여부 _(boolean)_
+
+#### 저장소 카드의 표시 제한 옵션:
+
+- `show_owner` - 저장소 소유자 닉네임 표기 여부 _(boolean)_
+
+#### 언어 사용량 통계 카드의 표시 제한 옵션:
+
+- `hide` - 카드에서 특정 언어 제외 _(Comma-separated values)_
+- `hide_title` - 타이틀 제외 _(boolean)_
+- `layout` - 5가지 값 사용 가능, `normal` & `compact` & `donut` & `donut-vertical` & `pie` 중 표시 형태 선택
+- `card_width` - 카드 너비 직접 설정 _(number)_
+- `langs_count` - 카드에 표시할 언어의 수 (1-10 사이, 기본 값 : 5) _(number)_
+- `exclude_repo` - 통계에 제외할 저장소 지정 _(Comma-separated values)_
+- `custom_title` - 카드의 타이틀 값 설정
+
+##### 경고! **매우 중요**
+>
+> 언어의 이름은 [퍼센트 인코딩](https://ko.wikipedia.org/wiki/%ED%8D%BC%EC%84%BC%ED%8A%B8_%EC%9D%B8%EC%BD%94%EB%94%A9) 에 지정된 URI 방식으로 표기되어야 합니다.
+> ( 예를 들면, `c++` 는 `c%2B%2B`, `jupyter notebook` 는 `jupyter%20notebook`, 등등. )
+> [urlencoder.org](https://www.urlencoder.org/) < 서비스를 이용하면 자동으로 생성할 수 있습니다.
+
+#### WakaTime 카드의 표시 제한 옵션:
+
+- `hide_title` - 타이틀 제외 _(boolean)_
+- `line_height` - 텍스트 간 줄 높이 설정(자간) _(number)_
+- `hide_progress` - 퍼센트와 표기바 표시 여부 _(boolean)_
+- `custom_title` - 카드의 타이틀 값 설정
+- `layout` - 사용 가능한 두 가지 값, `default` & `compact` 중 표시 형태 선택
+
+---
+
+# GitHub 저장소 핀
+
+GitHub 저장소 여분 핀을 이용하면, 6개 이상의 저장소 핀을 여러분의 프로필에 추가할 수 있어요.
+
+맞아요! 이제 6개 이상의 핀을 사용할 수 있어요! (핀이 부족할 일이 없답니다!)
+
+### 사용법
+
+이 코드를 복사해서 여러분의 README 에 넣고 링크를 변경해주세요.
+
+엔드 포인트: `api/pin?username=anuraghazra&repo=github-readme-stats`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### 미리보기
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+[show_owner](#커스터마이징) 속성을 통해 저장소 소유자의 닉네임 표시 여부를 설정할 수 있어요.
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# 언어 사용량 통계
+
+언어 사용량 통계 카드는 GitHub 사용자가 가장 많이 사용한 언어가 표시됩니다.
+
+_참고:
+언어 사용량 통계는 GitHub 에서 가장 많이 사용된 언어의 표기일 뿐입니다.
+숙련도, 혹은 그와 비슷한 지표를 나타내진 않습니다. (새로 추가된 기능입니다!)_
+
+### 사용법
+
+이 코드를 복사해서 여러분의 README 에 넣고 링크를 변경해주세요.
+
+엔드 포인트: `api/top-langs?username=anuraghazra`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### 통계에서 제외할 저장소 지정하기
+
+`?exclude_repo=repo1,repo2` 속성을 통해 특정 저장소를 제외할 수 있어요.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### 통계에서 특정 언어 제외하기
+
+`?hide=language1,language2` 속성을 통해 특정 언어를 제외할 수 있어요.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### 표시할 언어 수 지정하기
+
+`&langs_count=` 속성을 통해 카드에 표시할 언어의 수를 지정할 수 있어요. (1-10 사이, 기본 값 : 5)
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### 컴택트한 카드 레이아웃 설정하기
+
+`&layout=compact` 속성을 통해 카드의 디자인을 변경할 수 있어요.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### 미리보기
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- 컴팩트한 레이아웃
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# WakaTime 주간 통계
+
+`?username=` 속성의 값을 [WakaTime](https://wakatime.com) 계정의 사용자 명(닉네임)으로 바꿔주세요.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### 미리보기
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- 컴팩트한 레이아웃
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### 전체 미리보기
+
+- 기본
+
+
+
+- 특정 통계 내용 숨김
+
+
+
+- 아이콘 표시
+
+
+
+- 전체 커밋 포함 시
+
+
+
+- 테마들
+
+[내장 테마](#themes) 에서 직접 선택해보세요
+
+
+
+- 그라데이션 주기
+
+
+
+- 통계 카드 커스터마이징하기
+
+
+
+- 언어 사용 지역 설정하기
+
+
+
+- 저장소 핀 커스터마이징하기
+
+
+
+- 언어 사용량 통계
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- WakaTime 카드
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### 꿀팁 (저장소 핀 정렬하기)
+
+아마, 이미지들을 나란히 정렬할 수 없을거에요.
+
+그럴땐, 이렇게 해보세요!
+
+```html
+
+
+
+
+
+
+```
+
+## 나만의 Vercel 인스턴스에 직접 배포하기
+
+#### [@codeSTACKr 님의 튜토리얼 영상 보기](https://youtu.be/n6d4KHSKqGk?t=107)
+
+GitHub API 가 시간 당 요청 개수를 5,000회로 제한한 뒤로,
+저의 `https://github-readme-stats.vercel.app/api` 가 사용량 제한에 걸릴 위험이 생겼어요.
+
+만약, 여러분이 Vercel server 에서 직접 호스트 하신다면, 걱정하실 일은 없을거에요.
+
+아래의 버튼을 이용해 직접 배포해보세요!
+
+참고: [#58](https://github.com/anuraghazra/github-readme-stats/pull/58) 풀 리퀘스트 이후로, 저희는 5,000 개 이상의 요청을 처리할 수 있게 됐어요. 더이상 서버 다운에 대한 걱정은 노놉! :D
+
+[](https://vercel.com/import/project?template=https://github.com/anuraghazra/github-readme-stats)
+
+
🔨 Vercel 세팅 가이드!
+
+1. [vercel.com](https://vercel.com/) 으로 이동하기
+1. `Log in` 버튼 클릭!
+ 
+1. `Continue with GitHub` 버튼을 이용해 GitHub 계정으로 가입하기
+ 
+1. GitHub 에 로그인한 뒤, (권한을 요청한다면) 모든 저장소에 대한 권한을 허용해주세요!
+1. 이 저장소를 Fork!
+1. [Vercel 대시보드](https://vercel.com/dashboard) 로 돌아가세요!
+1. `Import Project` 항목 선택!
+ 
+1. `Import Git Repository` 항목 선택!
+ 
+1. 'root' 를 선택하고 넘어간 후, 아래와 같이 개인용 엑세스 토큰 (PAT) 을 저장할 환경변수를 PAT_1 의 값으로 추가해주세요. [이 곳](https://github.com/settings/tokens/new)에서 쉽게 생성할 수 있어요. (모든 항목을 그대로 두고, 이 부분만 원하는 이름으로 변경해주세요.)
+ 
+1. 마지막으로 'Deploy' 버튼을 클릭하면, 끝! => API 를 사용하기 위한 도메인 주소를 확인하세요!
+
+
+
+
Krijg dynamisch gegenereerde GitHub statistieken op je readme's!
+ +
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Bekijk Demo + · + Rapporteer een Bug + · + Vraag een nieuwe toepassing aan +
++ Français + · + 简体中文 + · + Español + · + Deutsch + · + 日本語 + · + Português Brasileiro + · + Italiano + · + 한국어 + . + Nederlands + . + नेपाली + . + Türkçe +
+ +Bevalt het project? Doneer om het te verbeteren!
+
+# Functionaliteiten
+
+- [GitHub Statistieken Kaart](#github-statistieken-kaart)
+ - [Verberg individueele statistieken](#verberg-individueele-statistieken)
+ - [Voeg privé contributies toe aan totale commits.](#voeg-privé-contributies-toe-aan-totale-commits)
+ - [Laat icoontjes zien](#laat-icoontjes-zien)
+ - [Thema's](#themas)
+ - [Opmaak](#opmaak)
+- [GitHub Extra Pins](#github-extra-pins)
+ - [Gebruik](#gebruik)
+ - [Demo](#demo)
+- [Top Programmeertalen Kaart](#top-programmeertalen-kaart)
+ - [Gebruik](#gebruik-1)
+ - [Verberg individueele repositories](#verberg-individueele-repositories)
+ - [Verberg individueele talen](#verberg-individueele-talen)
+ - [Laat meer programmeertalen zien](#laat-meer-programmeertalen-zien)
+ - [Compacte Talen Kaart opmaak](#compacte-talen-kaart-opmaak)
+ - [Demo](#demo-1)
+- [Wekelijkse WakaTime Statistieken](#wekelijkse-wakatime-statistieken)
+ - [Demo](#demo-2)
+ - [Alle demos](#alle-demos)
+ - [Kleine tip (Verstel de repo kaart z'n positie)](#kleine-tip-verstel-de-repo-kaart-zn-positie)
+ - [Deploy je eigen Vercel instatie](#deploy-je-eigen-vercel-instatie)
+ - [:sparkling\_heart: Ondersteun het project](#sparkling_heart-ondersteun-het-project)
+
+# GitHub Statistieken Kaart
+
+Kopieer en plak dit in je markdown content, zo simpel is het!
+
+Verander de waarde `?username=` naar jou gebruikersnaam.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+_Notitie: Beschikbare rangen zijn S+ (top 1%), S (top 25%), A++ (top 45%), A+ (top 60%), and B+ (iedereen).
+De waarden worden berekend met behulp van de zogeheten [cumulative distribution function](https://en.wikipedia.org/wiki/Cumulative_distribution_function) met de waardes van de commits, bijdragens, issues, sterren, PR's, volgers en eigen repositories.
+De implementatie hiervan kan bekijken op [src/calculateRank.js](../src/calculateRank.js)_
+
+### Verberg individueele statistieken
+
+Om specifieke statistieken te verbergen, kan je een `?hide=` query parameter toevogen, verdeeld met komma\'s.
+
+
+> Opties: `&hide=stars,commits,prs,issues,contribs`
+
+```md
+
+```
+
+### Voeg privé contributies toe aan totale commits.
+
+Je kan de hoeveelheid privé commits toevoegen aan je totale hoeveelheid commits door de query parameter `?count_private=true` te gebruiken.
+
+_Notitie: Als je dit project zelf deployt, zullen de privé contributies standaard toegevoegt worden aan je totaal, omdat anders je hoeveelheid privé contributies moet delen._
+
+> Opties: `&count_private=true`
+
+```md
+
+```
+
+### Laat icoontjes zien
+
+Om icoontjes te gebruiken kan je `show_icons=true` gebruiken in de query parameter, zoals hier:
+
+```md
+
+```
+
+### Thema\'s
+
+Met ingebouwde thema\'s kan je het uiterlijk van de kaart aanpassen zonder enige [handmatige opmaak](#customization).
+
+Gebruik `?theme=THEME_NAME` parameters zo :-
+
+```md
+
+```
+
+#### Alle ingeboude thema\'s :-
+
+dark, radical, merko, gruvbox, tokyonight, onedark, cobalt, synthwave, highcontrast, dracula
+
+
+
+Je kan een preview van alle [beschikbare thema\'s](../themes/README.md) bekijken, of zie het [thema configuratie bestand](../themes/index.js) en **je kan aan nieuwe thema\'s bijdragen** als je dat leuk lijkt :D
+
+### Opmaak
+
+Je kan het uiterlijk van je `Statistieken kaart` of `Repo kaart` aanpassen hoe je ook maar wilt met URL parameters.
+
+#### Veel gebruikte opties:
+
+- `title_color` - De kleur van de titel van de kaart _(hex kleur)_
+- `text_color` - Tekst kleur _(hex kleur)_
+- `icon_color` - Icoon kleuren, wanneer beschikbaar _(hex kleur)_
+- `bg_color` - Achtergrond kleur van de kaart _(hex kleur)_ **of** een verloop van kleuren in het formaat van _graden,start,einde_
+- `hide_border` - Verbergt de rand van de kaart _(boolean)_
+- `theme` - Naam van het thema, kies uit [alle beschikbare thema\'s](../themes/README.md)
+- `cache_seconds` - Stel de cache header handmatig in _(min: 14400, max: 86400)_
+- `locale` - Stel taal van de kaart in _(e.g. cn, de, es, etc.)_
+- `json` - Toont ruwe JSON-gegevens in plaats van een kaart te renderen. Handig voor debuggen of het gebruiken van gegevens in andere apps. _(boolean)_
+
+##### Kleurenverloop in bg_color (achtergrond kleur):
+
+Je kan meerdere komma verdeelde waarden in de bg_color optie geven om een kleurenverloop te creeëren, het formaat van het kleurenverloop is:-
+
+```
+&bg_color=GRADEN,KLEUR1,KLEUR2,KLEUR3...KLEUR10
+```
+
+> Notities i.v.b.m. cache: Repo kaarten hebben een standaard cache van 4 uur (14400 seconden) als de fork hoeveelheid en de star hoeveelheid minder is dan 1k, anders is het 2 uur (7200 seconden). Daarnaast ligt de cache vast aan een minimum van 2 uur en een maximum van 24 uur.
+
+#### Exclusieve opties voor Statistieken Kaart:
+
+- `hide` - Verbergt gespecificeerde items van de statistieken. _(komma gescheiden waardes)_
+- `hide_title` - _(boolean)_
+- `hide_rank` - _(boolean)_
+- `show_icons` - _(boolean)_
+- `include_all_commits` - Tel alle commits inplaats van alleen de commits van het huidige jaar _(boolean)_
+- `count_private` - Tel privé commits mee _(boolean)_
+- `line_height` - Stel de lijn-hoogte tussen text in _(nummer)_
+- `custom_title` - Stel een aangepaste titel voor je kaart in
+
+#### Exclusieve opties voor Repo Kaart:
+
+- `show_owner` - Laat de eigenaar van de repo zien _(boolean)_
+
+#### Exclusieve opties voor Programmeertaal Kaart:
+
+- `hide` - Verbergt specifieke talen van de kaart _(komma gescheiden waardes)_
+- `hide_title` - _(boolean)_
+- `layout` - Kies uit de vijf beschikbare lay-outs `normal` & `compact` & `donut` & `donut-vertical` & `pie`
+- `card_width` - Stelt de breedte van de kaart handmatig in. _(nummer)_
+- `langs_count` - Laat meer talen op de kaart zien, waarde tussen 1-10, staat standaard op to 5 _(nummer)_
+- `exclude_repo` - Verbergt specifieke repositories _(komma gescheiden waardes)_
+- `custom_title` - Stelt een eigen titel voor de kaart in
+
+> :Waarschuwing: **Belangrijk:**
+> Namen van programmeertalen moeten worden geuri-escaped, zoals gespecificeerd in [Percent Encoding](https://en.wikipedia.org/wiki/Percent-encoding)
+> (Oftewel: `c++` moet `c%2B%2B` worden, `jupyter notebook` moet `jupyter%20notebook` worden, enzovoort...)
+> Zie [urlencoder.org](https://www.urlencoder.org/) om dit automatisch te doen.
+
+#### Exclusieve opties voor WakaTime Kaart:
+
+- `hide_title` - _(boolean)_
+- `line_height` - Verandert de lijn hoogte tussen tekst _(nummer)_
+- `hide_progress` - Verbergt de progressiebalk en het percentage _(boolean)_
+- `custom_title` - Stelt een eigen titel voor de kaart in
+- `layout` - Schakel tussen de twee beschikbare lay-outs `default` en `compact`
+
+---
+
+# GitHub Extra Pins
+
+GitHub extra pins geven je de mogelijkheid om meer dan 6 repositories op je profiel te pinnen, doormiddel van een GitHub readme profile.
+
+Joepie! Je bent niet langer aan 6 pins gelimiteerd!
+
+### Gebruik
+
+Kopieer en plak deze code in je readme en verander de links.
+
+Eindpunt: `api/pin?username=anuraghazra&repo=github-readme-stats`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Demo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+Gebruikt [show_owner](#customization) variabele om de repo\'s eigenaar toe te voegen
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# Top Programmeertalen Kaart
+
+De top programmeertalen kaart laat zien welke talen een GitHub gebruiker het meest gebruikt.
+
+_Notitie: Top programmeertalen wijzen niet op een vaardigheids niveau, het is puur een GitHub metriek over welke talen de meeste code op GitHub hebben. Het is een nieuwe funktie van github-readme-stats._
+
+### Gebruik
+
+Kopieer en plak deze code in je readme en verander de links.
+
+
+Eindpunt: `api/top-langs?username=anuraghazra`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Verberg individueele repositories
+
+Je kan de parameter `?exclude_repo=repo1,repo2` gebruiken om individueele repositories te verbergen.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Verberg individueele talen
+
+Je kan de `?hide=taal1,taal2` parameter gebruiken om individuele programmeer talen te verbergen.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Laat meer programmeertalen zien
+
+Je kan de `&langs_count=` optie gebruiken om de hoeveelheid talen op je kaart groter en kleiner te maken. Geldige waardes zijn tussen de 1 en 10 (inclusief), en de standaard waarde is 5.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Compacte Talen Kaart opmaak
+
+Je kan de `&layout=compact` optie gebruiken om het kaart ontwerp aan te passen.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Demo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- Compacte opmaak
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# Wekelijkse WakaTime Statistieken
+
+Verander de `?username=` waarde naar je [WakaTime](https://wakatime.com) gebruikersnaam.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Demo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### Alle demos
+
+- Standaard
+
+
+
+- Verberg specifieke statestieken
+
+
+
+- Weergeef icoontjes
+
+
+
+- Voeg alle commits toe
+
+
+
+- Thema\'s
+
+Kies uit de [standaard thema\'s](#themes)
+
+
+
+- Kleurenverloop
+
+
+
+- Pas statistieken kaart aan
+
+
+
+- Stel je kaart locale (taal) in
+
+
+
+- Pas repo kaart aan.
+
+
+
+- Top programmeertalen
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- WakaTime kaart
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### Kleine tip (Verstel de repo kaart z\'n positie)
+
+Meestal kan je de afbeeldingen niet naast elkaar zetten, op deze manier wel:
+
+```html
+
+
+
+
+
+
+```
+
+## Deploy je eigen Vercel instatie
+
+#### [Check de stapsgewijze video tutorial door @codeSTACKr (In het Engels)](https://youtu.be/n6d4KHSKqGk?t=107)
+
+Sinds de GitHub API alleen maar 5k verzoeken per uur toestaat, zou mijn `https://github-readme-stats.vercel.app/api` mogelijk de rate limiet behalen. Als je het op je eigen Vercel server host, dan hoef je je nergens zorgen om te maken. Klik op de deploy knop om te beginnen!
+
+NOTITIE: Sinds [#58](https://github.com/anuraghazra/github-readme-stats/pull/58) zouden we geen problemen meer moeten hebben de 5k verzoeken per uur, en verdere downtime :D
+
+[](https://vercel.com/import/project?template=https://github.com/anuraghazra/github-readme-stats)
+
+
Versel deploy gids: 🔨
+
+1. Ga naar [vercel.com](https://vercel.com/)
+2. Klik op `Log in`
+ 
+3. Meld je aan met GitHub door op `Continue with GitHub` te klikken.
+ 
+4. Log in op GitHub en sta toegang tot alle repositories toe, wanneer dat gevraagt wordt.
+5. Fork deze repo
+6. Ga terug naar je [Vercel dashboard](https://vercel.com/dashboard)
+7. Selecteer `Import Project`
+ 
+8. Selecteer `Import Git Repository`
+ 
+9. Selecteer root en hou alles zoals het is, voeg alleen je environment variable genaamd PAT_1 toe (Zoals hier late zien word), die beheert over een persoonlijke toegangs token (PAT), die je gemakklijk [hier](https://github.com/settings/tokens/new) gemakkelijk kan creeëren. (Laat alles zoals het is, noem het maar iets, mag alles zijn.)
+ 
+10. Klik deploy, en alles zou moeten werken. Zie je domein om de api te gebruiken!
+
+
+
+
पहुनु होस् द्य्नामिचल्ली गेनेरटे गितहब रेअडमी सतत
+ +
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ डेमो हेर्नुहोस् + · + रिपोर्ट बग + · + अनुरोध सुविधा +
++ Français + · + 简体中文 + · + Español + · + Deutsch + · + 日本語 + · + Português Brasileiro + · + Italiano + · + 한국어 + . + Nederlands + · + नेपाली + . + Türkçe +
+ +परियोजना मनपर्यो? तपाईं मद्दत गर्न सक्नुहुन्छ यो परियोजना बढ्न
+
+# विशेषताहरु
+
+- [गितहब स्टेट कार्ड](#गितहब-स्टेट-कार्ड)
+ - [लुकाउनु होस् व्यक्तिगत स्टेट](#लुकाउनु-होस्-व्यक्तिगत-स्टेट)
+ - [जोड्नु होस् निजी टोटल योगदान](#जोड्नु-होस्-निजी-टोटल--योगदान)
+ - [देखाउनु होस् इकोन](#देखाउनु-होस्-इकोन)
+ - [विषयवस्तुहरू](#विषयवस्तुहरू)
+ - [अनुकूलन](#अनुकूलन)
+- [गितहब अतिरिक्त पिन्स](#गितहब-अतिरिक्त-पिन्स)
+ - [प्रयोग](#प्रयोग)
+ - [डेमो](#डेमो)
+- [टोप भाषा कार्ड](#टोप-भाषा-कार्ड)
+ - [प्रयोग](#प्रयोग-1)
+ - [Exclude individual repositories](#exclude-individual-repositories)
+ - [कुनै भाषा चुपौनॆ तरिका](#कुनै-भाषा-चुपौनॆ-तरिका)
+ - [धेरॆ भाषाहरु हेर्नको लागि](#धेरॆ-भाषाहरु-हेर्नको-लागि)
+ - [कम्प्याक्ट भाषा कार्ड ळयोउत](#कम्प्याक्ट-भाषा-कार्ड-ळयोउत)
+ - [डेमो](#डेमो-1)
+- [वाका समय वीक स्तट्स](#वाका-समय-वीक-स्तट्स)
+ - [डेमो](#डेमो-2)
+ - [सबै डेमोहरु](#सबै-डेमोहरु)
+ - [टिप् (रेपो कार्डलाए अलिग्न गर्ने )](#टिप्--रेपो-कार्डलाए-अलिग्न-गर्ने-)
+ - [देप्लोय आफ्नै वेर्चेल इन्स्तंस](#देप्लोय--आफ्नै--वेर्चेल--इन्स्तंस)
+ - [:sparkling\_heart: सहपोर्ट द प्रोजेक्ट](#sparkling_heart-सहपोर्ट-द-प्रोजेक्ट)
+
+# गितहब स्टेट कार्ड
+
+Copy-paste this into your markdown content, and that's it. Simple!
+
+Change the `?username=` value to your GitHub's username.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+_Note: Ranks are calculated based on user's stats, see [src/calculateRank.js](./src/calculateRank.js)_
+
+### लुकाउनु होस् व्यक्तिगत स्टेट
+
+To hide any specific stats, you can pass a query parameter `?hide=` with comma-separated values.
+
+> Options: `&hide=stars,commits,prs,issues,contribs`
+
+```md
+
+```
+
+### जोड्नु होस् निजी टोटल योगदान
+
+You can add the count of all your private contributions to the total commits count by using the query parameter `?count_private=true`.
+
+_Note: If you are deploying this project yourself, the private contributions will be counted by default otherwise you need to chose to share your private contribution counts._
+
+> Options: `&count_private=true`
+
+```md
+
+```
+
+### देखाउनु होस् इकोन
+
+To enable icons, you can pass `show_icons=true` in the query param, like so:
+
+```md
+
+```
+
+### विषयवस्तुहरू
+
+With inbuilt themes, you can customize the look of the card without doing any [manual customization](#customization).
+
+Use `?theme=THEME_NAME` parameter like so :-
+
+```md
+
+```
+
+#### सबै इनबिल्ट विषयवस्तु :-
+
+dark, radical, merko, gruvbox, tokyonight, onedark, cobalt, synthwave, highcontrast, dracula
+
+
+
+
+तपैले सबै थेम्सहरु प्रेविउ गर्न सक्नु हुनेछ । [all available themes](./themes/README.md) नत्र थेम्सहरुको config [theme config file](./themes/index.js) पनि हेर्न सक्नु हुनेछ र **थेम्सहरुमा योगदान पनि गर्नु सक्नु हुनेछ** :D ।
+
+### अनुकूलन
+
+तपैले `Stats Card` or `Repo Card` को अपपेअरंस कस्टमेज गर्न सक्नु हुनेछ जसमा तपैले URL params पनि प्रयोग गर्नु सक्नु हुनेछ ।
+
+#### साधारण विकल्पहरू:
+
+- `title_color` - Card's title color _(hex color)_
+- `text_color` - Body text color _(hex color)_
+- `icon_color` - Icons color if available _(hex color)_
+- `bg_color` - Card's background color _(hex color)_ **or** a gradient in the form of _angle,start,end_
+- `hide_border` - Hides the card's border _(boolean)_
+- `theme` - name of the theme, choose from [all available themes](./themes/README.md)
+- `cache_seconds` - set the cache header manually _(min: 14400, max: 86400)_
+- `locale` - set the language in the card _(e.g. cn, de, es, etc.)_
+- `json` - Outputs raw JSON data instead of the card. Useful for debugging or using data in other apps. _(boolean)_
+
+##### Gradient in bg_color
+
+You can provide multiple comma-separated values in bg_color option to render a gradient, the format of the gradient is :-
+
+```
+&bg_color=DEG,COLOR1,COLOR2,COLOR3...COLOR10
+```
+
+> Note on cache: Repo cards have a default cache of 4 hours (14400 seconds) if the fork count & star count is less than 1k, otherwise, it's 2 hours (7200 seconds). Also, note that the cache is clamped to a minimum of 2 hours and a maximum of 24 hours
+
+#### Stats कार्ड विशेष विकल्पहरू:
+
+- `hide` - Hides the specified items from stats _(Comma-separated values)_
+- `hide_title` - _(boolean)_
+- `hide_rank` - _(boolean)_
+- `show_icons` - _(boolean)_
+- `include_all_commits` - Count total commits instead of just the current year commits _(boolean)_
+- `count_private` - Count private commits _(boolean)_
+- `line_height` - Sets the line-height between text _(number)_
+- `custom_title` - Sets a custom title for the card
+
+#### Repo कार्ड विशेष विकल्पहरू:
+
+- `show_owner` - Show the owner name of the repo _(boolean)_
+
+#### भाषा कार्ड अनन्य विकल्पहरू :
+
+- `hide` - Hide the languages specified from the card _(Comma-separated values)_
+- `hide_title` - _(boolean)_
+- `layout` - Switch between five available layouts `normal` & `compact` & `donut` & `donut-vertical` & `pie`. Default: `normal`.
+- `card_width` - Set the card's width manually _(number)_
+- `langs_count` - Show more languages on the card, between 1-10, defaults to 5 _(number)_
+- `exclude_repo` - Exclude specified repositories _(Comma-separated values)_
+- `custom_title` - Sets a custom title for the card
+
+> :warning: **Important:**
+> Language names should be uri-escaped, as specified in [Percent Encoding](https://en.wikipedia.org/wiki/Percent-encoding)
+> (i.e: `c++` should become `c%2B%2B`, `jupyter notebook` should become `jupyter%20notebook`, etc.)
+
+#### वकासमय कार्ड विशेष विकल्प:
+
+- `hide_title` - _(boolean)_
+- `line_height` - Sets the line-height between text _(number)_
+- `hide_progress` - Hides the progress bar and percentage _(boolean)_
+- `custom_title` - Sets a custom title for the card
+
+---
+
+# गितहब अतिरिक्त पिन्स
+
+GitHub extra pins allow you to pin more than 6 repositories in your profile using a GitHub readme profile.
+
+GitHub फाल्तु पिनले तपाइँलाए GitHub रीडमी प्रोफाइल प्रयोग गरी तपाइँको प्रोफाइलमा छ ओटा भन्दा बढि प्रोजेक्टहरु पिन गर्न अनुमति दिन्छ ।
+
+हो! तपाईं अब pin पिन गरीएको छ ओटा प्रोजेक्ट सीमित हुनुहुन्छ ।
+
+### प्रयोग
+
+कोदलाए कपी- पेसेत readme मा गर्नु होला र लिंक परिवतन गर्नु होला |
+
+Endpoint: `api/pin?username=anuraghazra&repo=github-readme-stats`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### डेमो
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+Use [show_owner](#customization) variable to include the repo's owner username
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# टोप भाषा कार्ड
+
+टोप भाषाकार्डले github परयोग गर्नेहरुको प्रोग्रम्मिंग भाषाहरु देखाऊने गर्दछ |.
+
+_NOTE: टोप भाषाहरुले आफ्नो सिपलाए संकेत गरेको होईन | योचै GitHub Metricबाट धेरै कुन भाषा परयोग भाकोलाए संकेत गरेको हो |
+### प्रयोग
+
+कोदलाए कपी- पेसेत readme मा गर्नु होला र लिंक परिवतन गर्नु होला |
+
+Endpoint: `api/top-langs?username=anuraghazra`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Exclude individual repositories
+
+You can use `?exclude_repo=repo1,repo2` parameter to exclude individual repositories.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### कुनै भाषा चुपौनॆ तरिका
+
+You can use `?hide=language1,language2` parameter to hide individual languages.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### धेरॆ भाषाहरु हेर्नको लागि
+
+You can use the `&langs_count=` option to increase or decrease the number of languages shown on the card. Valid values are integers between 1 and 10 (inclusive), and the default is 5.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### कम्प्याक्ट भाषा कार्ड ळयोउत
+
+तपाइले `&layout=compact` ओप्तिओनपनि कार्ड देसिग्न को लागि परहयोग गर्न सक्नु हुन्क्ष
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### डेमो
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- Compact layout
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# वाका समय वीक स्तट्स
+
+Change the `?username=` value to your [WakaTime](https://wakatime.com) username.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### डेमो
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### सबै डेमोहरु
+
+- देफौल्ट
+
+
+
+- हिदिंग स्पेचific स्तट्स
+
+
+
+- इकोनहरु शो गर्ने
+
+
+
+- सबै कमितहरु
+
+
+
+- थेम्स
+
+कुनै एउटा चोज गर्नुस [default themes](#themes)
+
+
+
+- घ्रदिएन्त
+
+
+
+- स्तत्स कार्ड लाए कस्तोमेज गर्ने
+
+
+
+- सेत्तिंग कार्ड लोचले
+
+
+
+- रेपो कार्डलाई एडित गर्नु
+
+
+
+- टोप भाषा
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- वक समय कार्ड
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### टिप् (रेपो कार्डलाए अलिग्न गर्ने )
+
+तपाइले इमेजलाई सइद बय सइद अलीग्न गर्न सक्नु हुदैन तेसैले येसरी गर्नु होस् :
+
+```html
+
+
+
+
+
+
+```
+
+## देप्लोय आफ्नै वेर्चेल इन्स्तंस
+
+#### [Check Out Step By Step Video Tutorial By @codeSTACKr](https://youtu.be/n6d4KHSKqGk?t=107)
+
+गितहब को अपिएले पाच हजार रेक़ुएस्त प्रति घण्टा मात्र मिल्क्ष । मेरो
+ `https://github-readme-stats.vercel.app/api` प्रोजेक्ट मा रेत् लिमिट हुन सक्क्ष । तर तपाइले आफ्नै वेर्चेल सेर्वेर मा होस्ट गर्नु बाको छ बने यो प्रोब्लेम हुदैन।
+ होस्ट गर्ने तरिका यस पकारका षन ।
+
+NOTE: Since [#58](https://github.com/anuraghazra/github-readme-stats/pull/58) we should be able to handle more than 5k requests and have no issues with downtime :D
+
+[](https://vercel.com/import/project?template=https://github.com/anuraghazra/github-readme-stats)
+
+
Guide on setting up Vercel 🔨
+
+1. Go to [vercel.com](https://vercel.com/)
+1. Click on `Log in`
+ 
+1. Sign in with GitHub by pressing `Continue with GitHub`
+ 
+1. Sign into GitHub and allow access to all repositories, if prompted
+1. Fork this repo
+1. Go back to your [Vercel dashboard](https://vercel.com/dashboard)
+1. Select `Import Project`
+ 
+1. Select `Import Git Repository`
+ 
+1. Select root and keep everything as is, just add your environment variable named PAT_1 (as shown), which will contain a personal access token (PAT), which you can easily create [here](https://github.com/settings/tokens/new) (leave everything as is, just name it something, it can be anything you want)
+ 
+1. Click deploy, and you're good to go. See your domains to use the API!
+
+
+
+
Adicione suas estatísticas no GitHub geradas dinamicamente em seus readmes!
+ +
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Ver demonstração + · + Reportar erros + · + Solicitar recursos +
++ Français + · + 简体中文 + · + Español + · + Deutsch + · + 日本語 + · + Português Brasileiro + · + Italiano + · + 한국어 + . + Nederlands + . + नेपाली + . + Türkçe +
+ +Gostou do projeto? Por favor considere fazer uma doação para ajudar a melhorá-lo!
+
+# Características
+
+- [Cartão de estatísticas do GitHub](#cartão-de-estatísticas-do-github)
+ - [Ocultando estatísticas específicas](#ocultando-estatísticas-específicas)
+ - [Adicionando contagem de contribuições privadas à contagem total de commits](#adicionando-contagem-de-contribuições-privadas-à-contagem-total-de-commits)
+ - [Exibindo ícones](#exibindo-ícones)
+ - [Temas](#temas)
+ - [Personalização](#personalização)
+- [Pins extras do GitHub](#pins-extras-do-github)
+ - [Utilização](#utilização)
+ - [Demonstração](#demonstração)
+- [Cartão de principais linguagens de programação](#cartão-de-principais-linguagens-de-programação)
+ - [Utilização](#utilização-1)
+ - [Ocultar linguagens individualmente](#ocultar-linguagens-individualmente)
+ - [Layout de cartão de linguagens compacto](#layout-de-cartão-de-linguagens-compacto)
+ - [Demonstração](#demonstração-1)
+- [Estatística semanal WakaTime](#estatística-semanal-wakatime)
+ - [Demonstração](#demonstração-2)
+ - [Todas as demonstrações](#todas-as-demonstrações)
+ - [Dica (Alinhandos os cartões de repositório)](#dica-alinhandos-os-cartões-de-repositório)
+ - [Implante em sua própria instância do Vercel](#implante-em-sua-própria-instância-do-vercel)
+ - [:sparkling\_heart: Apoie o projeto](#sparkling_heart-apoie-o-projeto)
+
+# Cartão de estatísticas do GitHub
+
+Copie e cole isso no seu conteúdo de remarcação e é isso. Simples!
+
+Mude o valor de `?username=` para o seu nome de usuário no GitHub.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+_Nota: As classificações são baseadas nas estatísticas do usuário, veja [src/calculateRank.js](../src/calculateRank.js)_
+
+### Ocultando estatísticas específicas
+
+Para ocultar estatísticas individualmente, você pode passar um parâmetro de consulta `?hide=` com valores separados por vírgula.
+
+> Opções: `&hide=stars,commits,prs,issues,contribs`
+
+```md
+
+```
+
+### Adicionando contagem de contribuições privadas à contagem total de commits
+
+Adicione a contagem de todas as suas contribuições privadas à contagem total de confirmações usando o parâmetro de consulta `?count_private=true`.
+
+_Nota: Se você estiver implantando este projeto, as contribuições privadas serão contadas por padrão; caso contrário, você precisará compartilhar suas contagens de contribuições privadas._
+
+> Opções: `&count_private=true`
+
+```md
+
+```
+
+### Exibindo ícones
+
+Para habilitar ícones, basta utilizar o parâmetro `show_icons=true` na sua requisição, da seguinte forma:
+
+```md
+
+```
+
+### Temas
+
+Com temas predefinidos, pode personalizar a aparência dos cartões sem precisar fazer nenhuma [configuração manual](#personalização).
+
+Utilize o parâmetro `?theme=THEME_NAME`, da seguinte forma:
+
+```md
+
+```
+
+#### Todos os temas predefinidos :
+
+dark, radical, merko, gruvbox, tokyonight, onedark, cobalt, synthwave, highcontrast, dracula
+
+
+
+Visualize [todos o temas disponíveis](../themes/README.md) ou o [arquivo de configuração de tema](../themes/index.js), além de **também poder contribuir com novos temas**, se desejar :D
+
+### Personalização
+
+Personalize a aparência do seu `Stats Card` ou `Repo Card` da maneira que desejar com os parâmetros de URL.
+
+#### Opções comuns
+
+- `title_color` - Cor do título do cartão _(hex color)_
+- `text_color` - Cor de texto do conteúdo _(hex color)_
+- `icon_color` - Cor dos ícones (se disponível) _(hex color)_
+- `bg_color` - Cor de fundo do cartão _(hex color)_
+- `hide_border` - Esconde a borda do cartão _(boleano)_
+- `theme` - Nome do tema, escolha em [todos os temas disponíveis](../themes/README.md)
+- `cache_seconds` - Defina o cabeçalho do cache manualmente _(min: 14400, max: 86400)_
+- `locale` - defina o idioma no cartão _(por exemplo. cn, de, es, etc.)_
+- `json` - Mostra dados JSON brutos em vez de renderizar o cartão. Útil para depuração ou uso dos dados em outros apps. _(booleano)_
+
+> Nota sobre o cache: Cartões de repositório tem um cache padrão de 30 minutos (1800 segundos), se o número a contagem de forks e contagem de estrelas é menor que 1 mil o padrão é 2 horas (7200 segundos). Note também que o cache é limitado a um mínimo de 30 minutos e um máximo de 24 horas.
+
+#### Opções exclusivas do cartão de estatísticas:
+
+- `hide` - Oculta itens específicos das estatísticas _(Valores separados por vírgulas)_
+- `hide_title` - Ocultar o título _(boolean)_
+- `hide_rank` - Ocultar a classificação _(boolean)_
+- `show_icons` - Mostrar ícones _(boolean)_
+- `include_all_commits` - Contabiliza todos os commits ao invés de apenas os atual ano _(boolean)_
+- `count_private` - Contabiliza commits privados _(boolean)_
+- `line_height` - Define a altura do espaçamento entre o texto _(number)_
+
+#### Opções exclusivas do cartão de repositórios:
+
+- `show_owner` - Exibir o nome da pessoa a quem o repositório pertence _(boolean)_
+
+#### Opções exclusivas do cartão de linguagens:
+
+- `hide` - Oculta linguagens específicas _(Valores separados por vírgulas)_
+- `hide_title` - Oculta o título _(boolean)_
+- `layout` - Alternar entre os cinco layouts disponíveis `normal` & `compact` & `donut` & `donut-vertical` & `pie`
+- `card_width` - Define a largura do cartão manualmente _(number)_
+
+> :warning: **Importante:**
+> Nomes de linguagens devem ser uma sequência escapada de URI, como específicado em [Codificação por cento](https://pt.wikipedia.org/wiki/Codificação_por_cento)
+> (Ou seja: `c++` deve se tornar `c%2B%2B`, `jupyter notebook` deve se tornar `jupyter%20notebook`, etc.)
+
+---
+
+# Pins extras do GitHub
+
+Os Pins extras do GitHub permitem fixar mais de 6 repositórios no seu perfil usando um perfil README.me do GitHub.
+
+Uhu! Você não está mais limitado a 6 repositórios fixados.
+
+### Utilização
+
+Copie e cole esse código no seu README.md e altere os atributos.
+
+Endpoint: `api/pin?username=anuraghazra&repo=github-readme-stats`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Demonstração
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+Utilize a variável [show_owner](#personalização) para incluir o nome de usuário do proprietária do repositório
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# Cartão de principais linguagens de programação
+
+Exibe uma métrica de linguagens de programação mais usadas pelo usuário do GitHub.
+
+_Nota: As principais linguagens de programação não fazem declarações sobre habilidades pessoais ou similares, é apenas uma figura-chave com base nas estatísticas do GitHub do usuário indicando a frequência com que cada uma foi utilizada._
+
+### Utilização
+
+Copie e cole esse código no seu README.md e altere os atributos.
+
+Endpoint: `api/top-langs?username=anuraghazra`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Ocultar linguagens individualmente
+
+Utilize o parâmetro `?hide=language1,language2` para ocultar linguagens específicas.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Layout de cartão de linguagens compacto
+
+Utilize a opção `&layout=compact` para mudar o layout do cartão.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Demonstração
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- Layout compacto
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# Estatística semanal WakaTime
+
+Altere o valor de `?username=` para o seu username do WakaTime.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Demonstração
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+
+
+### Todas as demonstrações
+
+- Padronizado
+
+
+
+- Ocultando estatísticas específicas
+
+
+
+- Mostrando ícones
+
+
+
+- Incluir todos os commits
+
+
+
+- Temas
+
+Escolha entre um dos [temas predefinidos](#temas)
+
+
+
+- Personalizando o cartão de estatísticas
+
+
+
+- Customizando o cartão de repositório
+
+
+
+- Principais linguagens
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### Dica (Alinhandos os cartões de repositório)
+
+Por padrão, você não poderá organizar as imagens lado a lado. Para fazer isso, você pode usar a seguinte abordagem:
+
+```html
+
+
+
+
+
+
+```
+
+## Implante em sua própria instância do Vercel
+
+#### [Check Out Step By Step Video Tutorial By @codeSTACKr](https://youtu.be/n6d4KHSKqGk?t=107)
+
+Como a API do GitHub permite apenas 5 mil solicitações por hora, é possível que minha `https://github-readme-stats.vercel.app/api` atinja a cota limite. Se hospedar em seu próprio servidor Vercel, não precisará se preocupar com nada. Clique no botão de implantação para começar!
+
+Nota: Desde [#58](https://github.com/anuraghazra/github-readme-stats/pull/58) há possibilidade de lidar com mais de 5 mil chamadas por hora, sem interrupções :D
+
+[](https://vercel.com/import/project?template=https://github.com/anuraghazra/github-readme-stats)
+
+
Guia de configuração do Vercel
+
+1. Acesse [vercel.com](https://vercel.com/)
+1. Clique em `Login`
+ 
+1. Acesse com o GitHub clicando em `Continue with GitHub`
+ 
+1. Entre no GitHub e permita acesso a todos os repositórios, se solicitado
+1. Faça Fork neste repositório
+1. Volte ao seu [painel principal do Vercel](https://vercel.com/dashboard)
+1. Selecione `Import Project`
+ 
+1. Selecione `Import Git Repository`
+ 
+1. Selecione a raiz e mantenha tudo como está, basta adicionar sua variável de ambiente chamada PAT_1 (que será exibida), que conterá um token de acesso pessoal (PAT), que você pode criar facilmente [aqui](https://github.com/settings/tokens/new) (deixe tudo como está, apenas dê um nome, que pode ser o que você quiser)
+ 
+1. Clique em `deploy` e já estará tudo pronto. Veja seus domínios para usar a API!
+
+
+
+
Readme'lerinizde dinamik olarak oluşturulmuş GitHub istatistikleri alın!
+ +
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Demo + · + Hata İlet + · + Özellik Talep Et +
++ Français + · + 简体中文 + · + Español + · + Deutsch + · + 日本語 + · + Português Brasileiro + · + Italiano + · + 한국어 + . + Nederlands + . + नेपाली + . + Türkçe +
+ +Projeyi sevdiniz mi? Daha da gelişmesi için lütfen bağış yapın!
+
+# Features
+
+- [GitHub İstatistikler Kartı](#github-i̇statistikler-kartı)
+ - [Bazı İstatitistikleri Gizleme](#bazı-i̇statitistikleri-gizleme)
+ - [Özel Katkı Sayısını Toplam Commit Sayısına Ekleme](#özel-katkı-sayısını-toplam-commit-sayısına-ekleme)
+ - [İkonları Göstermek](#i̇konları-göstermek)
+ - [Temalar](#temalar)
+ - [Özelleştirmeler](#özelleştirmeler)
+- [GitHub Ekstra Pinler](#github-ekstra-pinler)
+ - [Kullanım](#kullanım)
+ - [Demo](#demo)
+- [En Çok Kullanılan Diller](#en-çok-kullanılan-diller)
+ - [Kullanım](#kullanım-1)
+ - [Belirli Repoları Çıkartın](#belirli-repoları-çıkartın)
+ - [Belirli Dilleri Çıkartın](#belirli-dilleri-çıkartın)
+ - [Daha Fazla Dil Gösterin](#daha-fazla-dil-gösterin)
+ - [Kompakt Dil Kartı Düzeni](#kompakt-dil-kartı-düzeni)
+ - [Demo](#demo-1)
+- [WakaTime Haftalık İstatistikler](#wakatime-haftalık-i̇statistikler)
+ - [Demo](#demo-2)
+ - [Tüm Demolar](#tüm-demolar)
+ - [Hızlı İpucu (Repo Kartları Hizlayın)](#hızlı-i̇pucu-repo-kartları-hizlayın)
+ - [Kendi Vercel Örneğinizde Yayınlayın](#kendi-vercel-örneğinizde-yayınlayın)
+ - [:sparkling\_heart: Projeyi Destekleyin](#sparkling_heart-projeyi-destekleyin)
+
+# GitHub İstatistikler Kartı
+
+Alt kısımdaki kodu Kopyalayın ve yapıştırın. İşte bu kadar. Çok basit!
+
+`?username=` değerini kendi GitHub kullanıcı adınız ile değiştirin.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+_Not: Şu sıralamalar mevcut: S+ (en üst 1%), S (en üst 25%), A++ (en üst 45%), A+ (en üst 60%), and B+ (herkes).
+Buradaki değerler [cumulative distribution function](https://en.wikipedia.org/wiki/Cumulative_distribution_function) ile hesaplanırken; commitler, katkılar, hatalar, yıldızlar, çekme istekleri, takipçiler ve sahip olunan depolar (repository) göz önünde bulundurulamaktadır.
+Uygulamanın yapısı [src/calculateRank.js](./src/calculateRank.js)'te daha detaylı incelenebilir._
+
+### Bazı İstatitistikleri Gizleme
+
+Bazı belirli istatistikleri gizlemek için `?hide=` paremetresi içerisinde virgülle ayırarak gönderebilirsiniz.
+
+> Örnek: `&hide=stars,commits,prs,issues,contribs`
+
+```md
+
+```
+
+### Özel Katkı Sayısını Toplam Commit Sayısına Ekleme
+
+Özel (private) olarak geliştirdiğiniz depolardaki commit sayınızı toplam commit sayınız içerisinde göstermek istiyorsanız `?count_private=true` parametresini gönderebilirsiniz.
+
+_Not: Eğer projeyi kendiniz yayınlayıp kullanacaksanız, özel depolardaki geliştirmelerinizin sayısını varsayılan olarak toplam commit sayınız içerisinde gösterilecektir. Aksi taktirde özel depolardaki katkı sayınızı paylaşmayı ayrıca seçmeniz gerekecektir.
+
+> Örnek: `&count_private=true`
+
+```md
+
+```
+
+### İkonları Göstermek
+
+Eğer ikonları göstermek istiyorsanız, `show_icons=true` parametresini göndermeniz gerekmektedir. Örnek olarak:
+
+```md
+
+```
+
+### Temalar
+
+Dahili olarak gelen temalarla, herhangi bir [manuel özelleştirme](#özelleştirmeler) yapmadan kartın görünümünü özelleştirebilirsiniz.
+
+`?theme=THEME_NAME` parametresini kullanabilirsiniz:
+
+```md
+
+```
+
+#### Tüm Dahili Temalar :-
+
+dark, radical, merko, gruvbox, tokyonight, onedark, cobalt, synthwave, highcontrast, dracula
+
+
+
+Önizleme yapmak için şuralara göz atabilirsiniz: [tüm dahili temalar](./themes/README.md) veya [tema ayar dosyası](./themes/index.js) & **ayrıca siz de yeni bir tema oluşturarak katkı sağlayabilirsiniz** elbette isterseniz :D
+
+### Özelleştirmeler
+
+
+`Stats Card` ya da `Repo Card` görüntünüzü istediğiniz gibi şu parametreler ile değiştirebilirsiniz:
+
+#### Yaygın Seçenekler:
+
+- `title_color` - Kart başlığı rengi _(hex color / hex rengi)_
+- `text_color` - İçerik rengi _(hex color / hex rengi)_
+- `icon_color` - Mümkünse ikon rengi _(hex color / hex rengi)_
+- `bg_color` - Kartın arkaplan rengi _(hex color / hex rengi)_ **ya da** gradient şeklinde _açı,başlangıç,bitiş_
+- `hide_border` - Kartın çerçevelerini gizler _(boolean)_
+- `theme` - Temanın rengi [tüm temalar](./themes/README.md)
+- `cache_seconds` - Manuel olarak cache'i belirleyebilirsiniz _(en az: 14400, en fazla: 86400)_
+- `locale` - Karttaki dili seçebilirsiniz _(örneğin; tr, cn, de, es, vb.)_
+- `json` - Ham verileri render etmek yerine ham JSON verileri çıktılar. Hata ayıklama veya diğer uygulamalarda veri kullanımı için yararlıdır. _(boolean)_
+
+##### bg_color'da Gradient
+
+bg_color içerisinde birden fazla rengi gradient olarak göstermek için virgülle ayırarak kullanabilirsiniz. Gradient kullanımı için örnek format:
+
+```
+&bg_color=DEG,COLOR1,COLOR2,COLOR3...COLOR10
+```
+
+> Cache Hakkında: Repo kartında fork ve yıldız sayısı 1.000'den küçükse varsayılan cache süresi 4 saat yani 14400 saniyedir. 1.000'den büyükse 2 saat yani 7200 saniyedir. Ayrıca, önbelleğin minimum 2 ve maksimum 24 saate sabitlendiğini unutmayın.
+
+#### İstatistik Karları Exclusive Özellikler:
+
+- `hide` - Spesifik özellikleri istatistiklerden gizleyebilirsiniz. _(Virgül ile ayırılmış değerlerle)_
+- `hide_title` - _(boolean)_
+- `hide_rank` - _(boolean)_ Sıralamayı gizler ve kartın genişliğini otomatik olarak tekrar düzenler
+- `show_icons` - _(boolean)_
+- `include_all_commits` - _(boolean)_ Sadece bu yılın değil tüm zamanlarda yaptığınız commit sayısını gösterir
+- `count_private` - _(boolean)_ Özel depolarda yaptığınız commitleri gösterir
+- `line_height` - _(number)_ Satır arası yüksekliği belirler
+- `custom_title` - Kart için istediğiniz bir başlığı belirler
+- `disable_animations` - _(boolean)_ Kart içerisindeki tüm animasyonları kapatır
+
+#### Repo Kartları Exclusive Özellikler:
+
+- `show_owner` - _(boolean)_ Reponun sahibinin ismini gösterir
+
+#### Dil Kartları Exclusive Özellikler:
+
+- `hide` - Belirli bir dili listede gizler _(Virgül ile ayırılmış değerlerle)_
+- `hide_title` - _(boolean)_
+- `layout` - Beş uygun tasarım / düzen arasında geçiş yapın `normal` & `compact` & `donut` & `donut-vertical` & `pie`
+- `card_width` - Kartın genişliğini manuel olarak belirler _(number)_
+- `langs_count` - 1-10 arasında istediğiniz kadar dil gösterebilirsiniz. Varsayılan: 5 _(number)_
+- `exclude_repo` - Belirli repoları listeden çıkartır _(Virgül ile ayırılmış değerlerle)_
+- `custom_title` - Kart için istediğiniz bir başlığı belirler
+
+> :warning: **Önemli:**
+> Dİl isimleri [Percent Encoding](https://en.wikipedia.org/wiki/Percent-encoding)'te belirtildiği üzere uri-escaped olarak belirtilmelidir.
+> (ör: `c++` yerine `c%2B%2B`, `jupyter notebook` yerine `jupyter%20notebook`, vb.)
+> [urlencoder.org](https://www.urlencoder.org/) adresini kullanarak otomatik olarak değerleri bu şekle çevirebilirsiniz.
+
+#### WakaTime Kart Exclusive Özellikler:
+
+- `hide_title` - _(boolean)_
+- `line_height` - Satır aralığı yüksekliği _(number)_
+- `hide_progress` - Progresbarı ve yüzdeyi gizler _(boolean)_
+- `custom_title` - Kart için istediğiniz bir başlığı belirler
+- `layout` - Uygun olan iki tasarım / layout arasında değişiklik yapar `default` & `compact`
+
+---
+
+# GitHub Ekstra Pinler
+
+GitHub ekstra pinler profilinize 6'dan fazla repoyu / depoyu profilinizde pinleyebilirsiniz.
+
+Hey! Artık 6 pin ile kısıtlı kalmayacaksınız!
+
+### Kullanım
+
+Alttaki kodu kopyalayıp readme dosyanıza urlleri değiştirerek yapıştırın.
+
+Endpoint: `api/pin?username=mustafacagri&repo=github-readme-stats`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Demo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+[show_owner](#özelleştirmeler) ile reponun sahibini gösterebilirsiniz.
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# En Çok Kullanılan Diller
+
+En çok kullanılan diller kartı kullanıcının en çok kullandığı dilleri gösterir.
+
+_NOTE: En çok kullanılan dillerde yer alan bilgiler sizin yeteneğinizi ve benzeri şeyleri göstermek. Bu, kodlarınızda en çok kullandığınız dilleri gösteren bir GitHub metriğidir. Ayrıca, github-readme-stats'ın yeni özelliğidir.
+
+### Kullanım
+
+Alttaki kodu kopyalayıp readme dosyanıza urlleri değiştirerek yapıştırın.
+
+Endpoint: `api/top-langs?username=mustafacagri`
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Belirli Repoları Çıkartın
+
+`?exclude_repo=repo1,repo2` parametresini kullanarak istediğiniz repoları çıkartabilirsiniz.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Belirli Dilleri Çıkartın
+
+`?hide=language1,language2` parametresini kullanarak istediğiniz dilleri çıkartabilirsiniz.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Daha Fazla Dil Gösterin
+
+`&langs_count=` parametresini kullanarak kartınızda gösterilen dil sayısını azaltabilir ya da artırabilirsiniz. Varsayılan değeri 5, kullanılabilir sayı aralığı ise 1-10'dur.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Kompakt Dil Kartı Düzeni
+
+`&layout=compact` parametresiyle kart tasarımınızı değiştirebilirsiniz.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Demo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- Kompakt Düzen / Layout
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+# WakaTime Haftalık İstatistikler
+
+`?username=` değerini [WakaTime](https://wakatime.com)'daki kullanıcı adınızla değiştirin.
+
+```md
+[](https://github.com/anuraghazra/github-readme-stats)
+```
+
+### Demo
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- Kompakt Düzen
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### Tüm Demolar
+
+- Varsayılan
+
+
+
+- Belirli istatistikler gizli
+
+
+
+- İkonlar gösteriliyor
+
+
+
+- Tüm commitler dahil
+
+
+
+- Temalar
+
+[default themes](#themes) adresinden istediğiniz temayı seçin.
+
+
+
+- Gradient
+
+
+
+- İstatistik Kartını Düzenleyin
+
+
+
+- Kartın dilini seçin
+
+
+
+- Repo kartı düzenleyin
+
+
+
+- En çok kullanılan diller
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+- WakaTime kart
+
+[](https://github.com/anuraghazra/github-readme-stats)
+
+---
+
+### Hızlı İpucu (Repo Kartları Hizlayın)
+
+Genellikle resimleri yan yana düzenleyemezsiniz. Bunu yapmak için şu yaklaşımı kullanabilirsiniz:
+
+```html
+
+
+
+
+
+
+```
+
+## Kendi Vercel Örneğinizde Yayınlayın
+
+
+#### [@codeSTACKr'ın Yayınladığı Video Eğitimine Göz Atın](https://youtu.be/n6d4KHSKqGk?t=107)
+
+GitHub API saatte sadece 5.000 isteğe izin verdiği için `https://github-readme-stats.vercel.app/api` adresindeki API'm bu limite muhtemelen takılmış olabilir. Eğer projeyi kendi Vercel sunucunuzda yayınlarsanız, böyle bir sorun yaşamayabilirsiniz. Deploy butonuna tıkla ve deploy başlasın!
+
+
+NOT: [#58](https://github.com/anuraghazra/github-readme-stats/pull/58) geliştirmesi sonrasında anlamadığımız bir şekilde 5.000 istek limitine takılmıyoruz :)
+
+[](https://vercel.com/import/project?template=https://github.com/anuraghazra/github-readme-stats)
+
+
Vercel Kurulum Rehberi 🔨
+
+1. [vercel.com](https://vercel.com/) adresine gidin
+1. `Log in`'e tıklayın
+ 
+1. `Continue with GitHub`'e basarak GitHub ile giriş yapın
+ 
+1. GitHub'a giriş yapın ve eğer çıkarsa tüm repolara izin verin.
+1. Bu repoyu fork'layın
+1. [Vercel dashboard](https://vercel.com/dashboard)'unuza geri dönün.
+1. `Import Project`'i seçin.
+ 
+1. `Import Git Repository`'yi seçin.
+ 
+1. Root'u seçin ve her şeyi olduğu gibi bırakın, [burada](https://github.com/settings/tokens/new) kolayca oluşturabileceğiniz kişisel bir erişim belirteci (personal access token) (PAT) içerecek olan PAT_1 adlı ortam değişkeninizi (gösterildiği gibi) ekleyin. (istediğiniz bir isim verin, çok da mühim değil açıkçası)
+ 
+1. Deploy'u tıklayın ve hazırsınız.
+Click deploy, and you're good to go. API'ı kullanmak için alanlarınızı (domainlerinizi) görün!
+
+