├── .gitignore ├── requirements.txt ├── LICENSE ├── .github └── workflows │ └── schedule.yml ├── scraper.py └── archived ├── 2023-07.md └── 2023-06.md /.gitignore: -------------------------------------------------------------------------------- 1 | .DS_Store 2 | **/.DS_Store 3 | -------------------------------------------------------------------------------- /requirements.txt: -------------------------------------------------------------------------------- 1 | pyquery 2 | requests 3 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | MIT License 2 | 3 | Copyright (c) 2022 Desmond Stonie 4 | 5 | Permission is hereby granted, free of charge, to any person obtaining a copy 6 | of this software and associated documentation files (the "Software"), to deal 7 | in the Software without restriction, including without limitation the rights 8 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 9 | copies of the Software, and to permit persons to whom the Software is 10 | furnished to do so, subject to the following conditions: 11 | 12 | The above copyright notice and this permission notice shall be included in all 13 | copies or substantial portions of the Software. 14 | 15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 17 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 18 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 19 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 20 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE 21 | SOFTWARE. 22 | -------------------------------------------------------------------------------- /.github/workflows/schedule.yml: -------------------------------------------------------------------------------- 1 | # This workflow will scrap GitHub trending projects daily. 2 | 3 | name: Daily Github Trending 4 | 5 | on: 6 | schedule: 7 | - cron: "1 */12 * * *" 8 | # push: 9 | # branches: [ "main" ] 10 | 11 | jobs: 12 | build: 13 | 14 | runs-on: ubuntu-latest 15 | 16 | steps: 17 | - name: Checkout 18 | uses: actions/checkout@v3 19 | 20 | - name: Set up Python 11 21 | uses: actions/setup-python@v4 22 | with: 23 | python-version: '3.11' 24 | 25 | - name: Install dependencies 26 | run: | 27 | python -m pip install --upgrade pip 28 | pip install -r requirements.txt 29 | 30 | - name: pull 31 | run: | 32 | git pull 33 | 34 | - name: Run Scraper 35 | run: | 36 | python scraper.py 37 | 38 | # Runs a set of commands using the runners shell 39 | - name: Push to origin main 40 | run: | 41 | if ! git diff --quiet; then 42 | echo start push 43 | git config --global user.name "carter" 44 | git config --global user.email "cartersaxon123@gmail.com" 45 | 46 | git add -A 47 | git commit -m $(date '+%Y-%m-%d') 48 | git push 49 | fi 50 | 51 | del_runs: 52 | runs-on: ubuntu-latest 53 | steps: 54 | - name: Delete workflow runs 55 | uses: Mattraks/delete-workflow-runs@v2 56 | with: 57 | token: ${{ github.token }} 58 | repository: ${{ github.repository }} 59 | retain_days: 7 60 | keep_minimum_runs: 7 61 | -------------------------------------------------------------------------------- /scraper.py: -------------------------------------------------------------------------------- 1 | # coding:utf-8 2 | 3 | import os 4 | import datetime 5 | import requests 6 | import urllib.parse 7 | from pyquery import PyQuery as pq 8 | 9 | def scrape_url(url): 10 | ''' Scrape github trending url 11 | ''' 12 | HEADERS = { 13 | 'User-Agent' : 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10.7; rv:11.0) Gecko/20100101 Firefox/11.0', 14 | 'Accept' : 'text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,*/*;q=0.8', 15 | 'Accept-Encoding' : 'gzip,deflate,sdch', 16 | 'Accept-Language' : 'zh-CN,zh;q=0.8' 17 | } 18 | 19 | print(url) 20 | r = requests.get(url, headers=HEADERS) 21 | assert r.status_code == 200 22 | 23 | d = pq(r.content) 24 | items = d('div.Box article.Box-row') 25 | 26 | results = {} 27 | # codecs to solve the problem utf-8 codec like chinese 28 | for item in items: 29 | i = pq(item) 30 | title = i(".lh-condensed a").text() 31 | description = i("p.col-9").text() 32 | url = i(".lh-condensed a").attr("href") 33 | url = "https://github.com" + url 34 | results[title] = { 'title': title, 'url': url, 'description': description } 35 | return results 36 | 37 | def scrape_lang(language): 38 | ''' Scrape github trending with lang parameters 39 | ''' 40 | url = 'https://github.com/trending/{language}'.format(language=urllib.parse.quote_plus(language)) 41 | r1 = scrape_url(url) 42 | url = 'https://github.com/trending/{language}?spoken_language_code=zh'.format(language=urllib.parse.quote_plus(language)) 43 | r2 = scrape_url(url) 44 | return { **r1, **r2 } 45 | 46 | def write_markdown(lang, results, archived_contents): 47 | ''' Write the results to markdown file 48 | ''' 49 | content = '' 50 | with open('README.md', mode='r', encoding='utf-8') as f: 51 | content = f.read() 52 | content = convert_file_contenet(content, lang, results, archived_contents) 53 | with open('README.md', mode='w', encoding='utf-8') as f: 54 | f.write(content) 55 | 56 | def is_title_exist(title, content, archived_contents): 57 | if '[' + title + ']' in content: 58 | return True 59 | for archived_content in archived_contents: 60 | if '[' + title + ']' in archived_content: 61 | return True 62 | return False 63 | 64 | def convert_file_contenet(content, lang, results, archived_contents): 65 | ''' Add distinct results to content 66 | ''' 67 | distinct_results = [] 68 | for title, result in results.items(): 69 | if not is_title_exist(title, content, archived_contents): 70 | print('Add new result: ' + title) 71 | distinct_results.append(result) 72 | 73 | if not distinct_results: 74 | print('There is no distinct results') 75 | return content 76 | 77 | lang_title = convert_lang_title(lang) 78 | if lang_title not in content: 79 | content = content + lang_title + '\n\n' 80 | 81 | return content.replace(lang_title + '\n\n', lang_title + '\n\n' + convert_result_content(distinct_results)) 82 | 83 | def convert_result_content(results): 84 | ''' Format all results to a string 85 | ''' 86 | strdate = datetime.datetime.now().strftime('%Y-%m-%d') 87 | content = '' 88 | for result in results: 89 | content = content + u"* 【{strdate}】[{title}]({url}) - {description}\n".format( 90 | strdate=strdate, title=result['title'], url=result['url'], 91 | description=format_description(result['description'])) 92 | return content 93 | 94 | def format_description(description): 95 | ''' Remove new line characters 96 | ''' 97 | if not description: 98 | return '' 99 | return description.replace('\r', '').replace('\n', '') 100 | 101 | def convert_lang_title(lang): 102 | ''' Lang title 103 | ''' 104 | if lang == '': 105 | return '## All language' 106 | return '## ' + lang.capitalize() 107 | 108 | def get_archived_contents(): 109 | archived_contents = [] 110 | archived_files = os.listdir('./archived') 111 | for file in archived_files: 112 | content = '' 113 | with open('./archived/' + file, mode='r', encoding='utf-8') as f: 114 | content = f.read() 115 | archived_contents.append(content) 116 | return archived_contents 117 | 118 | def job(): 119 | ''' Get archived contents 120 | ''' 121 | archived_contents = get_archived_contents() 122 | 123 | ''' Start the scrape job 124 | ''' 125 | languages = ['', 'java', 'python', 'javascript', 'go', 'c', 'c++', 'c#', 'html', 'css', 'unknown'] 126 | for lang in languages: 127 | results = scrape_lang(lang) 128 | write_markdown(lang, results, archived_contents) 129 | 130 | if __name__ == '__main__': 131 | job() -------------------------------------------------------------------------------- /archived/2023-07.md: -------------------------------------------------------------------------------- 1 | # GitHub Trending 2 | 3 | 项目来自 [bonfy/github-trending](https://github.com/aneasystone/github-trending)。 4 | 5 | - [Python](#python) 6 | - [Java](#Java) 7 | - [Go](#Go) 8 | - [other](#Unknown) 9 | 10 | ## All language 11 | 12 | * 【2023-07-31】[dogboy21 / serializationisbad](https://github.com/dogboy21/serializationisbad) - A Minecraft coremod / Java Agent aiming to patch serious security vulnerabilities found in many different mods 13 | * 【2023-07-31】[GraphiteEditor / Graphite](https://github.com/GraphiteEditor/Graphite) - 2D raster & vector editor that melds traditional layers & tools with a modern node-based, fully non-destructive procedural workflow. 14 | * 【2023-07-31】[nix-community / home-manager](https://github.com/nix-community/home-manager) - Manage a user environment using Nix [maintainer=@rycee] 15 | * 【2023-07-31】[satoshi0212 / visionOS_30Days](https://github.com/satoshi0212/visionOS_30Days) - visionOS 30 days challenge. 16 | * 【2023-07-30】[Vectorized / solady](https://github.com/Vectorized/solady) - Optimized Solidity snippets. 17 | * 【2023-07-30】[HariSekhon / DevOps-Bash-tools](https://github.com/HariSekhon/DevOps-Bash-tools) - 1000+ DevOps Bash Scripts - AWS, GCP, Kubernetes, Docker, CI/CD, APIs, SQL, PostgreSQL, MySQL, Hive, Impala, Kafka, Hadoop, Jenkins, GitHub, GitLab, BitBucket, Azure DevOps, TeamCity, Spotify, MP3, LDAP, Code/Build Linting, pkg mgmt for Linux, Mac, Python, Perl, Ruby, NodeJS, Golang, Advanced dotfiles: .bashrc, .vimrc, .gitconfig, .screenrc, tmux.. 18 | * 【2023-07-29】[bloomberg / blazingmq](https://github.com/bloomberg/blazingmq) - A modern high-performance open source message queuing system 19 | * 【2023-07-28】[biobootloader / mentat](https://github.com/biobootloader/mentat) - Mentat - The AI Coding Assistant 20 | * 【2023-07-28】[DUOMO / TransGPT](https://github.com/DUOMO/TransGPT) - 21 | * 【2023-07-28】[mybatis-flex / mybatis-flex](https://github.com/mybatis-flex/mybatis-flex) - mybatis-flex is an elegant Mybatis Enhancement Framework 22 | * 【2023-07-28】[jestjs / jest](https://github.com/jestjs/jest) - Delightful JavaScript Testing. 23 | * 【2023-07-28】[withastro / docs](https://github.com/withastro/docs) - Astro documentation 24 | * 【2023-07-28】[ionic-team / ionic-framework](https://github.com/ionic-team/ionic-framework) - A powerful cross-platform UI toolkit for building native-quality iOS, Android, and Progressive Web Apps with HTML, CSS, and JavaScript. 25 | * 【2023-07-28】[fabian-hiller / valibot](https://github.com/fabian-hiller/valibot) - The modular and type safe schema library for validating structural data🤖 26 | * 【2023-07-28】[THUDM / CodeGeeX2](https://github.com/THUDM/CodeGeeX2) - CodeGeeX2: A More Powerful Multilingual Code Generation Model 27 | * 【2023-07-28】[srbhr / Resume-Matcher](https://github.com/srbhr/Resume-Matcher) - Open Source Free ATS Tool to compare Resumes with Job Descriptions and create a score to rank them. 28 | * 【2023-07-28】[Heroic-Games-Launcher / HeroicGamesLauncher](https://github.com/Heroic-Games-Launcher/HeroicGamesLauncher) - A Native GOG and Epic Games Launcher for Linux, Windows and Mac. 29 | * 【2023-07-27】[Project-Sloth / ps-housing](https://github.com/Project-Sloth/ps-housing) - Advanced housing system for QBCore. 30 | * 【2023-07-27】[kamranahmedse / driver.js](https://github.com/kamranahmedse/driver.js) - A light-weight, no-dependency, vanilla JavaScript engine to drive the user's focus across the page 31 | * 【2023-07-25】[karpathy / llama2.c](https://github.com/karpathy/llama2.c) - Inference Llama 2 in one file of pure C 32 | * 【2023-07-25】[liltom-eth / llama2-webui](https://github.com/liltom-eth/llama2-webui) - Run Llama 2 locally with gradio UI on GPU or CPU from anywhere (Linux/Windows/Mac). Supporting Llama-2-7B/13B/70B with 8-bit, 4-bit. Supporting GPU inference (6 GB VRAM) and CPU inference. 33 | * 【2023-07-25】[camenduru / text-generation-webui-colab](https://github.com/camenduru/text-generation-webui-colab) - A colab gradio web UI for running Large Language Models 34 | * 【2023-07-24】[LinkSoul-AI / Chinese-Llama-2-7b](https://github.com/LinkSoul-AI/Chinese-Llama-2-7b) - 开源社区第一个能下载、能运行的中文 LLaMA2 模型! 35 | * 【2023-07-24】[omerbt / TokenFlow](https://github.com/omerbt/TokenFlow) - Official Pytorch Implementation for "TokenFlow: Consistent Diffusion Features for Consistent Video Editing" presenting "TokenFlow" 36 | * 【2023-07-24】[DjangoPeng / openai-quickstart](https://github.com/DjangoPeng/openai-quickstart) - A comprehensive guide to understanding and implementing large language models with hands-on examples using LangChain for AIGC applications. 37 | * 【2023-07-24】[Narasimha1997 / fake-sms](https://github.com/Narasimha1997/fake-sms) - A simple command line tool using which you can skip phone number based SMS verification by using a temporary phone number that acts like a proxy. 38 | * 【2023-07-24】[FuelLabs / fuels-ts](https://github.com/FuelLabs/fuels-ts) - Fuel Network Typescript SDK 39 | * 【2023-07-24】[tonsky / FiraCode](https://github.com/tonsky/FiraCode) - Free monospaced font with programming ligatures 40 | * 【2023-07-23】[SebLague / Chess-Challenge](https://github.com/SebLague/Chess-Challenge) - https://youtu.be/iScy18pVR58 41 | * 【2023-07-23】[NativePHP / laravel](https://github.com/NativePHP/laravel) - Laravel wrapper for the NativePHP framework 42 | * 【2023-07-23】[iggy-rs / iggy](https://github.com/iggy-rs/iggy) - Iggy is the persistent message streaming platform written in Rust, supporting QUIC, TCP and HTTP transport protocols, capable of processing millions of messages per second. 43 | * 【2023-07-23】[michaelshumshum / r-placer](https://github.com/michaelshumshum/r-placer) - bot for 2022 r/place 44 | * 【2023-07-23】[tavianator / bfs](https://github.com/tavianator/bfs) - A breadth-first version of the UNIX find command 45 | * 【2023-07-22】[FlagAlpha / Llama2-Chinese](https://github.com/FlagAlpha/Llama2-Chinese) - 最好的中文Llama大模型,完全开源可商用 46 | * 【2023-07-22】[midudev / curso-node-js](https://github.com/midudev/curso-node-js) - Curso de Node.js desde cero 47 | * 【2023-07-22】[microsoft / TypeChat](https://github.com/microsoft/TypeChat) - TypeChat is a library that makes it easy to build natural language interfaces using types. 48 | * 【2023-07-22】[StudioCherno / Walnut](https://github.com/StudioCherno/Walnut) - Walnut is a simple application framework for Vulkan and Dear ImGui apps 49 | * 【2023-07-22】[rdeepak2002 / reddit-place-script-2022](https://github.com/rdeepak2002/reddit-place-script-2022) - Script to draw an image onto r/place (https://www.reddit.com/r/place/) 50 | * 【2023-07-22】[Fadi002 / unshackle](https://github.com/Fadi002/unshackle) - Open-source tool to bypass windows and linux passwords from bootable usb 51 | * 【2023-07-22】[kennethleungty / Llama-2-Open-Source-LLM-CPU-Inference](https://github.com/kennethleungty/Llama-2-Open-Source-LLM-CPU-Inference) - Running Llama 2 and other Open-Source LLMs on CPU Inference Locally for Document Q&A 52 | * 【2023-07-22】[livewire / livewire](https://github.com/livewire/livewire) - A full-stack framework for Laravel that takes the pain out of building dynamic UIs. 53 | * 【2023-07-22】[Jamie-Stirling / RetNet](https://github.com/Jamie-Stirling/RetNet) - An implementation of "Retentive Network: A Successor to Transformer for Large Language Models" 54 | * 【2023-07-22】[andreabergia / rjvm](https://github.com/andreabergia/rjvm) - A tiny JVM written in Rust. Learning project 55 | * 【2023-07-22】[lchen001 / LLMDrift](https://github.com/lchen001/LLMDrift) - 56 | * 【2023-07-21】[SamsungLabs / NeuralHaircut](https://github.com/SamsungLabs/NeuralHaircut) - 57 | * 【2023-07-21】[twentyhq / twenty](https://github.com/twentyhq/twenty) - Building a modern alternative to Salesforce.🌟You can star to support our work! 58 | * 【2023-07-21】[Swordfish90 / cool-retro-term](https://github.com/Swordfish90/cool-retro-term) - A good looking terminal emulator which mimics the old cathode display... 59 | * 【2023-07-21】[Melelery / c-binance-future-quant](https://github.com/Melelery/c-binance-future-quant) - 低成本,高效率,简单实现的币安合约量化系统架构 60 | * 【2023-07-21】[ymcui / Chinese-LLaMA-Alpaca-2](https://github.com/ymcui/Chinese-LLaMA-Alpaca-2) - 中文LLaMA-2 & Alpaca-2大语言模型 (Chinese LLaMA-2 & Alpaca-2 LLMs) 61 | * 【2023-07-21】[michael-wzhu / Chinese-LlaMA2](https://github.com/michael-wzhu/Chinese-LlaMA2) - Repo for adapting Meta LlaMA2 in Chinese! META最新发布的LlaMA2的汉化版! (完全开源可商用) 62 | * 【2023-07-21】[RupertBenWiser / Web-Environment-Integrity](https://github.com/RupertBenWiser/Web-Environment-Integrity) - 63 | * 【2023-07-21】[AntonioErdeljac / next13-ai-saas](https://github.com/AntonioErdeljac/next13-ai-saas) - 64 | * 【2023-07-20】[facebookresearch / llama-recipes](https://github.com/facebookresearch/llama-recipes) - Examples and recipes for Llama 2 model 65 | * 【2023-07-20】[hiteshchoudhary / apihub](https://github.com/hiteshchoudhary/apihub) - Your own API Hub to learn and master API interaction. Ideal for frontend, mobile dev and backend developers. 66 | * 【2023-07-20】[a16z-infra / llama2-chatbot](https://github.com/a16z-infra/llama2-chatbot) - LLaMA v2 Chatbot 67 | * 【2023-07-20】[jmorganca / ollama](https://github.com/jmorganca/ollama) - Run, customize, and share self-contained & portable large language models 68 | * 【2023-07-20】[scaleapi / llm-engine](https://github.com/scaleapi/llm-engine) - Scale LLM Engine public repository 69 | * 【2023-07-20】[Bernardus / openmoof](https://github.com/Bernardus/openmoof) - 70 | * 【2023-07-20】[oldratlee / useful-scripts](https://github.com/oldratlee/useful-scripts) - 🐌useful scripts for making developer's everyday life easier and happier, involved java, shell etc. 71 | * 【2023-07-20】[charmbracelet / pop](https://github.com/charmbracelet/pop) - Send emails from your terminal📬 72 | * 【2023-07-20】[Uniswap / UniswapX](https://github.com/Uniswap/UniswapX) - 🦄Gasless ERC20 swap settlement protocol🦄 73 | * 【2023-07-20】[stalwartlabs / mail-server](https://github.com/stalwartlabs/mail-server) - Secure & Modern All-in-One Mail Server (IMAP, JMAP, SMTP) 74 | * 【2023-07-20】[okx / go-wallet-sdk](https://github.com/okx/go-wallet-sdk) - Multi-chain golang signature sdk, supports bitcoin, ethereum, aptos, cosmos, etc. 75 | * 【2023-07-18】[orioledb / orioledb](https://github.com/orioledb/orioledb) - OrioleDB – building a modern cloud-native storage engine (... and solving some PostgreSQL wicked problems)🇺🇦 76 | * 【2023-07-18】[Lissy93 / web-check](https://github.com/Lissy93/web-check) - 🌐All-in-one website OSINT tool for analysing any website 77 | * 【2023-07-18】[LazyVim / starter](https://github.com/LazyVim/starter) - Starter template for LazyVim 78 | * 【2023-07-18】[yuankunzhang / charming](https://github.com/yuankunzhang/charming) - A visualization library for Rust 79 | * 【2023-07-17】[Yazdun / react-ts-fcc-tutorial](https://github.com/Yazdun/react-ts-fcc-tutorial) - typescript tutorial for react developers 80 | * 【2023-07-17】[bradfitz / issue-tracker-behaviors](https://github.com/bradfitz/issue-tracker-behaviors) - 81 | * 【2023-07-16】[Shaunwei / RealChar](https://github.com/Shaunwei/RealChar) - 🎙️🤖Create, Customize and Talk to your AI Character/Companion in Realtime(All in One Codebase!). Have a natural seamless conversation with AI everywhere(mobile, web and terminal) using LLM OpenAI GPT3.5/4, Anthropic Claude2, Chroma Vector DB, Whisper Speech2Text, ElevenLabs Text2Speech🎙️🤖 82 | * 【2023-07-16】[midudev / pruebas-tecnicas](https://github.com/midudev/pruebas-tecnicas) - Pruebas técnicas donde la comunidad participa con sus soluciones 83 | * 【2023-07-16】[filip-michalsky / SalesGPT](https://github.com/filip-michalsky/SalesGPT) - Context-aware AI Sales Agent to automate sales outreach. 84 | * 【2023-07-16】[easychen / lean-side-bussiness](https://github.com/easychen/lean-side-bussiness) - 精益副业:程序员如何优雅地做副业 85 | * 【2023-07-16】[webdevcody / code-racer](https://github.com/webdevcody/code-racer) - 86 | * 【2023-07-15】[bazingagin / npc_gzip](https://github.com/bazingagin/npc_gzip) - 87 | * 【2023-07-15】[system76 / virgo](https://github.com/system76/virgo) - System76 Virgo Laptop Project 88 | * 【2023-07-15】[Visualize-ML / Book1_Python-For-Beginners](https://github.com/Visualize-ML/Book1_Python-For-Beginners) - Book_1_《编程不难》 | 鸢尾花书:从加减乘除到机器学习;开始上传PDF草稿、Jupyter笔记。文件还会经过至少两轮修改,改动会很大,大家注意下载最新版本。请多提意见,谢谢 89 | * 【2023-07-15】[medusajs / nextjs-starter-medusa](https://github.com/medusajs/nextjs-starter-medusa) - 90 | * 【2023-07-14】[a16z-infra / companion-app](https://github.com/a16z-infra/companion-app) - AI companions with memory: a lightweight stack to create and host your own AI companions 91 | * 【2023-07-14】[ldpreload / BlackLotus](https://github.com/ldpreload/BlackLotus) - BlackLotus UEFI Windows Bootkit 92 | * 【2023-07-14】[grossartig / vanmoof-encryption-key-exporter](https://github.com/grossartig/vanmoof-encryption-key-exporter) - Export all bike details (such as encryption key) of your VanMoof bikes. 93 | * 【2023-07-14】[ASHWIN990 / ADB-Toolkit](https://github.com/ASHWIN990/ADB-Toolkit) - ADB-Toolkit V2 for easy ADB tricks with many perks in all one. ENJOY! 94 | * 【2023-07-14】[safak / react-admin-ui](https://github.com/safak/react-admin-ui) - 95 | * 【2023-07-14】[highcharts / highcharts](https://github.com/highcharts/highcharts) - Highcharts JS, the JavaScript charting framework 96 | * 【2023-07-14】[alx-tools / Betty](https://github.com/alx-tools/Betty) - Holberton-style C code checker written in Perl 97 | * 【2023-07-13】[baichuan-inc / Baichuan-13B](https://github.com/baichuan-inc/Baichuan-13B) - A 13B large language model developed by Baichuan Intelligent Technology 98 | * 【2023-07-13】[guoyww / AnimateDiff](https://github.com/guoyww/AnimateDiff) - Official implementation of AnimateDiff. 99 | * 【2023-07-13】[mikepound / cubes](https://github.com/mikepound/cubes) - This code calculates all the variations of 3D polycubes for any size (time permitting!) 100 | * 【2023-07-13】[OpenLMLab / MOSS-RLHF](https://github.com/OpenLMLab/MOSS-RLHF) - MOSS-RLHF 101 | * 【2023-07-12】[mshumer / gpt-prompt-engineer](https://github.com/mshumer/gpt-prompt-engineer) - 102 | * 【2023-07-12】[mazzzystar / Queryable](https://github.com/mazzzystar/Queryable) - Run CLIP on iPhone to Search Photos. 103 | * 【2023-07-12】[graphdeco-inria / gaussian-splatting](https://github.com/graphdeco-inria/gaussian-splatting) - Original reference implementation of "3D Gaussian Splatting for Real-Time Radiance Field Rendering" 104 | * 【2023-07-12】[ministryofjustice / modernisation-platform](https://github.com/ministryofjustice/modernisation-platform) - A place for the core work of the Modernisation Platform • This repository is defined and managed in Terraform 105 | * 【2023-07-12】[assafelovic / gpt-researcher](https://github.com/assafelovic/gpt-researcher) - GPT based autonomous agent that does online comprehensive research on any given topic 106 | * 【2023-07-12】[rasbt / scipy2023-deeplearning](https://github.com/rasbt/scipy2023-deeplearning) - 107 | * 【2023-07-12】[apple / swift-http-types](https://github.com/apple/swift-http-types) - Version-independent HTTP currency types for Swift 108 | * 【2023-07-12】[CStanKonrad / long_llama](https://github.com/CStanKonrad/long_llama) - LongLLaMA is a large language model capable of handling long contexts. It is based on OpenLLaMA and fine-tuned with the Focused Transformer (FoT) method. 109 | * 【2023-07-12】[markshust / docker-magento](https://github.com/markshust/docker-magento) - Mark Shust's Docker Configuration for Magento 110 | * 【2023-07-12】[hyperium / hyper](https://github.com/hyperium/hyper) - An HTTP library for Rust 111 | * 【2023-07-12】[baptisteArno / typebot.io](https://github.com/baptisteArno/typebot.io) - 💬Typebot is a powerful chatbot builder that you can self-host. 112 | * 【2023-07-11】[iina / iina](https://github.com/iina/iina) - The modern video player for macOS. 113 | * 【2023-07-10】[facebook / igl](https://github.com/facebook/igl) - Intermediate Graphics Library (IGL) is a cross-platform library that commands the GPU. It provides a single low-level cross-platform interface on top of various graphics APIs (e.g. OpenGL, Metal and Vulkan). 114 | * 【2023-07-10】[dmytrostriletskyi / threads-net](https://github.com/dmytrostriletskyi/threads-net) - Threads (threads.net) Python API wrapper (unofficial and reverse-engineered). 115 | * 【2023-07-10】[threadsjs / threads.js](https://github.com/threadsjs/threads.js) - A Node.js library for the Threads API 116 | * 【2023-07-10】[junhoyeo / threads-api](https://github.com/junhoyeo/threads-api) - Unofficial, Reverse-Engineered Node.js/TypeScript client for Meta's Threads. Supports Read and Write. Web UI Included. 117 | * 【2023-07-10】[surprisetalk / blogs.hn](https://github.com/surprisetalk/blogs.hn) - tiny directory of tech blogs 118 | * 【2023-07-10】[felipemotarocha / fullstackweek-trips](https://github.com/felipemotarocha/fullstackweek-trips) - 119 | * 【2023-07-08】[InternLM / InternLM](https://github.com/InternLM/InternLM) - InternLM has open-sourced a 7 billion parameter base model, a chat model tailored for practical scenarios and the training system. 120 | * 【2023-07-08】[piotr022 / UV_K5_playground](https://github.com/piotr022/UV_K5_playground) - 121 | * 【2023-07-08】[lrh2000 / StackRot](https://github.com/lrh2000/StackRot) - CVE-2023-3269: Linux kernel privilege escalation vulnerability 122 | * 【2023-07-08】[vercel / platforms](https://github.com/vercel/platforms) - A full-stack Next.js app with multi-tenancy and custom domain support. Built with Next.js App Router and the Vercel Domains API. 123 | * 【2023-07-08】[lyogavin / Anima](https://github.com/lyogavin/Anima) - 第一个开源的基于QLoRA的33B中文大语言模型First QLoRA based open source 33B Chinese LLM 124 | * 【2023-07-06】[gibbok / typescript-book](https://github.com/gibbok/typescript-book) - The Concise TypeScript Book: A Concise Guide to Effective Development in TypeScript. Free and Open Source. 125 | * 【2023-07-06】[FuelLabs / sway](https://github.com/FuelLabs/sway) - 🌴Empowering everyone to build reliable and efficient smart contracts. 126 | * 【2023-07-06】[FuelLabs / fuel-core](https://github.com/FuelLabs/fuel-core) - Rust full node implementation of the Fuel v2 protocol. 127 | * 【2023-07-06】[bacen / pilotord-kit-onboarding](https://github.com/bacen/pilotord-kit-onboarding) - Documentação e arquivos de configuração para participação no Piloto do Real Digital 128 | * 【2023-07-06】[Tohrusky / Final2x](https://github.com/Tohrusky/Final2x) - 2^x Image Super-Resolution 129 | * 【2023-07-06】[austinsonger / Incident-Playbook](https://github.com/austinsonger/Incident-Playbook) - GOAL: Incident Response Playbooks Mapped to MITRE Attack Tactics and Techniques. [Contributors Friendly] 130 | * 【2023-07-06】[GopeedLab / gopeed](https://github.com/GopeedLab/gopeed) - High speed downloader that supports all platforms. 131 | * 【2023-07-06】[dttung2905 / kafka-in-production](https://github.com/dttung2905/kafka-in-production) - 📚 Tech blogs & talks by companies that run Kafka in production 132 | * 【2023-07-04】[imoneoi / openchat](https://github.com/imoneoi/openchat) - OpenChat: Less is More for Open-source Models 133 | * 【2023-07-04】[li-plus / chatglm.cpp](https://github.com/li-plus/chatglm.cpp) - C++ implementation of ChatGLM-6B & ChatGLM2-6B 134 | * 【2023-07-04】[ixahmedxi / noodle](https://github.com/ixahmedxi/noodle) - Open Source Education Platform 135 | * 【2023-07-04】[dimdenGD / OldTwitter](https://github.com/dimdenGD/OldTwitter) - Extension to return old Twitter layout from 2015. 136 | * 【2023-07-04】[Kong / kong](https://github.com/Kong/kong) - 🦍The Cloud-Native API Gateway 137 | * 【2023-07-04】[unlearning-challenge / starting-kit](https://github.com/unlearning-challenge/starting-kit) - Starting kit for the NeurIPS 2023 unlearning challenge 138 | * 【2023-07-03】[StrongPC123 / Far-Cry-1-Source-Full](https://github.com/StrongPC123/Far-Cry-1-Source-Full) - Far Cry 1 Full Source (Developed by CryTek). For NON COMMERCIAL Purposes only. Leaked. 139 | * 【2023-07-03】[antfu / qrcode-toolkit](https://github.com/antfu/qrcode-toolkit) - Anthony's QR Code Toolkit for AI generated QR Codes 140 | * 【2023-07-03】[ArchiveBox / ArchiveBox](https://github.com/ArchiveBox/ArchiveBox) - 🗃 Open source self-hosted web archiving. Takes URLs/browser history/bookmarks/Pocket/Pinboard/etc., saves HTML, JS, PDFs, media, and more... 141 | * 【2023-07-02】[EthanArbuckle / Apollo-CustomApiCredentials](https://github.com/EthanArbuckle/Apollo-CustomApiCredentials) - Tweak to use your own reddit API credentials in Apollo 142 | * 【2023-07-02】[aeharding / wefwef](https://github.com/aeharding/wefwef) - wefwef — a mobile-first Lemmy web client 143 | * 【2023-07-02】[Orange-OpenSource / hurl](https://github.com/Orange-OpenSource/hurl) - Hurl, run and test HTTP requests with plain text. 144 | * 【2023-07-02】[OpenDriveLab / End-to-end-Autonomous-Driving](https://github.com/OpenDriveLab/End-to-end-Autonomous-Driving) - All you need for End-to-end Autonomous Driving 145 | * 【2023-07-02】[teslamotors / fleet-telemetry](https://github.com/teslamotors/fleet-telemetry) - 146 | * 【2023-07-02】[jetpack-io / typeid](https://github.com/jetpack-io/typeid) - Type-safe, K-sortable, globally unique identifier inspired by Stripe IDs 147 | 148 | 149 | ## Java 150 | 151 | * 【2023-07-31】[AppliedEnergistics / Applied-Energistics-2](https://github.com/AppliedEnergistics/Applied-Energistics-2) - A Minecraft Mod about Matter, Energy and using them to conquer the world.. 152 | * 【2023-07-31】[mq-soft-tech / comp2000_2023](https://github.com/mq-soft-tech/comp2000_2023) - 153 | * 【2023-07-30】[linkedin / ambry](https://github.com/linkedin/ambry) - Distributed object store 154 | * 【2023-07-30】[raphaelLacerda / java-treino-programacao](https://github.com/raphaelLacerda/java-treino-programacao) - 155 | * 【2023-07-30】[langchain4j / langchain4j](https://github.com/langchain4j/langchain4j) - Java version of LangChain 156 | * 【2023-07-29】[androidx / media](https://github.com/androidx/media) - Jetpack Media3 support libraries for media use cases, including ExoPlayer, an extensible media player for Android 157 | * 【2023-07-29】[geektcp / everwar](https://github.com/geektcp/everwar) - wow game server 158 | * 【2023-07-28】[mikeroyal / AWS-Guide](https://github.com/mikeroyal/AWS-Guide) - Amazon Web Services (AWS) Guide. Learn all about Amazon Web Services Tools, Services, and Certifications. 159 | * 【2023-07-27】[AutohomeCorp / frostmourne](https://github.com/AutohomeCorp/frostmourne) - Frostmourne(霜之哀伤监控平台)是基于Elasticsearch, Prometheus, SkyWalking, InfluxDB,Mysql/TiDB,ClickHouse, SqlServer, IoTDB数据的分布式监控报警系统. Monitor & alert & alarm for Elasticsearch,Prometheus data。主要使用springboot2 + vue-element-admin 160 | * 【2023-07-25】[linyimin0812 / spring-startup-analyzer](https://github.com/linyimin0812/spring-startup-analyzer) - Spring Startup Analyzer generates an interactive Spring application startup report that lets you understand what contributes to the application startup time and helps to optimize it.🚀 161 | * 【2023-07-25】[Mirror0oo0 / im](https://github.com/Mirror0oo0/im) - 162 | * 【2023-07-25】[spotbugs / spotbugs](https://github.com/spotbugs/spotbugs) - SpotBugs is FindBugs' successor. A tool for static analysis to look for bugs in Java code. 163 | * 【2023-07-25】[geekyouth / crack-dbeaver-password](https://github.com/geekyouth/crack-dbeaver-password) - dbeaver 密码破解工具,我的密码必须由我做主。 164 | * 【2023-07-24】[wayn111 / waynboot-mall](https://github.com/wayn111/waynboot-mall) - 这是一套全部开源的微商城项目,包含一个运营后台、H5商城前台和服务端接口。 实现了商城所需的首页展示、商品分类、商品详情、sku详情、商品搜索、购物车、结算下单、商品评论等一系列功能。 技术上基于最新得Springboot3.0、jdk17,整合了MySql、Redis、RabbitMQ、ElasticSearch等常用中间件,代码简单易维护,避免过度封装,欢迎大家点个star、关注博主。 165 | * 【2023-07-24】[maruohon / litematica](https://github.com/maruohon/litematica) - A modern client-side schematic mod for Minecraft 166 | * 【2023-07-24】[thombergs / buckpal](https://github.com/thombergs/buckpal) - An example approach for implementing a Clean/Hexagonal Architecture 167 | * 【2023-07-24】[casdoor / casdoor-java-sdk](https://github.com/casdoor/casdoor-java-sdk) - Java client SDK for Casdoor 168 | * 【2023-07-23】[hkhcoder / vprofile-project](https://github.com/hkhcoder/vprofile-project) - 169 | * 【2023-07-22】[oddfar / campus-imaotai](https://github.com/oddfar/campus-imaotai) - i茅台app自动预约,每日自动预约,支持docker一键部署 170 | * 【2023-07-22】[AliyunContainerService / scaler](https://github.com/AliyunContainerService/scaler) - 171 | * 【2023-07-17】[19MisterX98 / SeedcrackerX](https://github.com/19MisterX98/SeedcrackerX) - 172 | * 【2023-07-17】[alipay / fury](https://github.com/alipay/fury) - A blazing fast multi-language serialization framework powered by jit and zero-copy 173 | * 【2023-07-17】[constanline / XQuickEnergy](https://github.com/constanline/XQuickEnergy) - 174 | * 【2023-07-17】[lx5555 / mePush](https://github.com/lx5555/mePush) - 175 | * 【2023-07-17】[WangDaYeeeeee / GeometricWeather](https://github.com/WangDaYeeeeee/GeometricWeather) - A Material Design Weather Application 176 | * 【2023-07-16】[tgscan-dev / tgscan](https://github.com/tgscan-dev/tgscan) - Streamline Your Telegram Searches: Find Channels, Groups, and Chat History Effortlessly. 177 | * 【2023-07-16】[mekanism / Mekanism](https://github.com/mekanism/Mekanism) - A mod for Minecraft 178 | * 【2023-07-15】[neoforged / NeoForge](https://github.com/neoforged/NeoForge) - 179 | * 【2023-07-15】[baidu / bifromq](https://github.com/baidu/bifromq) - A MQTT broker implementation adopting serverless architecture 180 | * 【2023-07-15】[zuihou / lamp-boot](https://github.com/zuihou/lamp-boot) - lamp-boot 基于Jdk11 + SpringBoot的前后分离的快速开发平台,其中的可配置的SaaS功能尤其闪耀, 具备RBAC功能、网关统一鉴权、Xss防跨站攻击、自动代码生成、多种存储系统、分布式事务、分布式定时任务等多个模块,支持多业务系统并行开发, 支持多服务并行开发,可以作为后端服务的开发脚手架。代码简洁,注释齐全,架构清晰,非常适合学习和企业作为基础框架使用。 181 | * 【2023-07-14】[docker-java / docker-java](https://github.com/docker-java/docker-java) - Java Docker API Client 182 | * 【2023-07-12】[helidon-io / helidon](https://github.com/helidon-io/helidon) - Java libraries for writing microservices 183 | * 【2023-07-11】[kshitijmishra23 / low-level-design-concepts](https://github.com/kshitijmishra23/low-level-design-concepts) - Code Samples to understand SOLID design principles and Design Patterns in JAVA. 184 | * 【2023-07-11】[Skocimis / opensms](https://github.com/Skocimis/opensms) - Open-source solution to programmatically send SMS using your own SIM cards 185 | * 【2023-07-10】[SleepyTrousers / EnderIO-Rewrite](https://github.com/SleepyTrousers/EnderIO-Rewrite) - EnderIO Rewritten for Modern Minecraft. 186 | * 【2023-07-08】[game-town / ioGame](https://github.com/game-town/ioGame) - 无锁异步化、事件驱动架构设计的 java netty 网络游戏服务器框架; 轻量级,无需依赖任何第三方中间件或数据库就能支持集群、分布式; 通过 ioGame 你可以很容易的搭建出一个集群无中心节点、集群自动化、分步式的网络游戏服务器! 187 | * 【2023-07-08】[c0olw / NacosRce](https://github.com/c0olw/NacosRce) - Nacos JRaft Hessian 反序列化 RCE 加载字节码 注入内存马 不出网利用 188 | * 【2023-07-06】[open-job / openjob](https://github.com/open-job/openjob) - Distributed high performance task scheduling framework 189 | * 【2023-07-06】[darbyluv2code / spring-boot-3-spring-6-hibernate-for-beginners](https://github.com/darbyluv2code/spring-boot-3-spring-6-hibernate-for-beginners) - Source code for the course: Spring Boot 3, Spring 6 and Hibernate for Beginners 190 | * 【2023-07-06】[qiutiandefeng / yfexam-exam](https://github.com/qiutiandefeng/yfexam-exam) - 在线考试系统 云帆在线学习vue培训java考试系统是一款基于JAVA开发的,使用SpringBoot+Vue开发的一款多角色在线培训考试系统平台,系统集成了用户管理、角色管理、部门管理、题库管理、试题管理、试题导入导出、考试管理、在线考试、错题训练等功能,考试流程完善,易用性强。电话/微信:18710213152 191 | * 【2023-07-04】[epcdiy / timemachineplus](https://github.com/epcdiy/timemachineplus) - 苹果timemachine复刻,超越,可支持本地磁盘数据和局域网拉取备份其他电脑,支持多备份硬盘分布式存储,java开发,全平台支持 192 | * 【2023-07-04】[HamaWhiteGG / langchain-java](https://github.com/HamaWhiteGG/langchain-java) - It's the Java implementation of LangChain, for building applications with LLMs through composability. 193 | * 【2023-07-03】[webbukkit / dynmap](https://github.com/webbukkit/dynmap) - A set of Minecraft mods that provide a real time web-based map system for various Minecraft server implementations. 194 | * 【2023-07-02】[NEZNAMY / TAB](https://github.com/NEZNAMY/TAB) - "That" TAB plugin. 195 | * 【2023-07-02】[AlmasB / FXGL](https://github.com/AlmasB/FXGL) - Java / JavaFX / Kotlin Game Library (Engine) 196 | * 【2023-07-02】[sksalahuddin2828 / Java](https://github.com/sksalahuddin2828/Java) - Explore something new 197 | 198 | 199 | ## Python 200 | 201 | * 【2023-07-31】[Deadshot0x7 / 007-TheBond](https://github.com/Deadshot0x7/007-TheBond) - This Script will help you to gather information about your victim or friend. 202 | * 【2023-07-31】[vchan-in / CVE-2023-35078-Exploit-POC](https://github.com/vchan-in/CVE-2023-35078-Exploit-POC) - CVE-2023-35078 Remote Unauthenticated API Access Vulnerability Exploit POC 203 | * 【2023-07-31】[vyperlang / vyper](https://github.com/vyperlang/vyper) - Pythonic Smart Contract Language for the EVM 204 | * 【2023-07-29】[GAIR-NLP / factool](https://github.com/GAIR-NLP/factool) - FacTool: Factuality Detection in Generative AI 205 | * 【2023-07-29】[llm-attacks / llm-attacks](https://github.com/llm-attacks/llm-attacks) - Universal and Transferable Attacks on Aligned Language Models 206 | * 【2023-07-29】[jiawen-zhu / HQTrack](https://github.com/jiawen-zhu/HQTrack) - Tracking Anything in High Quality 207 | * 【2023-07-29】[langchain-ai / web-explorer](https://github.com/langchain-ai/web-explorer) - 208 | * 【2023-07-28】[continuedev / continue](https://github.com/continuedev/continue) - ⏩the open-source autopilot for software development—a VS Code extension that brings the power of ChatGPT to your IDE 209 | * 【2023-07-28】[eosphoros-ai / DB-GPT](https://github.com/eosphoros-ai/DB-GPT) - Revolutionizing Database Interactions with Private LLM Technology 210 | * 【2023-07-28】[alantech / marsha](https://github.com/alantech/marsha) - Marsha is a functional, higher-level, English-based programming language that gets compiled into tested Python software by an LLM 211 | * 【2023-07-28】[n1nj4sec / pupy](https://github.com/n1nj4sec/pupy) - Pupy is an opensource, cross-platform (Windows, Linux, OSX, Android) C2 and post-exploitation framework written in python and C 212 | * 【2023-07-28】[pantom2077 / aljcscan](https://github.com/pantom2077/aljcscan) - 基于爬虫工具批量暗链检查、敏感信息泄露、敏感关键字检查。 213 | * 【2023-07-27】[dvruette / sd-webui-fabric](https://github.com/dvruette/sd-webui-fabric) - 214 | * 【2023-07-27】[WKL-Sec / dcomhijack](https://github.com/WKL-Sec/dcomhijack) - Lateral Movement Using DCOM and DLL Hijacking 215 | * 【2023-07-27】[CodeAlchemyAI / ViLT-GPT](https://github.com/CodeAlchemyAI/ViLT-GPT) - 216 | * 【2023-07-27】[facebookresearch / Mask2Former](https://github.com/facebookresearch/Mask2Former) - Code release for "Masked-attention Mask Transformer for Universal Image Segmentation" 217 | * 【2023-07-25】[langchain-ai / langchain](https://github.com/langchain-ai/langchain) - ⚡Building applications with LLMs through composability⚡ 218 | * 【2023-07-25】[unode / firefox_decrypt](https://github.com/unode/firefox_decrypt) - Firefox Decrypt is a tool to extract passwords from Mozilla (Firefox™, Waterfox™, Thunderbird®, SeaMonkey®) profiles 219 | * 【2023-07-24】[salesforce / DialogStudio](https://github.com/salesforce/DialogStudio) - DialogStudio: Towards Richest and Most Diverse Unified Dataset Collection and Instruction-Aware Models for Conversational AI 220 | * 【2023-07-24】[unknown0096 / Unknown-Sentinel](https://github.com/unknown0096/Unknown-Sentinel) - Easy to use and open-source unknown stealer 221 | * 【2023-07-24】[longyuewangdcu / Chinese-Llama-2](https://github.com/longyuewangdcu/Chinese-Llama-2) - 222 | * 【2023-07-24】[shimmeris / SCFProxy](https://github.com/shimmeris/SCFProxy) - A proxy tool based on cloud function. 223 | * 【2023-07-23】[soulteary / docker-llama2-chat](https://github.com/soulteary/docker-llama2-chat) - Play LLaMA2 (official / 中文版 / 4BIT) Together! ONLY 3 STEPS! ( 5GB vRAM / 8~14GB vRAM ) 224 | * 【2023-07-23】[tinygrad / tinygrad](https://github.com/tinygrad/tinygrad) - You like pytorch? You like micrograd? You love tinygrad!❤️ 225 | * 【2023-07-22】[JayZeeDesign / researcher-gpt](https://github.com/JayZeeDesign/researcher-gpt) - 226 | * 【2023-07-22】[psychic-api / rag-stack](https://github.com/psychic-api/rag-stack) - 🤖Deploy a private ChatGPT alternative hosted within your VPC.🔮Connect it to your organization's knowledge base and use it as a corporate oracle. Supports open-source LLMs like Llama 2, Falcon, and GPT4All. 227 | * 【2023-07-21】[a16z-infra / cog-llama-template](https://github.com/a16z-infra/cog-llama-template) - LLaMA Cog template 228 | * 【2023-07-21】[SergeyPirogov / webdriver_manager](https://github.com/SergeyPirogov/webdriver_manager) - 229 | * 【2023-07-21】[yangjianxin1 / Firefly](https://github.com/yangjianxin1/Firefly) - Firefly(流萤): 中文对话式大语言模型(全量微调+QLoRA) 230 | * 【2023-07-21】[ThioJoe / Full-Stack-AI-Meme-Generator](https://github.com/ThioJoe/Full-Stack-AI-Meme-Generator) - Uses Various AI Service APIs to generate memes with text and images 231 | * 【2023-07-20】[Forethought-Technologies / AutoChain](https://github.com/Forethought-Technologies/AutoChain) - AutoChain: Build lightweight, extensible, and testable LLM Agents 232 | * 【2023-07-20】[dabeaz-course / python-mastery](https://github.com/dabeaz-course/python-mastery) - Advanced Python Mastery (course by @dabeaz) 233 | * 【2023-07-20】[rany2 / edge-tts](https://github.com/rany2/edge-tts) - Use Microsoft Edge's online text-to-speech service from Python WITHOUT needing Microsoft Edge or Windows or an API key 234 | * 【2023-07-20】[Nerogar / OneTrainer](https://github.com/Nerogar/OneTrainer) - OneTrainer is a one-stop solution for all your stable diffusion training needs. 235 | * 【2023-07-20】[huggingface / optimum](https://github.com/huggingface/optimum) - 🚀Accelerate training and inference of🤗Transformers and🤗Diffusers with easy to use hardware optimization tools 236 | * 【2023-07-18】[Dao-AILab / flash-attention](https://github.com/Dao-AILab/flash-attention) - Fast and memory-efficient exact attention 237 | * 【2023-07-18】[databricks-academy / large-language-models](https://github.com/databricks-academy/large-language-models) - Notebooks for Large Language Models (LLMs) Specialization 238 | * 【2023-07-17】[shroominic / codeinterpreter-api](https://github.com/shroominic/codeinterpreter-api) - Open source implementation of the ChatGPT Code Interpreter👾 239 | * 【2023-07-17】[RayVentura / ShortGPT](https://github.com/RayVentura/ShortGPT) - 🚀🎬ShortGPT - An experimental framework for automated short/video content. Enables creators to rapidly produce, manage, and deliver content using AI and automation. 240 | * 【2023-07-16】[Codium-ai / pr-agent](https://github.com/Codium-ai/pr-agent) - 🚀CodiumAI PR-Agent: An AI-Powered🤖Tool for Automated PR Analysis, Feedback, Suggestions and More!💻🔍 241 | * 【2023-07-16】[amnemonic / Quansheng_UV-K5_Firmware](https://github.com/amnemonic/Quansheng_UV-K5_Firmware) - Quansheng UV-K5 Firmware 242 | * 【2023-07-16】[jina-ai / vectordb](https://github.com/jina-ai/vectordb) - A Python vector database you just need - no more, no less. 243 | * 【2023-07-16】[MarginalClan / sushiswap-sniper-bot](https://github.com/MarginalClan/sushiswap-sniper-bot) - Fast sniping 244 | * 【2023-07-15】[baaivision / Emu](https://github.com/baaivision/Emu) - Emu: An Open Multimodal Generalist 245 | * 【2023-07-15】[reflex-dev / reflex](https://github.com/reflex-dev/reflex) - (Previously Pynecone)🕸Web apps in pure Python🐍 246 | * 【2023-07-14】[huawei-noah / VanillaNet](https://github.com/huawei-noah/VanillaNet) - 247 | * 【2023-07-14】[UX-Decoder / Semantic-SAM](https://github.com/UX-Decoder/Semantic-SAM) - 248 | * 【2023-07-14】[pengzhile / pandora-cloud-serverless](https://github.com/pengzhile/pandora-cloud-serverless) - 一个简单的仓库,用于Serverless部署Pandora-Cloud。 249 | * 【2023-07-14】[raminmh / liquid_time_constant_networks](https://github.com/raminmh/liquid_time_constant_networks) - Code Repository for Liquid Time-Constant Networks (LTCs) 250 | * 【2023-07-13】[jxxghp / MoviePilot](https://github.com/jxxghp/MoviePilot) - 251 | * 【2023-07-13】[keras-team / keras-core](https://github.com/keras-team/keras-core) - A multi-backend implementation of the Keras API, with support for TensorFlow, JAX, and PyTorch. 252 | * 【2023-07-13】[zjunlp / KnowLM](https://github.com/zjunlp/KnowLM) - Knowledgable Large Language Model Framework. 253 | * 【2023-07-13】[fengx1a0 / Bilibili_show_ticket_auto_order](https://github.com/fengx1a0/Bilibili_show_ticket_auto_order) - 254 | * 【2023-07-13】[huggingface / autotrain-advanced](https://github.com/huggingface/autotrain-advanced) - 🤗AutoTrain Advanced 255 | * 【2023-07-13】[pynecone-io / reflex](https://github.com/pynecone-io/reflex) - 🕸Web apps in pure Python🐍 256 | * 【2023-07-12】[Yujun-Shi / DragDiffusion](https://github.com/Yujun-Shi/DragDiffusion) - Official code for DragDiffusion 257 | * 【2023-07-12】[baichuan-inc / Baichuan-7B](https://github.com/baichuan-inc/Baichuan-7B) - A large-scale 7B pretraining language model developed by BaiChuan-Inc. 258 | * 【2023-07-12】[hiyouga / FastEdit](https://github.com/hiyouga/FastEdit) - 🩹Editing large language models within 10 seconds⚡ 259 | * 【2023-07-12】[lifeisboringsoprogramming / sd-webui-xldemo-txt2img](https://github.com/lifeisboringsoprogramming/sd-webui-xldemo-txt2img) - Stable Diffusion XL 0.9 Demo webui extension 260 | * 【2023-07-12】[pydantic / bump-pydantic](https://github.com/pydantic/bump-pydantic) - Convert Pydantic from V1 to V2♻ 261 | * 【2023-07-12】[jshilong / GPT4RoI](https://github.com/jshilong/GPT4RoI) - GPT4RoI: Instruction Tuning Large Language Model on Region-of-Interest 262 | * 【2023-07-11】[lablab-ai / Google-VertexAI-FastAPI](https://github.com/lablab-ai/Google-VertexAI-FastAPI) - Simple boilerplate to get started with Generative AI models from Google Vertex AI based on FastAPI 263 | * 【2023-07-11】[ringa-tech / asistente-virtual](https://github.com/ringa-tech/asistente-virtual) - 264 | * 【2023-07-11】[JiauZhang / DragDiffusion](https://github.com/JiauZhang/DragDiffusion) - Implementation of DragDiffusion: Harnessing Diffusion Models for Interactive Point-based Image Editing 265 | * 【2023-07-11】[ZYKsslm / BlackStone_Music_GUI](https://github.com/ZYKsslm/BlackStone_Music_GUI) - 一个简约的音乐下载工具 266 | * 【2023-07-11】[gfdgd-xi / deep-wine-runner](https://github.com/gfdgd-xi/deep-wine-runner) - 一个能让Linux用户更加方便运行Windows应用的程序,内置了对wine图形化的支持和各种Wine工具和自制Wine程序打包器、运行库安装工具等等。同时也内置了基于VirtualBox制作的小白Windows虚拟机安装工具,可以做到只需要用户下载系统镜像并点击安装即可,无需顾及虚拟机安装、创建、虚拟机的分区等等 267 | * 【2023-07-11】[SilverComet7 / yolov5-DNF](https://github.com/SilverComet7/yolov5-DNF) - 基于yolov5识别算法实现的DNF自动脚本 268 | * 【2023-07-10】[kyegomez / LongNet](https://github.com/kyegomez/LongNet) - Implementation of plug in and play Attention from "LongNet: Scaling Transformers to 1,000,000,000 Tokens" 269 | * 【2023-07-10】[khoj-ai / khoj](https://github.com/khoj-ai/khoj) - An AI personal assistant for your digital brain 270 | * 【2023-07-10】[Paulescu / hands-on-train-and-deploy-ml](https://github.com/Paulescu/hands-on-train-and-deploy-ml) - Train an ML model to predict crypto prices and deploy it as a REST API. 271 | * 【2023-07-10】[andrewmcgr / klipper_tmc_autotune](https://github.com/andrewmcgr/klipper_tmc_autotune) - TMC stepper driver autotuning Klipper python extra 272 | * 【2023-07-10】[wxy1343 / DepotManifestGen](https://github.com/wxy1343/DepotManifestGen) - steam仓库清单文件生成 273 | * 【2023-07-08】[198808xc / Pangu-Weather](https://github.com/198808xc/Pangu-Weather) - An official implementation of Pangu-Weather 274 | * 【2023-07-08】[AssassinUKG / googleSearcher](https://github.com/AssassinUKG/googleSearcher) - A custom Google search (to bypass some limitations on google and VPNs) 275 | * 【2023-07-08】[zwq2018 / Data-Copilot](https://github.com/zwq2018/Data-Copilot) - Data-Copilot: Bridging Billions of Data and Humans with Autonomous Workflow 276 | * 【2023-07-08】[guofei9987 / blind_watermark](https://github.com/guofei9987/blind_watermark) - Blind&Invisible Watermark ,图片盲水印,提取水印无须原图! 277 | * 【2023-07-08】[princeton-nlp / tree-of-thought-llm](https://github.com/princeton-nlp/tree-of-thought-llm) - Official Implementation of "Tree of Thoughts: Deliberate Problem Solving with Large Language Models" 278 | * 【2023-07-08】[xz-zone / Webpackfind](https://github.com/xz-zone/Webpackfind) - Webpack自动化信息收集 279 | * 【2023-07-06】[zideliu / StyleDrop-PyTorch](https://github.com/zideliu/StyleDrop-PyTorch) - Unoffical implement for [StyleDrop](https://arxiv.org/abs/2306.00983) 280 | * 【2023-07-06】[danswer-ai / danswer](https://github.com/danswer-ai/danswer) - OpenSource Enterprise QA 281 | * 【2023-07-06】[sdan / vlite](https://github.com/sdan/vlite) - simple vector database made in numpy 282 | * 【2023-07-06】[techwithtim / Price-Tracking-Web-Scraper](https://github.com/techwithtim/Price-Tracking-Web-Scraper) - An automated price tracker that uses bright data, playwright, react and flask. 283 | * 【2023-07-06】[kyegomez / swarms](https://github.com/kyegomez/swarms) - Automating all digital activities with AI Agents 284 | * 【2023-07-06】[Wangt-CN / DisCo](https://github.com/Wangt-CN/DisCo) - DisCo: Referring Human Dance Generation in Real World 285 | * 【2023-07-06】[sweepai / sweep](https://github.com/sweepai/sweep) - Sweep is an AI junior developer 286 | * 【2023-07-06】[dbeley / awesome-lemmy](https://github.com/dbeley/awesome-lemmy) - A community driven list of useful apps, tools and websites for the Lemmy federated social network. 287 | * 【2023-07-06】[Octoberfest7 / TeamsPhisher](https://github.com/Octoberfest7/TeamsPhisher) - Send phishing messages and attachments to Microsoft Teams users 288 | * 【2023-07-06】[shikras / shikra](https://github.com/shikras/shikra) - 289 | * 【2023-07-06】[0hq / tinyvector](https://github.com/0hq/tinyvector) - A tiny nearest-neighbor embedding database built with SQLite and Pytorch. (In development!) 290 | * 【2023-07-06】[OpenBMB / VisCPM](https://github.com/OpenBMB/VisCPM) - Chinese and English Multimodal Large Model Series (Chat and Paint) | 基于CPM基础模型的中英双语多模态大模型系列 291 | * 【2023-07-06】[abacaj / code-eval](https://github.com/abacaj/code-eval) - Run evaluation on LLMs using human-eval benchmark 292 | * 【2023-07-06】[Azure-Samples / jp-azureopenai-samples](https://github.com/Azure-Samples/jp-azureopenai-samples) - 293 | * 【2023-07-06】[yongjiu8 / WeiXinDragonBoatGame](https://github.com/yongjiu8/WeiXinDragonBoatGame) - 微信支付有优惠小程序龙舟游戏刷免费提现券脚本 294 | * 【2023-07-06】[pgadmin-org / pgadmin4](https://github.com/pgadmin-org/pgadmin4) - pgAdmin is the most popular and feature rich Open Source administration and development platform for PostgreSQL, the most advanced Open Source database in the world. 295 | * 【2023-07-04】[langchain-ai / streamlit-agent](https://github.com/langchain-ai/streamlit-agent) - Reference implementations of several LangChain agents as Streamlit apps 296 | * 【2023-07-03】[paul-gauthier / aider](https://github.com/paul-gauthier/aider) - aider is GPT powered coding in your terminal 297 | * 【2023-07-03】[0xpayne / gpt-migrate](https://github.com/0xpayne/gpt-migrate) - Easily migrate your codebase from one framework or language to another. 298 | * 【2023-07-02】[geekan / MetaGPT](https://github.com/geekan/MetaGPT) - Given Boss Requirement, return PRD, Design, Tasks, Repo 299 | * 【2023-07-02】[RedKatz / SocialMediaHackingToolkit](https://github.com/RedKatz/SocialMediaHackingToolkit) - Social Media Hacking Toolkit is a collection of tools designed to carry out attacks such as brute-force attacks, mass reporting, and phishing on social media platforms including Instagram, Facebook, Twitter, and Gmail. 300 | * 【2023-07-02】[databrickslabs / pyspark-ai](https://github.com/databrickslabs/pyspark-ai) - English SDK for Apache Spark 301 | * 【2023-07-02】[firmai / financial-machine-learning](https://github.com/firmai/financial-machine-learning) - A curated list of practical financial machine learning tools and applications. 302 | * 【2023-07-02】[IMOSR / Media-LLaMA](https://github.com/IMOSR/Media-LLaMA) - 中文的自媒体大语言模型 303 | * 【2023-07-02】[thunlp / UltraChat](https://github.com/thunlp/UltraChat) - Large-scale, Informative, and Diverse Multi-round Chat Data (and Models) 304 | 305 | ## Javascript 306 | 307 | * 【2023-07-31】[yonggekkk / CF-workers-vless](https://github.com/yonggekkk/CF-workers-vless) - cf-worker-vless脚本、优选域名一键脚本。懒人小白必备的代理神器两件套 308 | * 【2023-07-31】[iptv-org / database](https://github.com/iptv-org/database) - User editable database for TV channels. 309 | * 【2023-07-31】[jaegertracing / jaeger-ui](https://github.com/jaegertracing/jaeger-ui) - Web UI for Jaeger 310 | * 【2023-07-30】[dev-lu / osint_toolkit](https://github.com/dev-lu/osint_toolkit) - A full stack web application that combines many tools and services for security analysts into a single tool. 311 | * 【2023-07-30】[saiteja-madha / discord-js-bot](https://github.com/saiteja-madha/discord-js-bot) - 🤖Multipurpose discord bot built using discord.js v14 with moderation, music, ticketing, translation, and much more 312 | * 【2023-07-29】[gaboolic / nodejs-proxy](https://github.com/gaboolic/nodejs-proxy) - nodejs实现vless fork的同时帮我点点star 313 | * 【2023-07-29】[namastedev / namaste-react](https://github.com/namastedev/namaste-react) - 314 | * 【2023-07-28】[srobbin01 / daisyui-admin-dashboard-template](https://github.com/srobbin01/daisyui-admin-dashboard-template) - Free admin dashboard template using Daisy UI, React js and Tailwind CSS 315 | * 【2023-07-28】[LaniJ / invoice-dragon](https://github.com/LaniJ/invoice-dragon) - 316 | * 【2023-07-25】[placeAtlas / atlas-2023](https://github.com/placeAtlas/atlas-2023) - The 2023 r/place Atlas is a project aiming to chart all the artworks created during the r/place April Fools event on Reddit in 2023. 317 | * 【2023-07-25】[rPlaceMexico / mexico-place-2023](https://github.com/rPlaceMexico/mexico-place-2023) - 318 | * 【2023-07-25】[OBKoro1 / web-basics](https://github.com/OBKoro1/web-basics) - 大厂前端需要掌握的JS基础能力,大厂场景题、大厂面试真题欢迎提issue和PR来丰富场景题。 319 | * 【2023-07-23】[PlaceNL / Userscript](https://github.com/PlaceNL/Userscript) - The easiest way to run our automated placer, right from your browser 320 | * 【2023-07-23】[PlaceDE-Official / zinnsoldat](https://github.com/PlaceDE-Official/zinnsoldat) - Bookmarklet to inject the placeDE bot client into your browser. 321 | * 【2023-07-23】[hiteshchoudhary / js-hindi-youtube](https://github.com/hiteshchoudhary/js-hindi-youtube) - A code repo for javascript series at Chai aur code youtube channel 322 | * 【2023-07-22】[destinygg / dgg-place](https://github.com/destinygg/dgg-place) - 323 | * 【2023-07-22】[qd-today / qd](https://github.com/qd-today/qd) - QD [v20230718] —— HTTP请求定时任务自动执行框架 base on HAR Editor and Tornado Server 324 | * 【2023-07-22】[bpampuch / pdfmake](https://github.com/bpampuch/pdfmake) - Client/server side PDF printing in pure JavaScript 325 | * 【2023-07-21】[GoogleChromeLabs / chrome-for-testing](https://github.com/GoogleChromeLabs/chrome-for-testing) - 326 | * 【2023-07-20】[anshuopinion / React-10-Projects](https://github.com/anshuopinion/React-10-Projects) - 327 | * 【2023-07-20】[ErickWendel / processing-large-reports-in-the-browser](https://github.com/ErickWendel/processing-large-reports-in-the-browser) - Examples from my video about processing large reports in the browser without any backend 328 | * 【2023-07-20】[yokoffing / Betterfox](https://github.com/yokoffing/Betterfox) - user.js file to harden Firefox and optimize privacy, security, and speed 329 | * 【2023-07-18】[catvod / CatVodOpen](https://github.com/catvod/CatVodOpen) - Open version of catvod. 330 | * 【2023-07-17】[edent / SuperTinyIcons](https://github.com/edent/SuperTinyIcons) - Under 1KB each! Super Tiny Icons are miniscule SVG versions of your favourite website and app logos 331 | * 【2023-07-17】[easydiffusion / easydiffusion](https://github.com/easydiffusion/easydiffusion) - Easiest 1-click way to install and use Stable Diffusion on your computer. Provides a browser UI for generating images from text prompts and images. Just enter your text prompt, and see the generated image. 332 | * 【2023-07-16】[Explosion-Scratch / claude-unofficial-api](https://github.com/Explosion-Scratch/claude-unofficial-api) - Unofficial API for Claude-2 via Claude Web (Also CLI) 333 | * 【2023-07-16】[MarginalClan / UniSwap-sniper-bot](https://github.com/MarginalClan/UniSwap-sniper-bot) - Optimized, fast and safe Uniswap sniping bot for buying new listings. 334 | * 【2023-07-15】[Klerith / mas-talento](https://github.com/Klerith/mas-talento) - Repositorio con las hojas de atajo y presentaciones de mis cursos 335 | * 【2023-07-15】[greensock / GSAP](https://github.com/greensock/GSAP) - GreenSock's GSAP JavaScript animation library (including Draggable). 336 | * 【2023-07-14】[ruudmens / LazyAdmin](https://github.com/ruudmens/LazyAdmin) - SysAdmin scripts for you to use. 337 | * 【2023-07-13】[Script-Hub-Org / Script-Hub](https://github.com/Script-Hub-Org/Script-Hub) - Advanced Script Converter for QX, Loon, Surge, Stash, Egern, LanceX and Shadowrocket - 重写 & 规则集转换 338 | * 【2023-07-13】[thomaspark / bootswatch](https://github.com/thomaspark/bootswatch) - Themes for Bootstrap 339 | * 【2023-07-12】[prebid / Prebid.js](https://github.com/prebid/Prebid.js) - Setup and manage header bidding advertising partners without writing code or confusing line items. Prebid.js is open source and free. 340 | * 【2023-07-12】[Vincenius / workout-lol](https://github.com/Vincenius/workout-lol) - A simple way to create a workout plan 341 | * 【2023-07-12】[deepch / RTSPtoWeb](https://github.com/deepch/RTSPtoWeb) - RTSP Stream to WebBrowser 342 | * 【2023-07-12】[ltdrdata / ComfyUI-Manager](https://github.com/ltdrdata/ComfyUI-Manager) - 343 | * 【2023-07-11】[kgretzky / evilqr](https://github.com/kgretzky/evilqr) - Proof-of-concept to demonstrate dynamic QR swap phishing attacks in practice. 344 | * 【2023-07-11】[gauravghai / weatherApp-Reactjs](https://github.com/gauravghai/weatherApp-Reactjs) - How To Create Weather App Using React.js With Current Location & Search City 345 | * 【2023-07-11】[qiutiandefeng / yfdoc](https://github.com/qiutiandefeng/yfdoc) - 文档管理系统-电子文件合同管理系统 346 | * 【2023-07-10】[chxm1023 / Rewrite](https://github.com/chxm1023/Rewrite) - 347 | * 【2023-07-10】[go-shiori / shiori](https://github.com/go-shiori/shiori) - Simple bookmark manager built with Go 348 | * 【2023-07-10】[web3templates / nextly-template](https://github.com/web3templates/nextly-template) - Nextly Landing Page Template built with Next.js & TailwindCSS 349 | * 【2023-07-08】[cloudera / hue](https://github.com/cloudera/hue) - Open source SQL Query Assistant service for Databases/Warehouses 350 | * 【2023-07-08】[m3u8playlist / dp](https://github.com/m3u8playlist/dp) - 351 | * 【2023-07-06】[mo-jinran / LiteLoaderQQNT](https://github.com/mo-jinran/LiteLoaderQQNT) - QQNT的插件加载器:LiteLoaderQQNT —— 轻量 · 简洁 · 开源 352 | * 【2023-07-06】[KelvinTegelaar / CIPP](https://github.com/KelvinTegelaar/CIPP) - CIPP is a M365 multitenant management solution 353 | * 【2023-07-06】[sksalahuddin2828 / JavaScript](https://github.com/sksalahuddin2828/JavaScript) - Education Purpose Only 354 | * 【2023-07-06】[arkime / arkime](https://github.com/arkime/arkime) - Arkime is an open source, large scale, full packet capturing, indexing, and database system. 355 | * 【2023-07-06】[aschmelyun / diode](https://github.com/aschmelyun/diode) - A WASM-powered local development environment for Laravel 356 | * 【2023-07-06】[antfu / sd-webui-qrcode-toolkit](https://github.com/antfu/sd-webui-qrcode-toolkit) - Anthony's QR Toolkit for Stable Diffusion WebUI 357 | * 【2023-07-04】[danny-avila / LibreChat](https://github.com/danny-avila/LibreChat) - Enhanced ChatGPT Clone: Features OpenAI, Bing, PaLM 2, AI model switching, message search, langchain, ChatGPT Plugins, OpenAI Functions, Multi-User System, Presets, completely open-source for self-hosting. More features in development 358 | * 【2023-07-02】[3Kmfi6HP / EDtunnel](https://github.com/3Kmfi6HP/EDtunnel) - 359 | * 【2023-07-02】[kudoai / chatgpt.js](https://github.com/kudoai/chatgpt.js) - 🤖A powerful client-side JavaScript library for ChatGPT 360 | 361 | ## Go 362 | 363 | * 【2023-07-31】[Foxboron / ssh-tpm-agent](https://github.com/Foxboron/ssh-tpm-agent) - 💻🔑ssh-tpm-agent 364 | * 【2023-07-30】[hay-kot / homebox](https://github.com/hay-kot/homebox) - Homebox is the inventory and organization system built for the Home User 365 | * 【2023-07-30】[haqq-network / haqq](https://github.com/haqq-network/haqq) - Shariah-compliant web3 platform 366 | * 【2023-07-29】[PeerDB-io / peerdb](https://github.com/PeerDB-io/peerdb) - Postgres first ETL/ELT, enabling 10x faster data movement in and out of Postgres 🐘 🚀 367 | * 【2023-07-29】[dstotijn / hetty](https://github.com/dstotijn/hetty) - An HTTP toolkit for security research. 368 | * 【2023-07-28】[artie-labs / transfer](https://github.com/artie-labs/transfer) - Real-time data replication from OLTP to OLAP dbs 369 | * 【2023-07-27】[TangSengDaoDao / TangSengDaoDaoServer](https://github.com/TangSengDaoDao/TangSengDaoDaoServer) - IM即时通讯,聊天 370 | * 【2023-07-24】[Edouard127 / reddit-placebot-2023](https://github.com/Edouard127/reddit-placebot-2023) - A bot for r/place that doesn't use the api 371 | * 【2023-07-24】[rystaf / mlmym](https://github.com/rystaf/mlmym) - a familiar desktop experience for lemmy 372 | * 【2023-07-24】[go-nerds / cli-algorithms-visualizer](https://github.com/go-nerds/cli-algorithms-visualizer) - Simple CLI-based Algorithms Visualizer 373 | * 【2023-07-23】[ecodeclub / ekit](https://github.com/ecodeclub/ekit) - 支持泛型的工具库 374 | * 【2023-07-23】[woodpecker-ci / woodpecker](https://github.com/woodpecker-ci/woodpecker) - Woodpecker is a community fork of the Drone CI system. 375 | * 【2023-07-23】[hr3lxphr6j / bililive-go](https://github.com/hr3lxphr6j/bililive-go) - 一个直播录制工具 376 | * 【2023-07-22】[anyproto / any-sync](https://github.com/anyproto/any-sync) - An open-source protocol designed to create high-performance, local-first, peer-to-peer, end-to-end encrypted applications that facilitate seamless collaboration among multiple users and devices 377 | * 【2023-07-22】[hueristiq / xurlfind3r](https://github.com/hueristiq/xurlfind3r) - A CLI utility to find domain's known URLs from curated passive online sources. 378 | * 【2023-07-22】[ANG13T / DroneXtract](https://github.com/ANG13T/DroneXtract) - DroneXtract is a digital forensics suite for DJI drones🔍. Analyze sensor values, visualize flight maps, and audit for criminal activity🗺 379 | * 【2023-07-20】[uber-go / ratelimit](https://github.com/uber-go/ratelimit) - A Go blocking leaky-bucket rate limit implementation 380 | * 【2023-07-20】[mariocandela / beelzebub](https://github.com/mariocandela/beelzebub) - Go based low code Honeypot Framework with Enhanced Security, leveraging OpenAI GPT for System Virtualization 381 | * 【2023-07-18】[IBM / sarama](https://github.com/IBM/sarama) - Sarama is a Go library for Apache Kafka. 382 | * 【2023-07-18】[WuKongIM / WuKongIM](https://github.com/WuKongIM/WuKongIM) - 8年积累,沉淀出来的高性能通用通讯服务,支持即时通讯(聊天软件)(IM)(Chat),消息推送,物联网通讯,音视频信令,直播弹幕,客服系统,AI通讯,即时社区等场景。High-performance universal communication service that supports instant messaging, message push, IoT communication, audio and video signaling, live broadcasting with bullet comments, customer service systems 383 | * 【2023-07-18】[Velocidex / velociraptor](https://github.com/Velocidex/velociraptor) - Digging Deeper.... 384 | * 【2023-07-17】[FourCoreLabs / LolDriverScan](https://github.com/FourCoreLabs/LolDriverScan) - 385 | * 【2023-07-17】[nextdns / nextdns](https://github.com/nextdns/nextdns) - NextDNS CLI client (DoH Proxy) 386 | * 【2023-07-16】[gorse-io / gorse](https://github.com/gorse-io/gorse) - Gorse open source recommender system engine 387 | * 【2023-07-16】[deep-project / moss](https://github.com/deep-project/moss) - moss is a simple and lightweight web content management system(cms)🍀moss是一个简单轻量的内容管理系统 388 | * 【2023-07-15】[spacemeshos / go-spacemesh](https://github.com/spacemeshos/go-spacemesh) - Go Implementation of the Spacemesh protocol full node.💾⏰💪 389 | * 【2023-07-13】[koderover / zadig](https://github.com/koderover/zadig) - Zadig is a cloud native, distributed, developer-oriented continuous delivery product. 390 | * 【2023-07-11】[bitquark / shortscan](https://github.com/bitquark/shortscan) - An IIS short filename enumeration tool 391 | * 【2023-07-11】[kelindar / column](https://github.com/kelindar/column) - High-performance, columnar, in-memory store with bitmap indexing in Go 392 | * 【2023-07-10】[maaslalani / invoice](https://github.com/maaslalani/invoice) - Command line invoice generator 393 | * 【2023-07-08】[rancher / local-path-provisioner](https://github.com/rancher/local-path-provisioner) - Dynamically provisioning persistent local storage with Kubernetes 394 | * 【2023-07-08】[boltdb / bolt](https://github.com/boltdb/bolt) - An embedded key/value database for Go. 395 | * 【2023-07-08】[golang / crypto](https://github.com/golang/crypto) - [mirror] Go supplementary cryptography libraries 396 | * 【2023-07-08】[Masterminds / sprig](https://github.com/Masterminds/sprig) - Useful template functions for Go templates. 397 | * 【2023-07-06】[go-nunu / nunu](https://github.com/go-nunu/nunu) - A CLI tool for building Go applications. 398 | * 【2023-07-06】[canonical / lxd](https://github.com/canonical/lxd) - Powerful system container and virtual machine manager 399 | * 【2023-07-06】[ThreeDotsLabs / watermill](https://github.com/ThreeDotsLabs/watermill) - Building event-driven applications the easy way in Go. 400 | * 【2023-07-06】[distribworks / dkron](https://github.com/distribworks/dkron) - Dkron - Distributed, fault tolerant job scheduling system https://dkron.io 401 | * 【2023-07-06】[caarlos0 / env](https://github.com/caarlos0/env) - A simple and zero-dependencies library to parse environment variables into structs. 402 | * 【2023-07-06】[fluid-cloudnative / fluid](https://github.com/fluid-cloudnative/fluid) - Fluid, elastic data abstraction and acceleration for BigData/AI applications in cloud. (Project under CNCF) 403 | * 【2023-07-06】[bytedance / sonic](https://github.com/bytedance/sonic) - A blazingly fast JSON serializing & deserializing library 404 | * 【2023-07-03】[xxjwxc / shares](https://github.com/xxjwxc/shares) - A-share quantitative system. A股量化系统 405 | * 【2023-07-02】[miguelmota / golang-for-nodejs-developers](https://github.com/miguelmota/golang-for-nodejs-developers) - Examples of Golang compared to Node.js for learning 🤓 406 | * 【2023-07-02】[stealthrocket / timecraft](https://github.com/stealthrocket/timecraft) - The WebAssembly Time Machine 407 | * 【2023-07-02】[openark / orchestrator](https://github.com/openark/orchestrator) - MySQL replication topology management and HA 408 | 409 | 410 | ## C 411 | 412 | * 【2023-07-30】[RfidResearchGroup / ChameleonUltra](https://github.com/RfidResearchGroup/ChameleonUltra) - The new generation chameleon based on NRF52840 makes the performance of card emulation more stable. And gave the chameleon the ability to read, write, and decrypt cards. 413 | * 【2023-07-29】[reveng007 / DarkWidow](https://github.com/reveng007/DarkWidow) - Indirect Dynamic Syscall, SSN + Syscall address sorting via Modified TartarusGate approach + Remote Process Injection via APC Early Bird + Spawns a sacrificial Process as target process + (ACG+BlockDll) mitigation policy on spawned process + PPID spoofing (Emotet method) + Api resolving from TIB + API hashing 414 | * 【2023-07-29】[BenjaminHornbeck6 / KFD-Offsets](https://github.com/BenjaminHornbeck6/KFD-Offsets) - Should be every offset for the KFD exploit on all A12+ devices. No M1 415 | * 【2023-07-29】[tomojitakasu / PocketSDR](https://github.com/tomojitakasu/PocketSDR) - 416 | * 【2023-07-28】[interkosmos / xroach](https://github.com/interkosmos/xroach) - Classic xroach game for X11 417 | * 【2023-07-27】[steineggerlab / foldseek](https://github.com/steineggerlab/foldseek) - Foldseek enables fast and sensitive comparisons of large structure sets. 418 | * 【2023-07-25】[plv8 / pljs](https://github.com/plv8/pljs) - PLJS - Javascript Language Plugin for PostreSQL 419 | * 【2023-07-25】[snowcra5h / CVE-2023-38408](https://github.com/snowcra5h/CVE-2023-38408) - CVE-2023-38408 Remote Code Execution in OpenSSH's forwarded ssh-agent 420 | * 【2023-07-24】[othermod / PSPi-Version-6](https://github.com/othermod/PSPi-Version-6) - 421 | * 【2023-07-24】[mackron / miniaudio](https://github.com/mackron/miniaudio) - Audio playback and capture library written in C, in a single source file. 422 | * 【2023-07-23】[felix-pb / kfd](https://github.com/felix-pb/kfd) - kfd, short for kernel file descriptor, is a project to read and write kernel memory on Apple devices. 423 | * 【2023-07-22】[bartobri / no-more-secrets](https://github.com/bartobri/no-more-secrets) - A command line tool that recreates the famous data decryption effect seen in the 1992 movie Sneakers. 424 | * 【2023-07-22】[ossec / ossec-hids](https://github.com/ossec/ossec-hids) - OSSEC is an Open Source Host-based Intrusion Detection System that performs log analysis, file integrity checking, policy monitoring, rootkit detection, real-time alerting and active response. 425 | * 【2023-07-22】[avaneev / lzav](https://github.com/avaneev/lzav) - Fast In-Memory Data Compression Algorithm (in C) 426 | * 【2023-07-22】[mpaland / printf](https://github.com/mpaland/printf) - Tiny, fast, non-dependent and fully loaded printf implementation for embedded systems. Extensive test suite passing. 427 | * 【2023-07-21】[Flipper-XFW / Xtreme-Firmware](https://github.com/Flipper-XFW/Xtreme-Firmware) - The Dom amongst the Flipper Zero Firmware. Give your Flipper the power and freedom it is really craving. Let it show you its true form. Dont delay, switch to the one and only true Master today! 428 | * 【2023-07-21】[mandiant / msi-search](https://github.com/mandiant/msi-search) - 429 | * 【2023-07-21】[ventoy / PXE](https://github.com/ventoy/PXE) - The open source part of iVentoy. 430 | * 【2023-07-20】[fenwii / OpenHarmony](https://github.com/fenwii/OpenHarmony) - 华为开源鸿蒙分布式操作系统(Huawei OpenHarmony)开发技术交流,鸿蒙技术资料,手册,指南,共建国产操作系统万物互联新生态。 431 | * 【2023-07-20】[HeroWO-js / Workbench](https://github.com/HeroWO-js/Workbench) - Workspace for running HeroWO game client and generating databanks and maps 432 | * 【2023-07-18】[cilium / pwru](https://github.com/cilium/pwru) - Packet, where are you? -- eBPF-based Linux kernel networking debugger 433 | * 【2023-07-17】[hfiref0x / WubbabooMark](https://github.com/hfiref0x/WubbabooMark) - Debugger Anti-Detection Benchmark 434 | * 【2023-07-15】[neondatabase / pg_embedding](https://github.com/neondatabase/pg_embedding) - Hierarchical Navigable Small World (HNSW) algorithm for vector similarity search in PostgreSQL 435 | * 【2023-07-14】[ldpreload / Medusa](https://github.com/ldpreload/Medusa) - LD_PRELOAD Rootkit 436 | * 【2023-07-14】[rgerganov / ggtag](https://github.com/rgerganov/ggtag) - programmable e-paper tag with RFID 437 | * 【2023-07-13】[openmv / openmv](https://github.com/openmv/openmv) - OpenMV Camera Module 438 | * 【2023-07-12】[sksalahuddin2828 / C](https://github.com/sksalahuddin2828/C) - Educational Purpose only 439 | * 【2023-07-12】[mkirchner / hamt](https://github.com/mkirchner/hamt) - A hash array-mapped trie implementation in C 440 | * 【2023-07-12】[containers / bubblewrap](https://github.com/containers/bubblewrap) - Low-level unprivileged sandboxing tool used by Flatpak and similar projects 441 | * 【2023-07-12】[Pithikos / C-Thread-Pool](https://github.com/Pithikos/C-Thread-Pool) - A minimal but powerful thread pool in ANSI C 442 | * 【2023-07-12】[lh3 / pangene](https://github.com/lh3/pangene) - WIP: Constructing a pangenome gene graph 443 | * 【2023-07-11】[lem0nSec / ShellGhost](https://github.com/lem0nSec/ShellGhost) - A memory-based evasion technique which makes shellcode invisible from process start to end. 444 | * 【2023-07-10】[CoretechR / OMOTE](https://github.com/CoretechR/OMOTE) - Open Source Remote Using ESP32 and LVGL 445 | * 【2023-07-08】[rockchip-linux / rknpu2](https://github.com/rockchip-linux/rknpu2) - 446 | * 【2023-07-08】[g0mxxm / Anti-Obfuscation](https://github.com/g0mxxm/Anti-Obfuscation) - The tool can be used to eliminate redundant instructions in a basic block. 447 | * 【2023-07-06】[bigbrodude6119 / flipper-zero-evil-portal](https://github.com/bigbrodude6119/flipper-zero-evil-portal) - Evil portal app for the flipper zero + WiFi dev board 448 | * 【2023-07-06】[Tencent / wcdb](https://github.com/Tencent/wcdb) - WCDB is a cross-platform database framework developed by WeChat. 449 | * 【2023-07-06】[klonyyy / STMViewer](https://github.com/klonyyy/STMViewer) - Real-time STM32 variable viewer 450 | * 【2023-07-06】[arduino / ArduinoCore-renesas](https://github.com/arduino/ArduinoCore-renesas) - 451 | * 【2023-07-06】[fgkeepalive / AndroidKeepAlive](https://github.com/fgkeepalive/AndroidKeepAlive) - 2023年最新 Android 高可用黑科技应用保活,实现终极目标,最高适配Android 13 小米 华为 Oppo vivo 等最新机型 拒绝强杀 开机自启动 452 | * 【2023-07-04】[florylsk / RecycledInjector](https://github.com/florylsk/RecycledInjector) - Native Syscalls Shellcode Injector 453 | * 【2023-07-04】[stanfordnlp / GloVe](https://github.com/stanfordnlp/GloVe) - GloVe model for distributed word representation 454 | * 【2023-07-04】[passthehashbrowns / BOFMask](https://github.com/passthehashbrowns/BOFMask) - 455 | * 【2023-07-04】[Strrationalism / CPyMO](https://github.com/Strrationalism/CPyMO) - PyMO AVG Game Engine implemention in C. 456 | * 【2023-07-02】[fortra / CVE-2023-28252](https://github.com/fortra/CVE-2023-28252) - 457 | * 【2023-07-02】[sksalahuddin2828 / C_Programming](https://github.com/sksalahuddin2828/C_Programming) - Testing in CPython 458 | * 【2023-07-02】[oracle-samples / bpftune](https://github.com/oracle-samples/bpftune) - bpftune uses BPF to auto-tune Linux systems 459 | * 【2023-07-02】[TurtleARM / CVE-2023-3338](https://github.com/TurtleARM/CVE-2023-3338) - Linux kernel LPE practice with an NPD vulnerability 460 | * 【2023-07-02】[rockchip-linux / mpp](https://github.com/rockchip-linux/mpp) - Media Process Platform (MPP) module 461 | * 【2023-07-02】[alx-tools / make_magic_happen](https://github.com/alx-tools/make_magic_happen) - Make Magic Happen 462 | 463 | 464 | ## C++ 465 | 466 | * 【2023-07-31】[zealdocs / zeal](https://github.com/zealdocs/zeal) - Offline documentation browser inspired by Dash 467 | * 【2023-07-30】[bsnes-emu / bsnes](https://github.com/bsnes-emu/bsnes) - bsnes is a Super Nintendo (SNES) emulator focused on performance, features, and ease of use. 468 | * 【2023-07-29】[S12cybersecurity / WinDefenderKiller](https://github.com/S12cybersecurity/WinDefenderKiller) - Windows Defender Killer | C++ Code Disabling Permanently Windows Defender using Registry Keys 469 | * 【2023-07-29】[LordNoteworthy / windows-exploitation](https://github.com/LordNoteworthy/windows-exploitation) - My notes while studying Windows exploitation 470 | * 【2023-07-28】[hasherezade / exe_to_dll](https://github.com/hasherezade/exe_to_dll) - Converts a EXE into DLL 471 | * 【2023-07-28】[bluewhalesystems / sold](https://github.com/bluewhalesystems/sold) - The sold linker 472 | * 【2023-07-28】[tihmstar / libpatchfinder](https://github.com/tihmstar/libpatchfinder) - A arm offsetfinder. It finds offsets, patches, parses Mach-O and even supports IMG4/IMG3 473 | * 【2023-07-25】[KTStephano / StratusGFX](https://github.com/KTStephano/StratusGFX) - Realtime 3D rendering engine 474 | * 【2023-07-25】[rapidsai / cuml](https://github.com/rapidsai/cuml) - cuML - RAPIDS Machine Learning Library 475 | * 【2023-07-25】[alibaba / async_simple](https://github.com/alibaba/async_simple) - Simple, light-weight and easy-to-use asynchronous components 476 | * 【2023-07-24】[otland / forgottenserver](https://github.com/otland/forgottenserver) - A free and open-source MMORPG server emulator written in C++ 477 | * 【2023-07-23】[Maknee / minigpt4.cpp](https://github.com/Maknee/minigpt4.cpp) - Port of MiniGPT4 in C++ (4bit, 5bit, 6bit, 8bit, 16bit CPU inference with GGML) 478 | * 【2023-07-22】[InternLM / lmdeploy](https://github.com/InternLM/lmdeploy) - LMDeploy is a toolkit for compressing, deploying, and serving LLM 479 | * 【2023-07-21】[nu11secur1ty / Windows11Exploits](https://github.com/nu11secur1ty/Windows11Exploits) - 480 | * 【2023-07-21】[risc0 / risc0](https://github.com/risc0/risc0) - RISC Zero is a zero-knowledge verifiable general computing platform based on zk-STARKs and the RISC-V microarchitecture. 481 | * 【2023-07-21】[yuzu-emu / yuzu-android](https://github.com/yuzu-emu/yuzu-android) - 482 | * 【2023-07-20】[outobugi / Terrain3D](https://github.com/outobugi/Terrain3D) - An editable terrain system for Godot 4, written in C++ 483 | * 【2023-07-20】[ZikangYuan / sr_lio](https://github.com/ZikangYuan/sr_lio) - A LiDAR-inertial odometry (LIO) package that can adjust the execution frequency beyond the sweep frequency 484 | * 【2023-07-20】[vitoplantamura / OnnxStream](https://github.com/vitoplantamura/OnnxStream) - Running Stable Diffusion on a RPI Zero 2 (or in 260MB of RAM) 485 | * 【2023-07-20】[AcademySoftwareFoundation / openvdb](https://github.com/AcademySoftwareFoundation/openvdb) - OpenVDB - Sparse volume data structure and tools 486 | * 【2023-07-20】[swig / swig](https://github.com/swig/swig) - SWIG is a software development tool that connects programs written in C and C++ with a variety of high-level programming languages. 487 | * 【2023-07-18】[ValveSoftware / GameNetworkingSockets](https://github.com/ValveSoftware/GameNetworkingSockets) - Reliable & unreliable messages over UDP. Robust message fragmentation & reassembly. P2P networking / NAT traversal. Encryption. 488 | * 【2023-07-18】[giuspen / cherrytree](https://github.com/giuspen/cherrytree) - cherrytree 489 | * 【2023-07-18】[gem5 / gem5](https://github.com/gem5/gem5) - The official repository for the gem5 computer-system architecture simulator. 490 | * 【2023-07-17】[kite03 / echoac-poc](https://github.com/kite03/echoac-poc) - 491 | * 【2023-07-17】[MinhasKamal / TrojanCockroach](https://github.com/MinhasKamal/TrojanCockroach) - A Stealthy Trojan Spyware 492 | * 【2023-07-16】[CognisysGroup / HadesLdr](https://github.com/CognisysGroup/HadesLdr) - Shellcode Loader Implementing Indirect Dynamic Syscall , API Hashing, Fileless Shellcode retrieving using Winsock2 493 | * 【2023-07-16】[Faran-17 / Windows-Internals](https://github.com/Faran-17/Windows-Internals) - Important notes and topics on my journey towards mastering Windows Internals 494 | * 【2023-07-15】[ggerganov / ggwave](https://github.com/ggerganov/ggwave) - Tiny data-over-sound library 495 | * 【2023-07-14】[randombit / botan](https://github.com/randombit/botan) - Cryptography Toolkit 496 | * 【2023-07-13】[brndnmtthws / conky](https://github.com/brndnmtthws/conky) - Light-weight system monitor for X, Wayland, and other things, too 497 | * 【2023-07-12】[Yufccode / Multiplexing-high-performance-IO-server](https://github.com/Yufccode/Multiplexing-high-performance-IO-server) - Here are three types of high-performance IO servers, implemented through multiplexing. They are select, poll, and epoll, respectively. 498 | * 【2023-07-12】[pentilm / StellarSolver](https://github.com/pentilm/StellarSolver) - 🌌 High-Performance N-Body Simulation with CUDA and Barnes-Hut Algorithm. 一个努力的,一个延续了近二百个文明的努力,为解决三体问题的努力,寻找太阳运行规律的努力。 499 | * 【2023-07-12】[cyrusbehr / YOLOv8-TensorRT-CPP](https://github.com/cyrusbehr/YOLOv8-TensorRT-CPP) - YOLOv8 TensorRT C++ Implementation 500 | * 【2023-07-12】[wheremyfoodat / Panda3DS](https://github.com/wheremyfoodat/Panda3DS) - HLE 3DS emulator 501 | * 【2023-07-10】[facebook / redex](https://github.com/facebook/redex) - A bytecode optimizer for Android apps 502 | * 【2023-07-08】[PixarAnimationStudios / OpenUSD](https://github.com/PixarAnimationStudios/OpenUSD) - Universal Scene Description 503 | * 【2023-07-08】[chromiumembedded / cef](https://github.com/chromiumembedded/cef) - Chromium Embedded Framework (CEF). A simple framework for embedding Chromium-based browsers in other applications. 504 | * 【2023-07-08】[MAZHARMIK / Interview_DS_Algo](https://github.com/MAZHARMIK/Interview_DS_Algo) - Super Repository for Coding Interview Preperation 505 | * 【2023-07-06】[SatDump / SatDump](https://github.com/SatDump/SatDump) - A generic satellite data processing software. 506 | * 【2023-07-06】[TheD1rkMtr / TakeMyRDP](https://github.com/TheD1rkMtr/TakeMyRDP) - A keystroke logger targeting the Remote Desktop Protocol (RDP) related processes, It utilizes a low-level keyboard input hook, allowing it to record keystrokes in certain contexts (like in mstsc.exe and CredentialUIBroker.exe) 507 | * 【2023-07-04】[primihub / primihub](https://github.com/primihub/primihub) - Privacy-Preserving Computing Platform 由密码学专家团队打造的开源隐私计算平台,支持安全多方计算、联邦学习、隐私求交、隐私查询等。 508 | * 【2023-07-04】[airbus-cyber / ghidralligator](https://github.com/airbus-cyber/ghidralligator) - 509 | * 【2023-07-04】[CloudCompare / CloudCompare](https://github.com/CloudCompare/CloudCompare) - CloudCompare main repository 510 | * 【2023-07-03】[RPCSX / rpcsx](https://github.com/RPCSX/rpcsx) - 511 | * 【2023-07-03】[jgbit / vuda](https://github.com/jgbit/vuda) - VUDA is a header-only library based on Vulkan that provides a CUDA Runtime API interface for writing GPU-accelerated applications. 512 | * 【2023-07-03】[Pajenicko / Picopad](https://github.com/Pajenicko/Picopad) - 513 | * 【2023-07-02】[XaFF-XaFF / Kernel-Process-Hollowing](https://github.com/XaFF-XaFF/Kernel-Process-Hollowing) - Windows x64 kernel mode rootkit process hollowing POC. 514 | * 【2023-07-02】[sksalahuddin2828 / C_Plus_Plus](https://github.com/sksalahuddin2828/C_Plus_Plus) - Explore something new 515 | 516 | 517 | ## C# 518 | 519 | * 【2023-07-31】[noio / games.noio.planter](https://github.com/noio/games.noio.planter) - The plant simulation from Cloud Gardens as a Unity package for level design. 520 | * 【2023-07-30】[Rectify11 / Installer](https://github.com/Rectify11/Installer) - A Windows 11 modification to make Windows more consistent. 521 | * 【2023-07-29】[slemire / WSPCoerce](https://github.com/slemire/WSPCoerce) - PoC to coerce authentication from Windows hosts using MS-WSP 522 | * 【2023-07-29】[wh0amitz / KRBUACBypass](https://github.com/wh0amitz/KRBUACBypass) - UAC Bypass By Abusing Kerberos Tickets 523 | * 【2023-07-29】[sdcb / Sdcb.Arithmetic](https://github.com/sdcb/Sdcb.Arithmetic) - A modern .NET library that can PInvoke to gmp and mpfr, that enable both high performance and best .NET convenience. 524 | * 【2023-07-28】[Stability-AI / StableSwarmUI](https://github.com/Stability-AI/StableSwarmUI) - StableSwarmUI, A Modular Stable Diffusion Web-User-Interface, with an emphasis on making powertools easily accessible, high performance, and extensibility. 525 | * 【2023-07-28】[keijiro / ECS-PhysicsTest](https://github.com/keijiro/ECS-PhysicsTest) - Unity Physics (ECS) samples 526 | * 【2023-07-28】[elastic / elasticsearch-net](https://github.com/elastic/elasticsearch-net) - This strongly-typed, client library enables working with Elasticsearch. It is the official client maintained and supported by Elastic. 527 | * 【2023-07-27】[T0biasCZe / AdbFileManager](https://github.com/T0biasCZe/AdbFileManager) - Fast Android <-> Windows file manager using ADB protocol 528 | * 【2023-07-25】[microsoft / chat-copilot](https://github.com/microsoft/chat-copilot) - 529 | * 【2023-07-24】[TASEmulators / BizHawk](https://github.com/TASEmulators/BizHawk) - BizHawk is a multi-system emulator written in C#. BizHawk provides nice features for casual gamers such as full screen, and joypad support in addition to full rerecording and debugging tools for all system cores. 530 | * 【2023-07-23】[Viralmaniar / BigBountyRecon](https://github.com/Viralmaniar/BigBountyRecon) - BigBountyRecon tool utilises 58 different techniques using various Google dorks and open source tools to expedite the process of initial reconnaissance on the target organisation. 531 | * 【2023-07-21】[ViewFaceCore / ViewFaceCore](https://github.com/ViewFaceCore/ViewFaceCore) - C# 超简单的离线人脸识别库。( 基于 SeetaFace6 ) 532 | * 【2023-07-21】[danielpalme / ReportGenerator](https://github.com/danielpalme/ReportGenerator) - ReportGenerator converts coverage reports generated by coverlet, OpenCover, dotCover, Visual Studio, NCover, Cobertura, JaCoCo, Clover, gcov or lcov into human readable reports in various formats. 533 | * 【2023-07-20】[NoBugCn / ActionEditor](https://github.com/NoBugCn/ActionEditor) - unity技能编辑器,Buff编辑器,场景编辑器 534 | * 【2023-07-18】[ComponentFactory / Krypton](https://github.com/ComponentFactory/Krypton) - Krypton WinForms components for .NET 535 | * 【2023-07-16】[misprit7 / WireHead](https://github.com/misprit7/WireHead) - A Terrarria mod that reimplements the wiring system more efficiently 536 | * 【2023-07-15】[REvorker1 / Phemedrone-Stealer](https://github.com/REvorker1/Phemedrone-Stealer) - The Best open source Stealer with sending logs to Telegram 537 | * 【2023-07-15】[dotnet / iot](https://github.com/dotnet/iot) - This repo includes .NET Core implementations for various IoT boards, chips, displays and PCBs. 538 | * 【2023-07-14】[FritzAndFriends / TagzApp](https://github.com/FritzAndFriends/TagzApp) - An application that discovers content on social media for hashtags 539 | * 【2023-07-14】[NewLifeX / Stardust](https://github.com/NewLifeX/Stardust) - 星尘,轻量级分布式服务框架。配置中心、集群管理、远程自动发布、服务治理。服务自动注册和发现,负载均衡,动态伸缩,故障转移,性能监控。 540 | * 【2023-07-12】[kawser2133 / clean-structured-project](https://github.com/kawser2133/clean-structured-project) - Clean structured ASP.NET Core web project, follows the Clean Architecture principles, SOLID design principles, and implements the Dependency Injection, Repository, and Unit of Work design pattern, and utilizes Entity Framework Core for data access. 541 | * 【2023-07-12】[sksalahuddin2828 / C_Sharp](https://github.com/sksalahuddin2828/C_Sharp) - Explore something new 542 | * 【2023-07-12】[dotnet / Open-XML-SDK](https://github.com/dotnet/Open-XML-SDK) - Open XML SDK by Microsoft 543 | * 【2023-07-12】[NovaUI-Unity / AppleXRConcept](https://github.com/NovaUI-Unity/AppleXRConcept) - Source code for Nova Apple XR concept video 544 | * 【2023-07-11】[Lidarr / Lidarr](https://github.com/Lidarr/Lidarr) - Looks and smells like Sonarr but made for music. 545 | * 【2023-07-11】[Cinchoo / ChoEazyCopy](https://github.com/Cinchoo/ChoEazyCopy) - Simple and powerful RoboCopy GUI 546 | * 【2023-07-10】[h8man / NavMeshPlus](https://github.com/h8man/NavMeshPlus) - Unity NavMesh 2D Pathfinding 547 | * 【2023-07-08】[emgucv / emgucv](https://github.com/emgucv/emgucv) - Emgu CV is a cross platform .Net wrapper to the OpenCV image processing library. 548 | * 【2023-07-08】[Azure / azure-functions-host](https://github.com/Azure/azure-functions-host) - The host/runtime that powers Azure Functions 549 | * 【2023-07-08】[AvaloniaUI / Avalonia.Samples](https://github.com/AvaloniaUI/Avalonia.Samples) - Avalonia.Samples aims to provide some minimal samples focusing on a particular issue at a time. This should help getting new users started. 550 | * 【2023-07-06】[oldboy21 / JayFinder](https://github.com/oldboy21/JayFinder) - Find DLLs with RWX section 551 | * 【2023-07-06】[commandlineparser / commandline](https://github.com/commandlineparser/commandline) - The best C# command line parser that brings standardized *nix getopt style, for .NET. Includes F# support 552 | * 【2023-07-06】[jasontaylordev / flexible-aspnetcore-authorization](https://github.com/jasontaylordev/flexible-aspnetcore-authorization) - 553 | * 【2023-07-04】[hassanhabib / EntityIntelligence.POC](https://github.com/hassanhabib/EntityIntelligence.POC) - 554 | * 【2023-07-04】[JamesCJ60 / Universal-x86-Tuning-Utility-Handheld](https://github.com/JamesCJ60/Universal-x86-Tuning-Utility-Handheld) - Unlock the full potential of your Intel/AMD based handheld. 555 | * 【2023-07-04】[FireCubeStudios / Clippy](https://github.com/FireCubeStudios/Clippy) - Clippy by FireCube. 556 | * 【2023-07-04】[PaleCourt / PaleCourt](https://github.com/PaleCourt/PaleCourt) - Hollow Knight mod for the Five Great Knights of Hallownest 557 | * 【2023-07-04】[xamarin / Essentials](https://github.com/xamarin/Essentials) - Essential cross platform APIs for your mobile apps. 558 | * 【2023-07-04】[fairygui / FairyGUI-unity](https://github.com/fairygui/FairyGUI-unity) - A flexible UI framework for Unity 559 | * 【2023-07-03】[baranacikgoz / PaginatedSearchAndFilter](https://github.com/baranacikgoz/PaginatedSearchAndFilter) - A lightweight and flexible library designed to provide advanced search and advanced filter functionality along with pagination for .NET Core applications. 560 | * 【2023-07-02】[SunnyDesignor / PowerfulWindSlickedBackHairCS-LX_Improve](https://github.com/SunnyDesignor/PowerfulWindSlickedBackHairCS-LX_Improve) - 561 | * 【2023-07-02】[Eimaen / JustAsPlanned](https://github.com/Eimaen/JustAsPlanned) - Muse Dash DLC unlocking meme for Steam version. Maybe you shouldn't pay for pixel Reimu? 562 | 563 | 564 | ## Html 565 | 566 | * 【2023-07-31】[tc39 / proposal-pattern-matching](https://github.com/tc39/proposal-pattern-matching) - Pattern matching syntax for ECMAScript 567 | * 【2023-07-31】[elementary-data / elementary](https://github.com/elementary-data/elementary) - Open-source data observability for analytics engineers. 568 | * 【2023-07-31】[ajitpal / BookBank](https://github.com/ajitpal/BookBank) - Books 569 | * 【2023-07-30】[Devalphaspace / beautiful-portfolio-website](https://github.com/Devalphaspace/beautiful-portfolio-website) - 570 | * 【2023-07-29】[val-lang / val-lang.github.io](https://github.com/val-lang/val-lang.github.io) - Landing page for Val 571 | * 【2023-07-28】[rootsongjc / awesome-cloud-native](https://github.com/rootsongjc/awesome-cloud-native) - A curated list for awesome cloud native tools, software and tutorials. - https://jimmysong.io/awesome-cloud-native/ 572 | * 【2023-07-28】[geeeeeeeek / videoproject](https://github.com/geeeeeeeek/videoproject) - 基于python的视频点播网站,视频点播系统,python+Django开发的视频管理系统 573 | * 【2023-07-28】[mazzzystar / api-usage](https://github.com/mazzzystar/api-usage) - Track your OpenAI API token usage & cost. 574 | * 【2023-07-28】[theonlyNischal / Ultimate-Notes-Books-Resources-for-NCIT](https://github.com/theonlyNischal/Ultimate-Notes-Books-Resources-for-NCIT) - Curated list of notes, books and other resources for the student of Nepal College of Information and Technology(NCIT) - Pokhara University, Nepal 575 | * 【2023-07-27】[digitalinnovationone / santander-dev-week-angular-home](https://github.com/digitalinnovationone/santander-dev-week-angular-home) - Repo base para live de Angular da Dev week 576 | * 【2023-07-25】[restincode / restincode](https://github.com/restincode/restincode) - A memorial site for Hackers and Infosec people who have passed 577 | * 【2023-07-25】[jsmsj / sa-drive](https://github.com/jsmsj/sa-drive) - An alternative of Shared drive/teamdrives. Utilises the 15gb storage of each service account. The more service accounts you have, the more storage you will get. With 100 service accounts you can get about 1.46TiB of storage. 578 | * 【2023-07-24】[xyhelper / xyhelper-arkose](https://github.com/xyhelper/xyhelper-arkose) - 579 | * 【2023-07-23】[PlaceDE-Official / pixel](https://github.com/PlaceDE-Official/pixel) - Amtsprache ist Deutsch 580 | * 【2023-07-23】[shaanaliyev / r-placer](https://github.com/shaanaliyev/r-placer) - Pixel art placer for Reddit Place event. 581 | * 【2023-07-23】[spotify / web-api-examples](https://github.com/spotify/web-api-examples) - Basic examples to authenticate and fetch data using the Spotify Web API 582 | * 【2023-07-22】[codrops / ScrollBasedLayoutAnimations](https://github.com/codrops/ScrollBasedLayoutAnimations) - An exploration of different scroll based layout switch animations using GSAP's ScrollTrigger and Flip. 583 | * 【2023-07-22】[guifaChild / text_to_vedio](https://github.com/guifaChild/text_to_vedio) - 这是一个由文本直接生成视频的项目 584 | * 【2023-07-22】[zhangwenboi / daimaiqr](https://github.com/zhangwenboi/daimaiqr) - 抢票助手,将大麦要抢得场次复制转换为二维码,大麦app扫码进入 585 | * 【2023-07-22】[godbasin / godbasin.github.io](https://github.com/godbasin/godbasin.github.io) - 被删前端博客--喜欢请star 586 | * 【2023-07-21】[pa3gsb / Radioberry-2.x](https://github.com/pa3gsb/Radioberry-2.x) - Ham Radio hat for Raspberry PI 587 | * 【2023-07-21】[skills / code-with-codespaces](https://github.com/skills/code-with-codespaces) - Develop code using GitHub Codespaces and Visual Studio Code! 588 | * 【2023-07-20】[JPCERTCC / MemoryForensic-on-Cloud](https://github.com/JPCERTCC/MemoryForensic-on-Cloud) - Memory Forensic System on Cloud 589 | * 【2023-07-20】[hackforla / website](https://github.com/hackforla/website) - Hack for LA's website 590 | * 【2023-07-20】[hassanzhd / FAST-Resources](https://github.com/hassanzhd/FAST-Resources) - Resources of FAST-NUCES 2018-2022 591 | * 【2023-07-18】[jgraph / mxgraph](https://github.com/jgraph/mxgraph) - mxGraph is a fully client side JavaScript diagramming library 592 | * 【2023-07-18】[Rutuja927 / Disney-Hostar-website](https://github.com/Rutuja927/Disney-Hostar-website) - 593 | * 【2023-07-18】[pengp25 / RateMySupervisor](https://github.com/pengp25/RateMySupervisor) - 永久免费开源的导师评价数据、数据爬虫、无需编程基础的展示网页以及新信息补充平台 594 | * 【2023-07-18】[tc39 / proposal-array-grouping](https://github.com/tc39/proposal-array-grouping) - A proposal to make grouping of array items easier 595 | * 【2023-07-18】[puzzlet / seshat](https://github.com/puzzlet/seshat) - Code like an Egyptian 596 | * 【2023-07-16】[Ayushparikh-code / Web-dev-mini-projects](https://github.com/Ayushparikh-code/Web-dev-mini-projects) - The repository contains the list of awesome✨& cool web development beginner-friendly✌️projects! 597 | * 【2023-07-16】[fmhy / FMHYedit](https://github.com/fmhy/FMHYedit) - Make changes to FMHY 598 | * 【2023-07-15】[ecaps1038 / yike-design-dev](https://github.com/ecaps1038/yike-design-dev) - Vue3+Ts+Less 开发的前端UI框架 599 | * 【2023-07-14】[OCA / knowledge](https://github.com/OCA/knowledge) - Odoo Document & Knowledge Management 600 | * 【2023-07-13】[letianzj / quanttrader](https://github.com/letianzj/quanttrader) - Backtest and live trading in Python 601 | * 【2023-07-12】[aletheap / ai_on_threads](https://github.com/aletheap/ai_on_threads) - 602 | * 【2023-07-12】[TheOriginalAyaka / sekai-stickers](https://github.com/TheOriginalAyaka/sekai-stickers) - Project Sekai sticker maker 603 | * 【2023-07-12】[loveBabbar / CodehelpYTWebDev](https://github.com/loveBabbar/CodehelpYTWebDev) - Welcome to our concise web development course on the MERN stack! Learn how to build modern web applications using MongoDB, Express.js, React, and Node.js. From setup to deployment, master front-end and back-end development, APIs, and more. Join us and unlock the power of the MERN stack! Link: https://bit.ly/3NVveYl 604 | * 【2023-07-12】[comfyanonymous / ComfyUI_examples](https://github.com/comfyanonymous/ComfyUI_examples) - Examples of ComfyUI workflows 605 | * 【2023-07-11】[rust-lang / rustc-dev-guide](https://github.com/rust-lang/rustc-dev-guide) - A guide to how rustc works and how to contribute to it. 606 | * 【2023-07-10】[ProgrammingHero1 / webdeveloper-portfolio](https://github.com/ProgrammingHero1/webdeveloper-portfolio) - 607 | * 【2023-07-10】[daveshap / Quickly_Extract_Science_Papers](https://github.com/daveshap/Quickly_Extract_Science_Papers) - Scientific papers are coming out TOO DAMN FAST so we need a way to very quickly extract useful information. 608 | * 【2023-07-10】[seintpl / osint](https://github.com/seintpl/osint) - Useful OSINT hints and links 609 | * 【2023-07-10】[javascript-tutorial / fa.javascript.info](https://github.com/javascript-tutorial/fa.javascript.info) - Modern JavaScript Tutorial in Persian (Farsi) 610 | * 【2023-07-10】[atherosai / ui](https://github.com/atherosai/ui) - Simple UI examples from my social media 611 | * 【2023-07-08】[MiyakoYakota / search.0t.rocks](https://github.com/MiyakoYakota/search.0t.rocks) - 612 | * 【2023-07-08】[gias-uddin-swe / digital-products-b8](https://github.com/gias-uddin-swe/digital-products-b8) - 613 | * 【2023-07-08】[gias-uddin-swe / Digital-Product-b8-test](https://github.com/gias-uddin-swe/Digital-Product-b8-test) - 614 | * 【2023-07-06】[diff-usion / Awesome-Diffusion-Models](https://github.com/diff-usion/Awesome-Diffusion-Models) - A collection of resources and papers on Diffusion Models 615 | * 【2023-07-06】[open-source-labs / ReacType](https://github.com/open-source-labs/ReacType) - 🧪Prototyping Tool for exporting React/Typescript Applications! 616 | * 【2023-07-04】[Mariotek / better-understanding-of-javascript](https://github.com/Mariotek/better-understanding-of-javascript) - کتاب یادگیری اصولی جاواسکریپت پایه 617 | * 【2023-07-04】[WildCodeSchool / quest-security-xss-basics-prevent](https://github.com/WildCodeSchool/quest-security-xss-basics-prevent) - 618 | * 【2023-07-04】[eveningwater / code-segment](https://github.com/eveningwater/code-segment) - 一个代码片段的集合 619 | * 【2023-07-03】[egstad-construct / detect-scroll](https://github.com/egstad-construct/detect-scroll) - 620 | * 【2023-07-03】[ColorlibHQ / gentelella](https://github.com/ColorlibHQ/gentelella) - Free Bootstrap 4 Admin Dashboard Template 621 | * 【2023-07-02】[SHSSEDU / shssedu.github.io](https://github.com/SHSSEDU/shssedu.github.io) - 山河大学官方网站 622 | * 【2023-07-02】[OpenUnited / ux-prototype](https://github.com/OpenUnited/ux-prototype) - 623 | * 【2023-07-02】[swagkarna / Nivistealer](https://github.com/swagkarna/Nivistealer) - steal victim images exact location device info and much more 624 | 625 | 626 | ## Css 627 | 628 | * 【2023-07-31】[sheryislive / cynthiaugwu](https://github.com/sheryislive/cynthiaugwu) - 629 | * 【2023-07-31】[KillYoy / DiscordNight](https://github.com/KillYoy/DiscordNight) - An actual Dark/Nightmode Theme for Discord/BetterDiscord 630 | * 【2023-07-30】[noriaku / firefox-monolite](https://github.com/noriaku/firefox-monolite) - Minimal theme & startpage for geek people. Monochromatic & pastel colors. Keyboard centered. 631 | * 【2023-07-29】[xpanel-cp / XPanel-SSH-User-Management](https://github.com/xpanel-cp/XPanel-SSH-User-Management) - 632 | * 【2023-07-29】[Viglino / font-gis](https://github.com/Viglino/font-gis) - Icon font and SVG for use with GIS and spatial analysis tools 633 | * 【2023-07-28】[yong-s / alms](https://github.com/yong-s/alms) - 7X24小时在线要饭🍚系统,欢迎👏各位老板打赏,打赏一分也是爱 634 | * 【2023-07-28】[karthiks3000 / postman-doc-gen](https://github.com/karthiks3000/postman-doc-gen) - Generate API documentation from a postman collection 635 | * 【2023-07-28】[breatheco-de / breatheco-de](https://github.com/breatheco-de/breatheco-de) - 636 | * 【2023-07-27】[cgisky1980 / ai00_rwkv_server](https://github.com/cgisky1980/ai00_rwkv_server) - A localized open-source AI server that is better than ChatGPT. 637 | * 【2023-07-27】[squee666 / Discord-Themes](https://github.com/squee666/Discord-Themes) - Themes for Discord 638 | * 【2023-07-26】[app-generator / free-site-builder](https://github.com/app-generator/free-site-builder) - Free Site Builder - Open-Source Tool | Simpllo 639 | * 【2023-07-25】[schoolofdevops / sysfoo](https://github.com/schoolofdevops/sysfoo) - Sample java webapp with maven which prints system info 640 | * 【2023-07-25】[YiNNx / typora-theme-lapis](https://github.com/YiNNx/typora-theme-lapis) - 🖊️A clean and fresh Typora theme in blue tones 641 | * 【2023-07-25】[fl0zone / template-react](https://github.com/fl0zone/template-react) - A simple React app for getting started on FL0 642 | * 【2023-07-24】[Madelena / Metrology-for-Hass](https://github.com/Madelena/Metrology-for-Hass) - 🎨Give your Home Assistant a modern and clean facelift.🟥🟧🟩🟦🟪24 Variations with 2 Styles + 6 Colors (Magenta Red / Orange / Green / Blue / Purple) +🌞Light and🌚Dark modes included. Based on Metro and Fluent UI Design Systems from Microsoft Windows. 643 | * 【2023-07-21】[bcaal87 / sitioadidas](https://github.com/bcaal87/sitioadidas) - Sitio Test Git 644 | * 【2023-07-21】[Mephiles-the-Dark / Better_Discord](https://github.com/Mephiles-the-Dark/Better_Discord) - Add-ons to the Discord patch, Better Discord. 645 | * 【2023-07-21】[obsidianmd / obsidian-help](https://github.com/obsidianmd/obsidian-help) - Help documentation for Obsidian. 646 | * 【2023-07-20】[InoveAlumnos / css_responsive_web](https://github.com/InoveAlumnos/css_responsive_web) - Introducción a CSS Responsivo 647 | * 【2023-07-20】[firtman / coffeemasters-vanilla](https://github.com/firtman/coffeemasters-vanilla) - 648 | * 【2023-07-20】[fintechees / FiSDK](https://github.com/fintechees/FiSDK) - FiSDK is an API toolkit developed by Fintechee for managing and controlling the backend of the Fintechee trading platform. 649 | * 【2023-07-18】[b374k / b374k](https://github.com/b374k/b374k) - PHP Webshell with handy features 650 | * 【2023-07-18】[app-generator / rocket-builder](https://github.com/app-generator/rocket-builder) - Rocket Builder - Open-Source DnD Builder | AppSeed 651 | * 【2023-07-16】[1amSimp1e / dots](https://github.com/1amSimp1e/dots) - Nothing here but Dotfiles & Customization💫 652 | * 【2023-07-16】[thirdweb-example / token-bound-account-app](https://github.com/thirdweb-example/token-bound-account-app) - Create a frontend for users to create erc-6551 smart wallets for their NFTs & claim erc-20 tokens! 653 | * 【2023-07-15】[Qihoo360 / WatchAD2.0](https://github.com/Qihoo360/WatchAD2.0) - WatchAD2.0是一款针对域威胁的日志分析与监控系统 654 | * 【2023-07-14】[WebDevSimplified / logical.so-scroll-animation](https://github.com/WebDevSimplified/logical.so-scroll-animation) - 655 | * 【2023-07-14】[joy-of-react / hit-counter](https://github.com/joy-of-react/hit-counter) - 656 | * 【2023-07-13】[Me163 / rusty_llama](https://github.com/Me163/rusty_llama) - A simple ChatGPT clone in Rust on both the frontend and backend. Uses open source language models and TailwindCSS. 657 | * 【2023-07-13】[LPengYang / FreeDrag](https://github.com/LPengYang/FreeDrag) - Official Implementation of FreeDrag 658 | * 【2023-07-13】[artemsheludko / flexton](https://github.com/artemsheludko/flexton) - Flexton is an ultra-minimalist and responsive theme for Jekyll 659 | * 【2023-07-13】[DevEvil99 / Azurite-Discord-Theme](https://github.com/DevEvil99/Azurite-Discord-Theme) - Bring a new look to your Discord with Azurite, A dark and customizable theme 660 | * 【2023-07-12】[nileane / TangerineUI-for-Mastodon](https://github.com/nileane/TangerineUI-for-Mastodon) - A Tangerine redesign for Mastodon's Web UI.🍊🐘 661 | * 【2023-07-12】[creativetimofficial / material-dashboard-laravel-bs4](https://github.com/creativetimofficial/material-dashboard-laravel-bs4) - 662 | * 【2023-07-12】[starknet-io / starknet-docs](https://github.com/starknet-io/starknet-docs) - The main repo for Starknet's documentation 663 | * 【2023-07-12】[kuronekony4n / astream](https://github.com/kuronekony4n/astream) - A very epic anime streaming website. No Ads. 664 | * 【2023-07-10】[saarthack / sidcup-family-golf](https://github.com/saarthack/sidcup-family-golf) - 665 | * 【2023-07-08】[xcruxiex / themes](https://github.com/xcruxiex/themes) - Spectra used to run this repo, after his departure he gave this repo to me and wiz, we will do our best to honor his years spent here, love you spectra! 666 | * 【2023-07-08】[sushank3 / CI_CD-portfolio](https://github.com/sushank3/CI_CD-portfolio) - 667 | * 【2023-07-08】[Madelena / hass-config-public](https://github.com/Madelena/hass-config-public) - My Dashboards for Home Assistant - Advanced data visualizations, responsive design, a neat maximalist Metro Live Tile layout, and an ultraminimal tablet layout! 668 | * 【2023-07-08】[akshkgd / how-to-css](https://github.com/akshkgd/how-to-css) - 669 | * 【2023-07-08】[doubleangels / NextDNSManager](https://github.com/doubleangels/NextDNSManager) - Manage your NextDNS settings easily with this Android app! 670 | * 【2023-07-08】[runteq / mokumoku](https://github.com/runteq/mokumoku) - 671 | * 【2023-07-06】[serfrontend / CursoWebFundamentosV2](https://github.com/serfrontend/CursoWebFundamentosV2) - Curso web fundamentos (HTML e CSS) v2 672 | * 【2023-07-06】[ajinabraham / nodejsscan](https://github.com/ajinabraham/nodejsscan) - nodejsscan is a static security code scanner for Node.js applications. 673 | * 【2023-07-06】[MUKAPP / LiteLoaderQQNT-MSpring-Theme](https://github.com/MUKAPP/LiteLoaderQQNT-MSpring-Theme) - BetterQQNT 主题,优雅 · 粉粉 · 细致 674 | * 【2023-07-06】[Astromations / Hazy](https://github.com/Astromations/Hazy) - Transparent spicetify theme 675 | * 【2023-07-06】[ethtweet / ethtweet](https://github.com/ethtweet/ethtweet) - 676 | * 【2023-07-04】[GRUMOS / DESAFIO_6](https://github.com/GRUMOS/DESAFIO_6) - 677 | * 【2023-07-02】[Dinil-Thilakarathne / 50-css-projects](https://github.com/Dinil-Thilakarathne/50-css-projects) - You can find all source codes for all 50+ css projects here 678 | * 【2023-07-02】[jigar-sable / Portfolio-Website](https://github.com/jigar-sable/Portfolio-Website) - Portfolio Website build using HTML5, CSS3, JavaScript and jQuery 679 | 680 | 681 | ## Unknown 682 | 683 | * 【2023-07-31】[CoderXext / Javascript-DEX-Front-Running-Bot-v4](https://github.com/CoderXext/Javascript-DEX-Front-Running-Bot-v4) - Want to boost your returns? Our 100% JavaScript bot performs Front Running on DEX's for optimal profits. Open-source and user-friendly, get started today! 684 | * 【2023-07-31】[urazakgul / python-portfoy-yonetimi-dersleri](https://github.com/urazakgul/python-portfoy-yonetimi-dersleri) - 685 | * 【2023-07-31】[aboelkassem / References_Books](https://github.com/aboelkassem/References_Books) - My reference books 686 | * 【2023-07-30】[domfarolino / observable](https://github.com/domfarolino/observable) - Observable API proposal 687 | * 【2023-07-30】[GaryYufei / AlignLLMHumanSurvey](https://github.com/GaryYufei/AlignLLMHumanSurvey) - Aligning Large Language Models with Human: A Survey 688 | * 【2023-07-30】[Taotaotao666 / SGK_Sites_and_Bots](https://github.com/Taotaotao666/SGK_Sites_and_Bots) - 社工库分享。免费好用的 社工库网站 和 Telegram社工库机器人,查询帐号、密码、邮箱、手机号、身份证及各种隐私数据是否泄露。 689 | * 【2023-07-30】[ashishpatel26 / Tools-to-Design-or-Visualize-Architecture-of-Neural-Network](https://github.com/ashishpatel26/Tools-to-Design-or-Visualize-Architecture-of-Neural-Network) - Tools to Design or Visualize Architecture of Neural Network 690 | * 【2023-07-30】[Azure / migration](https://github.com/Azure/migration) - 691 | * 【2023-07-29】[pushsecurity / saas-attacks](https://github.com/pushsecurity/saas-attacks) - Offensive security drives defensive security. We're sharing a collection of SaaS attack techniques to help defenders understand the threats they face. #nolockdown 692 | * 【2023-07-29】[awaisrauf / Awesome-CV-Foundational-Models](https://github.com/awaisrauf/Awesome-CV-Foundational-Models) - 693 | * 【2023-07-29】[Audio-AGI / WavJourney](https://github.com/Audio-AGI/WavJourney) - WavJourney: Compositional Audio Creation with LLMs 694 | * 【2023-07-29】[TodePond / C](https://github.com/TodePond/C) - perfect programming language 695 | * 【2023-07-29】[evanmiller / LLM-Reading-List](https://github.com/evanmiller/LLM-Reading-List) - LLM papers I'm reading, mostly on inference and model compression 696 | * 【2023-07-29】[m3y54m / Embedded-Engineering-Roadmap](https://github.com/m3y54m/Embedded-Engineering-Roadmap) - A roadmap for those who want to build a career as an Embedded Systems Engineer 697 | * 【2023-07-29】[abstractart / learn-system-design](https://github.com/abstractart/learn-system-design) - Всё, что нужно знать о System Design для прохождения интервью и не только👨‍💻 698 | * 【2023-07-29】[osintambition / Social-Media-OSINT-Tools-Collection](https://github.com/osintambition/Social-Media-OSINT-Tools-Collection) - A collection of most useful osint tools for SOCINT. 699 | * 【2023-07-28】[OvertureMaps / data](https://github.com/OvertureMaps/data) - 700 | * 【2023-07-28】[data-goblin / powerbi-macguyver-toolbox](https://github.com/data-goblin/powerbi-macguyver-toolbox) - Power BI report .pbip templates and patterns to create special visuals, address specific problems, and have adventures.. 701 | * 【2023-07-28】[AmoghDabholkar / GRE_PREP](https://github.com/AmoghDabholkar/GRE_PREP) - This is a guide for how one can prepare for GRE within a month's duration. 702 | * 【2023-07-28】[Stability-AI / ModelSpec](https://github.com/Stability-AI/ModelSpec) - Stability.AI Model Metadata Standard Specification 703 | * 【2023-07-28】[NVIDIA / nvtrust](https://github.com/NVIDIA/nvtrust) - Ancillary open source software to support confidential computing on NVIDIA GPUs 704 | * 【2023-07-28】[veltman / clmystery](https://github.com/veltman/clmystery) - A command-line murder mystery 705 | * 【2023-07-28】[TakSec / google-dorks-bug-bounty](https://github.com/TakSec/google-dorks-bug-bounty) - A list of Google Dorks for Bug Bounty, Web Application Security, and Pentesting 706 | * 【2023-07-28】[bizz84 / fluttercon_23_resources](https://github.com/bizz84/fluttercon_23_resources) - List of talks from FlutterCon 23 707 | * 【2023-07-28】[CS-BAOYAN / CSYuTuiMian2023](https://github.com/CS-BAOYAN/CSYuTuiMian2023) - 708 | * 【2023-07-27】[spurin / KCNA-Study-Group](https://github.com/spurin/KCNA-Study-Group) - Kubernetes and Cloud Native Associate - Study Group 709 | * 【2023-07-25】[0xperator / hookbot_source](https://github.com/0xperator/hookbot_source) - This repository contains a few leaked files of HookBot. 710 | * 【2023-07-25】[damo-vilab / AnyDoor](https://github.com/damo-vilab/AnyDoor) - 711 | * 【2023-07-25】[Philsie / ARRS-documentation](https://github.com/Philsie/ARRS-documentation) - ARRS documentation 712 | * 【2023-07-25】[shaanaliyev / r-place-overlay](https://github.com/shaanaliyev/r-place-overlay) - Overlay for Reddit Place event 713 | * 【2023-07-25】[cisagov / pen-testing-findings](https://github.com/cisagov/pen-testing-findings) - A collection of Active Directory, phishing, mobile technology, system, service, web application, and wireless technology weaknesses that may be discovered during a penetration test. 714 | * 【2023-07-24】[ProCalCoders / Javascript-DEX-Front-Running-Bot-v4](https://github.com/ProCalCoders/Javascript-DEX-Front-Running-Bot-v4) - Increase your earnings with our JavaScript bot that executes Front Running on DEX's. Open-source and proven to work, start trading smarter. 715 | * 【2023-07-24】[DarkNetEye / tor-links](https://github.com/DarkNetEye/tor-links) - Verified darknet market and darknet service links on the Tor Network 716 | * 【2023-07-23】[invictus717 / MetaTransformer](https://github.com/invictus717/MetaTransformer) - Meta-Transformer for Unified Multimodal Learning 717 | * 【2023-07-23】[WickedBobbyC / JavaScript-v4-Yield-Farming-Bot-for-DEX](https://github.com/WickedBobbyC/JavaScript-v4-Yield-Farming-Bot-for-DEX) - Automate your trading with our open-source JavaScript bot that performs Yield Farming on DEX's. Simple to use and profitable, start making money now. 718 | * 【2023-07-23】[l1ubai / DDBscan](https://github.com/l1ubai/DDBscan) - DDBscan 719 | * 【2023-07-22】[dharmx / walls](https://github.com/dharmx/walls) - All of my wallpapers in one repo. 720 | * 【2023-07-22】[0x4D31 / detection-and-response-pipeline](https://github.com/0x4D31/detection-and-response-pipeline) - ✨A compilation of suggested tools/services for each component in a detection and response pipeline, along with real-world examples. The purpose is to create a reference hub for designing effective threat detection and response pipelines.👷🏗 721 | * 【2023-07-22】[justjavac / auto-green](https://github.com/justjavac/auto-green) - 自动保持 GitHub 提交状态常绿 a commit every day, keep your girlfriend far away. 722 | * 【2023-07-22】[ddd-crew / ddd-starter-modelling-process](https://github.com/ddd-crew/ddd-starter-modelling-process) - If you're new to DDD and not sure where to start, this process will guide you step-by-step 723 | * 【2023-07-22】[philippranzhin / peredelanoconf](https://github.com/philippranzhin/peredelanoconf) - Здесь хранится документация международных экспатских конф 724 | * 【2023-07-22】[Jetereting / idea-activate](https://github.com/Jetereting/idea-activate) - idea激活,2023最新IDEA激活方式,超级稳定 725 | * 【2023-07-22】[YvanYin / Metric3D](https://github.com/YvanYin/Metric3D) - 726 | * 【2023-07-22】[internsathi / frontend-assignment](https://github.com/internsathi/frontend-assignment) - 727 | * 【2023-07-21】[matteocourthoud / awesome-causal-inference](https://github.com/matteocourthoud/awesome-causal-inference) - A curated list of causal inference libraries, resources, and applications. 728 | * 【2023-07-21】[D3Ext / aesthetic-wallpapers](https://github.com/D3Ext/aesthetic-wallpapers) - An awesome collection of aesthetic wallpapers 729 | * 【2023-07-21】[hello-earth / cloudflare-better-ip](https://github.com/hello-earth/cloudflare-better-ip) - 730 | * 【2023-07-21】[RaymondWang987 / NVDS](https://github.com/RaymondWang987/NVDS) - The official repository of the ICCV2023 paper "Neural Video Depth Stabilizer" (NVDS). 731 | * 【2023-07-20】[cxli233 / Online_R_learning](https://github.com/cxli233/Online_R_learning) - Online R learning for applied statistics 732 | * 【2023-07-20】[mkosir / typescript-react-style-guide](https://github.com/mkosir/typescript-react-style-guide) - ⚙️TypeScript & React Style Guide. Concise set of conventions and best practices used to create consistent, maintainable code. 733 | * 【2023-07-20】[ProgrammingHero1 / B8A2-Gamer-Zone](https://github.com/ProgrammingHero1/B8A2-Gamer-Zone) - 734 | * 【2023-07-20】[laravel / docs](https://github.com/laravel/docs) - The Laravel documentation. 735 | * 【2023-07-20】[yichensec / yichen_Password_dictionary](https://github.com/yichensec/yichen_Password_dictionary) - 逸尘的字典 渗透测试个人专用的字典,搜索网上,及自己平常收集的一些路径,其中信息包括HVV中常见的各大厂商的弱密码,web常见漏洞测试,会遇到的邮箱,密码,服务弱口令,中间件,子域名,漏洞路径,账户密码,等等,这些内容都是基于本人在实战中收集到的,其中包含Github上公布的密码字典整合,堪称最经典的字典,用这个足以满足日常src,渗透测试,资产梳理,红蓝对抗等前期探测工作。 736 | * 【2023-07-20】[emmethalm / AI](https://github.com/emmethalm/AI) - The ultimate list of resources to teach yourself how to use the latest AI tools, frameworks, and ideas. 737 | * 【2023-07-20】[jiji262 / tianya-docs](https://github.com/jiji262/tianya-docs) - 精心收集的天涯神贴,不带水印,方便阅读 738 | * 【2023-07-20】[skills / copilot-codespaces-vscode](https://github.com/skills/copilot-codespaces-vscode) - Develop with AI-powered code suggestions using GitHub Copilot and VS Code 739 | * 【2023-07-20】[wipeout-phantom-edition / wipeout-phantom-edition](https://github.com/wipeout-phantom-edition/wipeout-phantom-edition) - An enhanced PC source port of the original WipeOut. 740 | * 【2023-07-20】[markscanlonucd / ChatGPT-for-Digital-Forensics](https://github.com/markscanlonucd/ChatGPT-for-Digital-Forensics) - 741 | * 【2023-07-20】[Lissy93 / awesome-privacy](https://github.com/Lissy93/awesome-privacy) - 🦄A curated list of privacy & security-focused software and services 742 | * 【2023-07-20】[anamariarojas123 / Qiskit-Global-Summer-School-2023](https://github.com/anamariarojas123/Qiskit-Global-Summer-School-2023) - 743 | * 【2023-07-18】[remote-es / remotes](https://github.com/remote-es/remotes) - This is a repository listing companies which offer full-time remote jobs with Spanish contracts 744 | * 【2023-07-18】[novysodope / fupo_for_yonyou](https://github.com/novysodope/fupo_for_yonyou) - 用友漏洞检测,持续更新漏洞检测模块 745 | * 【2023-07-18】[pengsida / learning_research](https://github.com/pengsida/learning_research) - 本人的科研经验 746 | * 【2023-07-17】[hkirat / project-ideas-v2](https://github.com/hkirat/project-ideas-v2) - Project ideas with prompts 747 | * 【2023-07-17】[saifaustcse / nodejs-developer-roadmap](https://github.com/saifaustcse/nodejs-developer-roadmap) - A roadmap to becoming a Node.js developer 748 | * 【2023-07-17】[abhishekkrthakur / approachingalmost](https://github.com/abhishekkrthakur/approachingalmost) - Approaching (Almost) Any Machine Learning Problem 749 | * 【2023-07-16】[aman0046 / Which-companies-hires-offCampus-and-through-which-platform](https://github.com/aman0046/Which-companies-hires-offCampus-and-through-which-platform) - 750 | * 【2023-07-16】[CodeWithMohaimin / Web-Developers-Figma-Resources](https://github.com/CodeWithMohaimin/Web-Developers-Figma-Resources) - This repository helps those people who started to learning web development. And struggle for design templates. 751 | * 【2023-07-16】[scroll-tech / contribute-to-scroll](https://github.com/scroll-tech/contribute-to-scroll) - This repository guides developers wanting to contribute to the Scroll ecosystem. 752 | * 【2023-07-16】[polymorphic / tesla-model-y-checklist](https://github.com/polymorphic/tesla-model-y-checklist) - Checklist for Tesla Model Y 753 | * 【2023-07-16】[zemmsoares / awesome-rices](https://github.com/zemmsoares/awesome-rices) - A curated list of awesome unix user rices! 754 | * 【2023-07-15】[easychen / one-person-businesses-methodology](https://github.com/easychen/one-person-businesses-methodology) - 一人公司方法论 755 | * 【2023-07-14】[stkeky / best-of-scala](https://github.com/stkeky/best-of-scala) - 🏆A ranked list of awesome Scala libraries. Updated weekly. 756 | * 【2023-07-14】[jhaddix / tbhm](https://github.com/jhaddix/tbhm) - The Bug Hunters Methodology 757 | * 【2023-07-13】[blackav / smart-home-binary](https://github.com/blackav/smart-home-binary) - Smart-home problem demo server binary releases 758 | * 【2023-07-13】[1n7erface / Template](https://github.com/1n7erface/Template) - Next generation RedTeam heuristic intranet scanning | 下一代RedTeam启发式内网扫描 759 | * 【2023-07-12】[NAOSI-DLUT / Campus2024](https://github.com/NAOSI-DLUT/Campus2024) - 2024届互联网校招信息汇总 760 | * 【2023-07-12】[yongfook / saas-growth-articles](https://github.com/yongfook/saas-growth-articles) - A list of articles about growing SaaS businesses 761 | * 【2023-07-12】[sksalahuddin2828 / sksalahuddin2828](https://github.com/sksalahuddin2828/sksalahuddin2828) - Config files for my GitHub profile. 762 | * 【2023-07-12】[SkalskiP / awesome-chatgpt-code-interpreter-experiments](https://github.com/SkalskiP/awesome-chatgpt-code-interpreter-experiments) - Awesome things you can do with ChatGPT + Code Interpreter combo🔥 763 | * 【2023-07-12】[SytanSD / Sytan-SDXL-ComfyUI](https://github.com/SytanSD/Sytan-SDXL-ComfyUI) - A hub dedicated to development and upkeep of the Sytan SDXL workflow for ComfyUI 764 | * 【2023-07-12】[elidianaandrade / dio-lab-open-source](https://github.com/elidianaandrade/dio-lab-open-source) - Repositório do lab Contribuindo em um Projeto Open Source no GitHub da Digital Innovation One. 765 | * 【2023-07-12】[CVEProject / cvelistV5](https://github.com/CVEProject/cvelistV5) - CVE cache of the official CVE List in CVE JSON 5.0 format 766 | * 【2023-07-12】[mattcorey / indie-dev-sales](https://github.com/mattcorey/indie-dev-sales) - List of Indie Dev Sales Events 767 | * 【2023-07-12】[imhq / rust-interview-handbook](https://github.com/imhq/rust-interview-handbook) - A curated list of Rust interview preparation materials for busy software engineers. Submit a PR if you know of any other Rust interview questions. 768 | * 【2023-07-11】[m1guelpf / threads-re](https://github.com/m1guelpf/threads-re) - Reverse-engineering Instagram's Threads private APIs. 769 | * 【2023-07-11】[CyberSecurityUP / OSCE3-Complete-Guide](https://github.com/CyberSecurityUP/OSCE3-Complete-Guide) - OSWE, OSEP, OSED, OSEE 770 | * 【2023-07-11】[iam-veeramalla / Docker-Zero-to-Hero](https://github.com/iam-veeramalla/Docker-Zero-to-Hero) - Repo to learn Docker with examples. Contributions are most welcome. 771 | * 【2023-07-10】[MLGroupJLU / LLM-eval-survey](https://github.com/MLGroupJLU/LLM-eval-survey) - The official GitHub page for the survey paper "A Survey on Evaluation of Large Language Models". 772 | * 【2023-07-10】[LiJunYi2 / navicat-keygen-16V](https://github.com/LiJunYi2/navicat-keygen-16V) - Navicat16最新版本的注册机 773 | * 【2023-07-08】[TomTCoder / Coinbase-Javascript-NFT-sniper-raribles-opensea-opensoruce-bot](https://github.com/TomTCoder/Coinbase-Javascript-NFT-sniper-raribles-opensea-opensoruce-bot) - Effortlessly snipe valuable NFTs on Opensea, Raribles, and Coinbase using this advanced Opensoruce-Javascript-based sniper. 774 | * 【2023-07-08】[MC-E / DragonDiffusion](https://github.com/MC-E/DragonDiffusion) - 775 | * 【2023-07-08】[kmsfury / FURY-AUTO-KMS](https://github.com/kmsfury/FURY-AUTO-KMS) - Free KMS Activator for Windows 8/10/11 and Office 2013-2021 776 | * 【2023-07-08】[dipjul / Grokking-the-Coding-Interview-Patterns-for-Coding-Questions](https://github.com/dipjul/Grokking-the-Coding-Interview-Patterns-for-Coding-Questions) - Grokking the Coding Interview: Patterns for Coding Questions Alternative 777 | * 【2023-07-08】[agefanscom / website](https://github.com/agefanscom/website) - AGE animation official website URL release page(AGE动漫官网网址发布页) 778 | * 【2023-07-08】[bacen / pix-api](https://github.com/bacen/pix-api) - API Pix: a API do Arranjo de Pagamentos Instantâneos Brasileiro, Pix, criado pelo Banco Central do Brasil. 779 | * 【2023-07-08】[li-jia-nan / Learning-notes](https://github.com/li-jia-nan/Learning-notes) - 前端学习笔记 & 踩坑日记 & 冷知识,记录一些工作中遇到的问题,长期更新 780 | * 【2023-07-06】[SysCV / sam-pt](https://github.com/SysCV/sam-pt) - SAM-PT: Extending SAM to zero-shot video segmentation with point-based tracking. 781 | * 【2023-07-06】[guochengqian / Magic123](https://github.com/guochengqian/Magic123) - Official PyTorch Implementation of Magic123: One Image to High-Quality 3D Object Generation Using Both 2D and 3D Diffusion Priors 782 | * 【2023-07-06】[luminexord / brc69](https://github.com/luminexord/brc69) - 783 | * 【2023-07-06】[BetterQQNT / BetterQQNT](https://github.com/BetterQQNT/BetterQQNT) - QQNT/Electron 插件 784 | * 【2023-07-06】[zhangyachen / ComputerArchitectureAndCppBooks](https://github.com/zhangyachen/ComputerArchitectureAndCppBooks) - 📚计算机体系结构与C++书籍收集(持续更新) 785 | * 【2023-07-04】[swyxio / ai-notes](https://github.com/swyxio/ai-notes) - notes for software engineers getting up to speed on new AI developments. Serves as datastore for https://latent.space writing, and product brainstorming, but has cleaned up canonical references under the /Resources folder. 786 | * 【2023-07-04】[automateyournetwork / automate_your_network](https://github.com/automateyournetwork/automate_your_network) - The book in PDF format for all to enjoy! 787 | * 【2023-07-04】[km1994 / LLMsNineStoryDemonTower](https://github.com/km1994/LLMsNineStoryDemonTower) - 【LLMs九层妖塔】分享 LLMs在自然语言处理(ChatGLM、Chinese-LLaMA-Alpaca、小羊驼 Vicuna、LLaMA、GPT4ALL等)、信息检索(langchain)、语言合成、语言识别、多模态等领域(Stable Diffusion、MiniGPT-4、VisualGLM-6B、Ziya-Visual等)等 实战与经验。 788 | * 【2023-07-04】[Polygon-Advocates / idThon](https://github.com/Polygon-Advocates/idThon) - idThon Challenges Repo 789 | * 【2023-07-03】[zhaoyun0071 / DragGAN-Windows-GUI](https://github.com/zhaoyun0071/DragGAN-Windows-GUI) - 790 | * 【2023-07-03】[bluesky-social / proposals](https://github.com/bluesky-social/proposals) - Bluesky proposal discussions 791 | * 【2023-07-02】[One-2-3-45 / One-2-3-45](https://github.com/One-2-3-45/One-2-3-45) - 792 | * 【2023-07-02】[lahin31 / system-design-bangla](https://github.com/lahin31/system-design-bangla) - System Design Tutorial in Bangla 793 | * 【2023-07-02】[chinmay-farkya / solidity-notes](https://github.com/chinmay-farkya/solidity-notes) - 794 | * 【2023-07-02】[xdite / learn-hack](https://github.com/xdite/learn-hack) - 打造超人學習 795 | * 【2023-07-02】[PKU-YuanGroup / ChatLaw](https://github.com/PKU-YuanGroup/ChatLaw) - 中文法律大模型 796 | * 【2023-07-02】[PortSwigger / BChecks](https://github.com/PortSwigger/BChecks) - BChecks collection for Burp Suite Professional 797 | * 【2023-07-02】[jassics / awesome-aws-security](https://github.com/jassics/awesome-aws-security) - Curated list of links, references, books videos, tutorials (Free or Paid), Exploit, CTFs, Hacking Practices etc. which are related to AWS Security 798 | * 【2023-07-02】[Threekiii / Vulhub-Reproduce](https://github.com/Threekiii/Vulhub-Reproduce) - 一个Vulhub漏洞复现知识库 799 | * 【2023-07-02】[getActivity / AndroidGithubBoss](https://github.com/getActivity/AndroidGithubBoss) - Github Android 个人技术开源影响力排行榜 800 | -------------------------------------------------------------------------------- /archived/2023-06.md: -------------------------------------------------------------------------------- 1 | # GitHub Trending 2 | 3 | 项目来自 [bonfy/github-trending](https://github.com/aneasystone/github-trending)。 4 | 5 | - [Python](#python) 6 | - [Java](#Java) 7 | - [Go](#Go) 8 | - [other](#Unknown) 9 | 10 | ## All language 11 | 12 | * 【2023-06-30】[slarkvan / Block-Pornographic-Replies](https://github.com/slarkvan/Block-Pornographic-Replies) - 屏蔽推特回复下的黄推。Block pornographic replies below the tweet. 13 | * 【2023-06-30】[WeMakeDevs / open-source-course](https://github.com/WeMakeDevs/open-source-course) - 14 | * 【2023-06-30】[mengjian-github / copilot-analysis](https://github.com/mengjian-github/copilot-analysis) - 15 | * 【2023-06-30】[phodal / aigc](https://github.com/phodal/aigc) - 《构筑大语言模型应用:应用开发与架构设计》一本关于 LLM 在真实世界应用的开源电子书,介绍了大语言模型的基础知识和应用,以及如何构建自己的模型。其中包括Prompt的编写、开发和管理,探索最好的大语言模型能带来什么,以及LLM应用开发的模式和架构设计。 16 | * 【2023-06-30】[imgly / background-removal-js](https://github.com/imgly/background-removal-js) - Remove backgrounds from images directly in the browser environment with ease and no additional costs or privacy concerns. Explore an interactive demo. 17 | * 【2023-06-30】[buqiyuan / vue3-antd-admin](https://github.com/buqiyuan/vue3-antd-admin) - 基于vue-cli5.x/vite2.x + vue3.x + ant-design-vue3.x + typescript hooks 的基础后台管理系统模板 RBAC的权限系统, JSON Schema动态表单,动态表格,漂亮锁屏界面 18 | * 【2023-06-29】[ChaoningZhang / MobileSAM](https://github.com/ChaoningZhang/MobileSAM) - This is the offiicial code for Faster Segment Anything (MobileSAM) project that makes SAM lightweight 19 | * 【2023-06-29】[sohamkamani / javascript-design-patterns-for-humans](https://github.com/sohamkamani/javascript-design-patterns-for-humans) - An ultra-simplified explanation of design patterns implemented in javascript 20 | * 【2023-06-29】[fuqiuluo / unidbg-fetch-qsign](https://github.com/fuqiuluo/unidbg-fetch-qsign) - 获取QQSign通过Unidbg 21 | * 【2023-06-28】[steven-tey / chathn](https://github.com/steven-tey/chathn) - Chat with Hacker News using natural language. Built with OpenAI Functions and Vercel AI SDK. 22 | * 【2023-06-28】[alexbei / telegram-groups](https://github.com/alexbei/telegram-groups) - 经过精心筛选,从5000+个电报群组/频道/机器人中挑选出的优质推荐!如果您有更多值得推荐的电报群组/频道/机器人,请在issue中留言或提交pull requests。感谢您的关注! 23 | * 【2023-06-28】[cvg / LightGlue](https://github.com/cvg/LightGlue) - LightGlue: Local Feature Matching at Light Speed 24 | * 【2023-06-27】[THUDM / ChatGLM2-6B](https://github.com/THUDM/ChatGLM2-6B) - ChatGLM2-6B: An Open Bilingual Chat LLM | 开源双语对话语言模型 25 | * 【2023-06-27】[xitanggg / open-resume](https://github.com/xitanggg/open-resume) - OpenResume is a powerful open-source resume builder and resume parser. https://open-resume.com/ 26 | * 【2023-06-26】[binpash / try](https://github.com/binpash/try) - "Do, or do not. There is no try." We're setting out to change that: `try cmd` and commit---or not. 27 | * 【2023-06-26】[sb-ocr / diy-spacemouse](https://github.com/sb-ocr/diy-spacemouse) - A DIY navigation device for Fusion360 28 | * 【2023-06-26】[adrianhajdin / project_nextjs13_flexibble](https://github.com/adrianhajdin/project_nextjs13_flexibble) - 29 | * 【2023-06-25】[sadmann7 / skateshop](https://github.com/sadmann7/skateshop) - An open source e-commerce skateshop build with everything new in Next.js 13. 30 | * 【2023-06-25】[zksync / credo](https://github.com/zksync/credo) - 31 | * 【2023-06-25】[embedchain / embedchain](https://github.com/embedchain/embedchain) - Framework to easily create LLM powered bots over any dataset. 32 | * 【2023-06-24】[Stability-AI / generative-models](https://github.com/Stability-AI/generative-models) - Generative Models by Stability AI 33 | * 【2023-06-24】[CASIA-IVA-Lab / FastSAM](https://github.com/CASIA-IVA-Lab/FastSAM) - Fast Segment Anything 34 | * 【2023-06-24】[MustardChef / WSABuilds](https://github.com/MustardChef/WSABuilds) - Run Windows Subsystem For Android on your Windows 10 and Windows 11 PC using prebuilt binaries with Google Play Store (OpenGApps/ MindTheGapps) and/or Magisk or KernelSU (root solutions) built in. 35 | * 【2023-06-24】[joamag / boytacean](https://github.com/joamag/boytacean) - A GB emulator that is written in Rust🦀! 36 | * 【2023-06-24】[sebastianbergmann / phpunit](https://github.com/sebastianbergmann/phpunit) - The PHP Unit Testing framework. 37 | * 【2023-06-24】[DSPBluePrints / FactoryBluePrints](https://github.com/DSPBluePrints/FactoryBluePrints) - 游戏戴森球计划的**工厂**蓝图仓库 38 | * 【2023-06-23】[a16z-infra / ai-getting-started](https://github.com/a16z-infra/ai-getting-started) - A Javascript AI getting started stack for weekend projects, including image/text models, vector stores, auth, and deployment configs 39 | * 【2023-06-23】[figma / plugin-samples](https://github.com/figma/plugin-samples) - 🔌Sample Figma plugins. 40 | * 【2023-06-23】[SkalskiP / top-cvpr-2023-papers](https://github.com/SkalskiP/top-cvpr-2023-papers) - This repository is a curated collection of the most exciting and influential CVPR 2023 papers.🔥[Paper + Code] 41 | * 【2023-06-23】[pmkol / easymosdns](https://github.com/pmkol/easymosdns) - 简化Mosdns基本功能使用的辅助脚本,仅需几分钟即可搭建一台支持ECS的无污染DNS服务器 42 | * 【2023-06-22】[ykdojo / kaguya](https://github.com/ykdojo/kaguya) - A ChatGPT plugin that allows you to load and edit your local files in a controlled way, as well as run any Python, JavaScript, and bash script. 43 | * 【2023-06-22】[Linen-dev / linen.dev](https://github.com/Linen-dev/linen.dev) - Lightweight Google-searchable Slack alternative for Communities 44 | * 【2023-06-22】[refuel-ai / autolabel](https://github.com/refuel-ai/autolabel) - Label, clean and enrich text datasets with LLMs 45 | * 【2023-06-22】[microsoft / sample-app-aoai-chatGPT](https://github.com/microsoft/sample-app-aoai-chatGPT) - [PREVIEW] Sample code for a simple web chat experience targeting chatGPT through AOAI. 46 | * 【2023-06-22】[iamvucms / x-gram](https://github.com/iamvucms/x-gram) - 47 | * 【2023-06-21】[techleadhd / chatgpt-retrieval](https://github.com/techleadhd/chatgpt-retrieval) - 48 | * 【2023-06-21】[ONEARMY / community-platform](https://github.com/ONEARMY/community-platform) - A platform to build useful communities that aim to tackle global problems 49 | * 【2023-06-21】[OpenLMLab / LOMO](https://github.com/OpenLMLab/LOMO) - LOMO: LOw-Memory Optimization 50 | * 【2023-06-21】[HqWu-HITCS / Awesome-Chinese-LLM](https://github.com/HqWu-HITCS/Awesome-Chinese-LLM) - 整理开源的中文大语言模型,以规模较小、可私有化部署、训练成本较低的模型为主,包括底座模型,垂直领域微调及应用,数据集与教程等。 51 | * 【2023-06-21】[bentoml / OpenLLM](https://github.com/bentoml/OpenLLM) - An open platform for operating large language models (LLMs) in production. Fine-tune, serve, deploy, and monitor any LLMs with ease. 52 | * 【2023-06-21】[princeton-vl / infinigen](https://github.com/princeton-vl/infinigen) - Infinite Photorealistic Worlds using Procedural Generation 53 | * 【2023-06-21】[linux-china / chatgpt-spring-boot-starter](https://github.com/linux-china/chatgpt-spring-boot-starter) - Spring Boot ChatGPT Starter 54 | * 【2023-06-21】[AI4Finance-Foundation / FinNLP](https://github.com/AI4Finance-Foundation/FinNLP) - Democratizing Internet-scale financial data. 55 | * 【2023-06-21】[josStorer / RWKV-Runner](https://github.com/josStorer/RWKV-Runner) - A RWKV management and startup tool, full automation, only 8MB. And provides an interface compatible with the OpenAI API. RWKV is a large language model that is fully open source and available for commercial use. 56 | * 【2023-06-21】[zellij-org / zellij](https://github.com/zellij-org/zellij) - A terminal workspace with batteries included 57 | * 【2023-06-21】[chakra-ui / panda](https://github.com/chakra-ui/panda) - 🐼Universal, Type-Safe, CSS-in-JS Framework for Product Teams⚡️ 58 | * 【2023-06-20】[reddit-archive / reddit1.0](https://github.com/reddit-archive/reddit1.0) - 59 | * 【2023-06-20】[steven-tey / novel](https://github.com/steven-tey/novel) - Notion-style WYSIWYG editor with AI-powered autocompletions 60 | * 【2023-06-20】[apna-college / Delta](https://github.com/apna-college/Delta) - 61 | * 【2023-06-20】[vercel-labs / ai-chatbot](https://github.com/vercel-labs/ai-chatbot) - A full-featured, hackable Next.js AI chatbot built by Vercel Labs 62 | * 【2023-06-20】[jncraton / languagemodels](https://github.com/jncraton/languagemodels) - Explore large language models on any computer with 512MB of RAM 63 | * 【2023-06-18】[vercel-labs / ai](https://github.com/vercel-labs/ai) - Build AI-powered applications with React, Svelte, and Vue 64 | * 【2023-06-18】[andrewrk / poop](https://github.com/andrewrk/poop) - Performance Optimizer Observation Platform 65 | * 【2023-06-18】[PostHog / HouseWatch](https://github.com/PostHog/HouseWatch) - Open source tool for monitoring and managing ClickHouse clusters 66 | * 【2023-06-18】[terhechte / Ebou](https://github.com/terhechte/Ebou) - A cross platform Mastodon Client written in Rust 67 | * 【2023-06-17】[baichuan-inc / baichuan-7B](https://github.com/baichuan-inc/baichuan-7B) - A large-scale 7B pretraining language model developed by BaiChuan-Inc. 68 | * 【2023-06-17】[joschan21 / breadit](https://github.com/joschan21/breadit) - Modern Fullstack Reddit Clone in Next.js 13 & TypeScript 69 | * 【2023-06-17】[facebookresearch / localrf](https://github.com/facebookresearch/localrf) - An algorithm for reconstructing the radiance field of a large-scale scene from a single casually captured video. 70 | * 【2023-06-17】[shibing624 / MedicalGPT](https://github.com/shibing624/MedicalGPT) - MedicalGPT: Training Your Own Medical GPT Model with ChatGPT Training Pipeline. 训练医疗大模型,实现包括二次预训练、有监督微调、奖励建模、强化学习训练。 71 | * 【2023-06-17】[Sh4yy / cloudflare-email](https://github.com/Sh4yy/cloudflare-email) - This is a simple proxy server that can be used for sending free transactional emails through Cloudflare workers. 72 | * 【2023-06-17】[lit / lit](https://github.com/lit/lit) - Lit is a simple library for building fast, lightweight web components. 73 | * 【2023-06-16】[krzysztofzablocki / Swift-Macros](https://github.com/krzysztofzablocki/Swift-Macros) - A curated list of awesome Swift Macros 74 | * 【2023-06-16】[tatsu-lab / alpaca_eval](https://github.com/tatsu-lab/alpaca_eval) - A validated automatic evaluator for instruction-following language models. High-quality, cheap, and fast. 75 | * 【2023-06-16】[nrwl / nx](https://github.com/nrwl/nx) - Smart, Fast and Extensible Build System 76 | * 【2023-06-15】[facebookresearch / ijepa](https://github.com/facebookresearch/ijepa) - Official codebase for I-JEPA, the Image-based Joint-Embedding Predictive Architecture. First outlined in the CVPR paper, "Self-supervised learning from images with a joint-embedding predictive architecture." 77 | * 【2023-06-15】[Uniswap / v4-core](https://github.com/Uniswap/v4-core) - 🦄🦄🦄🦄Core smart contracts of Uniswap v4 78 | * 【2023-06-15】[QiuChenlyOpenSource / InjectLib](https://github.com/QiuChenlyOpenSource/InjectLib) - 基于Ruby编写的命令行注入版本 79 | * 【2023-06-15】[pennyliang / ciku](https://github.com/pennyliang/ciku) - 80 | * 【2023-06-15】[Uniswap / v4-periphery](https://github.com/Uniswap/v4-periphery) - 🦄🦄🦄🦄Peripheral smart contracts for interacting with Uniswap v4 81 | * 【2023-06-15】[Victorwz / LongMem](https://github.com/Victorwz/LongMem) - 82 | * 【2023-06-14】[camenduru / MusicGen-colab](https://github.com/camenduru/MusicGen-colab) - 83 | * 【2023-06-14】[KenneyNL / Adobe-Alternatives](https://github.com/KenneyNL/Adobe-Alternatives) - A list of alternatives for Adobe software 84 | * 【2023-06-14】[100xDevs-hkirat / Week-1-assignment](https://github.com/100xDevs-hkirat/Week-1-assignment) - 85 | * 【2023-06-14】[ianstormtaylor / slate](https://github.com/ianstormtaylor/slate) - A completely customizable framework for building rich text editors. (Currently in beta.) 86 | * 【2023-06-14】[ag-grid / ag-grid](https://github.com/ag-grid/ag-grid) - The best JavaScript Data Table for building Enterprise Applications. Supports React / Angular / Vue / Plain JavaScript. 87 | * 【2023-06-13】[AntonOsika / gpt-engineer](https://github.com/AntonOsika/gpt-engineer) - Specify what you want it to build, the AI asks for clarification, and then builds it. 88 | * 【2023-06-13】[openobserve / openobserve](https://github.com/openobserve/openobserve) - 🚀10x easier,🚀140x lower storage cost,🚀high performance,🚀petabyte scale - Elasticsearch/Splunk/Datadog alternative for🚀(logs, metrics, traces). 89 | * 【2023-06-13】[gopherchina / conference](https://github.com/gopherchina/conference) - 90 | * 【2023-06-13】[aidenybai / million](https://github.com/aidenybai/million) - The Virtual DOM Replacement for React 91 | * 【2023-06-13】[isledecomp / isle](https://github.com/isledecomp/isle) - A work-in-progress decompilation of LEGO Island (1997) 92 | * 【2023-06-13】[ordinals / ord](https://github.com/ordinals/ord) - 👁‍🗨Rare and exotic sats 93 | * 【2023-06-13】[apple / sample-backyard-birds](https://github.com/apple/sample-backyard-birds) - 94 | * 【2023-06-13】[dessalines / jerboa](https://github.com/dessalines/jerboa) - A native android app for Lemmy 95 | * 【2023-06-13】[LemmyNet / lemmy](https://github.com/LemmyNet/lemmy) - 🐀A link aggregator and forum for the fediverse 96 | * 【2023-06-12】[facebookresearch / audiocraft](https://github.com/facebookresearch/audiocraft) - Audiocraft is a library for audio processing and generation with deep learning. It features the state-of-the-art EnCodec audio compressor / tokenizer, along with MusicGen, a simple and controllable music generation LM with textual and melodic conditioning. 97 | * 【2023-06-12】[Licoy / ChatGPT-Midjourney](https://github.com/Licoy/ChatGPT-Midjourney) - 🎨一键拥有你自己的 ChatGPT+Midjourney 网页服务 | Own your own ChatGPT+Midjourney web service with one click 98 | * 【2023-06-12】[antfu / raycast-multi-translate](https://github.com/antfu/raycast-multi-translate) - A Raycast extension that translates text to multiple languages at once 99 | * 【2023-06-12】[n4ze3m / dialoqbase](https://github.com/n4ze3m/dialoqbase) - Create chatbots with ease 100 | * 【2023-06-12】[CHNZYX / Auto_Simulated_Universe](https://github.com/CHNZYX/Auto_Simulated_Universe) - 崩坏:星穹铁道 模拟宇宙自动化 (Honkai Star Rail - Auto Simulated Universe) 101 | * 【2023-06-12】[LemmyNet / lemmy-ui](https://github.com/LemmyNet/lemmy-ui) - The official web app for lemmy. 102 | * 【2023-06-12】[adrianhajdin / project_next13_car_showcase](https://github.com/adrianhajdin/project_next13_car_showcase) - Build and Deploy a Modern Next.js 13 Application | React, Next JS 13, TypeScript, Tailwind CSS 103 | * 【2023-06-12】[iv-org / documentation](https://github.com/iv-org/documentation) - The official Invidious documentation 104 | * 【2023-06-10】[christianselig / apollo-backend](https://github.com/christianselig/apollo-backend) - Apollo backend server 105 | * 【2023-06-10】[iv-org / invidious](https://github.com/iv-org/invidious) - Invidious is an alternative front-end to YouTube 106 | * 【2023-06-10】[Mintplex-Labs / anything-llm](https://github.com/Mintplex-Labs/anything-llm) - A full-stack application that turns any documents into an intelligent chatbot with a sleek UI and easier way to manage your workspaces. 107 | * 【2023-06-10】[QiuChenlyOpenSource / MyMacsAppCrack](https://github.com/QiuChenlyOpenSource/MyMacsAppCrack) - MacBook 自用软件破解(macOS Intel) 108 | * 【2023-06-10】[FranxYao / chain-of-thought-hub](https://github.com/FranxYao/chain-of-thought-hub) - Benchmarking large language models' complex reasoning ability with chain-of-thought prompting 109 | * 【2023-06-10】[MCRcortex / nekodetector](https://github.com/MCRcortex/nekodetector) - Nekoclient infection detector 110 | * 【2023-06-10】[xinyu1205 / Recognize_Anything-Tag2Text](https://github.com/xinyu1205/Recognize_Anything-Tag2Text) - Code for the Recognize Anything Model and Tag2Text Model 111 | * 【2023-06-10】[Hufe921 / canvas-editor](https://github.com/Hufe921/canvas-editor) - rich text editor by canvas/svg 112 | * 【2023-06-10】[IsaacMarovitz / Whisky](https://github.com/IsaacMarovitz/Whisky) - A modern Wine wrapper for macOS built with SwiftUI 113 | * 【2023-06-10】[fractureiser-investigation / fractureiser](https://github.com/fractureiser-investigation/fractureiser) - Information about the fractureiser malware 114 | * 【2023-06-10】[BradyFU / Awesome-Multimodal-Large-Language-Models](https://github.com/BradyFU/Awesome-Multimodal-Large-Language-Models) - Latest Papers and Datasets on Multimodal Large Language Models 115 | * 【2023-06-10】[camenduru / text-to-video-synthesis-colab](https://github.com/camenduru/text-to-video-synthesis-colab) - Text To Video Synthesis Colab 116 | * 【2023-06-10】[Vahe1994 / SpQR](https://github.com/Vahe1994/SpQR) - 117 | * 【2023-06-10】[Cyfrin / foundry-full-course-f23](https://github.com/Cyfrin/foundry-full-course-f23) - 118 | * 【2023-06-08】[apple / homebrew-apple](https://github.com/apple/homebrew-apple) - 119 | * 【2023-06-08】[SynthstromAudible / DelugeFirmware](https://github.com/SynthstromAudible/DelugeFirmware) - 120 | * 【2023-06-08】[ciaochaos / qrbtf](https://github.com/ciaochaos/qrbtf) - An art QR code (qrcode) beautifier. 艺术二维码生成器。https://qrbtf.com 121 | * 【2023-06-08】[ChristianLempa / boilerplates](https://github.com/ChristianLempa/boilerplates) - This is my personal template collection. Here you'll find templates, and configurations for various tools, and technologies. 122 | * 【2023-06-08】[zsylvester / segmenteverygrain](https://github.com/zsylvester/segmenteverygrain) - A SAM-based model for instance segmentation of images of grains 123 | * 【2023-06-07】[jonasschmedtmann / ultimate-react-course](https://github.com/jonasschmedtmann/ultimate-react-course) - Starter files, final projects, and FAQ for my Ultimate React course 124 | * 【2023-06-07】[SysCV / sam-hq](https://github.com/SysCV/sam-hq) - Segment Anything in High Quality 125 | * 【2023-06-07】[billxbf / ReWOO](https://github.com/billxbf/ReWOO) - Decoupling Reasoning from Observations for Efficient Augmented Language Models 126 | * 【2023-06-07】[fiatrete / OpenDAN-Personal-AI-OS](https://github.com/fiatrete/OpenDAN-Personal-AI-OS) - OpenDAN is an open source Personal AI OS , which consolidates various AI modules in one place for your personal use. 127 | * 【2023-06-07】[huggingface / chat-ui](https://github.com/huggingface/chat-ui) - Open source codebase powering the HuggingChat app 128 | * 【2023-06-07】[foundryzero / binder-trace](https://github.com/foundryzero/binder-trace) - Binder Trace is a tool for intercepting and parsing Android Binder messages. Think of it as "Wireshark for Binder". 129 | * 【2023-06-07】[HyperARCo / Mirador](https://github.com/HyperARCo/Mirador) - Mirador makes it easy to build impressive “Point of Interest” AR experiences, on Apple's new RealityKit framework. 130 | * 【2023-06-05】[huntabyte / shadcn-svelte](https://github.com/huntabyte/shadcn-svelte) - shadcn/ui, but for Svelte. 131 | * 【2023-06-05】[keyvank / femtoGPT](https://github.com/keyvank/femtoGPT) - Pure Rust implementation of a minimal Generative Pretrained Transformer 132 | * 【2023-06-05】[openchatai / OpenChat](https://github.com/openchatai/OpenChat) - Run and create custom ChatGPT-like bots with OpenChat, embed and share these bots anywhere, the open-source chatbot console. 133 | * 【2023-06-05】[SwagSoftware / Kisak-Strike](https://github.com/SwagSoftware/Kisak-Strike) - 100% Open Source CSGO 134 | * 【2023-06-05】[Not-Quite-RARBG / main](https://github.com/Not-Quite-RARBG/main) - Not Quite RARBG's main website. 135 | * 【2023-06-05】[salesforce / CodeTF](https://github.com/salesforce/CodeTF) - CodeTF: One-stop Transformer Library for State-of-the-art Code LLM 136 | * 【2023-06-04】[pittcsc / Summer2024-Internships](https://github.com/pittcsc/Summer2024-Internships) - Collection of Summer 2023 & Summer 2024 tech internships! 137 | * 【2023-06-04】[ray-project / aviary](https://github.com/ray-project/aviary) - Ray Aviary - evaluate multiple LLMs easily 138 | * 【2023-06-04】[shubham-goel / 4D-Humans](https://github.com/shubham-goel/4D-Humans) - 139 | * 【2023-06-04】[hazemadelkhalel / Competitive-Programming-Library](https://github.com/hazemadelkhalel/Competitive-Programming-Library) - 140 | * 【2023-06-04】[browserless / chrome](https://github.com/browserless/chrome) - The browserless Chrome service in Docker. Run on our cloud, or bring your own. 141 | * 【2023-06-04】[opennaslab / kubespider](https://github.com/opennaslab/kubespider) - A global resource download orchestration system, build your home download center. 142 | * 【2023-06-03】[FurkanGozukara / Stable-Diffusion](https://github.com/FurkanGozukara/Stable-Diffusion) - Best Stable Diffusion and AI Tutorials, Guides, News, Tips and Tricks 143 | * 【2023-06-03】[saadeghi / daisyui](https://github.com/saadeghi/daisyui) - ⭐️⭐️⭐️⭐️⭐️The most popular, free and open-source Tailwind CSS component library 144 | * 【2023-06-03】[Chainlit / chainlit](https://github.com/Chainlit/chainlit) - Build Python LLM apps in minutes⚡️ 145 | * 【2023-06-02】[Lissy93 / AdGuardian-Term](https://github.com/Lissy93/AdGuardian-Term) - 🛡️Terminal-based, real-time traffic monitoring and statistics for your AdGuard Home instance 146 | * 【2023-06-02】[Evansy / MallChatWeb](https://github.com/Evansy/MallChatWeb) - mallchat的前端项目,是一个既能购物又能聊天的电商系统。以互联网企业级开发规范的要求来实现它,电商该有的购物车,订单,支付,推荐,搜索,拉新,促活,推送,物流,客服,它都必须有。持续更新ing 147 | * 【2023-06-02】[moraroy / NonSteamLaunchers-On-Steam-Deck](https://github.com/moraroy/NonSteamLaunchers-On-Steam-Deck) - Installs the latest GE-Proton and Installs Non Steam Launchers under 1 Proton prefix folder and adds them to your steam library. Currently Installs... Battle.net, Epic Games, Ubisoft, GOG, Origin, The EA App, Amazon Games, itch.io , Legacy Games, The Humble Games Collection, IndieGala and the Rockstar Games Launcher. Now with SD Card Support. 148 | * 【2023-06-02】[princeton-nlp / MeZO](https://github.com/princeton-nlp/MeZO) - 149 | * 【2023-06-02】[satellitecomponent / Neurite](https://github.com/satellitecomponent/Neurite) - A fractal mind-mapping tool with ai-integration. 150 | * 【2023-06-02】[emptycrown / llama-hub](https://github.com/emptycrown/llama-hub) - A library of data loaders for LLMs made by the community -- to be used with GPT Index and/or LangChain 151 | * 【2023-06-02】[microsoftgraph / microsoft-graph-docs](https://github.com/microsoftgraph/microsoft-graph-docs) - Documentation for the Microsoft Graph REST API 152 | * 【2023-06-02】[youlaitech / vue3-element-admin](https://github.com/youlaitech/vue3-element-admin) - 🔥vue-element-admin 的 vue3 版本, 基于 Vue3 + Vite + TypeScript + Element-Plus + Pinia 等技术栈构建的后台管理系统前端模板(配套后端源码)。 153 | * 【2023-06-01】[s0md3v / roop](https://github.com/s0md3v/roop) - one-click deepfake (face swap) 154 | * 【2023-06-01】[documenso / documenso](https://github.com/documenso/documenso) - Document Signing as it should be - open and shaped by its community. 155 | * 【2023-06-01】[lyuchenyang / Macaw-LLM](https://github.com/lyuchenyang/Macaw-LLM) - Macaw-LLM: Multi-Modal Language Modeling with Image, Video, Audio, and Text Integration 156 | * 【2023-06-01】[makeplane / plane](https://github.com/makeplane/plane) - 🔥🔥🔥Open Source JIRA, Linear and Height Alternative. Plane helps you track your issues, epics, and product roadmaps in the simplest way possible. 157 | * 【2023-06-01】[QiuChenly / MyMacsAppCrack](https://github.com/QiuChenly/MyMacsAppCrack) - MacBook 自用软件破解(macOS Intel) 158 | * 【2023-06-01】[ctlllll / LLM-ToolMaker](https://github.com/ctlllll/LLM-ToolMaker) - 159 | * 【2023-06-01】[fantastic-admin / basic](https://github.com/fantastic-admin/basic) - ⭐⭐⭐⭐⭐一款开箱即用的 Vue 中后台管理系统框架,兼容PC、移动端。vue-admin, vue-element-admin, vue后台, 后台系统, 后台框架, 管理后台, 管理系统 160 | 161 | 162 | ## Java 163 | 164 | * 【2023-06-27】[OpenIMSDK / Open-IM-SDK-Android](https://github.com/OpenIMSDK/Open-IM-SDK-Android) - 即时通讯IM Android 165 | * 【2023-06-25】[PlayPro / CoreProtect](https://github.com/PlayPro/CoreProtect) - CoreProtect is a blazing fast data logging and anti-griefing tool for Minecraft servers. 166 | * 【2023-06-25】[mindedsecurity / semgrep-rules-android-security](https://github.com/mindedsecurity/semgrep-rules-android-security) - A collection of Semgrep rules derived from the OWASP MASTG specifically for Android applications. 167 | * 【2023-06-24】[JabRef / jabref](https://github.com/JabRef/jabref) - Graphical Java application for managing BibTeX and biblatex (.bib) databases 168 | * 【2023-06-23】[bruce-pang / pRPC](https://github.com/bruce-pang/pRPC) - A lightweight and easy-to-use RPC framework created by Bruce Pang 169 | * 【2023-06-23】[thaycacac / java](https://github.com/thaycacac/java) - All source java, data structures and algorithms, lab java... 170 | * 【2023-06-22】[datavane / datavines](https://github.com/datavane/datavines) - Know your data better!Datavines is Next-gen Data Observability Platform, supprt metadata manage and data quality. 171 | * 【2023-06-22】[chat2db / Chat2DB](https://github.com/chat2db/Chat2DB) - 🔥🔥🔥An intelligent and versatile general-purpose SQL client and reporting tool for databases which integrates ChatGPT capabilities.(智能的通用数据库SQL客户端和报表工具) 172 | * 【2023-06-22】[datavane / tis](https://github.com/datavane/tis) - Support agile DataOps Based on Flink, DataX and Flink-CDC, Chunjun with Web-UI 173 | * 【2023-06-22】[xuxiaowei-cloud / xuxiaowei-cloud](https://github.com/xuxiaowei-cloud/xuxiaowei-cloud) - 基于 JDK 8/11、Spring Boot 2.7.x、OAuth 2.1、Vite 4、Vue 3、Element Plus 的微服务。支持支付宝、钉钉、码云、QQ、微信、企业微信、微博等第三方登录。包含基于 GitLab Runner 的 kubernetes(k8s)、Docker、Shell 等 CI/CD 流水线进行自动构建、制作 Docker 镜像、发布。永久免费开源 174 | * 【2023-06-21】[IridiumIdentity / iridium](https://github.com/IridiumIdentity/iridium) - A low-code, customer identity and access management (CIAM) system for social provider integration 175 | * 【2023-06-21】[datavane / datasophon](https://github.com/datavane/datasophon) - It is committed to rapidly implementing the deployment, management, monitoring and automatic operation and maintenance of the big data cloud native platform, helping you quickly build a stable, efficient, elastic and scalable big data cloud native platform. 176 | * 【2023-06-20】[mezz / JustEnoughItems](https://github.com/mezz/JustEnoughItems) - Item and Recipe viewing mod for Minecraft 177 | * 【2023-06-18】[1095071913 / maozi-cloud-parent](https://github.com/1095071913/maozi-cloud-parent) - 【脚手架】基于 SpringCloud Alibaba Dubbo 二开封装 178 | * 【2023-06-18】[tangxiaofeng7 / CVE-2023-32315-Openfire-Bypass](https://github.com/tangxiaofeng7/CVE-2023-32315-Openfire-Bypass) - rce 179 | * 【2023-06-18】[MarginaliaSearch / MarginaliaSearch](https://github.com/MarginaliaSearch/MarginaliaSearch) - Internet search engine for text-oriented websites. Indexing the small, old and weird web. 180 | * 【2023-06-17】[dingodb / dingo](https://github.com/dingodb/dingo) - A multi-modal vector database that supports upserts and vector queries using unified SQL (MySQL-Compatible) on structured and unstructured data, while meeting the requirements of high concurrency and ultra-low latency. 181 | * 【2023-06-16】[horoc / treetops](https://github.com/horoc/treetops) - Fast LightGBM tree model interference Java library which is based on ASM dynamic code generation framework. 182 | * 【2023-06-15】[deepjavalibrary / djl](https://github.com/deepjavalibrary/djl) - An Engine-Agnostic Deep Learning Framework in Java 183 | * 【2023-06-15】[deeplearning4j / deeplearning4j](https://github.com/deeplearning4j/deeplearning4j) - Suite of tools for deploying and training deep learning models using the JVM. Highlights include model import for keras, tensorflow, and onnx/pytorch, a modular and tiny c++ library for running math code and a java based math library on top of the core c++ library. Also includes samediff: a pytorch/tensorflow like library for running deep learni… 184 | * 【2023-06-13】[vespa-engine / vespa](https://github.com/vespa-engine/vespa) - The open big data serving engine. https://vespa.ai 185 | * 【2023-06-13】[datastax / java-driver](https://github.com/datastax/java-driver) - DataStax Java Driver for Apache Cassandra 186 | * 【2023-06-13】[TuGraph-family / tugraph-analytics](https://github.com/TuGraph-family/tugraph-analytics) - TuGraph-analytics is a distribute streaming graph computing engine. 187 | * 【2023-06-13】[4ra1n / mysql-fake-server](https://github.com/4ra1n/mysql-fake-server) - MySQL Fake Server (纯Java实现,内置常见Java反序列化Payload,支持GUI版和命令行版,提供Dockerfile) 188 | * 【2023-06-12】[discord-jda / JDA](https://github.com/discord-jda/JDA) - Java wrapper for the popular chat & VOIP service: Discord https://discord.com 189 | * 【2023-06-12】[UniversalMediaServer / UniversalMediaServer](https://github.com/UniversalMediaServer/UniversalMediaServer) - A DLNA, UPnP and HTTP(S) Media Server. 190 | * 【2023-06-12】[gitbitex / gitbitex-new](https://github.com/gitbitex/gitbitex-new) - an open source cryptocurrency exchange 191 | * 【2023-06-12】[QuantumBadger / RedReader](https://github.com/QuantumBadger/RedReader) - An unofficial open source Android app for Reddit. 192 | * 【2023-06-10】[clrxbl / NekoClient](https://github.com/clrxbl/NekoClient) - Deobfuscated June 2023 CurseForge malware ("fractureiser") stage 3 payload 193 | * 【2023-06-10】[FlyJingFish / OpenImage](https://github.com/FlyJingFish/OpenImage) - 🔥🔥🔥查看大图、查看视频、图片浏览器,完美的甚至完胜微信的打开过渡动画,支持手势放大缩小图片,支持下拉手势返回,支持自定义图片加载库,支持自定义视频库,支持自定义所有UI 194 | * 【2023-06-08】[Sayi / poi-tl](https://github.com/Sayi/poi-tl) - Generate awesome word(docx) with template 195 | * 【2023-06-07】[openzipkin / zipkin](https://github.com/openzipkin/zipkin) - Zipkin is a distributed tracing system 196 | * 【2023-06-07】[donaldlee2008 / FaceRecognition](https://github.com/donaldlee2008/FaceRecognition) - A FaceRecognition Software Based on Java 197 | * 【2023-06-07】[apeto2 / gpt-commercial](https://github.com/apeto2/gpt-commercial) - 本项目是一个商用版服务平台,基于Java语言实现服务端功能,前端使用React框架,底层使用官方的ChatGPT API。用户可以通过一键部署方便地使用本平台。除了支持chat对话模型外,还支持openai官方所有api,包括余额查询、模型检索、Completions chatgpt对话、Images 图片模型、模型自定义训练、文件上传自定义模型、微调、文本审核和敏感词鉴别,以及GPT 3.5、4.0和4.0-32k等功能。 198 | * 【2023-06-07】[metersphere / metersphere-platform-plugin](https://github.com/metersphere/metersphere-platform-plugin) - 该项目是 Metersphere 为支持对接第三方平台缺陷与需求(比如Jira、禅道等),所开发的插件项目 199 | * 【2023-06-07】[asters1 / tvjar_test](https://github.com/asters1/tvjar_test) - 本仓库可直接用java打开,不需要Android Studio,省时,最后编译调试的时候需要结合Android Studio使用。 200 | * 【2023-06-05】[RedstoneTools / redstonetools-mod](https://github.com/RedstoneTools/redstonetools-mod) - A Redstone Quality of Life mod. 201 | * 【2023-06-05】[VazkiiMods / Botania](https://github.com/VazkiiMods/Botania) - A tech mod for Minecraft themed around the magic of nature and plant life. 202 | * 【2023-06-05】[cheese1ne / cheese-repository](https://github.com/cheese1ne/cheese-repository) - 203 | * 【2023-06-04】[adobe / aem-core-wcm-components](https://github.com/adobe/aem-core-wcm-components) - Standardized components to build websites with AEM. 204 | * 【2023-06-04】[sagframe / sagacity-sqltoy](https://github.com/sagframe/sagacity-sqltoy) - Java真正智慧的ORM框架,除具有JPA功能外,具有最佳的sql编写模式、独创的缓存翻译、最优化的分页、并提供分组汇总、同比环比、行列转换、树形排序汇总、多数据库适配、分库分表、多租户、数据加解密、脱敏等痛点问题的解决方案! 205 | * 【2023-06-03】[mouredev / one-day-one-language](https://github.com/mouredev/one-day-one-language) - Cómo dar en un día tus primeros pasos en cada lenguaje de programación. Introducción, configuración e instalación, usos habituales, fundamentos, sintaxis y próximos pasos. 206 | * 【2023-06-03】[I5N0rth / CVE-2023-33246](https://github.com/I5N0rth/CVE-2023-33246) - 207 | * 【2023-06-03】[hiparker / lint-rpc-framework](https://github.com/hiparker/lint-rpc-framework) - 一个轻量级Java RPC 框架, 底层采用Netty实现, 模拟Dubbo运行模式(闲来无事 练习一下) 208 | * 【2023-06-02】[eyebluecn / smart-classroom-misc](https://github.com/eyebluecn/smart-classroom-misc) - 领域驱动设计DDD从入门到代码实践示例项目 209 | * 【2023-06-01】[apache / incubator-baremaps](https://github.com/apache/incubator-baremaps) - Create custom vector tiles from OpenStreetMap and other data sources with Postgis and Java. 210 | 211 | 212 | ## Python 213 | 214 | * 【2023-06-30】[databricks / databricks-sdk-py](https://github.com/databricks/databricks-sdk-py) - Databricks SDK for Python (Beta) 215 | * 【2023-06-30】[Uminosachi / sd-webui-inpaint-anything](https://github.com/Uminosachi/sd-webui-inpaint-anything) - Inpaint Anything extension performs stable diffusion inpainting on a browser UI using masks from Segment Anything. 216 | * 【2023-06-30】[WKL-Sec / WMIExec](https://github.com/WKL-Sec/WMIExec) - Set of python scripts which perform different ways of command execution via WMI protocol. 217 | * 【2023-06-30】[salesforce / xgen](https://github.com/salesforce/xgen) - Salesforce open-source LLMs with 8k sequence length. 218 | * 【2023-06-30】[JorisdeJong123 / 7-Days-of-LangChain](https://github.com/JorisdeJong123/7-Days-of-LangChain) - Code repo for 7 Days of LangChain 219 | * 【2023-06-30】[AIrjen / OneButtonPrompt](https://github.com/AIrjen/OneButtonPrompt) - One Button Prompt 220 | * 【2023-06-30】[vietanhdev / anylabeling](https://github.com/vietanhdev/anylabeling) - Effortless AI-assisted data labeling with AI support from YOLO, Segment Anything, MobileSAM!! 221 | * 【2023-06-29】[aolofsson / awesome-opensource-hardware](https://github.com/aolofsson/awesome-opensource-hardware) - List of awesome open source hardware tools, generators, and reusable designs 222 | * 【2023-06-29】[abacaj / mpt-30B-inference](https://github.com/abacaj/mpt-30B-inference) - Run inference on MPT-30B using CPU 223 | * 【2023-06-29】[GitHubSecurityLab / actions-permissions](https://github.com/GitHubSecurityLab/actions-permissions) - GitHub token permissions Monitor and Advisor actions 224 | * 【2023-06-28】[salesforce / PyRCA](https://github.com/salesforce/PyRCA) - PyRCA: A Python Machine Learning Library for Root Cause Analysis 225 | * 【2023-06-28】[WilliamStar007 / ClashX-V2Ray-TopFreeProxy](https://github.com/WilliamStar007/ClashX-V2Ray-TopFreeProxy) - Top free VPN (ClashX & V2Ray proxy) with subscription links. [免费VPN、免费梯子、免费科学上网、免费订阅链接、免费节点、精选、ClashX & V2Ray 教程] 226 | * 【2023-06-28】[OpenGVLab / DragGAN](https://github.com/OpenGVLab/DragGAN) - Unofficial Implementation of DragGAN - "Drag Your GAN: Interactive Point-based Manipulation on the Generative Image Manifold" (DragGAN 全功能实现,在线Demo,本地部署试用,代码、模型已全部开源,支持Windows, macOS, Linux) 227 | * 【2023-06-27】[mosaicml / streaming](https://github.com/mosaicml/streaming) - A Data Streaming Library for Efficient Neural Network Training 228 | * 【2023-06-27】[hiyouga / ChatGLM-Efficient-Tuning](https://github.com/hiyouga/ChatGLM-Efficient-Tuning) - Fine-tuning ChatGLM-6B with PEFT | 基于 PEFT 的高效 ChatGLM 微调 229 | * 【2023-06-27】[NVlabs / stylegan3](https://github.com/NVlabs/stylegan3) - Official PyTorch implementation of StyleGAN3 230 | * 【2023-06-27】[TermuxHackz / X-osint](https://github.com/TermuxHackz/X-osint) - This is an Open source intelligent framework ie an osint tool which gathers valid information about a phone number, user's email address, perform VIN Osint, and reverse, perform subdomain enumeration, able to find email from a name, and so much more. Best osint tool for Termux and linux 231 | * 【2023-06-25】[SizheAn / PanoHead](https://github.com/SizheAn/PanoHead) - Code Repository for CVPR 2023 Paper "PanoHead: Geometry-Aware 3D Full-Head Synthesis in 360 degree" 232 | * 【2023-06-25】[eric-mitchell / direct-preference-optimization](https://github.com/eric-mitchell/direct-preference-optimization) - Reference implementation for DPO (Direct Preference Optimization) 233 | * 【2023-06-24】[magic-wormhole / magic-wormhole](https://github.com/magic-wormhole/magic-wormhole) - get things from one computer to another, safely 234 | * 【2023-06-24】[locuslab / wanda](https://github.com/locuslab/wanda) - A simple and effective LLM pruning approach. 235 | * 【2023-06-24】[allenai / visprog](https://github.com/allenai/visprog) - Official code for VisProg (CVPR 2023) 236 | * 【2023-06-23】[ramonvc / freegpt-webui](https://github.com/ramonvc/freegpt-webui) - GPT 3.5/4 with a Chat Web UI. No API key required. 237 | * 【2023-06-23】[jxnl / openai_function_call](https://github.com/jxnl/openai_function_call) - Helper functions to create openai function calls w/ pydantic 238 | * 【2023-06-23】[ShadowWhisperer / Remove-MS-Edge](https://github.com/ShadowWhisperer/Remove-MS-Edge) - Uninstall Microsoft Edge silently, through an executable or batch script. 239 | * 【2023-06-23】[deepmind / tapnet](https://github.com/deepmind/tapnet) - 240 | * 【2023-06-23】[Lightning-AI / lit-gpt](https://github.com/Lightning-AI/lit-gpt) - Implementation of Falcon, StableLM, Pythia, INCITE language models based on nanoGPT. Supports flash attention, Int8 and GPTQ 4bit quantization, LoRA and LLaMA-Adapter fine-tuning, pre-training. Apache 2.0-licensed. 241 | * 【2023-06-22】[huchenxucs / ChatDB](https://github.com/huchenxucs/ChatDB) - The official repository of "ChatDB: Augmenting LLMs with Databases as Their Symbolic Memory". 242 | * 【2023-06-22】[yuchenlin / LLM-Blender](https://github.com/yuchenlin/LLM-Blender) - [ACL2023] We introduce LLM-Blender, an innovative ensembling framework to attain consistently superior performance by leveraging the diverse strengths of multiple open-source LLMs. LLM-Blender cut the weaknesses through ranking and integrate the strengths through fusing generation to enhance the capability of LLMs. 243 | * 【2023-06-22】[vllm-project / vllm](https://github.com/vllm-project/vllm) - A high-throughput and memory-efficient inference and serving engine for LLMs 244 | * 【2023-06-22】[ur-whitelab / chemcrow-public](https://github.com/ur-whitelab/chemcrow-public) - Chemcrow 245 | * 【2023-06-22】[zjunlp / DeepKE](https://github.com/zjunlp/DeepKE) - An Open Toolkit for Knowledge Graph Extraction and Construction published at EMNLP2022 System Demonstrations. 246 | * 【2023-06-22】[imhuay / studies](https://github.com/imhuay/studies) - Notes of Develop/NLP/DeepLearning/Algorithms/LeetCodes 247 | * 【2023-06-21】[secdev / scapy](https://github.com/secdev/scapy) - Scapy: the Python-based interactive packet manipulation program & library. Supports Python 2 & Python 3. 248 | * 【2023-06-21】[N0rz3 / Zehef](https://github.com/N0rz3/Zehef) - Zehef is an osint tool to track emails 249 | * 【2023-06-21】[e-johnstonn / FableForge](https://github.com/e-johnstonn/FableForge) - Generate a picture book from a single prompt using OpenAI function calling, replicate, and Deep Lake 250 | * 【2023-06-21】[maltfield / awesome-lemmy-instances](https://github.com/maltfield/awesome-lemmy-instances) - Comparison of different Lemmy Instances 251 | * 【2023-06-21】[s0md3v / sd-webui-roop](https://github.com/s0md3v/sd-webui-roop) - roop extension for StableDiffusion web-ui 252 | * 【2023-06-21】[marticliment / WingetUI](https://github.com/marticliment/WingetUI) - WingetUI: A better UI for your package managers 253 | * 【2023-06-20】[alejandro-ao / ask-multiple-pdfs](https://github.com/alejandro-ao/ask-multiple-pdfs) - A Langchain app that allows you to chat with multiple PDFs 254 | * 【2023-06-20】[spesmilo / electrum](https://github.com/spesmilo/electrum) - Electrum Bitcoin Wallet 255 | * 【2023-06-18】[Anil-matcha / ChatPDF](https://github.com/Anil-matcha/ChatPDF) - Chat with any PDF. Easily upload the PDF documents you'd like to chat with. Instant answers. Ask questions, extract information, and summarize documents with AI. Sources included. 256 | * 【2023-06-18】[wmariuss / awesome-devops](https://github.com/wmariuss/awesome-devops) - A curated list of awesome DevOps platforms, tools, practices and resources 257 | * 【2023-06-18】[noahshinn024 / reflexion](https://github.com/noahshinn024/reflexion) - Reflexion: Language Agents with Verbal Reinforcement Learning 258 | * 【2023-06-18】[auqhjjqdo / LiveRecorder](https://github.com/auqhjjqdo/LiveRecorder) - 基于Streamlink的全自动直播录制工具,已支持哔哩哔哩、斗鱼、虎牙、抖音、YouTube、Twitch等 259 | * 【2023-06-17】[SqueezeAILab / SqueezeLLM](https://github.com/SqueezeAILab/SqueezeLLM) - SqueezeLLM: Dense-and-Sparse Quantization 260 | * 【2023-06-17】[chavinlo / musicgen_trainer](https://github.com/chavinlo/musicgen_trainer) - simple trainer for musicgen/audiocraft 261 | * 【2023-06-16】[Nuitka / Nuitka](https://github.com/Nuitka/Nuitka) - Nuitka is a Python compiler written in Python. It's fully compatible with Python 2.6, 2.7, 3.4, 3.5, 3.6, 3.7, 3.8, 3.9, 3.10, and 3.11. You feed it your Python app, it does a lot of clever things, and spits out an executable or extension module. 262 | * 【2023-06-16】[THUDM / WebGLM](https://github.com/THUDM/WebGLM) - WebGLM: An Efficient Web-enhanced Question Answering System (KDD 2023) 263 | * 【2023-06-16】[gaasher / I-JEPA](https://github.com/gaasher/I-JEPA) - Implementation of I-JEPA from "Self-Supervised Learning from Images with a Joint-Embedding Predictive Architecture" 264 | * 【2023-06-15】[uzh-rpg / RVT](https://github.com/uzh-rpg/RVT) - Implementation of "Recurrent Vision Transformers for Object Detection with Event Cameras". CVPR 2023 265 | * 【2023-06-14】[AndrewZhe / lawyer-llama](https://github.com/AndrewZhe/lawyer-llama) - 中文法律LLaMA 266 | * 【2023-06-14】[plastic-labs / tutor-gpt](https://github.com/plastic-labs/tutor-gpt) - LangChain LLM application. Dynamic few-shot metaprompting for theory-of-mind-powered tutoring. 267 | * 【2023-06-14】[horizon3ai / CVE-2023-34362](https://github.com/horizon3ai/CVE-2023-34362) - MOVEit CVE-2023-34362 268 | * 【2023-06-14】[confluentinc / confluent-kafka-python](https://github.com/confluentinc/confluent-kafka-python) - Confluent's Kafka Python Client 269 | * 【2023-06-14】[wilsonfreitas / awesome-quant](https://github.com/wilsonfreitas/awesome-quant) - A curated list of insanely awesome libraries, packages and resources for Quants (Quantitative Finance) 270 | * 【2023-06-14】[turboderp / exllama](https://github.com/turboderp/exllama) - A more memory-efficient rewrite of the HF transformers implementation of Llama for use with quantized weights. 271 | * 【2023-06-14】[ohyicong / decrypt-chrome-passwords](https://github.com/ohyicong/decrypt-chrome-passwords) - 272 | * 【2023-06-13】[xinyu1205 / recognize-anything](https://github.com/xinyu1205/recognize-anything) - Code for the Recognize Anything Model (RAM) and Tag2Text Model 273 | * 【2023-06-13】[StevenBlack / hosts](https://github.com/StevenBlack/hosts) - 🔒Consolidating and extending hosts files from several well-curated sources. Optionally pick extensions for porn, social media, and other categories. 274 | * 【2023-06-13】[yvann-hub / Robby-chatbot](https://github.com/yvann-hub/Robby-chatbot) - AI chatbot🤖for chat with CSV, PDF, TXT files📄and YTB videos🎥| using Langchain🦜| OpenAI | Streamlit⚡ 275 | * 【2023-06-13】[aliparlakci / bulk-downloader-for-reddit](https://github.com/aliparlakci/bulk-downloader-for-reddit) - Downloads and archives content from reddit 276 | * 【2023-06-13】[xtekky / gpt4free-discord](https://github.com/xtekky/gpt4free-discord) - Gpt4Free basic disord bot, streamed responses, gpt-4 and more 277 | * 【2023-06-13】[nv-tlabs / NKSR](https://github.com/nv-tlabs/NKSR) - [CVPR 2023 Highlight] Neural Kernel Surface Reconstruction 278 | * 【2023-06-13】[yasserbdj96 / hiphp](https://github.com/yasserbdj96/hiphp) - The BackDoor of HIPHP gives you the power to control websites based on PHP using HTTP/HTTPS protocol. By sending files, tokens and commands through port 80's POST/GET method, users can access a range of activities such as downloading and editing files. It also allows for connecting to Tor networks with password protection for extra security. 279 | * 【2023-06-13】[OpenAccess-AI-Collective / axolotl](https://github.com/OpenAccess-AI-Collective/axolotl) - Go ahead and axolotl questions 280 | * 【2023-06-13】[jtydhr88 / sd-webui-txt-img-to-3d-model](https://github.com/jtydhr88/sd-webui-txt-img-to-3d-model) - A custom extension for sd-webui that allow you to generate 3D model from txt or image, basing on OpenAI Shap-E. 281 | * 【2023-06-13】[zyddnys / manga-image-translator](https://github.com/zyddnys/manga-image-translator) - Translate manga/image 一键翻译各类图片内文字 https://cotrans.touhou.ai/ 282 | * 【2023-06-13】[lonerge / tiktok_youtube_douyin_handling](https://github.com/lonerge/tiktok_youtube_douyin_handling) - 爬虫可视化; tiktok无水印视频; youtube无水印视频; 抖音无水印视频 视频搬运: tiktok/youtube的视频搬运到抖音; 抖音的视频搬运到tiktok获取youtube平台 搬运中的发布视频使用的selenium 283 | * 【2023-06-12】[Safiullah-Rahu / CSV-AI](https://github.com/Safiullah-Rahu/CSV-AI) - CSV-AI is the ultimate app powered by LangChain, OpenAI, and Streamlit that allows you to unlock hidden insights in your CSV files. With CSV-AI, you can effortlessly interact with, summarize, and analyze your CSV files in one convenient place. 284 | * 【2023-06-12】[SHI-Labs / Matting-Anything](https://github.com/SHI-Labs/Matting-Anything) - Matting Anything Model (MAM), an efficient and versatile framework for estimating the alpha matte of any instance in an image with flexible and interactive visual or linguistic user prompt guidance. 285 | * 【2023-06-10】[OpenBuddy / OpenBuddy](https://github.com/OpenBuddy/OpenBuddy) - Open Multilingual Chatbot for Everyone 286 | * 【2023-06-10】[minimaxir / simpleaichat](https://github.com/minimaxir/simpleaichat) - Python package for easily interfacing with chat apps, with robust features and minimal code complexity. 287 | * 【2023-06-10】[serge-chat / serge](https://github.com/serge-chat/serge) - A web interface for chatting with Alpaca through llama.cpp. Fully dockerized, with an easy to use API. 288 | * 【2023-06-10】[xaviviro / refacer](https://github.com/xaviviro/refacer) - Refacer: One-Click Deepfake Multi-Face Swap Tool 289 | * 【2023-06-10】[TigerResearch / TigerBot](https://github.com/TigerResearch/TigerBot) - TigerBot: A multi-language multi-task LLM 290 | * 【2023-06-10】[deepmind / alphadev](https://github.com/deepmind/alphadev) - 291 | * 【2023-06-10】[Ma-Lab-Berkeley / CRATE](https://github.com/Ma-Lab-Berkeley/CRATE) - Code for CRATE (Coding RAte reduction TransformEr). 292 | * 【2023-06-10】[win3zz / CVE-2023-25157](https://github.com/win3zz/CVE-2023-25157) - CVE-2023-25157 - GeoServer SQL Injection - PoC 293 | * 【2023-06-10】[DAMO-NLP-SG / Video-LLaMA](https://github.com/DAMO-NLP-SG/Video-LLaMA) - Video-LLaMA: An Instruction-tuned Audio-Visual Language Model for Video Understanding 294 | * 【2023-06-10】[mikel-brostrom / yolo_tracking](https://github.com/mikel-brostrom/yolo_tracking) - A collection of SOTA real-time, multi-object trackers for object detectors 295 | * 【2023-06-08】[hiyouga / LLaMA-Efficient-Tuning](https://github.com/hiyouga/LLaMA-Efficient-Tuning) - Fine-tuning LLaMA with PEFT (PT+SFT+RLHF with QLoRA) 296 | * 【2023-06-08】[goldfishh / chatgpt-tool-hub](https://github.com/goldfishh/chatgpt-tool-hub) - An open-source chatgpt tool ecosystem where you can combine tools with chatgpt and use natural language to do anything. 297 | * 【2023-06-08】[dreamhunter2333 / python_PlateRecogntion](https://github.com/dreamhunter2333/python_PlateRecogntion) - python opencv 车牌识别 PlateRecogntion 298 | * 【2023-06-07】[OpenBMB / ToolBench](https://github.com/OpenBMB/ToolBench) - An open platform for training, serving, and evaluating large language model for tool learning. 299 | * 【2023-06-07】[ChristianLempa / videos](https://github.com/ChristianLempa/videos) - This is my video documentation. Here you'll find code-snippets, technical documentation, templates, command reference, and whatever is needed for all my YouTube Videos. 300 | * 【2023-06-07】[argilla-io / argilla](https://github.com/argilla-io/argilla) - ✨Argilla: the open-source data curation platform for LLMs 301 | * 【2023-06-07】[salesforce / UniControl](https://github.com/salesforce/UniControl) - Unified Controllable Visual Generation Model 302 | * 【2023-06-07】[marella / chatdocs](https://github.com/marella/chatdocs) - Chat with your documents offline using AI. 303 | * 【2023-06-07】[wonderfulsuccess / weixin_crawler](https://github.com/wonderfulsuccess/weixin_crawler) - 稳定工作4年的微信公众号爬虫 Based on python and vuejs 微信公众号采集 Python爬虫 公众号采集 公众号爬虫 公众号备份 304 | * 【2023-06-07】[Lightning-AI / lit-parrot](https://github.com/Lightning-AI/lit-parrot) - Implementation of the StableLM/Pythia/INCITE language models based on nanoGPT. Supports flash attention, LLaMA-Adapter fine-tuning, pre-training. Apache 2.0-licensed. 305 | * 【2023-06-07】[yxuansu / PandaGPT](https://github.com/yxuansu/PandaGPT) - PandaGPT: One Model To Instruction-Follow Them All 306 | * 【2023-06-07】[reactive-python / reactpy](https://github.com/reactive-python/reactpy) - It's React, but in Python 307 | * 【2023-06-07】[mitre / caldera](https://github.com/mitre/caldera) - Automated Adversary Emulation Platform 308 | * 【2023-06-07】[pentilm / FactAI](https://github.com/pentilm/FactAI) - Harnessing the Power of AI to Navigate the Information Age – Uncovering Truth, Promoting Transparency, and Championing Fact-Based Discourse! 309 | * 【2023-06-05】[poe-platform / poe-protocol](https://github.com/poe-platform/poe-protocol) - The Poe bot protocol 310 | * 【2023-06-05】[mit-han-lab / llm-awq](https://github.com/mit-han-lab/llm-awq) - AWQ: Activation-aware Weight Quantization for LLM Compression and Acceleration 311 | * 【2023-06-05】[facebookresearch / hiera](https://github.com/facebookresearch/hiera) - Hiera: A fast, powerful, and simple hierarchical vision transformer. 312 | * 【2023-06-05】[KasperskyLab / triangle_check](https://github.com/KasperskyLab/triangle_check) - 313 | * 【2023-06-05】[apple / coremltools](https://github.com/apple/coremltools) - Core ML tools contain supporting tools for Core ML model conversion, editing, and validation. 314 | * 【2023-06-05】[emarco177 / ice_breaker](https://github.com/emarco177/ice_breaker) - 315 | * 【2023-06-04】[rmihaylov / falcontune](https://github.com/rmihaylov/falcontune) - Tune any FALCON in 4-bit 316 | * 【2023-06-03】[jianzhnie / Chinese-Guanaco](https://github.com/jianzhnie/Chinese-Guanaco) - 中文Guanaco(原驼)大语言模型 QLora 量化训练 +本地CPU/GPU部署 (Chinese Guanaco QLoRA: Efficient Finetuning of Quantized LLMs) 317 | * 【2023-06-03】[openai / prm800k](https://github.com/openai/prm800k) - 800,000 step-level correctness labels on LLM solutions to MATH problems 318 | * 【2023-06-03】[FreedomIntelligence / HuatuoGPT](https://github.com/FreedomIntelligence/HuatuoGPT) - HuatuoGPT, Towards Taming Language Models To Be a Doctor. (An Open Medical GPT) 319 | * 【2023-06-03】[thomasasfk / sd-webui-aspect-ratio-helper](https://github.com/thomasasfk/sd-webui-aspect-ratio-helper) - Simple extension to easily maintain aspect ratio while changing dimensions. Install via the extensions tab on the AUTOMATIC1111 webui. 320 | * 【2023-06-02】[huggingface / text-generation-inference](https://github.com/huggingface/text-generation-inference) - Large Language Model Text Generation Inference 321 | * 【2023-06-02】[ajndkr / lanarky](https://github.com/ajndkr/lanarky) - 🚢Ship production-ready LLM projects with FastAPI 322 | * 【2023-06-01】[jsksxs360 / How-to-use-Transformers](https://github.com/jsksxs360/How-to-use-Transformers) - Transformers 库快速入门教程 323 | 324 | ## Javascript 325 | 326 | * 【2023-06-30】[painebenjamin / app.enfugue.ai](https://github.com/painebenjamin/app.enfugue.ai) - ENFUGUE is a feature-rich self-hosted Stable Diffusion webapp 327 | * 【2023-06-30】[alexcasalboni / aws-lambda-power-tuning](https://github.com/alexcasalboni/aws-lambda-power-tuning) - AWS Lambda Power Tuning is an open-source tool that can help you visualize and fine-tune the memory/power configuration of Lambda functions. It runs in your own AWS account - powered by AWS Step Functions - and it supports three optimization strategies: cost, speed, and balanced. 328 | * 【2023-06-30】[adamyi / wechrome](https://github.com/adamyi/wechrome) - Chrome extension to unblock web wechat 329 | * 【2023-06-30】[chalk / chalk](https://github.com/chalk/chalk) - 🖍Terminal string styling done right 330 | * 【2023-06-30】[easychen / deepgpt-dist](https://github.com/easychen/deepgpt-dist) - DeepGPT,类agentGPT/AutoGPT 工具,支持 api2d / 和自定义 openai key。此为静态网页独立部署版,部署方便 331 | * 【2023-06-29】[100xDevs-hkirat / all-assignments](https://github.com/100xDevs-hkirat/all-assignments) - 332 | * 【2023-06-29】[cytoscape / cytoscape.js](https://github.com/cytoscape/cytoscape.js) - Graph theory (network) library for visualisation and analysis 333 | * 【2023-06-28】[Lunakepio / death-star-trench-run](https://github.com/Lunakepio/death-star-trench-run) - 334 | * 【2023-06-28】[uuidjs / uuid](https://github.com/uuidjs/uuid) - Generate RFC-compliant UUIDs in JavaScript 335 | * 【2023-06-28】[Adamant-im / adamant-coinoptimus](https://github.com/Adamant-im/adamant-coinoptimus) - Free self-hosted cryptocurrency trade bot for non-professional traders 336 | * 【2023-06-27】[HabitRPG / habitica](https://github.com/HabitRPG/habitica) - A habit tracker app which treats your goals like a Role Playing Game. 337 | * 【2023-06-26】[zotero / zotero](https://github.com/zotero/zotero) - Zotero is a free, easy-to-use tool to help you collect, organize, annotate, cite, and share your research sources. 338 | * 【2023-06-26】[ArtVentureX / sd-webui-agent-scheduler](https://github.com/ArtVentureX/sd-webui-agent-scheduler) - 339 | * 【2023-06-24】[htmlstreamofficial / preline](https://github.com/htmlstreamofficial/preline) - Preline UI is an open-source set of prebuilt UI components based on the utility-first Tailwind CSS framework. 340 | * 【2023-06-23】[SharpAI / DeepCamera](https://github.com/SharpAI/DeepCamera) - Open-Source AI Camera. Empower any camera/CCTV with state-of-the-art AI, including facial recognition, person recognition(RE-ID) car detection, fall detection and more 341 | * 【2023-06-23】[Nextjs-kr / Nextjs.kr](https://github.com/Nextjs-kr/Nextjs.kr) - Next.js Docs 한글화 작업 342 | * 【2023-06-23】[AnkitJodhani / 2nd10WeeksofCloudOps](https://github.com/AnkitJodhani/2nd10WeeksofCloudOps) - this repository is created to learn and deploy 3-tire application on aws cloud. this project contain three layer and database mysql 343 | * 【2023-06-23】[azukaar / Cosmos-Server](https://github.com/azukaar/Cosmos-Server) - ☁️Secure and Easy Self-hosted platform. Take control of your data and privacy without sacrificing security and stability (Authentication, anti-DDOS, anti-bot, ...) 344 | * 【2023-06-23】[insoxin / API](https://github.com/insoxin/API) - API For Docker 一个基于多种编程语言开源免费不限制提供生活常用,出行服务,开发工具,金融服务,通讯服务和公益大数据的平台. 345 | * 【2023-06-22】[soundjester / lemmy_monkey](https://github.com/soundjester/lemmy_monkey) - *monkey scripts for Lemmy 346 | * 【2023-06-22】[100xDevs-hkirat / Week-2-Assignments](https://github.com/100xDevs-hkirat/Week-2-Assignments) - 347 | * 【2023-06-22】[sveltejs / svelte](https://github.com/sveltejs/svelte) - Cybernetically enhanced web apps 348 | * 【2023-06-22】[paralleldrive / cuid2](https://github.com/paralleldrive/cuid2) - Next generation guids. Secure, collision-resistant ids optimized for horizontal scaling and performance. 349 | * 【2023-06-22】[janpaepke / ScrollMagic](https://github.com/janpaepke/ScrollMagic) - The javascript library for magical scroll interactions. 350 | * 【2023-06-21】[Anshita-Bhasin / Cypress_Examples](https://github.com/Anshita-Bhasin/Cypress_Examples) - Repo for practising QA Automation 351 | * 【2023-06-21】[vuejs / eslint-plugin-vue](https://github.com/vuejs/eslint-plugin-vue) - Official ESLint plugin for Vue.js 352 | * 【2023-06-20】[iamcco / markdown-preview.nvim](https://github.com/iamcco/markdown-preview.nvim) - markdown preview plugin for (neo)vim 353 | * 【2023-06-17】[ErickWendel / semana-javascript-expert04](https://github.com/ErickWendel/semana-javascript-expert04) - JS Expert Week 4.0 classes - ClubHouse Clone 354 | * 【2023-06-17】[Semantic-Org / Semantic-UI](https://github.com/Semantic-Org/Semantic-UI) - Semantic is a UI component framework based around useful principles from natural language. 355 | * 【2023-06-16】[ewanhowell5195 / MinecraftTitleGenerator](https://github.com/ewanhowell5195/MinecraftTitleGenerator) - Textures and fonts for the Minecraft Title Generator Blockbench plugin 356 | * 【2023-06-16】[vogler / free-games-claimer](https://github.com/vogler/free-games-claimer) - Automatically claims free games on the Epic Games Store, Amazon Prime Gaming and GOG. 357 | * 【2023-06-16】[josdejong / jsoneditor](https://github.com/josdejong/jsoneditor) - A web-based tool to view, edit, format, and validate JSON 358 | * 【2023-06-15】[100xDevs-hkirat / Week-1-assignment-with-tests](https://github.com/100xDevs-hkirat/Week-1-assignment-with-tests) - 359 | * 【2023-06-15】[w3f / Grants-Program](https://github.com/w3f/Grants-Program) - Web3 Foundation Grants Program 360 | * 【2023-06-14】[mysqljs / mysql](https://github.com/mysqljs/mysql) - A pure node.js JavaScript Client implementing the MySQL protocol. 361 | * 【2023-06-14】[Moli-X / Resources](https://github.com/Moli-X/Resources) - 基于QuantumultX,Loon,Surge的配置重写,脚本,插件 362 | * 【2023-06-13】[advplyr / audiobookshelf](https://github.com/advplyr/audiobookshelf) - Self-hosted audiobook and podcast server 363 | * 【2023-06-13】[basir / mern-amazona](https://github.com/basir/mern-amazona) - Build Ecommerce Like Amazon By MERN Stack 364 | * 【2023-06-13】[mohamedsamara / mern-ecommerce](https://github.com/mohamedsamara/mern-ecommerce) - 🎈Fullstack MERN Ecommerce Application 365 | * 【2023-06-13】[krausest / js-framework-benchmark](https://github.com/krausest/js-framework-benchmark) - A comparison of the performance of a few popular javascript frameworks 366 | * 【2023-06-13】[evanw / polywasm](https://github.com/evanw/polywasm) - 367 | * 【2023-06-13】[qitoqito / kedaya](https://github.com/qitoqito/kedaya) - 368 | * 【2023-06-12】[idurar / idurar-erp-crm](https://github.com/idurar/idurar-erp-crm) - IDURAR is Open Source ERP/CRM (Invoice / Inventory / Accounting / HR) Based on Mern Stack (Node.js / Express.js / MongoDb / React.js ) with Ant Design (AntD) and Redux 369 | * 【2023-06-12】[Tanza3D / reddark](https://github.com/Tanza3D/reddark) - reddark, but it's in realtime 370 | * 【2023-06-12】[j0be / PowerDeleteSuite](https://github.com/j0be/PowerDeleteSuite) - Power Delete Suite for Reddit 371 | * 【2023-06-12】[bradtraversy / proshop-v2](https://github.com/bradtraversy/proshop-v2) - ProShop ecommerce website built with MERN & Redux Toolkit 372 | * 【2023-06-10】[mleoking / PromptAppGPT](https://github.com/mleoking/PromptAppGPT) - A rapid prompt app development framework based on GPT 373 | * 【2023-06-10】[SillyTavern / SillyTavern](https://github.com/SillyTavern/SillyTavern) - LLM Frontend for Power Users. 374 | * 【2023-06-10】[Pythagora-io / pythagora](https://github.com/Pythagora-io/pythagora) - Generate automated tests for your Node.js app via LLMs without developers having to write a single line of code. 375 | * 【2023-06-10】[Pulya10c / news-JS](https://github.com/Pulya10c/news-JS) - 376 | * 【2023-06-08】[NaturalIntelligence / fast-xml-parser](https://github.com/NaturalIntelligence/fast-xml-parser) - Validate XML, Parse XML and Build XML rapidly without C/C++ based libraries and no callback. 377 | * 【2023-06-08】[Blockstream / greenlight](https://github.com/Blockstream/greenlight) - 378 | * 【2023-06-07】[ryanburgess / engineer-manager](https://github.com/ryanburgess/engineer-manager) - A list of engineering manager resource links. 379 | * 【2023-06-07】[sabber-slt / telegram-chatgpt-bot](https://github.com/sabber-slt/telegram-chatgpt-bot) - NodeJS-based bot for ChatGPT that runs on Telegram now features advanced capabilities such as voice chat and image generation. 380 | * 【2023-06-07】[xyTom / Url-Shorten-Worker](https://github.com/xyTom/Url-Shorten-Worker) - A URL Shortener created using Cloudflare worker 381 | * 【2023-06-07】[eggjs / egg](https://github.com/eggjs/egg) - 🥚Born to build better enterprise frameworks and apps with Node.js & Koa 382 | * 【2023-06-07】[newrelic / docs-website](https://github.com/newrelic/docs-website) - Source code for @newrelic docs. We welcome pull requests and questions on our docs! 383 | * 【2023-06-07】[cesiumlab / XbsjEarthUI](https://github.com/cesiumlab/XbsjEarthUI) - XbsjEarthUI是基于Cesium和EarthSDK的三维GIS/BIM的UI模板,可以基于此定制自己的三维App 384 | * 【2023-06-05】[3cqs-coder / SymBot](https://github.com/3cqs-coder/SymBot) - SymBot is a user friendly, self-hosted and automated DCA (Dollar Cost Averaging) cryptocurrency bot solution 385 | * 【2023-06-05】[songquanpeng / one-api](https://github.com/songquanpeng/one-api) - All in one 的 OpenAI 接口,整合各种 API 访问方式,支持 Azure OpenAI API,可用于二次分发 key,也可作为 OpenAI API 代理使用,仅单可执行文件,已打包好 Docker 镜像,一键部署,开箱即用 386 | * 【2023-06-05】[leoherzog / TorrentParts](https://github.com/leoherzog/TorrentParts) - 📑A website to inspect and edit what's in your Torrent file or Magnet link 387 | * 【2023-06-05】[Stremio / stremio-web](https://github.com/Stremio/stremio-web) - Stremio - Freedom to Stream 388 | * 【2023-06-04】[safak / nextjs-tutorial](https://github.com/safak/nextjs-tutorial) - 389 | * 【2023-06-02】[uidotdev / usehooks](https://github.com/uidotdev/usehooks) - A collection of modern, server-safe React hooks – from the ui.dev team 390 | * 【2023-06-02】[brix / crypto-js](https://github.com/brix/crypto-js) - JavaScript library of crypto standards. 391 | * 【2023-06-01】[libccy / noname](https://github.com/libccy/noname) - 392 | * 【2023-06-01】[cheatsheet1999 / FrontEndCollection](https://github.com/cheatsheet1999/FrontEndCollection) - Notes for Fullstack Software Engineers. Covers common data structure and algorithms, web concepts, Javascript / TypeScript, React, and more! 393 | 394 | ## Go 395 | 396 | * 【2023-06-30】[getsops / sops](https://github.com/getsops/sops) - Simple and flexible tool for managing secrets 397 | * 【2023-06-30】[prebid / prebid-server](https://github.com/prebid/prebid-server) - Server side component to offload prebid processing to the cloud 398 | * 【2023-06-30】[gotenberg / gotenberg](https://github.com/gotenberg/gotenberg) - A Docker-powered stateless API for PDF files. 399 | * 【2023-06-29】[KubeDev / idc-ms-chatgpt](https://github.com/KubeDev/idc-ms-chatgpt) - 400 | * 【2023-06-27】[rosedblabs / rosedb](https://github.com/rosedblabs/rosedb) - Lightweight, fast and reliable key/value storage engine based on Bitcask. 401 | * 【2023-06-26】[google / google-ctf](https://github.com/google/google-ctf) - Google CTF 402 | * 【2023-06-26】[BishopFox / jsluice](https://github.com/BishopFox/jsluice) - 403 | * 【2023-06-26】[youshandefeiyang / LiveRedirect](https://github.com/youshandefeiyang/LiveRedirect) - LiveRedirect 404 | * 【2023-06-24】[openmeterio / openmeter](https://github.com/openmeterio/openmeter) - Real-Time and Scalable Usage Metering 405 | * 【2023-06-23】[Snowflake-Labs / terraform-provider-snowflake](https://github.com/Snowflake-Labs/terraform-provider-snowflake) - Terraform provider for managing Snowflake accounts 406 | * 【2023-06-21】[devfullcycle / imersao13](https://github.com/devfullcycle/imersao13) - 407 | * 【2023-06-21】[MrEmpy / mantra](https://github.com/MrEmpy/mantra) - 「🔑」A tool used to hunt down API key leaks in JS files and pages 408 | * 【2023-06-20】[assetnote / surf](https://github.com/assetnote/surf) - Escalate your SSRF vulnerabilities on Modern Cloud Environments. `surf` allows you to filter a list of hosts, returning a list of viable SSRF candidates. 409 | * 【2023-06-20】[zincsearch / zincsearch](https://github.com/zincsearch/zincsearch) - ZincSearch . A lightweight alternative to elasticsearch that requires minimal resources, written in Go. 410 | * 【2023-06-20】[dutchcoders / transfer.sh](https://github.com/dutchcoders/transfer.sh) - Easy and fast file sharing from the command-line. 411 | * 【2023-06-20】[hishamk / statetrooper](https://github.com/hishamk/statetrooper) - StateTrooper is a Go package that provides a finite state machine (FSM) for managing states. It allows you to define and enforce state transitions based on predefined rules. 412 | * 【2023-06-18】[crazy-max / WindowsSpyBlocker](https://github.com/crazy-max/WindowsSpyBlocker) - Block spying and tracking on Windows 413 | * 【2023-06-15】[lmorg / murex](https://github.com/lmorg/murex) - A smarter shell and scripting environment with advanced features designed for usability, safety and productivity (eg smarter DevOps tooling) 414 | * 【2023-06-14】[MatthewJamesBoyle / golang-interview-prep](https://github.com/MatthewJamesBoyle/golang-interview-prep) - 415 | * 【2023-06-14】[ABCDELabs / Understanding-Ethereum-Go-version](https://github.com/ABCDELabs/Understanding-Ethereum-Go-version) - Understanding Ethereum: Go-Ethereum Code Analysis|理解以太坊: Go-Ethereum 源码剖析 416 | * 【2023-06-13】[STRRL / cloudflare-tunnel-ingress-controller](https://github.com/STRRL/cloudflare-tunnel-ingress-controller) - 417 | * 【2023-06-13】[diggerhq / digger](https://github.com/diggerhq/digger) - Digger is an open source GitOps tool for Terraform. Digger allows you to run Terraform plan/apply in your CI⚡️ 418 | * 【2023-06-12】[getzep / zep](https://github.com/getzep/zep) - Zep: A long-term memory store for LLM / Chatbot applications 419 | * 【2023-06-12】[tmc / langchaingo](https://github.com/tmc/langchaingo) - LangChain for Go 420 | * 【2023-06-12】[sevtin / lark](https://github.com/sevtin/lark) - Golang千万级IM服务端,支持集群和水平扩展,万人群消息秒达。 421 | * 【2023-06-10】[terramate-io / terramate](https://github.com/terramate-io/terramate) - Terramate adds powerful capabilities such as code generation, stacks, orchestration, change detection, data sharing and more to Terraform. 422 | * 【2023-06-10】[dgrijalva / jwt-go](https://github.com/dgrijalva/jwt-go) - ARCHIVE - Golang implementation of JSON Web Tokens (JWT). This project is now maintained at: 423 | * 【2023-06-10】[apecloud / kubeblocks](https://github.com/apecloud/kubeblocks) - KubeBlocks helps developers and platform engineers manage database workloads (MySQL, PostgresSQL, Redis, MongoDB, Kafka and vector databases) on K8s inside your own cloud account. It supports multiple clouds, including AWS, Azure, GCP, and Alibaba Cloud. 424 | * 【2023-06-10】[adeljck / QAX_VPN_Crack](https://github.com/adeljck/QAX_VPN_Crack) - 奇安信VPN任意用户密码重置 425 | * 【2023-06-10】[argoproj-labs / argocd-image-updater](https://github.com/argoproj-labs/argocd-image-updater) - Automatic container image update for Argo CD 426 | * 【2023-06-08】[brianvoe / gofakeit](https://github.com/brianvoe/gofakeit) - Random fake data generator written in go 427 | * 【2023-06-07】[daeuniverse / dae](https://github.com/daeuniverse/dae) - A Linux high-performance transparent proxy solution based on eBPF. 428 | * 【2023-06-07】[deepflowio / deepflow](https://github.com/deepflowio/deepflow) - Application Observability using eBPF 429 | * 【2023-06-05】[trzsz / trzsz-ssh](https://github.com/trzsz/trzsz-ssh) - 内置支持 trzsz ( trz / tsz ) 的 ssh 客户端,支持选择( 搜索 )服务器进行登录。 430 | * 【2023-06-05】[jarvanstack / mysqldump](https://github.com/jarvanstack/mysqldump) - A zero-dependency, high-performance, concurrent mysqldump tool implemented in golang. golang 中实现的零依赖、支持所有类型、 高性能、并发 mysqldump 工具。 431 | * 【2023-06-02】[DataDog / terraform-provider-datadog](https://github.com/DataDog/terraform-provider-datadog) - Terraform Datadog provider 432 | * 【2023-06-01】[songquanpeng / wechat-server](https://github.com/songquanpeng/wechat-server) - 微信公众号的后端,为其他系统提供微信登录验证功能 433 | 434 | 435 | ## C 436 | 437 | * 【2023-06-30】[galbraithmedia1 / Mini-Tv-ESP32](https://github.com/galbraithmedia1/Mini-Tv-ESP32) - Project Files for ESP32 Mini TV 438 | * 【2023-06-30】[libvips / libvips](https://github.com/libvips/libvips) - A fast image processing library with low memory needs. 439 | * 【2023-06-29】[flowdriveai / flowpilot](https://github.com/flowdriveai/flowpilot) - flow-pilot is an openpilot based driver assistance system that runs on linux, windows and android powered machines. 440 | * 【2023-06-29】[lwip-tcpip / lwip](https://github.com/lwip-tcpip/lwip) - lwIP mirror from http://git.savannah.gnu.org/cgit/lwip.git 441 | * 【2023-06-29】[antirez / kilo](https://github.com/antirez/kilo) - A text editor in less than 1000 LOC with syntax highlight and search. 442 | * 【2023-06-29】[tinycorelinux / tinyx](https://github.com/tinycorelinux/tinyx) - 443 | * 【2023-06-27】[df308 / x9](https://github.com/df308/x9) - high performance message passing library 444 | * 【2023-06-27】[jfedor2 / flatbox](https://github.com/jfedor2/flatbox) - Low profile hitbox-layout fightstick 445 | * 【2023-06-27】[MichaelFinance / CTP_DEV_NOTE](https://github.com/MichaelFinance/CTP_DEV_NOTE) - 446 | * 【2023-06-26】[zmap / zmap](https://github.com/zmap/zmap) - ZMap is a fast single packet network scanner designed for Internet-wide network surveys. 447 | * 【2023-06-25】[xemu-project / xemu](https://github.com/xemu-project/xemu) - Original Xbox Emulator for Windows, macOS, and Linux (Active Development) 448 | * 【2023-06-23】[jjshoots / RemoteIDSpoofer](https://github.com/jjshoots/RemoteIDSpoofer) - NodeMCU RemoteID Spoofer 449 | * 【2023-06-23】[linux-can / can-utils](https://github.com/linux-can/can-utils) - Linux-CAN / SocketCAN user space applications 450 | * 【2023-06-23】[huanghongxun / HMCL-PE](https://github.com/huanghongxun/HMCL-PE) - Hello Minecraft! Launcher for Android 451 | * 【2023-06-22】[yuos-bit / Padavan](https://github.com/yuos-bit/Padavan) - This is Padavan for XiaoMi with yuos 452 | * 【2023-06-21】[appspa / app-space](https://github.com/appspa/app-space) - APP内测平台|应用分发| https://app-space.up.railway.app |内网部署|增量热更新|类似蒲公英 fir IOS超级签名免签 ,支持iOS、Android、flutter、 react-native更新摇一摇提Bug SDK 提供自动化部署jenkins fastlane 丰富组件库 453 | * 【2023-06-21】[AliAlgur / Ania](https://github.com/AliAlgur/Ania) - 454 | * 【2023-06-21】[3proxy / 3proxy](https://github.com/3proxy/3proxy) - 3proxy - tiny free proxy server 455 | * 【2023-06-21】[Wh04m1001 / CVE-2023-29343](https://github.com/Wh04m1001/CVE-2023-29343) - 456 | * 【2023-06-21】[dalathegreat / Nissan-LEAF-Battery-Upgrade](https://github.com/dalathegreat/Nissan-LEAF-Battery-Upgrade) - Software and guides for upgrading LEAFs to bigger and newer batteries 457 | * 【2023-06-21】[darkk / redsocks](https://github.com/darkk/redsocks) - transparent TCP-to-proxy redirector 458 | * 【2023-06-18】[lanleft / CVE2023-1829](https://github.com/lanleft/CVE2023-1829) - 459 | * 【2023-06-18】[atar-axis / xpadneo](https://github.com/atar-axis/xpadneo) - Advanced Linux Driver for Xbox One Wireless Controller (shipped with Xbox One S) 460 | * 【2023-06-17】[benhoyt / inih](https://github.com/benhoyt/inih) - Simple .INI file parser in C, good for embedded systems 461 | * 【2023-06-17】[winfsp / winfsp](https://github.com/winfsp/winfsp) - Windows File System Proxy - FUSE for Windows 462 | * 【2023-06-17】[uTox / uTox](https://github.com/uTox/uTox) - µTox the lightest and fluffiest Tox client 463 | * 【2023-06-16】[openSIL / openSIL](https://github.com/openSIL/openSIL) - 464 | * 【2023-06-15】[bluekitchen / btstack](https://github.com/bluekitchen/btstack) - Dual-mode Bluetooth stack, with small memory footprint. 465 | * 【2023-06-15】[cashapp / zipline](https://github.com/cashapp/zipline) - Run Kotlin/JS libraries in Kotlin/JVM and Kotlin/Native programs 466 | * 【2023-06-15】[ruby / yarp](https://github.com/ruby/yarp) - Yet Another Ruby Parser 467 | * 【2023-06-15】[ataradov / usb-sniffer](https://github.com/ataradov/usb-sniffer) - Low-cost LS/FS/HS USB sniffer with Wireshark interface 468 | * 【2023-06-15】[xalicex / Killers](https://github.com/xalicex/Killers) - Exploitation of process killer drivers 469 | * 【2023-06-14】[snesrev / smw](https://github.com/snesrev/smw) - Smw 470 | * 【2023-06-13】[yuandaimaahao / AndroidFrameworkTutorial](https://github.com/yuandaimaahao/AndroidFrameworkTutorial) - 写给应用开发的 Android Framework 教程 471 | * 【2023-06-13】[SiliconLabs / gecko_sdk](https://github.com/SiliconLabs/gecko_sdk) - The Gecko SDK (GSDK) combines all Silicon Labs 32-bit IoT product software development kits (SDKs) based on Gecko Platform into a single, integrated SDK. 472 | * 【2023-06-13】[mnurzia / rv](https://github.com/mnurzia/rv) - RV32IMC in ~600 lines of C89 473 | * 【2023-06-12】[dresden-elektronik / deconz-rest-plugin](https://github.com/dresden-elektronik/deconz-rest-plugin) - deCONZ REST-API plugin to control ZigBee devices 474 | * 【2023-06-10】[tsoding / SmoothLife](https://github.com/tsoding/SmoothLife) - SmoothLife Implementation in C 475 | * 【2023-06-10】[baiyies / ScreenshotBOFPlus](https://github.com/baiyies/ScreenshotBOFPlus) - Take a screenshot without injection for Cobalt Strike 476 | * 【2023-06-10】[github / securitylab](https://github.com/github/securitylab) - Resources related to GitHub Security Lab 477 | * 【2023-06-10】[Octoberfest7 / DropSpawn_BOF](https://github.com/Octoberfest7/DropSpawn_BOF) - CobaltStrike BOF to spawn Beacons using DLL Application Directory Hijacking 478 | * 【2023-06-08】[GNOME / libxml2](https://github.com/GNOME/libxml2) - Read-only mirror of https://gitlab.gnome.org/GNOME/libxml2 479 | * 【2023-06-07】[marella / ctransformers](https://github.com/marella/ctransformers) - Python bindings for the Transformer models implemented in C/C++ using GGML library. 480 | * 【2023-06-07】[Forairaaaaa / monica](https://github.com/Forairaaaaa/monica) - DIY Watch based on ESP32-S3 and Amoled screen 481 | * 【2023-06-07】[OpenDriver2 / REDRIVER2](https://github.com/OpenDriver2/REDRIVER2) - Driver 2 Playstation game reverse engineering effort 482 | * 【2023-06-05】[stellar / stellar-core](https://github.com/stellar/stellar-core) - stellar-core is the reference implementation for the peer to peer agent that manages the Stellar network 483 | * 【2023-06-04】[ba0gu0 / 520apkhook](https://github.com/ba0gu0/520apkhook) - 将安卓远控Apk附加进普通的App中,运行新生成的App时,普通App正常运行,远控正常上线。Attach the Android remote control APK to a regular app. When running the newly generated app, the regular app runs normally and the remote control goes online normally. 484 | * 【2023-06-01】[S3cur3Th1sSh1t / Ruy-Lopez](https://github.com/S3cur3Th1sSh1t/Ruy-Lopez) - 485 | * 【2023-06-01】[jqlang / jq](https://github.com/jqlang/jq) - Command-line JSON processor 486 | * 【2023-06-01】[Nautilus-Institute / quals-2023](https://github.com/Nautilus-Institute/quals-2023) - 487 | 488 | 489 | ## C++ 490 | 491 | * 【2023-06-30】[apache / kvrocks](https://github.com/apache/kvrocks) - Kvrocks is a distributed key value NoSQL database that uses RocksDB as storage engine and is compatible with Redis protocol. 492 | * 【2023-06-30】[chichengcn / gici-open](https://github.com/chichengcn/gici-open) - GNSS/INS/Camera Integrated Navigation Library 493 | * 【2023-06-28】[colind0pe / AV-Bypass-Learning](https://github.com/colind0pe/AV-Bypass-Learning) - 免杀学习笔记 494 | * 【2023-06-27】[Puellaquae / Desktop-Snake](https://github.com/Puellaquae/Desktop-Snake) - A Snake Game Play With Desktop Icons 495 | * 【2023-06-25】[sddm / sddm](https://github.com/sddm/sddm) - QML based X11 and Wayland display manager 496 | * 【2023-06-23】[Wh04m1001 / CVE-2023-20178](https://github.com/Wh04m1001/CVE-2023-20178) - 497 | * 【2023-06-23】[microsoft / cppwinrt](https://github.com/microsoft/cppwinrt) - C++/WinRT 498 | * 【2023-06-23】[mawww / kakoune](https://github.com/mawww/kakoune) - mawww's experiment for a better code editor 499 | * 【2023-06-23】[Windscribe / Desktop-App](https://github.com/Windscribe/Desktop-App) - Windscribe 2.0 desktop client for Windows, Mac and Linux 500 | * 【2023-06-23】[cocomelonc / meow](https://github.com/cocomelonc/meow) - Cybersecurity research results. Simple C/C++ and Python implementations 501 | * 【2023-06-23】[jgromes / RadioLib](https://github.com/jgromes/RadioLib) - Universal wireless communication library for embedded devices 502 | * 【2023-06-23】[mbucchia / Meta-Foveated](https://github.com/mbucchia/Meta-Foveated) - An OpenXR API layer to emulate quad views and foveated rendering support on Quest Pro. 503 | * 【2023-06-21】[g3tsyst3m / elevationstation](https://github.com/g3tsyst3m/elevationstation) - elevate to SYSTEM any way we can! Metasploit and PSEXEC getsystem alternative 504 | * 【2023-06-21】[ztxz16 / fastllm](https://github.com/ztxz16/fastllm) - 纯c++的全平台llm加速库,chatglm-6B级模型单卡可达10000+token / s,支持moss, chatglm, baichuan模型,手机端流畅运行 505 | * 【2023-06-21】[us3rT0m / OnlyUP-Trainer](https://github.com/us3rT0m/OnlyUP-Trainer) - 506 | * 【2023-06-18】[DarthTon / Blackbone](https://github.com/DarthTon/Blackbone) - Windows memory hacking library 507 | * 【2023-06-18】[UMSKT / UMSKT](https://github.com/UMSKT/UMSKT) - Universal MS Key Toolkit 508 | * 【2023-06-18】[dolphindb / Tutorials_CN](https://github.com/dolphindb/Tutorials_CN) - 509 | * 【2023-06-17】[dingodb / dingo-store](https://github.com/dingodb/dingo-store) - Distributed Key-Value Storage 510 | * 【2023-06-15】[jankae / LibreVNA](https://github.com/jankae/LibreVNA) - 100kHz to 6GHz 2 port USB based VNA 511 | * 【2023-06-13】[vectr-ucla / direct_lidar_inertial_odometry](https://github.com/vectr-ucla/direct_lidar_inertial_odometry) - [IEEE ICRA'23] A new lightweight LiDAR-inertial odometry algorithm with a novel coarse-to-fine approach in constructing continuous-time trajectories for precise motion correction. 512 | * 【2023-06-13】[zodiacon / Recon2023](https://github.com/zodiacon/Recon2023) - Recon 2023 slides and code 513 | * 【2023-06-13】[namazso / MagicSigner](https://github.com/namazso/MagicSigner) - Signtool for expired certificates 514 | * 【2023-06-12】[acidanthera / AppleALC](https://github.com/acidanthera/AppleALC) - Native macOS HD audio for not officially supported codecs 515 | * 【2023-06-10】[eversinc33 / Banshee](https://github.com/eversinc33/Banshee) - Experimental Windows x64 Kernel Rootkit. 516 | * 【2023-06-07】[ZeroMemoryEx / Terminator](https://github.com/ZeroMemoryEx/Terminator) - Reproducing Spyboy technique to terminate all EDR/XDR/AVs processes 517 | * 【2023-06-07】[axmolengine / axmol](https://github.com/axmolengine/axmol) - Axmol Engine – A Multi-platform Engine for Desktop, XBOX (UWP) and Mobile games. (A radical fork of Cocos2d-x-4.0) 518 | * 【2023-06-05】[AntiMicroX / antimicrox](https://github.com/AntiMicroX/antimicrox) - Graphical program used to map keyboard buttons and mouse controls to a gamepad. Useful for playing games with no gamepad support. 519 | * 【2023-06-05】[moonlight-stream / moonlight-qt](https://github.com/moonlight-stream/moonlight-qt) - GameStream client for PCs (Windows, Mac, Linux, and Steam Link) 520 | * 【2023-06-04】[jarro2783 / cxxopts](https://github.com/jarro2783/cxxopts) - Lightweight C++ command line option parser 521 | * 【2023-06-04】[mrousavy / react-native-mmkv](https://github.com/mrousavy/react-native-mmkv) - ⚡️The fastest key/value storage for React Native. ~30x faster than AsyncStorage! 522 | * 【2023-06-04】[tensorflow / serving](https://github.com/tensorflow/serving) - A flexible, high-performance serving system for machine learning models 523 | * 【2023-06-02】[adamritter / fastgron](https://github.com/adamritter/fastgron) - High-performance JSON to GRON (greppable, flattened JSON) converter 524 | * 【2023-06-02】[Beep6581 / RawTherapee](https://github.com/Beep6581/RawTherapee) - A powerful cross-platform raw photo processing program 525 | * 【2023-06-01】[OpenCalib / SurroundCameraCalib](https://github.com/OpenCalib/SurroundCameraCalib) - 526 | 527 | 528 | ## C# 529 | 530 | * 【2023-06-30】[werdhaihai / AtlasReaper](https://github.com/werdhaihai/AtlasReaper) - A command-line tool for reconnaissance and targeted write operations on Confluence and Jira instances. 531 | * 【2023-06-30】[geel9 / SteamAuth](https://github.com/geel9/SteamAuth) - A C# library that provides vital Steam Mobile Authenticator functionality 532 | * 【2023-06-30】[AliBharwani / Drecon](https://github.com/AliBharwani/Drecon) - Drecon implementation 533 | * 【2023-06-29】[AbkarinoMHM / PS4SysconTools](https://github.com/AbkarinoMHM/PS4SysconTools) - PS4 Syscon Tools is a free solution that allow you to manipulate original PlayStation 4 Syscon chip (Renesas RL78/G13). 534 | * 【2023-06-29】[oqtane / oqtane.framework](https://github.com/oqtane/oqtane.framework) - CMS & Application Framework for Blazor & .NET MAUI 535 | * 【2023-06-29】[MessagePack-CSharp / MessagePack-CSharp](https://github.com/MessagePack-CSharp/MessagePack-CSharp) - Extremely Fast MessagePack Serializer for C#(.NET, .NET Core, Unity, Xamarin). / msgpack.org[C#] 536 | * 【2023-06-29】[dotnet-state-machine / stateless](https://github.com/dotnet-state-machine/stateless) - A simple library for creating state machines in C# code 537 | * 【2023-06-28】[dotnet / roslyn-sdk](https://github.com/dotnet/roslyn-sdk) - Roslyn-SDK templates and Syntax Visualizer 538 | * 【2023-06-28】[nozzlegear / ShopifySharp](https://github.com/nozzlegear/ShopifySharp) - ShopifySharp is a .NET library that helps developers easily authenticate with and manage Shopify stores. 539 | * 【2023-06-27】[MakcStudio / SteamDesktopAuthenticator](https://github.com/MakcStudio/SteamDesktopAuthenticator) - 540 | * 【2023-06-27】[FDlucifer / Proxy-Attackchain](https://github.com/FDlucifer/Proxy-Attackchain) - proxylogon & proxyshell & proxyoracle & proxytoken & all exchange server vulns summarization :) 541 | * 【2023-06-25】[SnaffCon / Snaffler](https://github.com/SnaffCon/Snaffler) - a tool for pentesters to help find delicious candy, by @l0ss and @Sh3r4 ( Twitter: @/mikeloss and @/sh3r4_hax ) 542 | * 【2023-06-25】[JasperFx / wolverine](https://github.com/JasperFx/wolverine) - Next Generation .NET Command and Message Bus 543 | * 【2023-06-24】[TradeOnSolutions / Steam-Desktop-Authenticator](https://github.com/TradeOnSolutions/Steam-Desktop-Authenticator) - 544 | * 【2023-06-23】[trustedsec / CS_COFFLoader](https://github.com/trustedsec/CS_COFFLoader) - 545 | * 【2023-06-22】[MicrosoftLearning / AI-102-AIEngineer](https://github.com/MicrosoftLearning/AI-102-AIEngineer) - Lab files for AI-102 - AI Engineer 546 | * 【2023-06-22】[puff / EazyDevirt](https://github.com/puff/EazyDevirt) - A tool that automatically restores the original IL code from an assembly virtualized with Eazfuscator.NET 547 | * 【2023-06-22】[elastic / apm-agent-dotnet](https://github.com/elastic/apm-agent-dotnet) - Elastic APM .NET Agent 548 | * 【2023-06-21】[Mapsui / Mapsui](https://github.com/Mapsui/Mapsui) - Mapsui is a .NET Map component for: MAUI, WPF, Avalonia, Uno, Blazor, WinUI, Xamarin and Eto 549 | * 【2023-06-21】[dotnetcore / BootstrapBlazor](https://github.com/dotnetcore/BootstrapBlazor) - A set of enterprise-class UI components based on Bootstrap and Blazor 550 | * 【2023-06-21】[Danily07 / Translumo](https://github.com/Danily07/Translumo) - Advanced real-time screen translator for games, hardcoded subtitles in videos, static text and etc. 551 | * 【2023-06-21】[ThePBone / GalaxyBudsClient](https://github.com/ThePBone/GalaxyBudsClient) - Unofficial Galaxy Buds Manager for Windows and Linux 552 | * 【2023-06-20】[SecHex / SecHex-Spoofy](https://github.com/SecHex/SecHex-Spoofy) - C# HWID Changer 🔑︎ Disk, Guid, Mac, Gpu, Pc-Name, Win-ID, EFI, SMBIOS Spoofing 553 | * 【2023-06-16】[zhontai / Admin.Core](https://github.com/zhontai/Admin.Core) - Admin后端,前后端分离的权限管理系统。支持多租户、数据权限、动态Api、任务调度、OSS文件上传、滑块拼图验证、国内外主流数据库自由切换和动态高级查询。基于.Net跨平台开发的WebApi。集成统一认证授权、事件总线、数据验证、分布式缓存、分布式事务、Ip限流、全Api鉴权、集成测试、性能分析、健康检查、接口文档等。 554 | * 【2023-06-15】[persistent-security / SMShell](https://github.com/persistent-security/SMShell) - PoC for a SMS-based shell. Send commands and receive responses over SMS from mobile broadband capable computers 555 | * 【2023-06-15】[xisuo67 / XHS-Spider](https://github.com/xisuo67/XHS-Spider) - 小红书数据采集、网站图片、视频资源批量下载工具,颜值超高的数据采集工具(批量下载,视频提取,图片,去水印等) 556 | * 【2023-06-14】[Unity-Technologies / MegacityMultiplayer](https://github.com/Unity-Technologies/MegacityMultiplayer) - Megacity Multiplayer is an action-packed, shooter game based on the original Megacity sample. It leverages the power of Netcode for Entities for an immersive, multiplayer experience that can support 64+ players simultaneously. 557 | * 【2023-06-14】[Unity-Technologies / com.unity.netcode.gameobjects](https://github.com/Unity-Technologies/com.unity.netcode.gameobjects) - Netcode for GameObjects is a high-level netcode SDK that provides networking capabilities to GameObject/MonoBehaviour workflows within Unity and sits on top of underlying transport layer. 558 | * 【2023-06-13】[cyanfish / naps2](https://github.com/cyanfish/naps2) - Scan documents to PDF and more, as simply as possible. 559 | * 【2023-06-13】[mertdas / SharpTerminator](https://github.com/mertdas/SharpTerminator) - Terminate AV/EDR Processes using kernel driver 560 | * 【2023-06-13】[tmoonlight / NSmartProxy](https://github.com/tmoonlight/NSmartProxy) - NSmartProxy是一款开源的内网穿透工具。采用.NET CORE的全异步模式打造。(NSmartProxy is an open source reverse proxy tool that creates a secure tunnel from a public endpoint to a locally service.) 561 | * 【2023-06-13】[killkimno / MORT](https://github.com/killkimno/MORT) - MORT 번역기 프로젝트 - Real-time game translator with OCR 562 | * 【2023-06-12】[andrewmd5 / orion](https://github.com/andrewmd5/orion) - a command-line game launcher for the Game Porting Toolkit 563 | * 【2023-06-12】[dariogriffo / ApiKeySample](https://github.com/dariogriffo/ApiKeySample) - An API Key api authentication/authorization example 564 | * 【2023-06-12】[bostrot / PowerToysRunPluginWinget](https://github.com/bostrot/PowerToysRunPluginWinget) - Winget plugin for PowerToys Run 565 | * 【2023-06-12】[jongeorge1 / FizzBuzzEnterpriseEdition-CSharp](https://github.com/jongeorge1/FizzBuzzEnterpriseEdition-CSharp) - FizzBuzz Enterprise Edition is a no-nonsense implementation of FizzBuzz made by a serious businessman for serious business purposes. It's a port of the original Java https://github.com/Mikkeren/FizzBuzzEnterpriseEdition 566 | * 【2023-06-10】[florylsk / SignatureGate](https://github.com/florylsk/SignatureGate) - Weaponized HellsGate/SigFlip 567 | * 【2023-06-10】[overwolf / jar-infection-scanner](https://github.com/overwolf/jar-infection-scanner) - Scan jar files for known infections 568 | * 【2023-06-10】[crashkonijn / GOAP](https://github.com/crashkonijn/GOAP) - A multi-threaded GOAP system for Unity 569 | * 【2023-06-10】[WWILLV / GodOfHacker](https://github.com/WWILLV/GodOfHacker) - 黑客神器 570 | * 【2023-06-10】[overwolf / detection-tool](https://github.com/overwolf/detection-tool) - 571 | * 【2023-06-10】[Azure-Samples / miyagi](https://github.com/Azure-Samples/miyagi) - Sample to envision intelligent apps with Microsoft's Copilot stack for AI-infused product experiences. 572 | * 【2023-06-08】[rafi1212122 / PemukulPaku](https://github.com/rafi1212122/PemukulPaku) - A private server implementation for a third impact game but made in see sharp 573 | * 【2023-06-08】[neon-nyan / Collapse](https://github.com/neon-nyan/Collapse) - An Advanced Launcher for miHoYo Games 574 | * 【2023-06-07】[Dec0ne / DavRelayUp](https://github.com/Dec0ne/DavRelayUp) - DavRelayUp - a universal no-fix local privilege escalation in domain-joined windows workstations where LDAP signing is not enforced (the default settings). 575 | * 【2023-06-07】[daem0nc0re / PrivFu](https://github.com/daem0nc0re/PrivFu) - Kernel mode WinDbg extension and PoCs for token privilege investigation. 576 | * 【2023-06-07】[SciSharp / TensorFlow.NET](https://github.com/SciSharp/TensorFlow.NET) - .NET Standard bindings for Google's TensorFlow for developing, training and deploying Machine Learning models in C# and F#. 577 | * 【2023-06-07】[unvell / ReoGrid](https://github.com/unvell/ReoGrid) - Fast and powerful .NET spreadsheet component, support data format, freeze, outline, formula calculation, chart, script execution and etc. Compatible with Excel 2007 (.xlsx) format and working on .NET 3.5 (or client profile), WPF and Android platform. 578 | * 【2023-06-05】[paulov-t / SIT.Core](https://github.com/paulov-t/SIT.Core) - An Escape From Tarkov BepInEx module designed to be used with SPT-Aki with the ultimate goal of "Offline" Coop 579 | * 【2023-06-04】[izhaorui / Zr.Admin.NET](https://github.com/izhaorui/Zr.Admin.NET) - 🎉ZR.Admin.NET是一款前后端分离的、跨平台基于RBAC的通用权限管理后台。ORM采用SqlSugar。前端采用Vue、AntDesign,支持多租户、缓存、任务调度、支持统一异常处理、接口限流、支持一键生成前后端代码,支持动态国际化翻译(Vue3),等诸多黑科技,代码简洁易懂、易扩展让开发更简单、更通用。 580 | * 【2023-06-02】[serenity-is / Serenity](https://github.com/serenity-is/Serenity) - Business Apps Made Simple with Asp.Net Core MVC / TypeScript 581 | * 【2023-06-02】[open-rpa / openrpa](https://github.com/open-rpa/openrpa) - Free Open Source Enterprise Grade RPA 582 | * 【2023-06-01】[Fictiverse / Redream](https://github.com/Fictiverse/Redream) - Realtime Diffusion, using Automatic1111 Stable Diffusion API 583 | * 【2023-06-01】[letharqic / InstantPipes](https://github.com/letharqic/InstantPipes) - Unity editor tool for quickly generating pipes — with pathfinding 584 | * 【2023-06-01】[ZiggyCreatures / FusionCache](https://github.com/ZiggyCreatures/FusionCache) - FusionCache is an easy to use, fast and robust cache with advanced resiliency features and an optional distributed 2nd layer. 585 | 586 | 587 | ## Html 588 | 589 | * 【2023-06-30】[cdfmlr / muvtuber](https://github.com/cdfmlr/muvtuber) - Makes your AI vtuber 590 | * 【2023-06-29】[rigtorp / awesome-modern-cpp](https://github.com/rigtorp/awesome-modern-cpp) - A collection of resources on modern C++ 591 | * 【2023-06-28】[cure53 / HTTPLeaks](https://github.com/cure53/HTTPLeaks) - HTTPLeaks - All possible ways, a website can leak HTTP requests 592 | * 【2023-06-28】[duckduckgo / iOS](https://github.com/duckduckgo/iOS) - DuckDuckGo iOS Application 593 | * 【2023-06-27】[Mixtape-Sessions / Advanced-DID](https://github.com/Mixtape-Sessions/Advanced-DID) - Advanced Differnce-in-Differences Mixtape Track taught by Jonathan Roth 594 | * 【2023-06-26】[praveensirvi1212 / DevOps_MasterPiece-CI-with-Jenkins](https://github.com/praveensirvi1212/DevOps_MasterPiece-CI-with-Jenkins) - DevOps-MasterPiece Project using Git, GitHub, Jenkins, Maven, JUnit, SonarQube, Jfrog Artifactory, Docker, Trivy, AWS S3, Docker Hub, GitHub CLI, EKS, ArgoCD, Prometheus, Grafana, Slack and Hashicorp Vault 595 | * 【2023-06-25】[oobabooga / oobabooga.github.io](https://github.com/oobabooga/oobabooga.github.io) - 596 | * 【2023-06-25】[Bionus / imgbrd-grabber](https://github.com/Bionus/imgbrd-grabber) - Very customizable imageboard/booru downloader with powerful filenaming features. 597 | * 【2023-06-25】[thedev-id / thedev.id](https://github.com/thedev-id/thedev.id) - Identity for developers on the web. 598 | * 【2023-06-24】[thedevdojo / pines](https://github.com/thedevdojo/pines) - The Pines UI library 599 | * 【2023-06-24】[asharbinkhalil / intellitoolz](https://github.com/asharbinkhalil/intellitoolz) - I am using these OSINT tools. This list include important domains of OSINT and their respective tools. 600 | * 【2023-06-23】[linuxmobile / hyprland-dots](https://github.com/linuxmobile/hyprland-dots) - 🦄Hyprland Cute Dotfiles 601 | * 【2023-06-22】[CursoIBM / Repo1](https://github.com/CursoIBM/Repo1) - 602 | * 【2023-06-22】[souying / vercel-api-proxy](https://github.com/souying/vercel-api-proxy) - vercel反向代理。完全免费,万能代理,可代理全网一切接口,包括openai、github、google、Telegram、全面代理ai项目一键安装 603 | * 【2023-06-22】[Colt / TheWebDeveloperBootcampSolutions](https://github.com/Colt/TheWebDeveloperBootcampSolutions) - 604 | * 【2023-06-22】[okta / okta-sdk-java](https://github.com/okta/okta-sdk-java) - Java SDK for Okta Resource Management 605 | * 【2023-06-21】[GyverLibs / GyverHub](https://github.com/GyverLibs/GyverHub) - Панель управления для esp8266, esp32 и других Arduino. Конструктор интерфейса. Интеграция в умный дом 606 | * 【2023-06-21】[metagood / OCM-Dimensions](https://github.com/metagood/OCM-Dimensions) - Tools for inscribing ordinals using OCM Dimensions and the three.js and p5.js libraries 607 | * 【2023-06-21】[bmarsh9 / gapps](https://github.com/bmarsh9/gapps) - Security compliance platform - SOC2, CMMC, ASVS, ISO27001, HIPAA, NIST CSF, NIST 800-53, CSC CIS 18, PCI DSS, SSF tracking. https://web-gapps.pages.dev 608 | * 【2023-06-16】[shade-econ / nber-workshop-2023](https://github.com/shade-econ/nber-workshop-2023) - Code for the Spring 2023 NBER heterogeneous-agent macro workshop 609 | * 【2023-06-15】[devsyedmohsin / portfolio-template](https://github.com/devsyedmohsin/portfolio-template) - ⚡️An open-source portfolio template for developers. Give it a star⭐if you find it useful 610 | * 【2023-06-15】[Vimux / Mainroad](https://github.com/Vimux/Mainroad) - Responsive, simple, clean and content-focused Hugo theme based on the MH Magazine lite WordPress theme 611 | * 【2023-06-14】[rvaidun / befake](https://github.com/rvaidun/befake) - view bereals without posting your own :) 612 | * 【2023-06-14】[alura-es-cursos / 1868-java-servlet-1](https://github.com/alura-es-cursos/1868-java-servlet-1) - Repositorio del curso Servlets 1 de Alura Latam 613 | * 【2023-06-13】[tikimcfee / LookAtThat](https://github.com/tikimcfee/LookAtThat) - Render Swift source code in AR/VR for macOS and iOS. 614 | * 【2023-06-12】[Chr1skyy / Egzamin-Zawodowy-E14-EE09-INF03](https://github.com/Chr1skyy/Egzamin-Zawodowy-E14-EE09-INF03) - 615 | * 【2023-06-12】[tech2etc / Build-and-Deploy-Ecommerce-Website](https://github.com/tech2etc/Build-and-Deploy-Ecommerce-Website) - Learn How To Make Full Responsive Ecommerce Website Using HTML CSS & JavaScript. This is a free HTML CSS JavaScript Course. And in this course we will learn how to build and deploy a full multipage ecommerce website completely from scratch step by step. 616 | * 【2023-06-12】[HEIGE-PCloud / DoIt](https://github.com/HEIGE-PCloud/DoIt) - A clean, elegant and advanced blog theme for Hugo. 617 | * 【2023-06-10】[rough-stuff / rough](https://github.com/rough-stuff/rough) - Create graphics with a hand-drawn, sketchy, appearance 618 | * 【2023-06-10】[kargisimos / offensive-bookmarks](https://github.com/kargisimos/offensive-bookmarks) - A collection of bookmarks for penetration testers, bug bounty hunters, malware developers, reverse engineers and anyone who is just interested in infosec topics. 619 | * 【2023-06-10】[reriiasu / speech-to-text](https://github.com/reriiasu/speech-to-text) - Real-time transcription using faster-whisper 620 | * 【2023-06-08】[apache / pulsar-site](https://github.com/apache/pulsar-site) - Apache Pulsar Site 621 | * 【2023-06-08】[beejjorgensen / bgnet](https://github.com/beejjorgensen/bgnet) - Beej's Guide to Network Programming source 622 | * 【2023-06-07】[LecterChu / nwpu-cram](https://github.com/LecterChu/nwpu-cram) - 西北工业大学/西工大/nwpu/npu软件学院复习(突击)资料!! 623 | * 【2023-06-07】[sleaze / rarbg-db-dumps](https://github.com/sleaze/rarbg-db-dumps) - My personal RARBG database dumps - R.I.P. rbg and thank you for your service 624 | * 【2023-06-07】[StringManolo / hackingTermux101](https://github.com/StringManolo/hackingTermux101) - Libro sobre hacking básico/avanzado en Termux 625 | * 【2023-06-05】[youssef-of-web / midone-template-html](https://github.com/youssef-of-web/midone-template-html) - 626 | * 【2023-06-05】[kono-dada / Sakuranotoki-Chinese](https://github.com/kono-dada/Sakuranotoki-Chinese) - 樱之刻简中汉化 627 | * 【2023-06-04】[zserge / awfice](https://github.com/zserge/awfice) - The world smallest office suite 628 | * 【2023-06-03】[2004content / 2004content.github.io](https://github.com/2004content/2004content.github.io) - webpage 629 | * 【2023-06-03】[A10ha / EmailSender](https://github.com/A10ha/EmailSender) - 钓鱼邮件便捷发送工具(GUI) 630 | * 【2023-06-02】[udayRage / PAMI](https://github.com/udayRage/PAMI) - PAMI is a Python library containing 80+ algorithms to discover useful patterns in various databases across multiple computing platforms. (Active) 631 | * 【2023-06-02】[pengzhile / pandora-cloud](https://github.com/pengzhile/pandora-cloud) - A package for Pandora-ChatGPT 632 | * 【2023-06-01】[mrd0x / file-archiver-in-the-browser](https://github.com/mrd0x/file-archiver-in-the-browser) - 633 | * 【2023-06-01】[mame / minesweeper-spoiled-by-ai](https://github.com/mame/minesweeper-spoiled-by-ai) - This Minesweeper AI does the brain-testing part for you. You do the luck-testing part. 634 | 635 | 636 | ## Css 637 | 638 | * 【2023-06-30】[AsmrProg-YT / Dashboard-Designs](https://github.com/AsmrProg-YT/Dashboard-Designs) - AsmrProg Youtube Channel Dashboard Designs Code Collection 639 | * 【2023-06-30】[poole / poole](https://github.com/poole/poole) - The Jekyll Butler. A no frills responsive Jekyll blog theme. 640 | * 【2023-06-29】[yandinovriandi / WMH](https://github.com/yandinovriandi/WMH) - Wifi Monitoring Hotspot 641 | * 【2023-06-29】[lcrowther-snyk / mongoose](https://github.com/lcrowther-snyk/mongoose) - 642 | * 【2023-06-29】[chartchai / 331-Lab01-Intro-to-vue](https://github.com/chartchai/331-Lab01-Intro-to-vue) - Inital code for Introdcution to vue 643 | * 【2023-06-29】[lcrowther-snyk / file-explorer](https://github.com/lcrowther-snyk/file-explorer) - 644 | * 【2023-06-29】[oldinaction / ChatGPT-MP](https://github.com/oldinaction/ChatGPT-MP) - (**承接各类小程序开发**)基于ChatGPT实现的微信小程序,适配H5和WEB端。包含前后端,支持打字效果输出流式输出,支持AI聊天次数限制,支持分享增加次数等功能。 645 | * 【2023-06-28】[codepath / site-week4-project3-lifetracker-starter](https://github.com/codepath/site-week4-project3-lifetracker-starter) - CURRENT - 2023 SITE Starter Code for LifeTracker Assignment starter code 646 | * 【2023-06-28】[elixir-europe-training / CodeReproducibility](https://github.com/elixir-europe-training/CodeReproducibility) - Current URL: https://elixir-europe-training.github.io/CodeReproducibility/ 647 | * 【2023-06-28】[evilseye / Zoop-Hacktoberfest](https://github.com/evilseye/Zoop-Hacktoberfest) - Zoop is all about connecting :D 648 | * 【2023-06-28】[reworkcss / css](https://github.com/reworkcss/css) - CSS parser / stringifier for Node.js 649 | * 【2023-06-28】[liamprodev / Chainfuse-Web3_Hiring](https://github.com/liamprodev/Chainfuse-Web3_Hiring) - 650 | * 【2023-06-28】[codervivek5 / VigyBag](https://github.com/codervivek5/VigyBag) - A location-based shopping website uses GPS to show users nearby businesses offering products/services they search for. Users can compare prices and make purchases through the site, making it helpful for local shopping and finding location-specific items. 651 | * 【2023-06-28】[pylabview / Buonos-Pizza_v2](https://github.com/pylabview/Buonos-Pizza_v2) - 652 | * 【2023-06-27】[dhjddcn / halo-theme-butterfly](https://github.com/dhjddcn/halo-theme-butterfly) - 一个Halo博客主题,Butterfly🦋 653 | * 【2023-06-27】[felipethomas / site-portfolio](https://github.com/felipethomas/site-portfolio) - Site que representa o portfólio de Felipe Thomas 654 | * 【2023-06-27】[TykTechnologies / tyk-docs](https://github.com/TykTechnologies/tyk-docs) - Docs for Tyk Open source API gateway and API management platform. 100% Cloud native 655 | * 【2023-06-27】[fikrcamp / vowels-app](https://github.com/fikrcamp/vowels-app) - 656 | * 【2023-06-26】[Colt / CSSGridTutorial](https://github.com/Colt/CSSGridTutorial) - 657 | * 【2023-06-25】[JoeanAmier / TikTokDownloader](https://github.com/JoeanAmier/TikTokDownloader) - 抖音视频/图集/音频/直播下载工具 658 | * 【2023-06-24】[Eby-Tom / Tech-Utsav-ChristUniversity](https://github.com/Eby-Tom/Tech-Utsav-ChristUniversity) - Christ University Tech-Utsav Website 659 | * 【2023-06-24】[Eby-Tom / Project](https://github.com/Eby-Tom/Project) - 660 | * 【2023-06-24】[Eby-Tom / Foobar-7-ChristUniversity](https://github.com/Eby-Tom/Foobar-7-ChristUniversity) - 661 | * 【2023-06-23】[joy-of-react / hello-next](https://github.com/joy-of-react/hello-next) - 662 | * 【2023-06-23】[isonnymichael / isonnymichael.github.io](https://github.com/isonnymichael/isonnymichael.github.io) - Portofolio 663 | * 【2023-06-22】[maticnetwork / zkevm-docs](https://github.com/maticnetwork/zkevm-docs) - The official documentation for Polygon zkEVM. 664 | * 【2023-06-22】[Xiumuzaidiao / Day-night-toggle-button](https://github.com/Xiumuzaidiao/Day-night-toggle-button) - 最近很火的折磨人挑战,复刻了一下,放到期末作业博客里了,大概有90%还原度(确实太折磨人了) 665 | * 【2023-06-21】[sb2nov / week2-devops](https://github.com/sb2nov/week2-devops) - 666 | * 【2023-06-20】[developerrahulofficial / Roses-are-rosie](https://github.com/developerrahulofficial/Roses-are-rosie) - Created with CodeSandbox 667 | * 【2023-06-18】[NsCDE / NsCDE](https://github.com/NsCDE/NsCDE) - Modern and functional CDE desktop based on FVWM 668 | * 【2023-06-17】[kluein / klue-qa-test-rival](https://github.com/kluein/klue-qa-test-rival) - A static page deployed for QA to test the Klue application 669 | * 【2023-06-17】[CanTest-IT / app-react-events-automation-place](https://github.com/CanTest-IT/app-react-events-automation-place) - 670 | * 【2023-06-17】[SoftUni / Programming-Basics-Book-CSharp-BG](https://github.com/SoftUni/Programming-Basics-Book-CSharp-BG) - Textbook for the "Programming Basics" course @ SoftUni (C#, Bulgarian) 671 | * 【2023-06-17】[10-2-pursuit / lab-css-selectors](https://github.com/10-2-pursuit/lab-css-selectors) - 672 | * 【2023-06-17】[VaporousCreeper / BetterDiscord-ThemesAndPlugins](https://github.com/VaporousCreeper/BetterDiscord-ThemesAndPlugins) - Where I store All Of My BetterDiscord Uploads 673 | * 【2023-06-17】[SoftUni / Programming-Basics-Book-Python-BG](https://github.com/SoftUni/Programming-Basics-Book-Python-BG) - Textbook for the "Programming Basics" course @ SoftUni (Python, Bulgarian) 674 | * 【2023-06-17】[AikoMidori / SteamSkins](https://github.com/AikoMidori/SteamSkins) - With Steam's new beta and introduction to full css clients, and the removal of VGUI, means a new era of skins. 675 | * 【2023-06-16】[Trizwit / FastnUI](https://github.com/Trizwit/FastnUI) - UI component library for Fastn 676 | * 【2023-06-16】[10-1-pursuit / lab-css-selectors](https://github.com/10-1-pursuit/lab-css-selectors) - 677 | * 【2023-06-16】[MellowCo / unocss-preset-weapp](https://github.com/MellowCo/unocss-preset-weapp) - unocss preset for wechat miniprogram,unocss小程序预设,在 taro uniapp 原生小程序 中使用unocss 678 | * 【2023-06-14】[pulumi / pulumi-hugo](https://github.com/pulumi/pulumi-hugo) - A Hugo module containing content and layouts used on pulumi.com, including hand-authored docs, the Pulumi blog, and Learn Pulumi. 679 | * 【2023-06-14】[codepath / site-week2-lab2-twitter-starter](https://github.com/codepath/site-week2-lab2-twitter-starter) - CURRENT - 2023 SITE Starter code for Twitter Clone Lab 680 | * 【2023-06-14】[PrimeAcademy / jquery-fungus-fighter](https://github.com/PrimeAcademy/jquery-fungus-fighter) - 681 | * 【2023-06-13】[Bali10050 / FirefoxCSS](https://github.com/Bali10050/FirefoxCSS) - Custom firefox interface 682 | * 【2023-06-13】[subframe7536 / maple-font](https://github.com/subframe7536/maple-font) - Maple Mono: Open source monospace / Nerd-Font font with round corner and ligatures for IDE and command line. 带连字和圆角的等宽字体和控制台字体,中英文宽度完美2:1 683 | * 【2023-06-13】[comehope / front-end-daily-challenges](https://github.com/comehope/front-end-daily-challenges) - As of August 2021, 170+ works have been accomplished, challenge yourself each day! 684 | * 【2023-06-13】[saint2706 / saint2706.github.io](https://github.com/saint2706/saint2706.github.io) - Not thinking of creating anything yet, this is just to store my custom css that i've compiled over time 685 | * 【2023-06-12】[tdesign-blazor / TDesignBlazor](https://github.com/tdesign-blazor/TDesignBlazor) - 基于腾讯 TDesign 的 Blazor 组件库 686 | * 【2023-06-11】[ParisNeo / lollms-webui](https://github.com/ParisNeo/lollms-webui) - gpt4all chatbot ui 687 | * 【2023-06-10】[Q16G / npsmodify](https://github.com/Q16G/npsmodify) - 这是nps的魔改,进行了流量特征的魔改,并且进行了漏洞的修复 688 | * 【2023-06-10】[kyobero / poster-shop](https://github.com/kyobero/poster-shop) - poster-shop 689 | * 【2023-06-10】[codepath / site-week1-project1-flixster-starter](https://github.com/codepath/site-week1-project1-flixster-starter) - CURRENT - 2023 SITE Starter code for Flixster assignment 690 | * 【2023-06-10】[hanameee / mini-signup-form](https://github.com/hanameee/mini-signup-form) - 미니 사전과제 1. 회원가입 폼 for FastCampus 691 | * 【2023-06-08】[PrismLauncher / prismlauncher.org](https://github.com/PrismLauncher/prismlauncher.org) - The Prism Launcher website. 692 | * 【2023-06-07】[chenxudong2020 / Padavan-build](https://github.com/chenxudong2020/Padavan-build) - 693 | * 【2023-06-07】[CodeYourFuture / JavaScript-Core-3-Challenges](https://github.com/CodeYourFuture/JavaScript-Core-3-Challenges) - 694 | * 【2023-06-07】[zuzumi-f / Discord-11](https://github.com/zuzumi-f/Discord-11) - Theme based in windows 11 new UI | Support server: https://discord.gg/PsNtzGeHuW 695 | * 【2023-06-07】[PlexPt / chatgpt-online-springboot](https://github.com/PlexPt/chatgpt-online-springboot) - chatgpt online demo for springboot. 带前端界面的chatgpt springboot 示例. 696 | * 【2023-06-05】[anmode / grabtern-frontend](https://github.com/anmode/grabtern-frontend) - Connecting the mentors and creating a network 697 | * 【2023-06-04】[pronane / shamrocks.github.com](https://github.com/pronane/shamrocks.github.com) - 698 | * 【2023-06-03】[byarin90 / copyLayout](https://github.com/byarin90/copyLayout) - https://copylayout.netlify.app/ 699 | * 【2023-06-02】[ParisNeo / gpt4all-ui](https://github.com/ParisNeo/gpt4all-ui) - gpt4all chatbot ui 700 | * 【2023-06-02】[dfols / framework](https://github.com/dfols/framework) - 701 | * 【2023-06-02】[bsoc-bitbyte / IIITians-Space](https://github.com/bsoc-bitbyte/IIITians-Space) - A forum to make connections and learn 702 | * 【2023-06-02】[NYRI4 / LilyPichu](https://github.com/NYRI4/LilyPichu) - A theme based on @Melonturtle_ stream design 703 | * 【2023-06-02】[cairo-book / cairo-book.github.io](https://github.com/cairo-book/cairo-book.github.io) - The Cairo Programming Language Book, a comprehensive documentation of the Cairo 1 programming language. 704 | * 【2023-06-01】[bsoc-bitbyte / resource-sharing](https://github.com/bsoc-bitbyte/resource-sharing) - A resource sharing to share course material and previous year papers 705 | * 【2023-06-01】[hogeschoolnovi / frontend-react-weatherapp-tutorial](https://github.com/hogeschoolnovi/frontend-react-weatherapp-tutorial) - EdHub tutorial 706 | * 【2023-06-01】[sofdev5-2023-westtigers / task-manager](https://github.com/sofdev5-2023-westtigers/task-manager) - 707 | 708 | 709 | ## Unknown 710 | 711 | * 【2023-06-30】[ahmetbersoz / chatgpt-prompts-for-academic-writing](https://github.com/ahmetbersoz/chatgpt-prompts-for-academic-writing) - This list of writing prompts covers a range of topics and tasks, including brainstorming research ideas, improving language and style, conducting literature reviews, and developing research plans. 712 | * 【2023-06-30】[davidlinsley / DragonBasic](https://github.com/davidlinsley/DragonBasic) - This repository contains the source code for the Dragon 64 versions of the Microsoft 16K BASIC Interpreter for the Motorola 6809 (aka BASIC-69 and Extended Color BASIC). 713 | * 【2023-06-30】[Citi / citi-ospo](https://github.com/Citi/citi-ospo) - A collection of guidelines and resources from Citi's Open Source Program Office 714 | * 【2023-06-29】[nomi-sec / PoC-in-GitHub](https://github.com/nomi-sec/PoC-in-GitHub) - 📡PoC auto collect from GitHub.⚠️Be careful Malware. 715 | * 【2023-06-29】[chinaBerg / awesome-canvas](https://github.com/chinaBerg/awesome-canvas) - Canvas资源库大全中文版。An awesome Canvas packages and resources. 716 | * 【2023-06-28】[OpenMotionLab / MotionGPT](https://github.com/OpenMotionLab/MotionGPT) - MotionGPT: Human Motion as a Foreign Language, a unified motion-language generation model using LLMs 717 | * 【2023-06-28】[tauri-apps / awesome-tauri](https://github.com/tauri-apps/awesome-tauri) - 🚀Awesome Tauri Apps, Plugins and Resources 718 | * 【2023-06-27】[wgwang / LLMs-In-China](https://github.com/wgwang/LLMs-In-China) - 中国大模型 719 | * 【2023-06-27】[DataScienceNigeria / DSN-50-days-of-learning-2023](https://github.com/DataScienceNigeria/DSN-50-days-of-learning-2023) - 720 | * 【2023-06-27】[eatingurtoes / g1lbertCFW](https://github.com/eatingurtoes/g1lbertCFW) - The first untethered jailbreak for all versions of iOS 5. 721 | * 【2023-06-27】[DSXiangLi / DecryptPrompt](https://github.com/DSXiangLi/DecryptPrompt) - 总结Prompt&LLM论文,开源数据&模型,AIGC应用 722 | * 【2023-06-27】[filipecalegario / awesome-generative-ai](https://github.com/filipecalegario/awesome-generative-ai) - A curated list of Generative AI tools, works, models, and references 723 | * 【2023-06-25】[e2b-dev / awesome-ai-agents](https://github.com/e2b-dev/awesome-ai-agents) - A list of AI autonomous agents 724 | * 【2023-06-25】[RoseSecurity / Red-Teaming-TTPs](https://github.com/RoseSecurity/Red-Teaming-TTPs) - Useful Techniques, Tactics, and Procedures for red teamers and defenders, alike! 725 | * 【2023-06-25】[TinrLin / NaiveProxy-installation](https://github.com/TinrLin/NaiveProxy-installation) - This construction method supports custom ports 726 | * 【2023-06-24】[DevOps-Nirvana / Grafana-Dashboards](https://github.com/DevOps-Nirvana/Grafana-Dashboards) - A variety of open-source Grafana dashboards typically for AWS and Kubernetes 727 | * 【2023-06-24】[vishesh92 / pg-primer](https://github.com/vishesh92/pg-primer) - Beginner's guide to administering/managing postgresql 728 | * 【2023-06-24】[in28minutes / java-tutorial-for-beginners](https://github.com/in28minutes/java-tutorial-for-beginners) - Java Tutorial For Beginners with 500 Code Examples 729 | * 【2023-06-23】[aaronjense / Learn-Embedded-Systems](https://github.com/aaronjense/Learn-Embedded-Systems) - Resources to learn embedded systems engineering. 730 | * 【2023-06-23】[rshipp / awesome-malware-analysis](https://github.com/rshipp/awesome-malware-analysis) - Defund the Police. 731 | * 【2023-06-23】[google / dreambooth](https://github.com/google/dreambooth) - 732 | * 【2023-06-22】[SpeechifyInc / Meta-voicebox](https://github.com/SpeechifyInc/Meta-voicebox) - Implementation of Meta-Voicebox : The first generative AI model for speech to generalize across tasks with state-of-the-art performance. 733 | * 【2023-06-22】[ProbiusOfficial / SecTool](https://github.com/ProbiusOfficial/SecTool) - Cybersecurity tool repository / Wiki 收录常用 / 前沿 的安全工具以及其文档,致力于减少工具收藏行为ww 734 | * 【2023-06-22】[qd-today / templates](https://github.com/qd-today/templates) - 基于开源新版 QD 框架站发布的公共har模板库,仅供示例 735 | * 【2023-06-22】[ctripxchuang / dotnetfly](https://github.com/ctripxchuang/dotnetfly) - 关注 windbg 在 .NET 领域下的探究,带你一起解读程序的用户态和内核态! 736 | * 【2023-06-21】[iam-veeramalla / aws-devops-zero-to-hero](https://github.com/iam-veeramalla/aws-devops-zero-to-hero) - AWS zero to hero repo for devops engineers to learn AWS in 30 Days. This repo includes projects, presentations, interview questions and real time examples. 737 | * 【2023-06-21】[dtinth / superwhite](https://github.com/dtinth/superwhite) - display a very bright white color on HDR-enabled displays 738 | * 【2023-06-21】[RamiKrispin / vscode-python](https://github.com/RamiKrispin/vscode-python) - Setting Python Development Environment with VScode and Docker 739 | * 【2023-06-21】[Lesabotsy / bootcamp](https://github.com/Lesabotsy/bootcamp) - 740 | * 【2023-06-21】[CLUEbenchmark / SuperCLUE](https://github.com/CLUEbenchmark/SuperCLUE) - SuperCLUE: 中文通用大模型综合性基准 | A Benchmark for Foundation Models in Chinese 741 | * 【2023-06-20】[garyvalue / chatgpt-business](https://github.com/garyvalue/chatgpt-business) - 已汇总34个Chatgpt商业版及提供更多的变现方式 742 | * 【2023-06-20】[youquanl / Segment-Any-Point-Cloud](https://github.com/youquanl/Segment-Any-Point-Cloud) - Segment Any Point Cloud Sequences by Distilling Vision Foundation Models 743 | * 【2023-06-18】[RManLuo / Awesome-LLM-KG](https://github.com/RManLuo/Awesome-LLM-KG) - Awesome papers about unifying LLMs and KGs 744 | * 【2023-06-18】[thecybertix / One-Liner-Collections](https://github.com/thecybertix/One-Liner-Collections) - This Repositories contains list of One Liners with Descriptions and Installation requirements 745 | * 【2023-06-18】[DiveHQ / backend-internship-task](https://github.com/DiveHQ/backend-internship-task) - 746 | * 【2023-06-18】[google / dynibar](https://github.com/google/dynibar) - 747 | * 【2023-06-17】[mhadidg / software-architecture-books](https://github.com/mhadidg/software-architecture-books) - A comprehensive list of books on Software Architecture. 748 | * 【2023-06-17】[UltimateSec / ultimaste-nuclei-templates](https://github.com/UltimateSec/ultimaste-nuclei-templates) - 极致攻防实验室 nuclei 检测 POC 749 | * 【2023-06-17】[majinqiawa / xxn](https://github.com/majinqiawa/xxn) - 存储中国大陆各类小仙女案件,欢迎补充(Store all kinds of fairy cases in mainland China, welcome to add) 750 | * 【2023-06-17】[gnehs / subtitle-translator-electron](https://github.com/gnehs/subtitle-translator-electron) - ↔️Translate subtitle using ChatGPT 751 | * 【2023-06-17】[SkyProc / translation](https://github.com/SkyProc/translation) - 752 | * 【2023-06-15】[FrontCloudCamp / test-assignment](https://github.com/FrontCloudCamp/test-assignment) - 753 | * 【2023-06-15】[V0lk3n / WirelessPentesting-CheatSheet](https://github.com/V0lk3n/WirelessPentesting-CheatSheet) - This repository contain a CheatSheet for OSWP & WiFi Cracking. 754 | * 【2023-06-15】[microsoft / winget-pkgs](https://github.com/microsoft/winget-pkgs) - The Microsoft community Windows Package Manager manifest repository 755 | * 【2023-06-14】[RishikeshOps / DevOps-Learning-Resources](https://github.com/RishikeshOps/DevOps-Learning-Resources) - 756 | * 【2023-06-14】[grealyve / MDISec-Web-Security-and-Hacking-Notes](https://github.com/grealyve/MDISec-Web-Security-and-Hacking-Notes) - 757 | * 【2023-06-14】[SeedV / generative-ai-roadmap](https://github.com/SeedV/generative-ai-roadmap) - 生成式AI的应用路线图 The roadmap of generative AI: use cases and applications 758 | * 【2023-06-13】[alan2207 / awesome-codebases](https://github.com/alan2207/awesome-codebases) - A collection of awesome open-source codebases worth exploring. 759 | * 【2023-06-13】[youssefHosni / Awesome-AI-Data-GitHub-Repos](https://github.com/youssefHosni/Awesome-AI-Data-GitHub-Repos) - A collection of the most important Github repos for ML, AI & Data science practitioners 760 | * 【2023-06-13】[damo-vilab / videocomposer](https://github.com/damo-vilab/videocomposer) - 761 | * 【2023-06-13】[microsoft / LLaVA-Med](https://github.com/microsoft/LLaVA-Med) - Large Language-and-Vision Assistant for BioMedicine, built towards multimodal GPT-4 level capabilities. 762 | * 【2023-06-13】[198808xc / Vision-AGI-Survey](https://github.com/198808xc/Vision-AGI-Survey) - A temporary webpage for our survey in AGI for computer vision 763 | * 【2023-06-13】[0voice / expert_readed_books](https://github.com/0voice/expert_readed_books) - 2021年最新总结,推荐工程师合适读本,计算机科学,软件技术,创业,思想类,数学类,人物传记书籍 764 | * 【2023-06-13】[chika0801 / tuic-install](https://github.com/chika0801/tuic-install) - TUIC 安装指南 765 | * 【2023-06-13】[qianqianwang68 / omnimotion](https://github.com/qianqianwang68/omnimotion) - 766 | * 【2023-06-13】[luchihoratiu / debug-via-ssh](https://github.com/luchihoratiu/debug-via-ssh) - Here you can find a GitHub Action that allows you to connect to a GitHub Actions runner via SSH for interactive debugging using ngrok. 767 | * 【2023-06-12】[cert-orangecyberdefense / ransomware_map](https://github.com/cert-orangecyberdefense/ransomware_map) - Map tracking ransomware, by OCD World Watch team 768 | * 【2023-06-12】[dave1010 / tree-of-thought-prompting](https://github.com/dave1010/tree-of-thought-prompting) - Using Tree-of-Thought Prompting to boost ChatGPT's reasoning 769 | * 【2023-06-12】[the-markup / xandr-audience-segments](https://github.com/the-markup/xandr-audience-segments) - 770 | * 【2023-06-10】[jenndryden / Canadian-Tech-Internships-Summer-2024](https://github.com/jenndryden/Canadian-Tech-Internships-Summer-2024) - Crowdsourced list of Canadian tech companies that are hiring interns for Summer 2024 771 | * 【2023-06-10】[Visualize-ML / Book2_Beauty-of-Data-Visualization](https://github.com/Visualize-ML/Book2_Beauty-of-Data-Visualization) - Book_2_《可视之美》 | 鸢尾花书:从加减乘除到机器学习;本册草稿正在改版,预计6月初开始上传新版 772 | * 【2023-06-10】[devcontainers / spec](https://github.com/devcontainers/spec) - Development Containers: Use a container as a full-featured development environment. 773 | * 【2023-06-10】[XiaoxinHe / Awesome-Graph-LLM](https://github.com/XiaoxinHe/Awesome-Graph-LLM) - A collection of AWESOME things about Graph-Related LLMs. 774 | * 【2023-06-10】[rwaldron / idiomatic.js](https://github.com/rwaldron/idiomatic.js) - Principles of Writing Consistent, Idiomatic JavaScript 775 | * 【2023-06-10】[unAlpha / Sharing](https://github.com/unAlpha/Sharing) - 用于分享散步的彭导视频中的内容 776 | * 【2023-06-10】[marud1024 / 1024](https://github.com/marud1024/1024) - 777 | * 【2023-06-10】[UncensoredHiddenWiki / onion-links](https://github.com/UncensoredHiddenWiki/onion-links) - The Hidden Wiki 778 | * 【2023-06-10】[spekulatius / infosec-dorks](https://github.com/spekulatius/infosec-dorks) - A Personal Collection of Infosec Dorks 779 | * 【2023-06-10】[apple / device-management](https://github.com/apple/device-management) - Device management schema data for MDM. 780 | * 【2023-06-08】[pseudoyu / yu-tools](https://github.com/pseudoyu/yu-tools) - 我的个人工具箱 (设备, macOS 软件, iOS Apps...) 781 | * 【2023-06-07】[Furkan-Gulsen / turkce-go-egitimi](https://github.com/Furkan-Gulsen/turkce-go-egitimi) - Bu repo, Go dilini hızlı bir şekilde öğrenmek isteyenler için hazırlanmış bir eğitim serisidir. Toplamda 40 konuyu, örnekler üzerinden anlatarak dilin temel yapılarını kapsar. 782 | * 【2023-06-07】[snwfdhmp / awesome-gpt-prompt-engineering](https://github.com/snwfdhmp/awesome-gpt-prompt-engineering) - A curated list of awesome resources, tools, and other shiny things for GPT prompt engineering. 783 | * 【2023-06-07】[h9-tect / ML-DL_Roadmap.](https://github.com/h9-tect/ML-DL_Roadmap.) - 784 | * 【2023-06-07】[InternLM / InternLM-techreport](https://github.com/InternLM/InternLM-techreport) - 785 | * 【2023-06-07】[wddadk / Offensive-OSINT-Tools](https://github.com/wddadk/Offensive-OSINT-Tools) - OffSec OSINT Pentest/RedTeam Tools 786 | * 【2023-06-07】[chencl1986 / Blog](https://github.com/chencl1986/Blog) - Welcome to lee's blog. 787 | * 【2023-06-05】[nevermore3d / Nevermore_Micro](https://github.com/nevermore3d/Nevermore_Micro) - Activated Carbon Filters. Bad smells or fumes, or complaints thereof, should not keep you from being a maker! 788 | * 【2023-06-05】[Tunas1337 / UV-K5-Modded-Firmwares](https://github.com/Tunas1337/UV-K5-Modded-Firmwares) - A collection of modified firmwares for the Quansheng UV-K5 radio. 789 | * 【2023-06-05】[AdmTal / chat-gpt-games](https://github.com/AdmTal/chat-gpt-games) - Prompts for playable games in ChatGPT 790 | * 【2023-06-05】[reactwg / server-components](https://github.com/reactwg/server-components) - 791 | * 【2023-06-05】[AlanChen4 / Summer-2024-SWE-Internships](https://github.com/AlanChen4/Summer-2024-SWE-Internships) - Summer 2024 software engineering internships updated automatically everyday 792 | * 【2023-06-05】[LNP-BP / layer1](https://github.com/LNP-BP/layer1) - Paper on new bitcoin layer 1 design 793 | * 【2023-06-05】[mengzehe / TVBox](https://github.com/mengzehe/TVBox) - TVBox自用源以及仓库源、直播源等 794 | * 【2023-06-05】[ccmuyuu / bilibili-emotes](https://github.com/ccmuyuu/bilibili-emotes) - bilibili已发布的表情包 795 | * 【2023-06-04】[coderQuad / New-Grad-Positions](https://github.com/coderQuad/New-Grad-Positions) - A collection of New Grad full time roles in SWE, Quant, and PM. 796 | * 【2023-06-04】[kadenzipfel / smart-contract-vulnerabilities](https://github.com/kadenzipfel/smart-contract-vulnerabilities) - A collection of smart contract vulnerabilities along with prevention methods. 797 | * 【2023-06-04】[Zeyad-Azima / Offensive-Resources](https://github.com/Zeyad-Azima/Offensive-Resources) - A Huge Learning Resources with Labs For Offensive Security Players 798 | * 【2023-06-04】[Trident-Development / 2024-new-grad-intern](https://github.com/Trident-Development/2024-new-grad-intern) - US Tech intern/new-grad positions for 2024 799 | * 【2023-06-03】[2004content / rarbg](https://github.com/2004content/rarbg) - Backup of magnets from RARBG 800 | * 【2023-06-03】[JDDKCN / KCN-GenshinServer](https://github.com/JDDKCN/KCN-GenshinServer) - 基于GC制作的原神一键GUI多功能服务端。 801 | * 【2023-06-03】[owen2000wy / owentv](https://github.com/owen2000wy/owentv) - owentv, more stable, more fun. 802 | * 【2023-06-03】[OAI / moonwalk](https://github.com/OAI/moonwalk) - This repo is highly exploratory and therefore volatile. Radical ideas are here to provoke discussion. 803 | * 【2023-06-03】[DoctorWebLtd / malware-iocs](https://github.com/DoctorWebLtd/malware-iocs) - 804 | * 【2023-06-03】[danhpaiva / una-psc-alg-conta-bancaria-java-poo](https://github.com/danhpaiva/una-psc-alg-conta-bancaria-java-poo) - ➕~ Exercício para fixacao do conteúdo programático de POO 805 | * 【2023-06-03】[bleach1991 / lede](https://github.com/bleach1991/lede) - 806 | * 【2023-06-02】[Illumine-Labs / GreatMaster](https://github.com/Illumine-Labs/GreatMaster) - Master, help us to awaken and enlighten. 大师,我悟了。 807 | * 【2023-06-02】[PerimeterX / go-project-structure](https://github.com/PerimeterX/go-project-structure) - 808 | * 【2023-06-02】[gaboolic / vercel-reverse-proxy](https://github.com/gaboolic/vercel-reverse-proxy) - vercel反向代理|OpenAI/ChatGPT 免翻墙代理|github免翻墙代理|github下载加速|google代理|vercel万能代理 809 | * 【2023-06-02】[EmbodiedGPT / EmbodiedGPT_Pytorch](https://github.com/EmbodiedGPT/EmbodiedGPT_Pytorch) - 810 | * 【2023-06-02】[jaenyeong / Teach_Wanted-PreOnBoarding-Backend-Challenge](https://github.com/jaenyeong/Teach_Wanted-PreOnBoarding-Backend-Challenge) - 원티드 프리온보딩 백엔드 챌린지 6월 과정 811 | * 【2023-06-02】[camartinezbu / recursos_ciencia_datos](https://github.com/camartinezbu/recursos_ciencia_datos) - Este repositorio contiene una colección de enlaces a libros y recursos sobre ciencia de datos. 812 | * 【2023-06-02】[icoz69 / StyleAvatar3D](https://github.com/icoz69/StyleAvatar3D) - Official repo for StyleAvatar3D 813 | * 【2023-06-01】[yzfly / wonderful-prompts](https://github.com/yzfly/wonderful-prompts) - 🔥中文 prompt 精选🔥,ChatGPT 使用指南,提升 ChatGPT 可玩性和可用性!🚀 814 | --------------------------------------------------------------------------------