GitHubのTrendを総評してみた(2019/11)

先月に引き続きやっていきます。

先月の最後らへん、若干頻度落ちたので頑張る 💪

[https://morimori-kochan.hatenablog.com/entry/2019/10/04/105310:embed:cite]

[:contents]

30日

flowy

[https://github.com/alyssaxuu/flowy:embed:cite]

Javascriptで綺麗なフローチャートが書けるツール。

jQueryが必要。というか npmではダウンロードできない。

blocks

[https://github.com/blocks/blocks:embed:cite]

同じくJavascriptで、DOMをGUIから組み立てることができるツール。アルファ版。Wordpressとかに入っているものより高性能に見える。使いこなせるかは人を選びそう

roughViz

[https://github.com/jwilber/roughViz:embed:cite]

またまたJavascript。手書き風のグラフが書けるツール。Javascriptのなんかのイベントで取り上げられたんかな?

[https://raw.githubusercontent.com/jwilber/random_data/master/roughViz.gif:image=https://raw.githubusercontent.com/jwilber/random_data/master/roughViz.gif]

https://github.com/jwilber/roughViz

思ったより手書き風。使いどこは謎。

anonaddy

[https://anonaddy.com/:embed:cite]

匿名のメールアドレスをボコボコ作り出せるサービス。 例えば morimorikochan をユーザーネームとして登録すると サブドメ(morimorikochan. anonaddy.com)が割り当てられ、それを使ったメアドが複数使える仕組み。

マネージドサービスとして売り出してるみたいやけど安い。3ドル払えば一日100個のメアドが手に入るとのこと。セキュリティの懸念とかでサイトによってメアドを使い分けたい一般人向けならわかるんやけど、一日100個メアド欲しがるユーザーは何かしら怪しいユーザーなんではない?

セルフホスティングも可能。こちらは無料。Dockerfileがないので試す気になれなかったw

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
co 130 544 C++ An elegant and efficient C++ basic library for Linux, Windows and Mac.
flowy 459 1729 JavaScript The minimal javascript library to create flowcharts ✨
bloc 6 3178 Dart A predictable state management library that helps implement the BLoC design pattern
ARC 35 637 JavaScript The Abstraction and Reasoning Corpus
blocks 207 1117 JavaScript A JSX-based page builder for creating beautiful websites without writing code
php-src 26 25727 C The PHP Interpreter
magento2 27 8134 PHP All Submissions you make to Magento Inc. (“Magento”) through GitHub are subject to the following terms and conditions: (1) You grant Magento a perpetual, worldwide, non-exclusive, no charge, royalty f
HelloGitHub 623 17897 Python Find pearls on open-source seashore 分享 GitHub 上有趣、入门级的开源项目
awesome-pentest 137 10479 undefined A collection of awesome penetration testing resources, tools and other shiny things
fastlane 44 27537 Ruby 🚀 The easiest way to automate building and releasing your iOS and Android apps
roughViz 1565 3917 JavaScript Reusable JavaScript library for creating sketchy/hand-drawn styled charts in the browser.
anonaddy 16 222 PHP Anonymous email forwarding
sherlock 89 8369 Python 🔎 Find usernames across social networks
AndroidUtilCode 66 25554 Java 🔥 Android developers should collect the following utils(updating).
react-native-cookies 8 756 Objective-C Cookie manager for React Native
aws-athena-query-federation 8 24 Java The Amazon Athena Query Federation SDK allows you to customize Amazon Athena with your own data sources and code.
mockito 14 9766 Java Most popular Mocking framework for unit tests written in Java
Advanced-React 51 2185 JavaScript Starter Files and Solutions for Full Stack Advanced React and GraphQL
CleanArchitecture 16 161 C# Clean Architecture Solution Template for Angular 8 and .NET Core 3
gin 89 33397 Go Gin is a HTTP web framework written in Go (Golang). It features a Martini-like API with much better performance – up to 40 times faster. If you need smashing performance, get yourself some Gin.
opensource.guide 2 6114 JavaScript 📚 Community guides for open source creators
ddBuy 187 920 Vue 🎉Vue2.x 全家桶+Vant 搭建大型单页面电商项目.http://ddbuy.7-orange.cn
fiora 130 2822 TypeScript An interesting chat application power by socket.io, koa, mongodb and react
SpringCloud 38 2251 Java 基于SpringCloud2.1的微服务开发脚手架,整合了spring-security-oauth2、nacos、feign、sentinel、springcloud-gateway等。服务治理方面引入elasticsearch、skywalking、springboot-admin、zipkin等,让项目开发快速进入业务开发,而不需过多时间花费在架构搭建上。持续更新中
storybook 33 43607 TypeScript 📓 UI component dev & test: React, Vue, Angular, React Native, Ember, Web Components & more!

29日

iced

[https://github.com/hecrj/iced:embed:cite]

ElmにインスパイアされたRust製クラスプラットフォームGUIライブラリ。最近クロスプラットフォームと効くと(やめろ…無茶はよせ….)という気分になる。

Elmのアーキテクチャにしたがっていて4つのコンセプトに沿っている

  • State — the state of your application
  • Messages — user interactions or meaningful events that you care about
  • View logic — a way to display your state as widgets that may produce messages on user interaction
  • Update logic — a way to react to messages and update your state

GUIのものをObject指向な言語で表現するのは個人的には無理があると思っている。Androidのxmlだったりhtmlだったりが最適じゃないんかな?

以下のサンプルだと、columnという型があったがColumnの柔軟性がなくなってしまっている気がするから

use iced::{Button, Column, Text};

impl Counter {
    pub fn view(&mut self) -> Column<Message> {
        // We use a column: a simple vertical layout
        Column::new()
            .push(
                // The increment button. We tell it to produce an
                // `IncrementPressed` message when pressed
                Button::new(&mut self.increment_button, Text::new("+"))
                    .on_press(Message::IncrementPressed),
            )
            .push(
                // We show the value of the counter here
                Text::new(&self.value.to_string()).size(50),
            )
            .push(
                // The decrement button. We tell it to produce a
                // `DecrementPressed` message when pressed
                Button::new(&mut self.decrement_button, Text::new("-"))
                    .on_press(Message::DecrementPressed),
            )
    }

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
gorm 56 16076 Go The fantastic ORM library for Golang, aims to be developer friendly
ddBuy 155 734 Vue 🎉Vue2.x 全家桶+Vant 搭建大型单页面电商项目.http://ddbuy.7-orange.cn
iced 466 2258 Rust A cross-platform GUI library for Rust, inspired by Elm
gin 41 33301 Go Gin is a HTTP web framework written in Go (Golang). It features a Martini-like API with much better performance – up to 40 times faster. If you need smashing performance, get yourself some Gin.
ARC 20 601 JavaScript The Abstraction and Reasoning Corpus
Ink 69 750 Swift A fast and flexible Markdown parser written in Swift.
cypress 54 16366 CoffeeScript Fast, easy and reliable testing for anything that runs in a browser.
G2Plot 43 227 TypeScript 🍡 An interactive and responsive charting library based on the grammar of graphics.
dimensionality_reduction_alo_codes 39 515 Python PCA、LDA、MDS、LLE、TSNE等降维算法的python实现
jumpserver 240 11270 JavaScript Jumpserver是全球首款完全开源的堡垒机,是符合 4A 的专业运维审计系统。
sagemaker-python-sdk 31 884 Python A library for training and deploying machine learning models on Amazon SageMaker
magento2 20 8122 PHP All Submissions you make to Magento Inc. (“Magento”) through GitHub are subject to the following terms and conditions: (1) You grant Magento a perpetual, worldwide, non-exclusive, no charge, royalty f
fastlane 19 27493 Ruby 🚀 The easiest way to automate building and releasing your iOS and Android apps
blocks 233 864 JavaScript A JSX-based page builder for creating beautiful websites without writing code
lottie-ios 31 18590 Swift An iOS library to natively render After Effects vector animations
Advanced-React 8 2128 JavaScript Starter Files and Solutions for Full Stack Advanced React and GraphQL
netdata 67 42756 C Real-time performance monitoring, done right! https://my-netdata.io/
12306 22 17843 Python 12306智能刷票,订票
Black-Friday-Deals 9 241 Swift Black Friday Deals for macOS / iOS Software & Books
flutter 106 80319 Dart Flutter makes it easy and fast to build beautiful mobile apps.
atom 18 50512 JavaScript The hackable text editor
code-server 64 25694 TypeScript Run VS Code on a remote server.
tokio 23 6622 Rust A runtime for writing reliable asynchronous applications with Rust. Provides I/O, networking, scheduling, timers, …
NLP-progress 71 12996 Python Repository to track the progress in Natural Language Processing (NLP), including the datasets and the current state-of-the-art for the most common NLP tasks.
micropython 13 9569 C MicroPython - a lean and efficient Python implementation for microcontrollers and constrained systems

28日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
iced 275 1893 Rust A cross-platform GUI library for Rust, inspired by Elm
machine-learning-systems-design 352 1943 HTML A booklet on machine learning systems design with exercises
sherlock 92 8133 Python 🔎 Find usernames across social networks
jumpserver 30 11042 JavaScript Jumpserver是全球首款完全开源的堡垒机,是符合 4A 的专业运维审计系统。
fluent-ui-react 14 589 TypeScript A work in progress; please stand by.
sagemaker-python-sdk 1 855 Python A library for training and deploying machine learning models on Amazon SageMaker
Vue.Draggable 25 9968 JavaScript Vue drag-and-drop component based on Sortable.js
quic-go 12 3452 Go A QUIC implementation in pure go
Mindustry 43 2096 Java A sandbox tower defense game
Corsy 37 268 Python CORS Misconfiguration Scanner
mockito 16 9714 Java Most popular Mocking framework for unit tests written in Java
Ultimate-Facebook-Scraper 68 901 Python 🤖 A bot which scrapes almost everything about a Facebook user’s profile including all public posts/statuses available on the user’s timeline, uploaded photos, tagged photos, videos, friends list and
dlwpt-code 24 478 Jupyter Notebook Code for the book Deep Learning with PyTorch by Eli Stevens and Luca Antiga.
julia 35 24474 Julia The Julia Language: A fresh approach to technical computing.
react-native-cookies 0 738 Objective-C Cookie manager for React Native
dep 10 12894 Go Go dependency management tool
protobuf 48 5754 Go Go support for Google’s protocol buffers
yolov3 23 2855 Jupyter Notebook YOLOv3 in PyTorch > ONNX > CoreML > iOS
gorm 25 16009 Go The fantastic ORM library for Golang, aims to be developer friendly
tads-boilerplate 28 173 Shell Terraform + Ansible + Docker Swarm boilerplate = DevOps on 🔥🔥🔥
electron-ssr-backup 20 2457 undefined electron-ssr原作者删除了这个伟大的项目,故备份了下来,不继续开发,且用且珍惜
grpc-go 9 10087 Go The Go language implementation of gRPC. HTTP/2 based RPC
lottie-ios 10 18564 Swift An iOS library to natively render After Effects vector animations
protobuf 33 38708 C++ Protocol Buffers - Google’s data interchange format
sentry 43 23022 Python Sentry is cross-platform application monitoring, with a focus on error reporting.

27日

cypress

[https://www.cypress.io/:embed:cite]

webで使用できるテストツール。テストの様子を閲覧できたりインタラクティブに設定を変更できたりと便利そう。

What is Cypress? from Cypress.io on Vimeo.

Cypress Test Runner はテストを走らせるツールだが、これ自体はOSSなので無料。

その結果をビジュアライズできるCypress Dashboard Service は無料~$399/ month まで種類がある。

ちょうどフロントのテストツールを導入したいと思っていたので割とあり。 differencifyと迷う

amazon-sagemaker-examples

[https://github.com/awslabs/amazon-sagemaker-examples:embed:cite]

awsのsagemakerのサンプルリポジトリ。AutoMLがとても有名な中どのぐらいsagemakerが使えるかどうかがきになる。

すでにAutoMLおじさんがいるけどatmaCupでsagemaker使ってみたい。

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
Jetpack-MVVM-Best-Practice 54 1298 Java 是 难得一见 的 Jetpack MVVM 最佳实践!在 蕴繁于简 的代码中,对 视图控制器 乃至 标准化开发模式 形成正确、深入的理解!
flutter 102 80020 Dart Flutter makes it easy and fast to build beautiful mobile apps.
angular-cli 5 22654 TypeScript CLI tool for Angular
cypress 30 16152 JavaScript Fast, easy and reliable testing for anything that runs in a browser.
cuml 12 906 C++ cuML - RAPIDS Machine Learning Library
geo-heatmap 77 366 Python 🗺 Generate an interactive geo heatmap from your Google location data
ddBuy 57 423 Vue 🎉Vue2.x 全家桶+Vant 搭建大型单页面电商项目.http://ddbuy.7-orange.cn
svelte 113 26839 JavaScript Cybernetically enhanced web apps
googletest 18 13760 C++ Googletest - Google Testing and Mocking Framework
ra1nstorm-helper 10 54 Inno Setup Automatically configures an environment to run checkra1n
transformers 70 17687 Python 🤗 Transformers: State-of-the-art Natural Language Processing for TensorFlow 2.0 and PyTorch.
gin 44 33188 Go Gin is a HTTP web framework written in Go (Golang). It features a Martini-like API with much better performance – up to 40 times faster. If you need smashing performance, get yourself some Gin.
onnx-tensorrt 6 486 C++ ONNX-TensorRT: TensorRT backend for ONNX
12306 34 17698 Python 12306智能刷票,订票
puppeteer 56 56230 JavaScript Headless Chrome Node.js API
Twig 2 6503 PHP Twig, the flexible, fast, and secure template language for PHP
protobuf 8 5705 Go Go support for Google’s protocol buffers
makesite 49 1138 Python Simple, lightweight, and magic-free static site/blog generator for Python coders
redis 13 7394 Go Type-safe Redis client for Golang
gin-swagger 6 744 Go gin middleware to automatically generate RESTful API documentation with Swagger 2.0.
amazon-sagemaker-examples 6 2696 Jupyter Notebook Example notebooks that show how to apply machine learning, deep learning and reinforcement learning in Amazon SageMaker
go-admin 18 1852 Go A dataviz framework help gopher to build a admin panel in ten minutes
SVProgressHUD 6 11915 Objective-C A clean and lightweight progress HUD for your iOS and tvOS app.
CS-Notes 110 83815 Java 📚 技术面试必备基础知识、Leetcode、Java、C++、Python、后端面试、计算机操作系统、计算机网络、系统设计
mail 1 3144 Ruby A Really Ruby Mail Library

26日

Ultimate-Facebook-Scraper

[https://github.com/harismuneer/Ultimate-Facebook-Scraper:embed:cite]

Facebookに投稿されているユーザーの以下の情報をスクレイピングして取得するツール。

頻繁にDOM構造が変わるためxpathの修正プルリクエストをいつでも歓迎しているとのこと。

sherlock

[https://sherlock-project.github.io/:embed:cite]

ユーザー名から様々なSNSでアカウントを探してくるためのツール。 ハッカーの学校 で紹介されてたけど、特に探したい人がいなくて使わなかった。

この際だから、自分のidでやってみた

➜  sherlock git:(master) python3 sherlock.py ㊙㊙㊙㊙

[*] Checking username ㊙㊙㊙㊙ on:
[-] ResearchGate: Illegal Username Format For This Site!
[-] 2Dimensions: Not Found!
[-] Error Connecting: 500px
[-] 500px: Error!
[-] 9GAG: Not Found!
[-] About.me: Not Found!
[-] Academia.edu: Not Found!
[-] Anobii: Not Found!
[-] Aptoide: Not Found!
[-] Archive.org: Not Found!
[-] AskFM: Not Found!
[-] BLIP.fm: Not Found!
[-] Badoo: Not Found!
[-] Error Connecting: Bandcamp
[-] Bandcamp: Error!
[-] Basecamp: Not Found!
[-] Behance: Not Found!
[-] BitBucket: Not Found!
[-] BitCoinForum: Not Found!
[-] Blogger: Not Found!
[-] Brew: Not Found!
[-] BuyMeACoffee: Not Found!
[-] Error Connecting: BuzzFeed
[-] BuzzFeed: Error!
[-] Canva: Not Found!
[-] Carbonmade: Not Found!
[-] CashMe: Not Found!
[-] Cent: Not Found!
[-] Error Connecting: Cloob
[-] Cloob: Error!
[-] Codecademy: Not Found!
[-] Codechef: Not Found!
[-] Codementor: Not Found!
[-] Coderwall: Not Found!
[-] Codewars: Not Found!
[-] ColourLovers: Not Found!
[-] Contently: Not Found!
[-] Coroflot: Not Found!
[-] CreativeMarket: Not Found!
[-] Crevado: Not Found!
[-] Crunchyroll: Not Found!
[+] DEV Community: https://dev.to/㊙㊙㊙㊙
[-] DailyMotion: Not Found!
[-] Designspiration: Not Found!
[-] DeviantART: Not Found!
[-] Discogs: Not Found!
[-] Discuss.Elastic.co: Not Found!
[-] Disqus: Not Found!
[+] Docker Hub: https://hub.docker.com/u/㊙㊙㊙㊙/
[+] Dribbble: https://dribbble.com/㊙㊙㊙㊙
[-] Ebay: Not Found!
[-] Ello: Not Found!
[-] Etsy: Not Found!
[-] EyeEm: Not Found!
[-] Facebook: Not Found!
[-] Fandom: Not Found!
[-] Error Connecting: Filmogs
[-] Filmogs: Error!
[-] Flickr: Not Found!
[-] Flightradar24: Not Found!
[-] Flipboard: Not Found!
[-] Foursquare: Not Found!
[-] Giphy: Not Found!
[-] GitHub: Not Found!
[+] GitLab: https://gitlab.com/㊙㊙㊙㊙
[-] Gitee: Not Found!
[-] GoodReads: Not Found!
[-] Gravatar: Not Found!
[-] Gumroad: Not Found!
[-] HackerNews: Not Found!
[-] HackerOne: Not Found!
[-] HackerRank: Not Found!
[-] House-Mixes.com: Not Found!
[-] Error Connecting: Houzz
[-] Houzz: Error!
[-] HubPages: Not Found!
[-] Error Connecting: Hubski
[-] Hubski: Error!
[-] IFTTT: Not Found!
[-] ImageShack: Not Found!
[+] Instagram: https://www.instagram.com/㊙㊙㊙㊙
[-] Instructables: Not Found!
[-] Error Connecting: Investing.com
[-] Investing.com: Error!
[-] Issuu: Not Found!
[-] Itch.io: Not Found!
[-] Jimdo: Not Found!
[-] Kaggle: Not Found!
[-] KanoWorld: Not Found!
[-] Keybase: Not Found!
[-] Kik: Not Found!
[-] Kongregate: Not Found!
[-] Launchpad: Not Found!
[-] LeetCode: Not Found!
[-] Letterboxd: Not Found!
[-] LiveJournal: Not Found!
[-] Lobsters: Not Found!
[-] Mastodon: Not Found!
[+] Medium: https://medium.com/@㊙㊙㊙㊙
[-] MeetMe: Not Found!
[-] MixCloud: Not Found!
[-] MyAnimeList: Not Found!
[-] Myspace: Not Found!
[-] NPM: Not Found!
[-] NPM-Package: Not Found!
[-] NameMC (Minecraft.net skins): Not Found!
[-] Error Connecting: NationStates Nation
[-] NationStates Nation: Error!
[-] NationStates Region: Not Found!
[-] Newgrounds: Not Found!
[-] OK: Not Found!
[-] OpenCollective: Not Found!
[-] Packagist: Not Found!
[-] Pastebin: Not Found!
[-] Error Connecting: Patreon
[-] Patreon: Error!
[-] Pexels: Not Found!
[-] Photobucket: Not Found!
[+] Pinterest: https://www.pinterest.com/㊙㊙㊙㊙/
[-] Pixabay: Not Found!
[-] Error Connecting: PlayStore
[-] PlayStore: Error!
[-] Error Connecting: Plug.DJ
[-] Plug.DJ: Error!
[-] Pokemon Showdown: Not Found!
[-] ProductHunt: Not Found!
[-] Error Connecting: Quora
[-] Quora: Error!
[-] Rajce.net: Not Found!
[-] Rate Your Music: Not Found!
[-] Error Connecting: Reddit
[-] Reddit: Error!
[-] Repl.it: Not Found!
[-] ReverbNation: Not Found!
[-] Roblox: Not Found!
[-] Scratch: Not Found!
[-] Scribd: Not Found!
[-] Error Connecting: Signal
[-] Signal: Error!
[-] Slack: Not Found!
[-] Error Connecting: SlideShare
[-] SlideShare: Error!
[-] Error Connecting: Smashcast
[-] Smashcast: Error!
[-] Error Connecting: SoundCloud
[-] SoundCloud: Error!
[-] Error Connecting: SourceForge
[-] SourceForge: Error!
[-] Error Connecting: Speedrun.com
[-] Speedrun.com: Error!
[-] Splits.io: Not Found!
[-] Error Connecting: Spotify
[-] Spotify: Error!
[-] Star Citizen: Not Found!
[+] Steam: https://steamcommunity.com/id/㊙㊙㊙㊙
[-] SteamGroup: Not Found!
[-] T-MobileSupport: Not Found!
[-] Taringa: Not Found!
[-] Teknik: Not Found!
[-] Telegram: Not Found!
[-] Tellonym.me: Not Found!
[-] TikTok: Not Found!
[-] Tinder: Not Found!
[-] TradingView: Not Found!
[-] Trakt: Not Found!
[-] Trello: Not Found!
[-] Error Connecting: Trip
[-] Trip: Error!
[-] TripAdvisor: Not Found!
[-] Twitch: Not Found!
[-] Error Connecting: Twitter
[-] Twitter: Error!
[-] Ultimate-Guitar: Not Found!
[-] Unsplash: Not Found!
[-] Error Connecting: VK
[-] VK: Error!
[-] Error Connecting: VSCO
[-] VSCO: Error!
[-] Error Connecting: Venmo
[-] Venmo: Error!
[-] Vimeo: Not Found!
[-] Virgool: Not Found!
[-] VirusTotal: Not Found!
[-] Wattpad: Not Found!
[-] We Heart It: Not Found!
[-] WebNode: Not Found!
[-] Error Connecting: Wikipedia
[-] Wikipedia: Error!
[-] Wix: Not Found!
[-] WordPress: Not Found!
[-] Error Connecting: WordPressOrg
[-] WordPressOrg: Error!
[-] YouNow: Not Found!
[-] YouPic: Not Found!
[-] YouTube: Not Found!
[-] Zhihu: Not Found!
[-] Error Connecting: Zomato
[-] Zomato: Error!
[-] authorSTREAM: Not Found!
[-] boingboing.net: Not Found!
[-] devRant: Not Found!
[-] fanpop: Not Found!
[-] gfycat: Not Found!
[-] Error Connecting: iMGSRC.RU
[-] iMGSRC.RU: Error!
[-] last.fm: Not Found!
[-] mixer.com: Not Found!
[-] osu!: Not Found!
[-] Error Connecting: segmentfault
[-] segmentfault: Error!
[-] Polygon: Not Found!
[-] Wikidot: Not Found!
[-] GuruShots: Not Found!
[-] Shockwave: Not Found!
[-] ImgUp.cz: Not Found!
[-] Alík.cz: Not Found!
[-] Sbazar.cz: Not Found!
➜  sherlock git:(master) 

めっちゃ出てきた。。 怖い

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
algorithm-visualizer 212 26382 JavaScript 🎆Interactive Online Platform that Visualizes Algorithms from Code
Mindustry 16 1914 Java A sandbox tower defense game
digital_video_introduction 323 8560 Jupyter Notebook A hands-on introduction to video technology: image, video, codec (av1, vp9, h265) and more (ffmpeg encoding).
Production-Level-Deep-Learning 182 361 undefined This repo attempts to serve as a guideline for building practical production-level deep learning systems to be deployed in real world applications.
deeplearning-models 58 10007 Jupyter Notebook A collection of various deep learning architectures, models, and tips
gost 45 4419 Go GO Simple Tunnel - a simple tunnel written in golang
Ultimate-Facebook-Scraper 22 654 Python 🤖 A bot which scrapes almost everything about a Facebook user’s profile including all public posts/statuses available on the user’s timeline, uploaded photos, tagged photos, videos, friends list and
electron-ssr-backup 27 2329 undefined electron-ssr原作者删除了这个伟大的项目,故备份了下来,不继续开发,且用且珍惜
Complete-Python-3-Bootcamp 15 6713 Jupyter Notebook Course Files for Complete Python 3 Bootcamp Course on Udemy
sherlock 38 7905 Python 🔎 Find usernames across social networks
dlwpt-code 47 387 Jupyter Notebook Code for the book Deep Learning with PyTorch by Eli Stevens and Luca Antiga.
V2rayU 46 4462 Swift V2rayU,基于v2ray核心的mac版客户端,用于科学上网,使用swift编写,支持vmess,shadowsocks,socks5等服务协议,支持订阅, 支持二维码,剪贴板导入,手动配置,二维码分享等
ardupilot 4 4519 C++ ArduPlane, ArduCopter, ArduRover source
scikit-learn 22 38188 Python scikit-learn: machine learning in Python
svelte 131 26734 JavaScript Cybernetically enhanced web apps
academic_advisory 15 361 undefined Collected opinions and advice for academic programs focused on data science skills.
coc.nvim 15 7399 TypeScript Intellisense engine for vim8 & neovim, full language server protocol support as VSCode
voidrice 2 1941 Shell My dotfiles (deployed by LARBS)
materials 3 1107 Jupyter Notebook Bonus materials, exercises, and example projects for our Python tutorials
RandomX 2 253 C++ Proof of work algorithm based on random code execution
stb 11 11200 C stb single-file public domain libraries for C/C++
Real-Time-Voice-Cloning 190 12638 Python Clone a voice in 5 seconds to generate arbitrary speech in real-time
python-for-android 19 5608 Python Turn your Python application into an Android APK
Cpp-0-1-Resource 32 281 C++ C++ 匠心之作 从0到1入门资料
docker-compose-lamp 8 557 PHP A basic LAMP stack environment built using Docker Compose.

25日

Cube.js

[https://cube.dev/:embed:cite]

Analytics Frameworkとあるが、metbase とか redash とかのBIツールということでいいんか?

アーキテクチャの図↓

サポートするDBは12種類。また、2段階のキャッシュシステムで賢く使えるとのこと

Cube.js comes with a two-level caching system, which allows for building flexible and extremely performant dashboards and reports. The built-in pre-aggregation engine aggregates raw data into roll-up tables and keeps them up to date. Queries, even with different filters, hit the aggregated layer instead of raw data, which allows for a sub-second response on terabytes of underlying data.

さらには、フロントのカスタマイズも vue angular react で作成できるインテグレーションがあって優しい。

geo-heatmap

[https://github.com/luka1199/geo-heatmap:embed:cite]

googleの位置情報をgoogleMapに映し出せるツール。

これに沿って試してみた。

python3あり・pipなしなMacです まず位置情報がダウンロードできるTakeoutにアクセス。位置情報のみを選択しダウンロード。解凍し ロケーション履歴.jsonを確認

$ git clone https://github.com/luka1199/geo-heatmap.git
$ cd geo-heatmap/
$ wget https://bootstrap.pypa.io/get-pip.py
$ python3 get-pip.py
$ pip install -r requirements.txt
$ python3 geo_heatmap.py ~/Downloads/Takeout/ロケーション履歴/ロケーション履歴.json
Loading data from /Users/XXXXXXX/Downloads/Takeout/ロケーション履歴/ロケーション履歴.json...
|#################################################################################################################################################################################|100% Time:  0:00:00
Generating heatmap...
Saving map to heatmap.html...
Opening heatmap.html in browser...

実行した結果↓。今のお家はgoogleに補足されていないようで安心したがあまり面白くないw

[f:id:Kouchannel55:20191125111339p:plain]
出力結果

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
Financial-Models-Numerical-Methods 1524 1566 Jupyter Notebook Collection of notebooks about quantitative finance, with interactive python code.
geo-heatmap 122 147 Python 🗺 A script that generates an interactive geo heatmap from your Google location data
pytorch-tutorial 33 14234 Python PyTorch Tutorial for Deep Learning Researchers
linux 7 6208 C Kernel source tree for Raspberry Pi Foundation-provided kernel builds. Issues unrelated to the linux kernel should be posted on the community forum at https://www.raspberrypi.org/forum
flan 910 1205 Python A pretty sweet vulnerability scanner
postwoman 1514 8884 Vue 👽 API request builder - A free, fast, and beautiful alternative to Postman https://postwoman.io 🔥
svelte 110 26608 JavaScript Cybernetically enhanced web apps
leetcode 128 22960 JavaScript LeetCode Solutions: A Record of My Problem Solving Journey.( leetcode题解,记录自己的leetcode解题之路。)
complete-javascript-course 13 2418 JavaScript Starter files, final projects and FAQ for my Complete JavaScript course
cube.js 129 5932 JavaScript 📊 Cube.js - Open Source Analytics Framework
ShadowsocksX-NG 67 25321 Swift Next Generation of ShadowsocksX
coding-interview-university 654 93744 undefined A complete computer science study plan to become a software engineer.
discord.js 7 4687 JavaScript A powerful JavaScript library for interacting with the Discord API
free-programming-books 467 132005 undefined 📚 Freely available programming books
Python 605 62499 Python All Algorithms implemented in Python
advanced-css-course 4 1567 CSS Starter files, final projects and FAQ for my Advanced CSS course
algorithm-visualizer 424 26186 JavaScript 🎆Interactive Online Platform that Visualizes Algorithms from Code
dolphin 9 5720 C++ Dolphin is a GameCube / Wii emulator, allowing you to play games for these two platforms on PC with improvements.
metasploit-framework 24 18871 Ruby Metasploit Framework
xmrig 6 2717 C++ RandomX, CryptoNight and Argon2 CPU miner
AMD_Vanilla 6 779 undefined Native AMD macOS via Clover & OpenCore
v2ray-core 148 24663 Go A platform for building proxies to bypass network restrictions.
runelite 4 2548 Java Open source Old School RuneScape client
PythonRobotics 13 7369 Jupyter Notebook Python sample codes for robotics algorithms.
LearnOpenGL 13 3495 C++ Code repository of all OpenGL tutorials found at https://learnopengl.com

24日

dolphinscheduler

[https://dolphinscheduler.apache.org/en-us/:embed:cite]

DAG(有向グラフ)で表現されたスケジュールツール。データ処理の仕組みで使える。

motrix

ダウンロードマネージャー。シンプルなデザインでBitTorrentをサポートしてたりUserAgentを偽装できたりと便利。

[https://motrix.app/features:embed:cite]

simple-twitter

[https://github.com/Gabriel439/simple-twitter:embed:cite]

1ファイルで構成されたtwitter。画面はシンプル。使用されているnixは、Haskellのwebアプリケーションフレームワーク。Haskell挫折した勢なので、とてもHaskellの可能性を感じた

public-apis

[https://github.com/public-apis/public-apis:embed:cite]

開発で 自由に 無料で使用できるAPIを集めたリポジトリ。アニメからトータル300ぐらいありそう。

適当に選んでみた

https://newton.now.sh/

APIを通して数値計算ができる!!!それだけ

https://develop.battle.net/

ゲームのAPI。ハースストーン・Diabloなどのゲームそれぞれにゲーム内検索APIとコミュニティ検索APIの2種類がある。authが必要っぽい。例えばハースストーンだと カードの一覧検索ができる。ファンにとってはとても有用そう

https://api.nasa.gov/

NASAにもAPIがあるのか。。

しかもAPI一覧が面白い

  • apod ← その日の衛星写真が取得できる
  • Mars Rover Photos ← 火星の写真。実際に叩いて取得した写真
  • Exoplanet Archive ← NASAのパブリックなデータベースの情報を取得できる。叩いてみた結果、フォーマットがわけわからんが壮大さを感じる

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
algorithm-visualizer 174 25973 JavaScript 🎆Interactive Online Platform that Visualizes Algorithms from Code
coding-interview-university 430 93582 undefined A complete computer science study plan to become a software engineer.
advanced-go-programming-book 176 10998 Go 📚 《Go语言高级编程》开源图书,涵盖CGO、Go汇编语言、RPC实现、Protobuf插件实现、Web框架实现、分布式系统等高阶主题(完稿)
taro 20 22784 JavaScript 多端统一开发框架,支持用 React 的开发方式编写一次代码,生成能运行在微信/百度/支付宝/字节跳动/ QQ 小程序/快应用/H5/React Native 等的应用。 https://taro.jd.com/
incubator-dolphinscheduler 11 2834 Java Dolphin Scheduler is a distributed and easy-to-expand visual DAG workflow scheduling system, dedicated to solving the complex dependencies in data processing, making the scheduling system out of the b
loki 54 7923 Go Like Prometheus, but for logs.
Motrix 43 14630 JavaScript A full-featured download manager.
form-render 176 517 CSS 🏄 跨组件体系的表单渲染引擎 - 通过 JSON Schema 快速生成自定义表单配置界面
flan 651 983 Python A pretty sweet vulnerability scanner
weekly 29 9620 undefined 科技爱好者周刊,每周五发布
nmap-vulners 28 1732 Lua NSE script based on Vulners.com API
freeCodeCamp 346 306778 JavaScript The https://www.freeCodeCamp.org open source codebase and curriculum. Learn to code for free together with millions of people.
free-programming-books 355 131910 undefined 📚 Freely available programming books
spring-cloud-gateway 7 2036 Java A Gateway built on Spring Framework 5.x and Spring Boot 2.x providing routing and more.
googletest 11 13715 C++ Googletest - Google Testing and Mocking Framework
developer-roadmap 276 90866 undefined Roadmap to becoming a web developer in 2019
deeplearning-models 118 9861 Jupyter Notebook A collection of various deep learning architectures, models, and tips
simple-twitter 285 533 Nix A bare-bones Twitter clone implemented in a single file
clean-code-javascript 154 27023 JavaScript 🛁 Clean Code concepts adapted for JavaScript
awtk 14 1187 C AWTK = Toolkit AnyWhere(为嵌入式、手机和PC打造的通用GUI系统)
flink-learning 72 3073 Java flink learning blog. http://www.54tianzhisheng.cn 含 Flink 入门、概念、原理、实战、性能调优、源码解析等内容。涉及 Flink Connector、Metrics、Library、DataStream API、Table API & SQL 等内容的学习案例,还有 Flink 落地应用的大型项目案例分享。
tesseract 30 31247 C++ Tesseract Open Source OCR Engine (main repository)
nest 40 21573 TypeScript A progressive Node.js framework for building efficient, scalable, and enterprise-grade server-side applications on top of TypeScript & JavaScript (ES6, ES7, ES8) 🚀
bigcache 27 2843 Go Efficient cache for gigabytes of data written in Go.
public-apis 301 65653 Python A collective list of free APIs for use in software and web development.

23日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
Python 291 62176 Python All Algorithms implemented in Python
k3s 183 10178 Go Lightweight Kubernetes. 5 less than k8s.
form-render 97 412 CSS 🏄 跨组件体系的表单渲染引擎 - 通过 JSON Schema 快速生成自定义表单配置界面
postwoman 195 8058 Vue 👽 API request builder - A free, fast, and beautiful alternative to Postman https://postwoman.io 🔥
WebWindow 104 610 TypeScript .NET Core library to open native OS windows containing web UI on Windows, Mac, and Linux. Experimental.
scrcpy 57 21616 C Display and control your Android device
algorithm-visualizer 174 25828 JavaScript 🎆Interactive Online Platform that Visualizes Algorithms from Code
nebula 490 1999 Go A scalable overlay networking tool with a focus on performance, simplicity and security
Sourcetrail 518 3515 C++ Sourcetrail - free and open-source interactive source explorer
freeCodeCamp 230 306670 JavaScript The https://www.freeCodeCamp.org open source codebase and curriculum. Learn to code for free together with millions of people.
project-based-learning 154 26712 undefined Curated list of project-based tutorials
cube.js 87 5850 JavaScript 📊 Cube.js - Open Source Analytics Framework
JavaFamily 353 1546 undefined 【互联网一线大厂Java 工程师面试+学习指南】进阶知识完全扫盲:涵盖高并发、分布式、高可用、微服务等领域知识,作者风格幽默,看起来津津有味,把学习当做一种乐趣,何乐而不为,后端同学必看,前端同学我保证你也看得懂,看不懂你加我微信骂我渣男就好了。
JavaGuide 251 62160 Java 【Java学习+面试指南】 一份涵盖大部分Java程序员所需要掌握的核心知识。
CS-Notes 155 83564 Java 📚 技术面试必备基础知识、Leetcode、Java、C++、Python、后端面试、计算机操作系统、计算机网络、系统设计
coding-interview-university 381 93425 undefined A complete computer science study plan to become a software engineer.
jeecg-boot 73 7401 Java 一款基于代码生成器的JAVA快速开发平台,开源界“小普元”超越传统商业企业级开发平台!采用前后端分离架构:SpringBoot 2.x,Ant Design&Vue,Mybatis-plus,Shiro,JWT。强大的代码生成器让前后端代码一键生成,无需写任何代码! 引领新的开发模式(OnlineCoding模式-> 代码生成器模式-> 手工MERGE智能开发),帮助Java项目解决70%的重复工
AspNetCore 39 14739 C# ASP.NET Core is a cross-platform .NET framework for building modern cloud-based web applications on Windows, Mac, or Linux.
cascadia-code 41 8654 Python This is a fun, new monospaced font that includes programming ligatures and is designed to enhance the modern look and feel of the Windows Terminal.
advanced-go-programming-book 243 10918 Go 📚 《Go语言高级编程》开源图书,涵盖CGO、Go汇编语言、RPC实现、Protobuf插件实现、Web框架实现、分布式系统等高阶主题(完稿)
lite-youtube-embed 153 727 JavaScript A faster youtube embed.
night-reading-go 25 5548 Go Night-Reading-Go《Go 夜读》 > Share the related technical topics of Go every week through zoom online live broadcast, every day on the WeChat/Slack to communicate programming technology topics. 每周通过 zoom
Awesome-Hacking 54 32466 undefined A collection of various awesome lists for hackers, pentesters and security researchers
leetcode 53 22861 JavaScript LeetCode Solutions: A Record of My Problem Solving Journey.( leetcode题解,记录自己的leetcode解题之路。)
charts 22 10993 Go Curated applications for Kubernetes

22日

3d-ken-burns

[https://github.com/sniklaus/3d-ken-burns:embed:cite]

3D Ken Burns Effect という視覚効果を一枚の画像から可能にするpytorchのライブラリ。↓の動画見たらすごすぎて変な声でた。

[https://www.youtube.com/watch?v=WrajxHHfRBA:embed:cite]

やってみたいがpytorchの環境がローカルにない、、、

Sortable

[https://sortablejs.github.io/Sortable/:embed:cite]

ドラッグドロップで直感的に並び替えができるJavascriptのライブラリ。簡単。

Sortable.create(simpleList, { /* options */ });

jQuery-UIとDragulaとの比較動画も作られていて積極的に煽っている

univocity-trader

[https://github.com/uniVocity/univocity-trader:embed:cite]

株とかの自動取引するためのフレームワーク。Javaで作られている。

エントリポイントのサンプル↓

public static void main(String... args) {
 
 //TODO: configure your database connection here.
 SingleConnectionDataSource ds = new SingleConnectionDataSource();
 ... 
 
 //CandleRepository manages everything for us.
 CandleRepository.setDataSource(ds);
 
 //Instantiate the exchange API implementation you need
 BinanceExchange exchange = new BinanceExchange();
 
 //Gets all candes from the past 6 months
 final Instant start = LocalDate.now().minus(6, ChronoUnit.MONTHS).atStartOfDay().toInstant(ZoneOffset.UTC);
 
 //Only pair BTCUSDT is enabled in ALL_PAIRS, modify that to your liking
 for (String[] pair : ALL_PAIRS) {
  String symbol = pair[0] + pair[1];
  
  //Runs over stored candles backwards and tries to fill any gaps until the start date is reached.
  CandleRepository.fillHistoryGaps(exchange, symbol, start, TimeInterval.minutes(1)); // pulls one minute candles
 }
}

Strategyというクラスがこのフレームワークで重要で、このクラス内でSIGNALというものを発行して操作するだけ。サンプルではこんな感じだった↓

public class ExampleStrategy extends IndicatorStrategy {
 
 private final Set<Indicator> indicators = new HashSet<>();
 
 private final BollingerBand boll5m;
 private final BollingerBand boll1h;
 
 public ExampleStrategy() {
  indicators.add(boll5m = new BollingerBand(TimeInterval.minutes(5)));
  indicators.add(boll1h = new BollingerBand(TimeInterval.hours(1)));
 }
 
 @Override
 protected Set<Indicator> getAllIndicators() {
  return indicators;
 }
 
 @Override
 public Signal getSignal(Candle candle) {   
  //price jumped below lower band on the 1 hour time frame
  if (candle.high < boll1h.getLowerBand()) {    
   //on the 5 minute time frame, the lowest price of the candle is above the lower band.
   if (candle.low > boll5m.getLowerBand()) {           
    //still on the 5 minute time frame, the close price of the candle is under the middle band
    if (candle.close < boll5m.getMiddleBand()) {
     // if the slope of the 5 minute bollinger band is starting to point up, BUY 
     if (boll5m.movingUp()) { 
      return Signal.BUY;
     }
    }
   }
  }
                                             
  //candle hitting the upper band on the 1 hour time frame
  if (candle.high > boll1h.getUpperBand()) {  
   //on the 5 minute time frame, the lowest price of the candle is under the middle band
   if (candle.low < boll5m.getMiddleBand()) {
    //if the slope of the 5 minute bollinger band is starting to point down, SELL 
    if (boll5m.movingDown()) {
     return Signal.SELL;
    }
   }
  }
  return Signal.NEUTRAL;
 }
}

そもそもトレードやったことないのでcandleとかboll1hとかわからん。

自前のデータセットで実際にシミュレーションして見て、結果の検証も容易にできる。この結果を参考にチューニングも容易にできそう

===[  results using parameters: [15, 4] ]===
Negative: 44 trades, avg. loss: -1.60%
Positive: 39 trades, avg. gain: +2.44%
Returns : 24.65%
Real time trading simulation from 2018-07-01T00:00 to 2019-07-01T00:00
XRP = $0.00
USDT = $1222.86

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
nebula 484 1525 Go A scalable overlay networking tool with a focus on performance, simplicity and security
3d-ken-burns 70 194 Python an implementation of 3D Ken Burns Effect from a Single Image using PyTorch
WebWindow 135 523 TypeScript .NET Core library to open native OS windows containing web UI on Windows, Mac, and Linux. Experimental.
JavaFamily 281 1193 undefined 【互联网一线大厂Java 工程师面试+学习指南】,进阶知识完全扫盲:涵盖高并发、分布式、高可用、微服务等领域知识,作者风格幽默,看起来津津有味,把学习当做一种乐趣,何乐而不为,后端同学必看。
bfe 242 2175 Go Open-source layer 7 load balancer derived from proprietary Baidu FrontEnd
univocity-trader 32 172 Java open-source trading framework for java, supports backtesting and live trading with exchanges
jquery 19 52564 JavaScript jQuery JavaScript Library
Sourcetrail 922 3008 C++ Sourcetrail - free and open-source interactive source explorer
react-admin-template 53 178 CSS Simple React admin template - Hooks, Redux, Bootstrap ✅ 🤘
umi 27 6516 JavaScript 🌋 Pluggable enterprise-level react application framework.
deeplearning-models 76 9659 Jupyter Notebook A collection of various deep learning architectures, models, and tips
coding-interview-university 223 93057 undefined A complete computer science study plan to become a software engineer.
servicecomb-pack 9 1422 Java Apache ServiceComb Pack is an eventually data consistency solution for micro-service applications. ServiceComb Pack currently provides TCC and Saga distributed transaction co-ordination solutions by u
Python-100-Days 252 69911 Jupyter Notebook Python - 100天从新手到大师
CS-Notes 162 83435 Java 📚 技术面试必备基础知识、Leetcode、Java、C++、Python、后端面试、计算机操作系统、计算机网络、系统设计
loki 63 7839 Go Like Prometheus, but for logs.
Python 178 61850 Python All Algorithms implemented in Python
v2ray-core 74 24462 Go A platform for building proxies to bypass network restrictions.
consul 14 17843 Go Consul is a distributed, highly available, and data center aware solution to connect and configure applications across dynamic, distributed infrastructure.
flink-learning 131 2962 Java flink learning blog. http://www.54tianzhisheng.cn 含 Flink 入门、概念、原理、实战、性能调优、源码解析等内容。涉及 Flink Connector、Metrics、Library、DataStream API、Table API & SQL 等内容的学习案例,还有 Flink 落地应用的大型项目案例分享。
echo 12 15620 Go High performance, minimalist Go web framework
ChromeAppHeroes 40 11039 Python 🌈谷粒-Chrome插件英雄榜, 为优秀的Chrome插件写一本中文说明书, 让Chrome插件英雄们造福人类~ ChromePluginHeroes, Write a Chinese manual for the excellent Chrome plugin, let the Chrome plugin heroes benefit the human~
new-pac 68 18623 undefined 科学/自由上网,免费ss/ssr/v2ray/goflyway账号,搭建教程
Sortable 35 18554 JavaScript Sortable — is a JavaScript library for reorderable drag-and-drop lists on modern browsers and touch devices. No jQuery required. Supports Meteor, AngularJS, React, Polymer, Vue, Ember, Knockout and an
clean-code-javascript 37 26816 JavaScript 🛁 Clean Code concepts adapted for JavaScript

21日

sourcetrail

[https://www.sourcetrail.com/:embed:cite]

見やすいソースコードエクスプローラー。

依存関係やメソッドがGUIで綺麗に表現されている。検索ができることと選択した関数のコードが見れることは他のものとは違うように思える

対応している言語はC, C++, Java and Python

tamagotchiTemp

[https://github.com/graceavery/tamagotchiTemp:embed:cite]

twitterで流れてたアレ↓

[https://twitter.com/gracecondition/status/1196280265821151232:embed]

起動しようとして見たがエンコーディングの問題か何かでエラー吐いて終了してしまった。

Osiris

[https://github.com/danielkrupinski/Osiris:embed:cite]

カウンターストライクっていうFPSのチートツール。こういうのもトレンドに入ってくるとは思わなかった。mac/linuxは使用できずwindowsのみのよう。

PrestaShop

[https://www.prestashop.com:embed:cite]

オープンソースのeコマース管理システム。EC-CUBE的な感じなんかな? デモはこちら。若干デザインが古い感じ?

他のeコマースを調べて見たらspreeというのがGitHubでスター10k集めてた↓

[https://github.com/spree/spree:embed:cite]

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
tamagotchiTemp 128 503 undefined
Sourcetrail 639 2115 C++ Sourcetrail - free and open-source interactive source explorer
flutter_clock 72 231 Dart
WebWindow 78 390 TypeScript .NET Core library to open native OS windows containing web UI on Windows, Mac, and Linux. Experimental.
HackingNeuralNetworks 309 1417 Python A small course on exploiting and defending neural networks
postwoman 242 6985 Vue 👽 API request builder - A free, fast, and beautiful alternative to Postman https://postwoman.io 🔥
kaolin 114 764 C++ A PyTorch Library for Accelerating 3D Deep Learning Research
Python 100 61662 Python All Algorithms implemented in Python
physical-docs 55 234 undefined This is a collection of legal wording and documentation used for physical security assessments. The goal is to hopefully allow this as a template for other companies to use and to protect themselves w
JavaFamily 288 906 undefined 【 互联网 Java 工程师大厂面试+学习指南】,进阶知识完全扫盲:涵盖高并发、分布式、高可用、微服务等领域知识,作者风格幽默,看起来津津有味,把学习当做一种乐趣,何乐而不为,后端同学必看。
Python-100-Days 442 69696 Jupyter Notebook Python - 100天从新手到大师
Osiris 3 453 C++ Free open-source training software / cheat for Counter-Strike: Global Offensive, written in modern C++. GUI powered by imgui.
PrestaShop 29 4167 PHP PrestaShop offers a fully scalable open source ecommerce solution.
bfe 445 1931 Go Open-source layer 7 load balancer derived from proprietary Baidu FrontEnd
JavaGuide 227 61648 Java 【Java学习+面试指南】 一份涵盖大部分Java程序员所需要掌握的核心知识。
Colder.Admin.AntdVue 44 206 C# Admin Fx Based On .NET Core3.0 + Ant Design Vue
ironbrew-2 5 23 C# some vm obfuscation lua thing
ansible 28 40463 Python Ansible is a radically simple IT automation platform that makes your applications and systems easier to deploy. Avoid writing scripts or custom code to deploy and update your applications — automate i
angular-cli 13 22625 TypeScript CLI tool for Angular
flink-learning 26 2832 Java flink learning blog. http://www.54tianzhisheng.cn 含 Flink 入门、概念、原理、实战、性能调优、源码解析等内容。涉及 Flink Connector、Metrics、Library、DataStream API、Table API & SQL 等内容的学习案例,还有 Flink 落地应用的大型项目案例分享。
kotlinx.coroutines 10 6292 Kotlin Library support for Kotlin coroutines
CS-Notes 100 83277 Java 📚 技术面试必备基础知识、Leetcode、Java、C++、Python、后端面试、计算机操作系统、计算机网络、系统设计
thingsboard 7 4576 Java Open-source IoT Platform - Device management, data collection, processing and visualization.
leetcode 20 12252 C++ LeetCode Problems’ Solutions
eShopOnContainers 11 11833 C# Easy to get started sample reference microservice and container based application. Cross-platform on Linux and Windows Docker Containers, powered by .NET Core 2.2, Docker engine and optionally Azure,

20日

chatwoot

[https://www.chatwoot.com/:embed:cite]

オープンソースのチャットツール。BとCをつなぐチャットツールでありがちな、タスクの割り振りとかレポートとかまで機能に含まれているみたい。

やってみようと思ったけどMacでのインストール完了までの道のりが長くて辛かったww(主にRubyのセットアップ)。Dockerfileとかで提供して欲しい

umijs

[https://umijs.org/:title]

Reactをラップしたフレームワーク。中国製。

[https://gw.alipayobjects.com/zos/rmsportal/zvfEXesXdgTzWYZCuHLe.png:image=https://gw.alipayobjects.com/zos/rmsportal/zvfEXesXdgTzWYZCuHLe.png]

https://umijs.org/guide/#architecture

nextを使わずにumijsを使うべき理由として エンタープライズアプリケーションとしての高度なルーティングを提供していること をあげている

https://umijs.org/guide/#why-not

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
Deep-Learning-with-TensorFlow-book 710 3657 Python 深度学习开源书,基于TensorFlow 2.0实战。Open source Deep Learning book, based on TensorFlow 2.0 framework.
Python-100-Days 350 69276 Jupyter Notebook Python - 100天从新手到大师
bfe 270 1496 Go Open-source layer 7 load balancer derived from proprietary Baidu FrontEnd
TensorFlow-2.x-Tutorials 224 3141 Jupyter Notebook TensorFlow 2.x version’s Tutorials and Examples, including CNN, RNN, GAN, Auto-Encoders, FasterRCNN, GPT, BERT examples, etc. TF 2.0版入门实例代码,实战教程。
spikeSystem 51 1067 Go
ScriptableRenderPipeline 4 2338 C# Scriptable Render Pipeline
JavaGuide 262 61449 Java 【Java学习+面试指南】 一份涵盖大部分Java程序员所需要掌握的核心知识。
native_spark 52 1098 Rust A new arguably faster implementation of Apache Spark from scratch in Rust
chatwoot 189 1352 Ruby Simple and elegant live chat software 🔥💬
JavaFamily 141 620 undefined 【 互联网 Java 工程师大厂面试+学习指南】,进阶知识完全扫盲:涵盖高并发、分布式、高可用、微服务等领域知识,作者风格幽默,看起来津津有味,把学习当做一种乐趣,何乐而不为,后端同学必看。
umi 18 6418 JavaScript 🌋 Pluggable enterprise-level react application framework.
retrofit 13 34198 Java Type-safe HTTP client for Android and Java by Square, Inc.
react-admin-template 17 60 CSS Simple React admin template - Hooks, Redux, Bootstrap ✅ 🤘
ChromeAppHeroes 30 10852 Python 🌈谷粒-Chrome插件英雄榜, 为优秀的Chrome插件写一本中文说明书, 让Chrome插件英雄们造福人类~ ChromePluginHeroes, Write a Chinese manual for the excellent Chrome plugin, let the Chrome plugin heroes benefit the human~
AI4Animation 59 2014 C# Bringing Characters to Life with Computer Brains in Unity
fanqiang 88 13288 JavaScript 翻墙-科学上网
micro 41 7051 Go A microservice runtime environment
google-research 137 5714 Jupyter Notebook Google AI Research
univocity-trader 16 87 Java open-source trading framework for java, supports backtesting and live trading with exchanges
kaolin 183 646 C++ A PyTorch Library for Accelerating 3D Deep Learning Research
HackingNeuralNetworks 433 1106 Python A small course on exploiting and defending neural networks
30-seconds-of-code 116 52033 JavaScript A curated collection of useful JavaScript snippets that you can understand in 30 seconds or less.
iCloudBypassCA 10 41 undefined
modin 79 3371 Python Modin: Speed up your Pandas workflows by changing a single line of code
DPlayer 67 7443 JavaScript 🍭 Wow, such a lovely HTML5 danmaku video player

19日

joplin

[https://joplinapp.org/:embed:cite]

オープンソースのメモ帳・TODOリスト。特徴として

  • マルチデバイスで同期できる
    • GUI→ macOS, Windows, Linux, iPhone, Android
    • CUIもmacOS, WSL, ArchLinux
  • 編集履歴も保存される
  • 保存するサービスとしては NextCloud, Dropbox, WebDAV and OneDrive が選択可能
  • オフラインでも動作可能
  • Markdown(GitHubフレーバー+数式エディタ)で記述可能

などなど。。。

忘れっぽいのでプライベートのTODOを記録するのにEvernote使いたいなぁと思っていたので使ってみる

gource

[https://gource.io/:embed:cite]

gitなどのバージョン管理ツールをグラフィカルに可視化できるツール。

Minecraftのリポジトリの履歴を8分で可視化した動画↓。地味に面白くてずっと見てられる

[https://www.youtube.com/watch?feature=player_embedded&v=zRjTyRly5WA:embed:cite]

https://github.com/acaudwell/Gource/wiki/Videos#minecraft

FALdetector

[https://peterwang512.github.io/FALdetector/:embed:cite]

Photoshopで加工された顔写真かどうかを判定するツール。Photoshopで可能なすべての加工を判別するというわけではなく、 image warping のみにフォーカスしている。また image warping が行われた部分を元に戻すこともできる。

Most malicious photo manipulations are created using standard image editing tools, such as Adobe Photoshop. We present a method for detecting one very popular Photoshop manipulation – image warping applied to human faces – using a model trained entirely using fake images that were automatically generated by scripting Photoshop itself. We show that our model outperforms humans at the task of recognizing manipulated images, can predict the specific location of edits, and in some cases can be used to “undo” a manipulation to reconstruct the original, unedited image. We demonstrate that the system can be successfully applied to real, artist-created image manipulations.

Dilated ResNet というのが使われているらしいけどわからん

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
Deep-Learning-with-TensorFlow-book 1272 2981 Python 深度学习开源书,基于TensorFlow 2.0实战。Open source Deep Learning book, based on TensorFlow 2.0 framework.
joplin 125 9948 JavaScript Joplin - a note taking and to-do application with synchronization capabilities for Windows, macOS, Linux, Android and iOS. Forum: https://discourse.joplinapp.org/
JavaGuide 210 61207 Java 【Java学习+面试指南】 一份涵盖大部分Java程序员所需要掌握的核心知识。
google-research 81 5584 Jupyter Notebook Google AI Research
Python-100-Days 481 68939 Jupyter Notebook Python - 100天从新手到大师
starter-workflows 71 1289 undefined Accelerating new GitHub Actions workflows
gpmall 37 2671 Java 【咕泡学院实战项目】-基于SpringBoot+Dubbo构建的电商平台-微服务架构、商城、电商、微服务、高并发、kafka、Elasticsearch
HackingNeuralNetworks 223 676 Python A small course on exploiting and defending neural networks
TensorFlow-2.x-Tutorials 307 2936 Jupyter Notebook TensorFlow 2.x version’s Tutorials and Examples, including CNN, RNN, GAN, Auto-Encoders, FasterRCNN, GPT, BERT examples, etc. TF 2.0版入门实例代码,实战教程。
Gource 94 7154 C++ software version control visualization
tiramisu 34 472 Jupyter Notebook A polyhedral compiler for expressing fast and portable data parallel algorithms
v2rayN 53 3213 C#
rsh 30 96 Python generate reverse shell from CLI for linux and Windows.
AI4Animation 100 1968 C# Bringing Characters to Life with Computer Brains in Unity
kaolin 141 472 C++ A PyTorch Library for Accelerating 3D Deep Learning Research
NoiseBuddy 40 234 Swift Control the listening mode on your AirPods Pro in the Touch Bar or Menu Bar.
Mojave-gtk-theme 72 566 CSS Mojave is a macos Mojave like theme for GTK 3, GTK 2 and Gnome-Shell
Layan-gtk-theme 6 94 CSS Layan-gtk-theme
FALdetector 18 646 Python Code for the paper: Detecting Photoshopped Faces by Scripting Photoshop
bitcoin 20 41162 C++ Bitcoin Core integration/staging tree
Magisk 17 8339 C++ A Magic Mask to Alter Android System Systemless-ly
nvim-lsp 73 309 Lua Common configurations for Neovim Language Servers
shadowsocks-windows 70 44839 C# If you want to keep a secret, you must also hide it from yourself.
BIGTREETECH-SKR-mini-E3 3 131 C++ BIGTREETECH SKR-mini-E3 motherboard is a ultra-quiet, low-power, high-quality 3D printing machine control board. It is launched by the 3D printing team of Shenzhen BIGTREE technology co., LTD. This bo
leetcode 23 12138 C++ LeetCode Problems’ Solutions

18日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
Deep-Learning-with-TensorFlow-book 762 1686 Python 深度学习开源书,基于TensorFlow 2.0实战。Open source Deep Learning book, based on TensorFlow 2.0 framework.
nvim-lsp 199 221 Lua Common configurations for Neovim Language Servers
Python-100-Days 584 68481 Jupyter Notebook Python - 100天从新手到大师
OpenCorePkg 25 643 C OpenCore front end
AI4Animation 55 1864 C# Bringing Characters to Life with Computer Brains in Unity
modin 158 3138 Python Modin: Speed up your Pandas workflows by changing a single line of code
OpenDiablo2 1625 2760 Go An open source re-implementation of Diablo 2
v2rayN 94 3162 C#
DPlayer 20 7200 JavaScript 🍭 Wow, such a lovely HTML5 danmaku video player
fanqiang 54 12940 JavaScript 翻墙-科学上网
starter-workflows 90 1217 undefined Accelerating new GitHub Actions workflows
llvm-tutor 270 291 C++ A collection of LLVM passes (with tests and build scripts)
godot 59 25966 C++ Godot Engine – Multi-platform 2D and 3D game engine
Mojave-gtk-theme 15 488 CSS Mojave is a macos Mojave like theme for GTK 3, GTK 2 and Gnome-Shell
JavaGuide 481 61013 Java 【Java学习+面试指南】 一份涵盖大部分Java程序员所需要掌握的核心知识。
kaolin 278 334 C++ A PyTorch Library for Accelerating 3D Deep Learning Research
fabric.js 106 14091 JavaScript Javascript Canvas Library, SVG-to-Canvas (& canvas-to-SVG) Parser
shadowsocks-windows 113 44769 C# If you want to keep a secret, you must also hide it from yourself.
30-seconds-of-code 357 51758 JavaScript A curated collection of useful JavaScript snippets that you can understand in 30 seconds or less.
tuya-convert 18 881 Python A collection of scripts to flash Tuya IoT devices to alternative firmwares
Awesome-Design-Tools 60 17622 JavaScript The best design tools and plugins for everything 👉
Ombi 7 1759 C# Want a Movie or TV Show on Plex or Emby? Use Ombi!
plato 523 609 C++ 腾讯高性能图计算框架Plato
cpython 69 27784 Python The Python programming language
material-components-web-components 15 1380 TypeScript Material Web Components - Material Design implemented as Web Components

17日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
OpenDiablo2 1433 2542 Go An open source re-implementation of Diablo 2
plato 501 536 C++ 腾讯高性能图计算框架Plato
quark-h5 315 657 JavaScript 基于vue2 + koa2的 H5制作工具。让不会写代码的人也能轻松快速上手制作H5页面。类似易企秀、百度H5等H5制作、建站工具
BullshitGenerator 2381 8794 JavaScript Needs to generate some texts to test if my GUI rendering codes good or not. so I made this.
Deep-Learning-with-TensorFlow-book 394 1219 Python 深度学习开源书,基于TensorFlow 2.0实战。Open source Deep Learning book, based on TensorFlow 2.0 framework.
angular 107 54192 TypeScript One framework. Mobile & desktop.
brave-browser 82 4450 JavaScript Next generation Brave browser for macOS, Windows, Linux, and eventually Android
SCShell 175 193 C Fileless lateral movement tool that relies on ChangeServiceConfigA to run command
gpmall 104 2600 Java 【咕泡学院实战项目】-基于SpringBoot+Dubbo构建的电商平台-微服务架构、商城、电商、微服务、高并发、kafka、Elasticsearch
invidious 325 1873 Crystal Invidious is an alternative front-end to YouTube
validator 85 4143 Go 💯Go Struct and Field validation, including Cross Field, Cross Struct, Map, Slice and Array diving
Real-Time-Voice-Cloning 1338 11399 Python Clone a voice in 5 seconds to generate arbitrary speech in real-time
Python-100-Days 404 68317 Jupyter Notebook Python - 100天从新手到大师
Fallout3Terminal 114 131 Shell A recreation of the Fallout 3 terminal via a linux bash script! Requires cool-retro-term, sox and pv installed as packages.
starter-workflows 52 1179 undefined Accelerating new GitHub Actions workflows
30-seconds-of-code 202 51653 JavaScript A curated collection of useful JavaScript snippets that you can understand in 30 seconds or less.
JavaGuide 393 60929 Java 【Java学习+面试指南】 一份涵盖大部分Java程序员所需要掌握的核心知识。
trojan 63 2736 C++ An unidentifiable mechanism that helps you bypass GFW.
workflow-core 27 1674 C# Lightweight workflow engine for .NET Standard
Wexflow 95 1603 C# A high-performance, extensible, modular and cross-platform workflow engine. Built for automation and optimized for SaaS integration, Wexflow runs on Windows, Linux, macOS and the cloud.
laravel-notify 137 188 CSS Flexible Flash notifications for Laravel
JavaFamily 95 251 undefined 【 互联网 Java 工程师大厂面试+学习指南】,进阶知识完全扫盲:涵盖高并发、分布式、高可用、微服务等领域知识,作者风格幽默,后端同学必看。
terraform 36 19584 Go Terraform enables you to safely and predictably create, change, and improve infrastructure. It is an open source tool that codifies APIs into declarative configuration files that can be shared amongst
arthas 80 17779 Java Alibaba Java Diagnostic Tool Arthas/Alibaba Java诊断利器Arthas
statrethinking_winter2019 89 1105 undefined Statistical Rethinking course at MPI-EVA from Dec 2018 through Feb 2019

16日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
OpenDiablo2 730 2285 Go An open source re-implementation of Diablo 2
BullshitGenerator 1590 8374 JavaScript Needs to generate some texts to test if my GUI rendering codes good or not. so I made this.
Deep-Learning-with-TensorFlow-book 181 951 Python 深度学习开源书,基于TensorFlow 2.0实战。Open source Deep Learning book, based on TensorFlow 2.0 framework.
Real-Time-Voice-Cloning 1329 11193 Python Clone a voice in 5 seconds to generate arbitrary speech in real-time
nows 311 440 CSS 毒鸡汤
awesome-interview-questions 249 31501 undefined A curated awesome list of lists of interview questions. Feel free to contribute! 🎓
Python-100-Days 398 68134 Jupyter Notebook Python - 100天从新手到大师
drawio-desktop 160 3207 JavaScript Official electron build of draw.io
d2-admin 115 7348 JavaScript 🌈 An elegant dashboard
WheelChair 9 48 JavaScript State of the art, cutting edge Neo man
JavaFamily 90 192 undefined 互联网 Java 工程师大厂面试,进阶知识完全扫盲:涵盖高并发、分布式、高可用、微服务等领域知识,作者风格幽默,后端同学必看,前端同学也可学习
JavaGuide 273 60848 Java 【Java学习+面试指南】 一份涵盖大部分Java程序员所需要掌握的核心知识。
fabric.js 18 14026 JavaScript Javascript Canvas Library, SVG-to-Canvas (& canvas-to-SVG) Parser
PENTESTING-BIBLE 192 3248 undefined This repository was created and developed by Ammar Amer @cry__pto Only. Updates to this repository will continue to arrive until the number of links reaches 10000 links & 10000 pdf files .Learn Ethica
validator 26 4082 Go 💯Go Struct and Field validation, including Cross Field, Cross Struct, Map, Slice and Array diving
react-native-gifted-chat 35 8297 TypeScript 💬 The most complete chat UI for React Native
AspNetCore 29 14580 C# ASP.NET Core is a cross-platform .NET framework for building modern cloud-based web applications on Windows, Mac, or Linux.
seq2seq-couplet 71 3214 Python Play couplet with seq2seq model. 用深度学习对对联。
pytorch-handbook 59 8955 Jupyter Notebook pytorch handbook是一本开源的书籍,目标是帮助那些希望和使用PyTorch进行深度学习开发和研究的朋友快速入门,其中包含的Pytorch教程全部通过测试保证可以成功运行
gpmall 48 2557 Java 【咕泡学院实战项目】-基于SpringBoot+Dubbo构建的电商平台-微服务架构、商城、电商、微服务、高并发、kafka、Elasticsearch
protobuf 33 38433 C++ Protocol Buffers - Google’s data interchange format
quay 313 1010 Python Build, Store, and Distribute your Applications and Containers
easyexcel 51 10972 Java 快速、简单避免OOM的java处理Excel工具
quark-h5 186 580 JavaScript 基于vue2 + koa2的 H5制作工具。让不会写代码的人也能轻松快速上手制作H5页面。类似易企秀、百度H5等H5制作、建站工具
terraform 32 19551 Go Terraform enables you to safely and predictably create, change, and improve infrastructure. It is an open source tool that codifies APIs into declarative configuration files that can be shared amongst

15日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
OpenDiablo2 448 1588 Go An open source re-implementation of Diablo 2
Real-Time-Voice-Cloning 589 10714 Python Clone a voice in 5 seconds to generate arbitrary speech in real-time
BullshitGenerator 3366 7339 JavaScript Needs to generate some texts to test if my GUI rendering codes good or not. so I made this.
quay 645 798 Python Build, Store, and Distribute your Applications and Containers
quark-h5 186 330 JavaScript 基于vue2 + koa2的 H5制作工具。让不会写代码的人也能轻松快速上手制作H5页面。类似易企秀、百度H5等H5制作、建站工具
Deep-Learning-with-TensorFlow-book 413 656 Python 深度学习开源书,基于TensorFlow 2.0实战。Open source Deep Learning book, based on TensorFlow 2.0 framework.
advanced-go-programming-book 315 10279 Go 📚 《Go语言高级编程》开源图书,涵盖CGO、Go汇编语言、RPC实现、Protobuf插件实现、Web框架实现、分布式系统等高阶主题(完稿)
awesome-interview-questions 254 31335 undefined A curated awesome list of lists of interview questions. Feel free to contribute! 🎓
lihang-code 198 8406 Jupyter Notebook 《统计学习方法》的代码实现
cranelift 27 2252 Rust Cranelift code generator
Data-Science–Cheat-Sheet 180 13512 undefined Cheat Sheets
wasmtime 91 1792 Rust Standalone JIT-style runtime for WebAssembly, using Cranelift
async-std 111 1535 Rust Async version of the Rust standard library
drawio 1015 13233 JavaScript Source to www.draw.io
material-components-android-examples 85 409 Kotlin Companion example apps and code for MDC-Android.
realm-cocoa 7 13574 Objective-C Realm is a mobile database: a replacement for Core Data & SQLite
fe-interview 76 8055 JavaScript 前端面试每日 3+1,以面试题来驱动学习,提倡每日学习与思考,每天进步一点!每天早上5点纯手工发布面试题(死磕自己,愉悦大家)
grpc-go 18 9969 Go The Go language implementation of gRPC. HTTP/2 based RPC
react-interactive-paycard 219 559 JavaScript Interactive React Paycard
gpmall 27 2477 Java 【咕泡学院实战项目】-基于SpringBoot+Dubbo构建的电商平台-微服务架构、商城、电商、微服务、高并发、kafka、Elasticsearch
awesome-programming-books 439 9305 undefined 经典编程书籍大全,涵盖:计算机系统与网络、系统架构、算法与数据结构、前端开发、后端开发、移动开发、数据库、测试、项目与团队、程序员职业修炼、求职面试等
Alamofire 26 32337 Swift Elegant HTTP Networking in Swift
Wexflow 10 1560 C# A high-performance, extensible, modular and cross-platform workflow engine. Built for automation. Optimized for SaaS integration. Runs on Windows, Linux, macOS and the cloud.
validator 21 3994 Go 💯Go Struct and Field validation, including Cross Field, Cross Struct, Map, Slice and Array diving
desktop 15 8303 TypeScript Simple collaboration from your desktop

14日

OpenDiablo2

[https://opendiablo2.com/:embed:cite]

コンシューマーゲームのDiablo2をオープンソースで再現するプロジェクト。ゲームエンジンはGoで書かれていてクロスプラットフォームで動くらしい。

ただ、遊ぶには本家Diablo2の拡張パックが必要そう。

drawio

[https://github.com/jgraph/drawio:embed:cite]

drawioのソースコード。forkしてGitHubPagesから見れるとのこと。いつもオンラインでやってるけどローカルでさわれたらとても便利そう。ただし一部がJavaで作られているのでどこまで触れるかは不明

yuzu

[https://yuzu-emu.org/:embed:cite]

NintendoSwitchのエミュレーター

クイックスタートも充実しているが法的には アウトなのでやってはいけない。 知人曰くアウトではないらしい

3dゲームを動かす場合の推奨スペックが結構高い,,,

  • CPU:Intel Core i7-8700k
  • GPU:Nvidia GTX 1070 Ti
  • RAM:16GB

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
Real-Time-Voice-Cloning 388 9775 Python Clone a voice in 5 seconds to generate arbitrary speech in real-time
OpenDiablo2 435 832 Go An open source re-implementation of Diablo 2
drawio 1471 12569 JavaScript Source to www.draw.io
PENTESTING-BIBLE 73 3027 undefined This repository was created and developed by Ammar Amer @cry__pto Only. Updates to this repository will continue to arrive until the number of links reaches 10000 links & 10000 pdf files .Learn Ethica
awesome-programming-books 395 9081 undefined 经典编程书籍大全,涵盖:计算机系统与网络、系统架构、算法与数据结构、前端开发、后端开发、移动开发、数据库、测试、项目与团队、程序员职业修炼、求职面试等
tfsec 79 526 Go 🔒🌍 Static analysis powered security scanner for your terraform code
lihang-code 100 8232 Jupyter Notebook 《统计学习方法》的代码实现
awesome-interview-questions 234 31086 undefined A curated awesome list of lists of interview questions. Feel free to contribute! 🎓
practicalAI 159 21592 Jupyter Notebook 📚 A practical approach to machine learning.
wasmtime 50 1715 Rust Standalone JIT-style runtime for WebAssembly, using Cranelift
DoraemonKit 249 11110 Java 简称 “DoKit” 。一款功能齐全的客户端( iOS 、Android、微信小程序 )研发助手,你值得拥有。
advanced-go-programming-book 74 10153 Go 📚 《Go语言高级编程》开源图书,涵盖CGO、Go汇编语言、RPC实现、Protobuf插件实现、Web框架实现、分布式系统等高阶主题(完稿)
Sentinel 52 9595 Java A lightweight powerful flow control component enabling reliability and monitoring for microservices. (轻量级的流量控制、熔断降级 Java 库)
yuzu 57 8639 C++ Nintendo Switch Emulator
DeepFaceLab 50 10842 Python DeepFaceLab is a tool that utilizes machine learning to replace faces in videos. Includes prebuilt ready to work standalone Windows 7,8,10 binary (look readme.md).
Ladon 106 607 C# 大型网络渗透扫描器&Cobalt Strike,包含信息收集/端口扫描/服务识别/网络资产/密码爆破/漏洞检测/漏洞利用。漏洞检测含MS17010、Weblogic、ActiveMQ、Tomcat等,密码口令爆破含(Mysql、Oracle、MSSQL)、FTP、SSH(Linux)、VNC、Windows(IPC、WMI、SMB)等,可高度自定义插件支持.NET程序集、DLL(C#/Delphi
Java-Interview 202 1926 undefined Java 面试必会 直通BAT
vcpkg 36 7189 CMake C++ Library Manager for Windows, Linux, and MacOS
fastai 68 16325 Jupyter Notebook The fastai deep learning library, plus lessons and tutorials
d2-admin 30 7207 JavaScript 🌈 An elegant dashboard
logstash 13 10790 Ruby Logstash - transport and process your logs, events, or other data
Complete-Python-3-Bootcamp 78 6548 Jupyter Notebook Course Files for Complete Python 3 Bootcamp Course on Udemy
Wexflow 5 1499 C# A high-performance, extensible, modular and cross-platform workflow engine. Built for automation. Optimized for SaaS integration. Runs on Windows, Linux, macOS and the cloud.
googletest 12 13590 C++ Googletest - Google Testing and Mocking Framework
AZ-103-MicrosoftAzureAdministrator 5 363 undefined AZ-103: Microsoft Azure Administrator

13日

async-std

[https://async.rs/:embed:cite]

最近Rustを勉強してるんですが、今Hotなのは非同期処理。async/awaitが公式で導入されましたが、それに伴ってランタイムのほうも活発化してるのかな? このasync-std はランタイムの一種だったはず。

OPTiMさんがRustの非同期に関する超絶わかりやすい記事を上げてくれていたのでみんな是非読んで 🙏

[https://tech-blog.optim.co.jp/entry/2019/11/08/163000:embed:cite]

tokio

[https://tokio.rs/:embed:cite]

上記と同じくRustの非同期ランタイムライブラリの tokio が上がってました。

11/11にv0.2.0-alpha.5が上がっているのでそれの影響でトレンドに上がってる?

react-interactive-paycard

[https://github.com/jasminmif/react-interactive-paycard:embed:cite]

Reactで作られたわかりやすいクレジットカードの入力Form。めっちゃ凝ってる

nocode

[https://github.com/kelseyhightower/nocode:embed:cite]

セキュリティ最強のリポジトリ nocode。文字通り何もコードが書かれていないw。

getting-startedで笑うw

This is just an example application, but imagine it doing anything you want. Adding new features is easy too:

33-js-concepts

[https://github.com/leonardomso/33-js-concepts:embed:cite]

Javascriptの開発者なら知っておくべき33のこと。1つめは Call Stack

雰囲気でやっている人からすると知らないことばかりなので焦る

tfsec

テラフォームの脆弱性をチェックするツール。40種類ほどの脆弱性チェックを行なうことができる

[https://github.com/liamg/tfsec:embed:cite]

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
async-std 30 1386 Rust Async version of the Rust standard library
lihang-code 99 7990 Jupyter Notebook 《统计学习方法》的代码实现
tfsec 80 335 Go 🔒🌍 Static analysis powered security scanner for your terraform code
Data-Science–Cheat-Sheet 89 13336 undefined Cheat Sheets
awesome-programming-books 533 8867 undefined 经典编程书籍大全,涵盖:计算机系统与网络、系统架构、算法与数据结构、前端开发、后端开发、移动开发、数据库、测试、项目与团队、程序员职业修炼、求职面试等
advanced-go-programming-book 70 9886 Go 📚 《Go语言高级编程》开源图书,涵盖CGO、Go汇编语言、RPC实现、Protobuf插件实现、Web框架实现、分布式系统等高阶主题(完稿)
Beginner-Network-Pentesting 78 1427 undefined Notes for Beginner Network Pentesting Course
exercises 42 125 Python SoftwarePark exercises and dojos
my_first_calculator.py 734 1520 Python my_first_calculator.py
wtv 279 493 undefined 解决电脑、手机看电视直播的苦恼,收集各种直播源,电视直播网站
PENTESTING-BIBLE 45 2929 undefined This repository was created and developed by Ammar Amer @cry__pto Only. Updates to this repository will continue to arrive until the number of links reaches 10000 links & 10000 pdf files .Learn Ethica
gotraining 7 6304 Go Go Training Class Material :
fastai 65 16266 Jupyter Notebook The fastai deep learning library, plus lessons and tutorials
33-js-concepts 75 30101 JavaScript 📜 33 concepts every JavaScript developer should know.
nocode 167 33087 Dockerfile The best way to write secure and reliable applications. Write nothing; deploy nowhere.
Ladon 108 394 C# Ladon一款用于大型网络渗透的多线程插件化综合扫描神器,含端口扫描、服务识别、网络资产、密码爆破、高危漏洞检测以及一键GetShell,支持批量A段/B段/C段以及跨网段扫描,支持URL、主机、域名列表扫描。5.5版本内置39个功能模块,通过多种协议以及方法快速获取目标网络存活主机IP、计算机名、工作组、共享资源、网卡地址、操作系统版本、网站、子域名、中间件、开放服务、路由器、数据库等信息,漏洞
utils 41 110 C a set of simple utilities in c for microcontrollers
TBase 47 262 C TBase is an enterprise-level distributed HTAP database. Through a single database cluster to provide users with highly consistent distributed database services and high-performance data warehouse serv
practicalAI 152 21496 Jupyter Notebook 📚 A practical approach to machine learning.
free-programming-books 101 131091 undefined 📚 Freely available programming books
react-interactive-paycard 53 307 JavaScript Interactive React Paycard
project-based-learning 70 26245 undefined Curated list of project-based tutorials
Complete-Python-3-Bootcamp 49 6516 Jupyter Notebook Course Files for Complete Python 3 Bootcamp Course on Udemy
tokio 75 6436 Rust A runtime for writing reliable asynchronous applications with Rust. Provides I/O, networking, scheduling, timers, …
free-programming-books-zh_CN 116 58837 undefined 📚 免费的计算机编程类中文书籍,欢迎投稿

12日

DoraemonKit

名前で食いついてしまった。配車アプリのDiDiが管理しているもろもろツールキット。通称Dokit。

iOS/Android/WeChatアプリ←もしかしたらWeexのことかも で使用できる。見た感じCPU使用率の測定とか位置情報のモック化とかDBのビュワーとか

[https://github.com/didi/DoraemonKit:embed:cite]

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
mastodon 62 19481 Ruby Your self-hosted, globally interconnected microblogging community
my_first_calculator.py 444 1349 Python my_first_calculator.py
skaffold 147 8077 Go Easy and Repeatable Kubernetes Development
mkcert 120 21179 Go A simple zero-config tool to make locally trusted development certificates with any names you’d like.
awesome-programming-books 556 8568 undefined 经典编程书籍大全,涵盖:计算机系统与网络、系统架构、算法与数据结构、前端开发、后端开发、移动开发、数据库、测试、项目与团队、程序员职业修炼、求职面试等
DoraemonKit 161 10818 Java 简称 “DoKit” 。一款功能齐全的客户端( iOS 、Android、微信小程序 )研发助手,你值得拥有。
Complete-Python-3-Bootcamp 104 6471 Jupyter Notebook Course Files for Complete Python 3 Bootcamp Course on Udemy
tokio 37 6360 Rust A runtime for writing reliable asynchronous applications with Rust. Provides I/O, networking, scheduling, timers, …
resilience4j 31 4577 Java Resilience4j is a fault tolerance library designed for Java8 and functional programming
wtv 83 359 undefined 解决电脑、手机看电视直播的苦恼,收集各种直播源,电视直播网站
json 67 16278 C++ JSON for Modern C++
youtube-dl 108 57632 Python Command-line program to download videos from YouTube.com and other video sites
yuzu 19 8562 C++ Nintendo Switch Emulator
mpv 18 10717 C 🎥 Command line video player
IOTstack 35 231 Shell docker stack for getting started on IOT on the Raspberry PI
hosts 18 13893 Python Extending and consolidating hosts files from several well-curated sources like adaway.org, mvps.org, malwaredomainlist.com, someonewhocares.org, and potentially others. You can optionally invoke exten
Java-Interview 210 1669 undefined Java 面试必会 直通BAT
swift 38 49647 C++ The Swift Programming Language
mininet 12 3048 Python Emulator for rapid prototyping of Software Defined Networks
system-design-primer 97 76170 Python Learn how to design large-scale systems. Prep for the system design interview. Includes Anki flashcards.
vcpkg 28 7135 CMake C++ Library Manager for Windows, Linux, and MacOS
entt 9 2302 C++ Gaming meets modern C++ - a fast and reliable entity-component system (ECS) and much more
neural-networks-and-deep-learning 34 10267 Python Code samples for my book “Neural Networks and Deep Learning”
practicalAI 152 21360 Jupyter Notebook 📚 A practical approach to machine learning.
website 21 3940 JavaScript Coding Train website

11日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
macOS-Simple-KVM 268 3955 Shell Tools to set up a quick macOS VM in QEMU, accelerated by KVM.
swift-numerics 82 323 Swift Numerical APIs for Swift
vscode 364 86120 TypeScript Visual Studio Code
Complete-Python-3-Bootcamp 19 6394 Jupyter Notebook Course Files for Complete Python 3 Bootcamp Course on Udemy
my_first_calculator.py 444 1136 Python my_first_calculator.py
awesome-programming-books 218 8263 undefined 经典编程书籍大全,涵盖:计算机系统与网络、系统架构、算法与数据结构、前端开发、后端开发、移动开发、数据库、测试、项目与团队、程序员职业修炼、求职面试等
free-programming-books-zh_CN 346 58426 undefined 📚 免费的计算机编程类中文书籍,欢迎投稿
gpt-2 180 9411 Python Code for the paper “Language Models are Unsupervised Multitask Learners”
bad_json_parsers 128 202 Shell Exposing problems in json parsers of several programming languages.
resilience4j 31 4542 Java Resilience4j is a fault tolerance library designed for Java8 and functional programming
freeCodeCamp 53 306108 JavaScript The https://www.freeCodeCamp.org open source codebase and curriculum. Learn to code for free together with millions of people.
teachablemachine-community 27 96 TypeScript Example code snippets and machine learning code for Teachable Machine
WheelChair 6 17 JavaScript Become a cripple, use a WheelChair
nodebestpractices 96 35522 JavaScript ✅ The largest Node.js best practices list (November 2019)
CE7454_2019 30 118 Jupyter Notebook Deep learning course CE7454, 2019
postwoman 304 5581 Vue 👽 API request builder - A free, fast, and beautiful alternative to Postman https://postwoman.io
mantis 137 673 Java A platform that makes it easy for developers to build realtime, cost-effective, operations-focused applications
wtv 83 167 undefined 解决电脑、手机看电视直播的苦恼,收集各种直播源,电视直播网站
advanced-go-programming-book 52 9672 Go 📚 《Go语言高级编程》开源图书,涵盖CGO、Go汇编语言、RPC实现、Protobuf插件实现、Web框架实现、分布式系统等高阶主题(完稿)
free-programming-books 65 130964 undefined 📚 Freely available programming books
Beginner-Network-Pentesting 17 1337 undefined Notes for Beginner Network Pentesting Course
qmk_firmware 10 5355 C Open-source keyboard firmware for Atmel AVR and Arm USB families
mastodon 62 19438 Ruby Your self-hosted, globally interconnected microblogging community
yabai 20 1639 C A tiling window manager for macOS based on binary space partitioning
ARC 59 312 JavaScript The Abstraction and Reasoning Corpus

10日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
vscode 148 85948 TypeScript Visual Studio Code
macOS-Simple-KVM 167 3832 Shell Tools to set up a quick macOS VM in QEMU, accelerated by KVM.
mastodon 24 19388 Ruby Your self-hosted, globally interconnected microblogging community
gpt-2-output-dataset 63 607 Python Dataset of GPT-2 outputs for research in detection, biases, and more
gpt-2 127 9349 Python Code for the paper “Language Models are Unsupervised Multitask Learners”
ARC 65 289 JavaScript The Abstraction and Reasoning Corpus
native_spark 172 753 Rust A new arguably faster implementation of Apache Spark from scratch in Rust
awesome-programming-books 71 8108 undefined 经典编程书籍大全,涵盖:计算机系统与网络、系统架构、算法与数据结构、前端开发、后端开发、移动开发、数据库、测试、项目与团队、程序员职业修炼、求职面试等
d2l-pytorch 38 2173 Jupyter Notebook This project reproduces the book Dive Into Deep Learning (www.d2l.ai), adapting the code from MXNet into PyTorch.
DialoGPT 19 194 Python Large-scale pretraining for dialogue
marktext 303 13016 JavaScript 📝A simple and elegant markdown editor, available for Linux, macOS and Windows.
react-native-windows 17 10226 C++ A framework for building native Windows apps with React.
swift-numerics 193 280 Swift Numerical APIs for Swift
ansible 61 40233 Python Ansible is a radically simple IT automation platform that makes your applications and systems easier to deploy. Avoid writing scripts or custom code to deploy and update your applications — automate i
RevokeMsgPatcher 45 1563 C# A hex editor for WeChat/QQ/TIM - PC版微信/QQ/TIM防撤回补丁(我已经看到了,撤回也没用了)
react-router 16 38240 JavaScript Declarative routing for React
CS-Notes 55 82561 Java 📚 技术面试必备基础知识、Leetcode、Java、C++、Python、后端面试、计算机操作系统、计算机网络、系统设计
helm 30 14704 Go The Kubernetes Package Manager
free-programming-books-zh_CN 167 58273 undefined 📚 免费的计算机编程类中文书籍,欢迎投稿
DoraemonKit 24 10687 Java 简称 “DoKit” 。一款功能齐全的客户端( iOS 、Android、微信小程序 )研发助手,你值得拥有。
istio 40 20348 Go Connect, secure, control, and observe services.
awesome-dotnet 12 10359 undefined A collection of awesome .NET libraries, tools, frameworks and software
tutorials 24 17940 Java The “REST With Spring” Course:
best-practices-checklist 44 452 undefined A list of awesome idiomatic code resources. Rust, Go, Erlang, Ruby, Pony and more

9日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
macOS-Simple-KVM 365 3674 Shell Tools to set up a quick macOS VM in QEMU, accelerated by KVM.
postwoman 175 5295 Vue 👽 API request builder - A free, fast, and beautiful alternative to Postman https://postwoman.io
ARC 43 251 JavaScript The Abstraction and Reasoning Corpus
vscode 170 85802 TypeScript Visual Studio Code
Jetpack-MVVM-Best-Practice 151 679 Java 是 难得一见 的 Jetpack MVVM 最佳实践!在 蕴繁于简 的代码中,对 视图控制器 乃至 标准化开发模式 形成正确、深入的理解!
gost 156 4084 Go GO Simple Tunnel - a simple tunnel written in golang
milvus 157 1914 C++ Milvus – the world’s fastest vector search engine.
haoel.github.io 201 2336 undefined
components 15 19005 TypeScript Component infrastructure and Material Design components for Angular
marktext 253 12912 JavaScript 📝A simple and elegant markdown editor, available for Linux, macOS and Windows.
opentitan 41 306 SystemVerilog OpenTitan: Open source silicon root of trust
terraform-provider-aws 12 3282 Go Terraform AWS provider
gpt-2 271 9264 Python Code for the paper “Language Models are Unsupervised Multitask Learners”
gpt-2-output-dataset 101 565 Python Dataset of GPT-2 outputs for research in detection, biases, and more
go-micro 89 9875 Go A Go microservices development framework
masscan 64 10953 C TCP port scanner, spews SYN packets asynchronously, scanning entire Internet in under 5 minutes.
FASPell 129 350 Python 产学界最强(SOTA)的简繁中文拼写检查工具:FASPell Chinese Spell Checker (Chinese Spell Check / 中文拼写检错 / 中文拼写纠错 / 中文拼写检查)
tailwindcss 77 15970 CSS A utility-first CSS framework for rapid UI development.
NeteaseCloudMusic 82 592 Dart Flutter - NeteaseCloudMusic Flutter 版本的网易云音乐
nodebestpractices 73 35435 JavaScript ✅ The largest Node.js best practices list (November 2019)
python-is-cool 97 1832 Jupyter Notebook Cool Python features for machine learning that I used to be too afraid to use
tensorflow 94 137034 C++ An Open Source Machine Learning Framework for Everyone
aws-sdk-go 8 5300 Go AWS SDK for the Go programming language.
ansible 51 40202 Python Ansible is a radically simple IT automation platform that makes your applications and systems easier to deploy. Avoid writing scripts or custom code to deploy and update your applications — automate i

8日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
gpt-2 204 9012 Python Code for the paper “Language Models are Unsupervised Multitask Learners”
gpt-2-output-dataset 60 469 Python Dataset of GPT-2 outputs for research in detection, biases, and more
react-query 305 1419 JavaScript ⚛️ Hooks for fetching, caching and updating asynchronous data in React
polynote 99 2692 Scala A better notebook for Scala (and more)
CS-Notes 160 82344 Java 📚 技术面试必备基础知识、Leetcode、Java、C++、Python、后端面试、计算机操作系统、计算机网络、系统设计
marktext 392 12673 JavaScript 📝A simple and elegant markdown editor, available for Linux, macOS and Windows.
spikeSystem 56 602 Go
pandas 20 22170 Python Flexible and powerful data analysis / manipulation library for Python, providing labeled data structures similar to R data.frame objects, statistical functions, and much more
fanhaodaquan 389 1035 undefined 番号大全。
opentitan 87 262 SystemVerilog OpenTitan: Open source silicon root of trust
DeepCTR 28 2334 Python Easy-to-use,Modular and Extendible package of deep-learning based CTR models.
best-practices-checklist 26 319 undefined A list of awesome idiomatic code resources. Rust, Go, Erlang, Ruby, Pony and more
spleeter 721 5693 Python Deezer source separation library including pretrained models.
milvus 461 1761 C++ Milvus – the world’s fastest vector search engine.
RevokeMsgPatcher 122 1389 C# A hex editor for WeChat/QQ/TIM - PC版微信/QQ/TIM防撤回补丁(我已经看到了,撤回也没用了)
NeteaseCloudMusic 117 515 Dart Flutter - NeteaseCloudMusic Flutter 版本的网易云音乐
taobaoVisitingVenues 224 967 JavaScript 双十一活动自动化地操作淘宝浏览店铺得喵币脚本 for Android
python-is-cool 110 1746 Jupyter Notebook Cool Python features for machine learning that I used to be too afraid to use
BigData-Notes 179 1735 Java 大数据入门指南 ⭐️
the-book-of-secret-knowledge 140 24071 undefined A collection of inspiring lists, manuals, cheatsheets, blogs, hacks, one-liners, cli/web tools and more.
graph-based-deep-learning-literature 22 1190 Jupyter Notebook links to conference publications in graph-based deep learning
haoel.github.io 343 2164 undefined
models 82 3299 Python Pre-trained and Reproduced Deep Learning Models (『飞桨』官方模型库,包含多种学术前沿和工业场景验证的深度学习模型)
BotFramework-Composer 13 75 TypeScript Dialog creation and management for Microsoft Bot Framework Applications
Jetpack-MVVM-Best-Practice 232 559 Java 是 难得一见 的 Jetpack MVVM 最佳实践!在 蕴繁于简 的代码中,对 视图控制器 乃至 标准化开发模式 形成正确、深入的理解!

7日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
Jetpack-MVVM-Best-Practice 68 324 Java 是 难得一见 的 Jetpack MVVM 最佳实践!在 蕴繁于简 的代码中,对 视图控制器 乃至 标准化开发模式 形成正确、深入的理解!
relay-examples 30 618 JavaScript A collection of sample Relay applications
spleeter 1084 5149 Python Deezer source separation library including pretrained models.
gpt-2 250 8795 Python Code for the paper “Language Models are Unsupervised Multitask Learners”
fanhaodaquan 208 666 undefined 番号大全。
react-query 515 1138 JavaScript ⚛️ Hooks for fetching, caching and updating asynchronous data in React
DevOps-Guide 232 1611 HTML DevOps Guide from basic to advanced with Interview Questions and Notes 🔥
consul 48 17680 Go Consul is a distributed, highly available, and data center aware solution to connect and configure applications across dynamic, distributed infrastructure.
night-reading-go 32 5243 Go Night-Reading-Go《Go 夜读》 > Share the related technical topics of Go every week through zoom online live broadcast, every day on the WeChat/Slack to communicate programming technology topics. 每周通过 zoom
the-book-of-secret-knowledge 100 23942 undefined A collection of inspiring lists, manuals, cheatsheets, blogs, hacks, one-liners, cli/web tools and more.
BigData-Notes 225 1552 Java 大数据入门指南 ⭐️
Java 88 18873 Java All Algorithms implemented in Java
BullshitGenerator 363 3432 JavaScript Needs to generate some texts to test if my GUI rendering codes good or not. so I made this.
hacker-laws 95 8458 undefined 💻📖 Laws, Theories, Principles and Patterns that developers will find useful. #hackerlaws
models 19 3221 Python Pre-trained and Reproduced Deep Learning Models (『飞桨』官方模型库,包含多种学术前沿和工业场景验证的深度学习模型)
milvus 105 1289 C++ Milvus – the world’s fastest vector search engine.
gods-pen 119 1036 Vue 基于vue的高扩展在线网页制作平台,可自定义组件,可添加脚本,可数据统计。A mobile page builder/editor, similar with amolink.
postwoman 231 4838 Vue 👽 API request builder - A free, fast, and beautiful alternative to Postman https://postwoman.io
few-shot-vid2vid 47 438 undefined
code-server 99 24770 TypeScript Run VS Code on a remote server.
CS-Notes 178 82205 Java 📚 技术面试必备基础知识、Leetcode、Java、C++、Python、后端面试、计算机操作系统、计算机网络、系统设计
RevokeMsgPatcher 202 1285 C# A hex editor for WeChat/QQ/TIM - PC版微信/QQ/TIM防撤回补丁(我已经看到了,撤回也没用了)
awesome-interview-questions 146 30646 undefined A curated awesome list of lists of interview questions. Feel free to contribute! 🎓
go-micro 42 9763 Go A Go microservices development framework
NeteaseCloudMusic 48 402 Dart Flutter - NeteaseCloudMusic Flutter 版本的网易云音乐

6日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
spleeter 973 4230 Python Deezer source separation library including pretrained models.
HanLP 90 15943 Java 自然语言处理 中文分词 词性标注 命名实体识别 依存句法分析 新词发现 关键词短语提取 自动摘要 文本分类聚类 拼音简繁
build-your-own-x 954 54023 undefined 🤓 Build your own (insert technology here)
BullshitGenerator 837 3104 JavaScript Needs to generate some texts to test if my GUI rendering codes good or not. so I made this.
taobaoVisitingVenues 136 520 JavaScript 双十一活动自动化地操作淘宝浏览店铺得喵币脚本 for Android
BlockChain 112 2236 JavaScript 黑马程序员 120天全栈区块链开发 开源教程
RevokeMsgPatcher 53 1085 C# A hex editor for WeChat/QQ/TIM - PC版微信/QQ/TIM防撤回补丁(我已经看到了,撤回也没用了)
awesome-robotic-tooling 108 509 undefined Just a bunch of powerful robotic resources and tools for professional robotic development with ROS in C++ and Python.
BigData-Notes 311 1350 Java 大数据入门指南 ⭐️
consul 16 17626 Go Consul is a distributed, highly available, and data center aware solution to connect and configure applications across dynamic, distributed infrastructure.
Python-100-Days 173 66962 Jupyter Notebook Python - 100天从新手到大师
webogram 14 6060 JavaScript Telegram web application, GPL v3
the-book-of-secret-knowledge 65 23818 undefined A collection of inspiring lists, manuals, cheatsheets, blogs, hacks, one-liners, cli/web tools and more.
angular 58 53719 TypeScript One framework. Mobile & desktop.
gods-pen 49 897 Vue 基于vue的高扩展在线网页制作平台,可自定义组件,可添加脚本,可数据统计。A mobile page builder/editor, similar with amolink.
Best-websites-a-programmer-should-visit 133 27944 undefined 🔗 Some useful websites for programmers.
CS-Notes 119 82052 Java 📚 技术面试必备基础知识、Leetcode、Java、C++、Python、后端面试、计算机操作系统、计算机网络、系统设计
godot 80 25710 C++ Godot Engine – Multi-platform 2D and 3D game engine
Quantum 7 2532 PowerShell Microsoft Quantum Development Kit Samples
remote-working 40 5424 Ruby 收集整理远程工作相关的资料
DeepCTR 9 2262 Python Easy-to-use,Modular and Extendible package of deep-learning based CTR models.
git 33 29991 C Git Source Code Mirror - This is a publish-only repository and all pull requests are ignored. Please follow Documentation/SubmittingPatches procedure for any of your improvements.
DevOps-Guide 355 1353 HTML DevOps Guide from basic to advanced with Interview Questions and Notes 🔥
AspNetCore 18 14413 C# ASP.NET Core is a cross-platform .NET framework for building modern cloud-based web applications on Windows, Mac, or Linux.
nushell 36 5594 Rust A modern shell written in Rust

5日

rockstar

「2分でC++のスーパーエンジニアになれる」「big4からオファーがくる」とのことw。やってみた

$ rockstar --days=600
[f:id:Kouchannel55:20191113101014p:plain]
過去600日毎日コミットされている、コミットメッセージがいかにもそれっぽいw
[f:id:Kouchannel55:20191113101024p:plain]
草もびっしり
[https://github.com/avinassh/rockstar:embed:cite]

gitの内容を作っているだけで、それをGitHubに上げているだけだから特にBANとかはされないと思いますが利用は自己責任で。

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
spleeter 1370 3317 Python Deezer source separation library including pretrained models.
BullshitGenerator 1274 2444 JavaScript Needs to generate some texts to test if my GUI rendering codes good or not. so I made this.
SecLists 72 21130 PHP SecLists is the security tester’s companion. It’s a collection of multiple types of lists used during security assessments, collected in one place. List types include usernames, passwords, URLs, sensi
godot 77 25615 C++ Godot Engine – Multi-platform 2D and 3D game engine
taobaoVisitingVenues 179 383 JavaScript 双十一活动自动化地操作淘宝浏览店铺得喵币脚本 for Android
build-your-own-x 1769 53420 undefined 🤓 Build your own (insert technology here)
awesome-interview-questions 128 30320 undefined A curated awesome list of lists of interview questions. Feel free to contribute! 🎓
goodies 173 883 undefined Collection of GitHub repos, blogs and websites to learn cool things
BigData-Notes 197 1062 Java 大数据入门指南 ⭐️
You-Dont-Know-JS 89 110850 undefined A book series on JavaScript. @YDKJS on twitter.
serenity 99 3839 C++ Serenity Operating System
home-assistant 80 27986 Python 🏡 Open source home automation that puts local control and privacy first
searx 39 5501 Python Privacy-respecting metasearch engine
Data-Science–Cheat-Sheet 125 13061 undefined Cheat Sheets
streamlit 400 4329 Python Streamlit — The fastest way to build custom ML tools
Machine-Learning-Yearning-Vietnamese-Translation 21 306 Python
Vulkan-Samples 224 365 C++ One stop solution for all Vulkan samples
homebridge 24 12675 JavaScript HomeKit support for the impatient
takenote 46 1371 TypeScript 📝 A web-based note-taking app with GitHub sync and Markdown support.
trackerslist 204 17181 undefined Updated list of public BitTorrent trackers
go-micro 85 9618 Go A Go microservices development framework
motioneyeos 13 4468 Makefile A Video Surveillance OS For Single-board Computers
awesome-robotic-tooling 213 441 undefined Just a bunch of powerful robotic resources and tools for professional robotic development with ROS in C++ and Python.
rockstar 25 3585 Python Makes you a Rockstar C++ Programmer in 2 minutes
qBittorrent 54 7433 C++ qBittorrent BitTorrent client

4日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
BullshitGenerator 1274 1784 JavaScript Needs to generate some texts to test if my GUI rendering codes good or not. so I made this.
awesome-interview-questions 128 29995 undefined A curated awesome list of lists of interview questions. Feel free to contribute! 🎓
bayard 651 683 Rust Bayard is a full-text search and indexing server written in Rust.
HanLP 88 15610 Java 自然语言处理 中文分词 词性标注 命名实体识别 依存句法分析 新词发现 关键词短语提取 自动摘要 文本分类聚类 拼音简繁
HackingWithSwift 11 2824 Swift The project source code for hackingwithswift.com
Best-websites-a-programmer-should-visit 343 27557 undefined 🔗 Some useful websites for programmers.
PJON 255 1596 C++ PJON is a valid tool to quickly and comprehensibly build a network of devices for free without the need of a cloud service or a centralized platform you don’t fully control.
wallet-desktop 69 79 C++
trackerslist 204 17060 undefined Updated list of public BitTorrent trackers
build-your-own-x 1769 52232 undefined 🤓 Build your own (insert technology here)
Cookbook 151 5092 undefined The Data Engineering Cookbook
serenity 74 3795 C++ Serenity Operating System
BlockChain 212 1887 JavaScript 黑马程序员 120天全栈区块链开发 开源教程
MIT-Linear-Algebra-Notes 51 277 undefined Notes for MIT-Linear-Algebra
haoel.github.io 443 1556 undefined
Vulkan-Samples 224 314 C++ One stop solution for all Vulkan samples
streamlit 400 4180 Python Streamlit — The fastest way to build custom ML tools
Tasmota 31 8255 C++ Alternative Firmware for ESP8266 based devices like itead Sonoff, with Web, Timers, OTA, MQTT, KNX and Sensors Support, to be used on Smart Home Systems. Written for Arduino IDE and PlatformIO
DeepLearningExamples 80 2351 Python Deep Learning Examples
cache 50 203 TypeScript Cache dependencies and build outputs in GitHub Actions
rust 56 40062 Rust Empowering everyone to build reliable and efficient software.
nushell 70 5510 Rust A modern shell written in Rust
Python-100-Days 286 66635 Jupyter Notebook Python - 100天从新手到大师
zio 10 1697 Scala ZIO — A type-safe, composable library for asynchronous and concurrent programming in Scala
fmt 108 6991 C++ A modern formatting library

3日

BigData-Notes

中国語やからよくわからんが、指南書って書かれてる

1から13までセクション分かれてる。

  1. Hadoop
  2. Hive
  3. Spark
  4. Storm
  5. Flink
  6. HBase
  7. Kafka
  8. Zookeeper
  9. Flume
  10. Sqoop
  11. Azkaban
  12. Scala
  13. ???

HadoopとSparkは確か同じレイヤのツールのはず

Sparkはデータの格納場所をHDDやSSDではなくメモリにすることでHadoopの10~100倍の速度を実現する分散処理プラットフォームです。カリフォルニア大学バークレー校で開発が進められ、2014年にApacheソフトウェア財団に寄贈されました。

SparkはHadoopが弱点とするリアルタイム処理に対応可能でかつ、データの格納場所の選択肢もHadoop Distributed File System (HDFS)、Cassandraなど多様です。

現在HadoopとSparkは共存関係にあり、「リアルタイムの高速処理が求められるデータはSparkで、メモリに乗り切る以上のサイズのデータを処理する場合はHadoopで」などと使い分けられています。

https://data.wingarc.com/hadoop_spark-20912/2

あってた。しかしHiveとかStormとかFlinkとか聞いたことない。

とてもわかりやすそうな図があったがそれぞれの違いはわからなかった(´・ω・`)

IoT時代におけるストリームデータ処理と急成長の Apache Flink from Takanori Suzuki

というか、Scalaがビッグデータ扱う時に主流なんか??

→Sparkの実装がscalaなので、それとの親和性を考えたりドキュメントの量からscalaが選ばれやすいらしい

[https://github.com/heibaiying/BigData-Notes:embed:cite]

ProtonMail/ios-mail

ProtonmailのiOSのsdk。結構有名なのに逆になんで今までなかったんや?という気持ち。

Architectureのセクションに MVVM-C って書いてあった。初見。

みた感じ ViewViewModelService のやりとりが基本で、 ViewModelServiceの間はModelでやりとりするみたい。それらを管理するのが ChildCoordinator っぽい。 CCoordinatorかね?

俺が知ってるデザパタにはそんな文字はない()。けどググったら iOSの文脈で出てくる

[https://medium.com/@annupriya.priya/understanding-coordinator-design-pattern-in-ios-140aaf03041:embed:cite]

一つの画面に ChildCoordinatorが複数存在して、それぞれがMVVMのモデルを作ってるという感じ???そこ冗長化するメリット薄ない??今度詳しくiOSの人に聞いてみます。

[https://github.com/ProtonMail/ios-mail:embed:cite]

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
Vulkan-Samples 157 246 C++ One stop solution for all Vulkan samples
streamlit 283 4056 Python Streamlit — The fastest way to build custom ML tools
BullshitGenerator 902 1430 JavaScript Needs to generate some texts to test if my GUI rendering codes good or not. so I made this.
armorpaint 38 501 Haxe 3D PBR Texture Painting Software
taobaoVisitingVenues 119 216 JavaScript 双十一活动自动化地操作淘宝浏览店铺得喵币脚本 for Android
serenity 44 3760 C++ Serenity Operating System
ios-mail 161 437 Swift
go-micro 21 9552 Go A Go microservices development framework
notepad-plus-plus 398 9638 C++ Notepad++ official repository
Cookbook 95 5010 undefined The Data Engineering Cookbook
fullstack-tutorial 144 6748 Java 🚀 fullstack tutorial 2019,后台技术栈/架构师之路/全栈开发社区,春招/秋招/校招/面试
SinGAN 297 1100 Python Official pytorch implementation of the paper: “SinGAN: Learning a Generative Model from a Single Natural Image”
ton 16 936 C++
computer-science 290 50906 undefined 🎓 Path to a free self-taught education in Computer Science!
huobi-chain 120 227 Rust The next generation high performance public chain for financial infrastructure.
frab 121 528 Ruby conference management system
PowerToys 312 12134 C++ Windows system utilities to maximize productivity
chinese-independent-blogs 398 978 JavaScript 中文独立博客列表
GoodbyeDPI 22 3046 C GoodbyeDPI—Passive Deep Packet Inspection blocker and Active DPI circumvention utility (for Windows)
Best-websites-a-programmer-should-visit 185 27449 undefined 🔗 Some useful websites for programmers.
DevOps-Guide 181 750 HTML DevOps Guide from basic to advanced with Interview Questions and Notes 🔥
You-Dont-Know-JS 111 110698 undefined A book series on JavaScript. @YDKJS on twitter.
awesome-interview-questions 73 29917 undefined A curated awesome list of lists of interview questions. Feel free to contribute! 🎓
BigData-Notes 108 866 Java 大数据入门指南 ⭐️
BlockChain 136 1796 JavaScript 黑马程序员 120天全栈区块链开发 开源教程

2日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
notepad-plus-plus 362 9494 C++ Notepad++ official repository
orleans 96 5824 C# Orleans is a cross-platform framework for building distributed applications with .NET
streamlit 247 3952 Python Streamlit — The fastest way to build custom ML tools
fmt 62 6943 C++ A modern formatting library
smart-tracker 22 143 JavaScript smart-tracker简易型前端无痕埋点
iOS-DeviceSupport 99 2753 Python This repository holds the device support files for the iOS, and I will update it regularly.
SinGAN 235 1017 Python Official pytorch implementation of the paper: “SinGAN: Learning a Generative Model from a Single Natural Image”
dash 46 10190 Python Analytical Web Apps for Python & R. No JavaScript Required.
Best-websites-a-programmer-should-visit 89 27281 undefined 🔗 Some useful websites for programmers.
PowerToys 291 12063 C++ Windows system utilities to maximize productivity
chinese-independent-blogs 308 859 JavaScript 中文独立博客列表
DeepLearningExamples 49 2287 Python Deep Learning Examples
serenity 31 3737 C++ Serenity Operating System
shhgit 79 1459 Go Ah shhgit! Find GitHub secrets in real time
HelloGitHub 150 16605 Python Find pearls on open-source seashore 分享 GitHub 上有趣、入门级的开源项目
SlowFast 89 396 Python Present SlowFast networks for video recognition.
awesome-interview-questions 61 29871 undefined A curated awesome list of lists of interview questions. Feel free to contribute! 🎓
Data-Science-Notes 36 1623 Jupyter Notebook 数据科学的笔记以及资料搜集
Security-Data-Analysis-and-Visualization 37 265 TSQL 2018-2020青年安全圈-活跃技术博主/博客
spleeter 50 139 Python Deezer source separation library including pretrained models.
azure-quickstart-templates 5 5979 PowerShell Azure Quickstart Templates
swr 377 3104 TypeScript React Hooks library for remote data fetching
pomoday-v2 16 148 TypeScript A keyboard only task management web app
you-dont-know-js-ru 13 2878 undefined 📚 Russian translation of “You Don’t Know JS” book series
BlockChain 56 1683 JavaScript 黑马程序员 120天全栈区块链开发 开源教程

1日

その他

その他のトレンド
リポジトリ名 日間⭐ トータル⭐️ 言語 説明
PowerToys 325 11803 C++ Windows system utilities to maximize productivity
iOS-DeviceSupport 171 2669 Python This repository holds the device support files for the iOS, and I will update it regularly.
SinGAN 124 778 Python Official pytorch implementation of the paper: “SinGAN: Learning a Generative Model from a Single Natural Image”
orleans 66 5748 C# Orleans is a cross-platform framework for building distributed applications with .NET
notepad-plus-plus 627 9218 C++ Notepad++ official repository
iptv 197 8205 JavaScript Collection of 8000+ publicly available IPTV channels from all over the world
fmt 37 6874 C++ A modern formatting library
swr 680 2769 TypeScript React Hooks library for remote data fetching
chinese-independent-blogs 139 560 JavaScript 中文独立博客列表
HelloGitHub 131 16480 Python Find pearls on open-source seashore 分享 GitHub 上有趣、入门级的开源项目
README-template.md 73 137 undefined A README template for anyone to copy and use.
fullstack-tutorial 223 6586 Java 🚀 fullstack tutorial 2019,后台技术栈/架构师之路/全栈开发社区,春招/秋招/校招/面试
Netch 85 1856 C# Game accelerator. Support Socks5, Shadowsocks, ShadowsocksR, V2Ray protocol. UDP NAT FullCone
incubator-apisix 153 1240 Lua Cloud-Native Microservices API Gateway
dash 16 10133 Python Analytical Web Apps for Python & R. No JavaScript Required.
unfork 238 883 C++ unfork(2) is the inverse of fork(2). sort of.
free-books 188 7917 undefined 互联网上的免费书籍
go-admin 154 1364 Go A dataviz framework help gopher to build a admin panel in ten minutes
Data-Science–Cheat-Sheet 73 12882 undefined Cheat Sheets
v2ray 66 7559 Shell 最好用的 V2Ray 一键安装脚本 & 管理脚本
python_for_data_analysis_2nd_chinese_version 36 1263 undefined 《利用Python进行数据分析·第2版》
DevOps-Guide 96 535 HTML DevOps Guide from basic to advanced with Interview Questions and Notes 🔥
workshop-webgl-glsl 96 307 JavaScript A workshop on WebGL and GLSL
blockchain 84 3995 undefined 区块链 - 中文资源
googletest 25 13455 C++ Googletest - Google Testing and Mocking Framework

See also