├── task
├── config.pyc
├── template.md
├── 原理思路.md
├── task.py
└── urls.txt
├── backup
└── readme-backup.md
└── README.md
/task/config.pyc:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/qiang/AndroidOpenSourceProject/HEAD/task/config.pyc
--------------------------------------------------------------------------------
/task/template.md:
--------------------------------------------------------------------------------
1 | | **分类** | **开发者 & 项目名称** | **简介** | **Star数** | **更新时间** |
2 | | :----: | :----: | :----: | :----: | :----: |
3 | {%- for item in projects %}
4 | | App | 开发者:{{ item['owner_name'] }}
项目名:[{{ item['name'] }}]({{ item['url'] }}) | {{ item['description'] }} | {{ item['forks_count'] }} | {{ item['pushed_at']|datetime_format }} |
5 | {%- endfor %}
--------------------------------------------------------------------------------
/task/原理思路.md:
--------------------------------------------------------------------------------
1 | ### 思路
2 |
3 | 这个仓库的 readme 是根据一些url自动生成的
4 |
5 | 1. 请求github的api获取项目的基本信息(临时保存在txt里面将来改成数据库)
6 | 2. 根据项目的基本信息构建临时数据库
7 | 3. 生成 markdown 文件,生成过程中判断是否排序
8 | 4. 上传到github,然后经过github渲染
9 |
10 | ### 用到的库
11 |
12 | - [Jinja2](http://jinja.pocoo.org/) [中文文档](https://www.kancloud.cn/manual/jinja2) [空白控制](https://www.kancloud.cn/manual/jinja2/70455)
13 | - [GitPython](https://gitpython.readthedocs.io/en/stable/tutorial.html) [简单用法](https://www.cnblogs.com/baiyangcao/p/gitpython.html)
14 |
15 | ### 问题
16 |
17 | 这个github的接口访问有次数限制,如果不创建app的没有授权的话,每小时限制60次
18 | [documentation_url](https://developer.github.com/v3/#rate-limiting),so~
19 | 我就创建了个开发项目
20 |
21 | config.py 就是个配置文件里面保存了键值对,大概的样子如下:
22 |
23 | ```
24 | client_id = "xxxxxxxxxxxxxx"
25 | client_secret = "xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx"
26 |
27 | ```
--------------------------------------------------------------------------------
/task/task.py:
--------------------------------------------------------------------------------
1 | #!/usr/bin/env python
2 | # -*- coding: utf-8 -*-
3 | import codecs
4 | import json
5 | import os
6 | import urlparse
7 | import urllib
8 | import sqlite3
9 | from jinja2 import FileSystemLoader, Environment
10 | import config
11 | import time
12 |
13 | __author__ = 'liuqiang'
14 |
15 | github_base_url = "https://api.github.com/repos/"
16 | db_name = "repo.db"
17 |
18 |
19 | # 时间日期格式化的过滤器,把 2018-12-06T06:23:36Z 转换成 2018-12-06 样式
20 | def datetime_format(t):
21 | time_struct0 = time.strptime(t, "%Y-%m-%dT%H:%M:%SZ")
22 | str_date = time.strftime("%Y-%m-%d", time_struct0)
23 | return str_date
24 |
25 |
26 | def insert2db(data, cursor, conn):
27 | """ 每一个项目的信息插入数据库
28 | :param conn: 据说执行插入不会立即执行,需要执行conn.commit() 才行
29 | :param cursor: 数据库游标
30 | :param data: 对应表里面的每个字段
31 | """
32 | cursor.execute('INSERT INTO info'
33 | ' (owner_name, avatar_url, name, url, description,'
34 | ' created_at, updated_at, pushed_at, forks_count, watchers)'
35 | ' VALUES (?,?,?,?,?,?,?,?,?,?)',
36 | (data['owner_name'], data['avatar_url'].replace("\n", ""),
37 | data['name'], data['url'].replace("\n", ""),
38 | data['description'], data['created_at'],
39 | data['updated_at'], data['pushed_at'],
40 | data['forks_count'], data['watchers']))
41 | conn.commit()
42 |
43 |
44 | def request_project_info(project_url):
45 | """ 从网络上获取一个github项目的详细信息
46 | :param project_url: 某个仓库的github开源api地址
47 | """
48 | split_result = urlparse.urlsplit(project_url.strip())
49 | # 从url中获取path
50 | path = split_result.path
51 | # 去除path开头的 /
52 | path = path.strip().strip('/')
53 | # 从path中解析出 用户名 和 项目名
54 | (user_name, project_name) = os.path.split(path)
55 | # print(user_name)
56 | # print(project_name)
57 | github_api_url = urlparse.urljoin(github_base_url, path)
58 | params = urllib.urlencode({'client_id': config.client_id, 'client_secret': config.client_secret})
59 |
60 | # 访问github api
61 | f = urllib.urlopen(github_api_url + "?%s" % params)
62 | if f.code != 200:
63 | return None
64 | json_str = str(f.read())
65 | json_obj = json.loads(json_str)
66 |
67 | try:
68 | owner_name = json_obj['owner']['login']
69 | avatar_url = json_obj['owner']['avatar_url']
70 | name = json_obj['name']
71 | description = json_obj['description']
72 | created_at = json_obj['created_at'] # 第一次提交
73 | updated_at = json_obj['updated_at']
74 | pushed_at = json_obj['pushed_at'] # 最后一次提交
75 | forks_count = json_obj['forks_count']
76 | watchers = json_obj['watchers']
77 | return {'owner_name': owner_name,
78 | 'avatar_url': avatar_url,
79 | 'name': name,
80 | 'url': project_url,
81 | 'description': description,
82 | 'created_at': created_at,
83 | 'updated_at': updated_at,
84 | 'pushed_at': pushed_at,
85 | 'forks_count': forks_count,
86 | 'watchers': watchers,
87 | }
88 | except KeyError, (key_error):
89 | print("key_error %s" % key_error)
90 | return None
91 |
92 |
93 | def build_target_file(projects):
94 | """ 填充模板
95 | :param projects: 一个字典列表 [{},{},{}]
96 | """
97 | env = Environment(loader=FileSystemLoader('./')) # 创建一个加载器对象
98 | env.filters['datetime_format'] = datetime_format
99 | template = env.get_template('template.md') # 获取一个模板文件
100 | result = template.render(projects=projects) # 渲染
101 | return result
102 |
103 |
104 | # 修改查询结果的每一行为字典类型
105 | def dict_factory(cursor, row):
106 | d = {}
107 | for idx, col in enumerate(cursor.description):
108 | d[col[0]] = row[idx]
109 | return d
110 |
111 |
112 | def start():
113 | exists = os.path.exists(db_name)
114 | conn = sqlite3.connect(db_name)
115 | # 指定工厂方法 ,为了查询返回字典类型
116 | conn.row_factory = dict_factory
117 | cursor = conn.cursor()
118 | if not exists:
119 | # 创建表
120 | cursor.execute('CREATE TABLE info ( _id INTEGER PRIMARY KEY AUTOINCREMENT, '
121 | 'owner_name VARCHAR(20),'
122 | 'avatar_url VARCHAR(20),'
123 | 'name VARCHAR(20),'
124 | 'url VARCHAR(20),'
125 | 'description VARCHAR(20),'
126 | 'created_at VARCHAR(20),'
127 | 'updated_at VARCHAR(20),'
128 | 'pushed_at VARCHAR(20),'
129 | 'forks_count INTEGER,'
130 | 'watchers INTEGER)'
131 | )
132 | else:
133 | # 清空表
134 | cursor.execute("DELETE FROM info WHERE 1 = 1")
135 | conn.commit()
136 |
137 | f = open('urls.txt', 'r')
138 | for project_url in f.readlines():
139 | single_data = request_project_info(project_url)
140 | if single_data is None:
141 | print(('\033[0;31;0m' + 'Q_M: 请求仓库 %s 出错' + '\033[0m') % project_url.replace("\n", ""))
142 | continue
143 | print("Q_M: 请求仓库 %s 成功" % project_url.replace("\n", ""))
144 | insert2db(single_data, cursor, conn)
145 |
146 | # 根据模板文件和数据库数据构建我们最终的文件
147 | cursor.execute("SELECT * FROM info;")
148 | results = cursor.fetchall()
149 | readme = build_target_file(results)
150 | print(readme)
151 | with codecs.open('../README.md', 'w', 'utf-8') as f:
152 | f.write(readme)
153 |
154 | # 最后关闭数据库
155 | cursor.close()
156 | conn.close()
157 |
158 |
159 | if __name__ == '__main__':
160 | start()
161 |
--------------------------------------------------------------------------------
/task/urls.txt:
--------------------------------------------------------------------------------
1 | https://github.com/romannurik/muzei
2 | https://github.com/nickbutcher/plaid
3 | https://github.com/SkillCollege/SimplifyReader
4 | https://github.com/oubowu/OuNews
5 | https://github.com/hidroh/materialistic
6 | https://github.com/DrKLO/Telegram
7 | https://github.com/wangdan/AisenWeiBo
8 | https://github.com/laowch/GithubTrends
9 | https://github.com/maoruibin/TranslateApp
10 | https://github.com/uberspot/2048-android
11 | https://github.com/naman14/Timber
12 | https://github.com/psaravan/JamsMusicPlayer
13 | https://github.com/ryanhoo/StylishMusicPlayer
14 | https://github.com/saulmm/Material-Movies
15 | https://github.com/daimajia/AnimeTaste
16 | https://github.com/JustWayward/BookReader
17 | https://github.com/tangqi92/BuildingBlocks
18 | https://github.com/DreaminginCodeZH/Douya
19 | https://github.com/wingjay/jianshi
20 | https://github.com/MiCode/FileExplorer
21 | https://github.com/ryanhoo/StylishMusicPlayer
22 | https://github.com/forezp/banya
23 | https://github.com/jaydenxiao2016/AndroidFire
24 | https://github.com/SomeOneIntheWorld/TasteNews
25 | https://github.com/JustWayward/BookReader
26 | https://github.com/homcin/Tuikan
27 | https://github.com/Automattic/simplenote-android
28 | https://github.com/PleaseCallMeCoder/PrettyGirls
29 | https://github.com/xiaohaibin/OpenEyes
30 | https://github.com/vickychijwani/quill
31 | https://github.com/iHaPBoy/BookShelf
32 | https://github.com/HotBitmapGG/OhMyBiliBili
33 | https://github.com/Jhuster/JNote
34 | https://github.com/xcc3641/SeeWeather
35 | https://github.com/YiuChoi/MicroReader
36 | https://github.com/gaolonglong/GankGirl
37 | https://github.com/chatwyn/WBZhiHuDailyPaper
38 | https://github.com/LiCola/huabanDemo
39 | https://github.com/michelelacorte/IPTVFree
40 | https://github.com/burgessjp/GanHuoIO
41 | https://github.com/mzule/AndroidWeekly
42 | https://github.com/Yasic/DiyCodeForAndroid
43 | https://github.com/DanteAndroid/Knowledge
44 | https://github.com/nekocode/murmur
45 | https://github.com/AntennaPod/AntennaPod
46 | https://github.com/dibakarece/DMPlayer
47 | https://github.com/liuguangqiang/Idaily
48 | https://github.com/IvorHu/RealStuff
49 | https://github.com/maning0303/GankMM
50 | https://github.com/Nightonke/CoCoin
51 | https://github.com/maoruibin/TranslateApp
52 | https://github.com/dongjunkun/GanK
53 | https://github.com/envyfan/AndroidReview
54 | https://github.com/fangx/ZhiHuMVP
55 | https://github.com/wenhuaijun/SearchPictureTool
56 | https://github.com/Uphie/ONE-Unofficial
57 | https://github.com/phodal/growth
58 | https://github.com/CaMnter/EasyGank
59 | https://github.com/ribot/ribot-app-android
60 | https://github.com/esoxjem/MovieGuide
61 | https://github.com/SilenceDut/NBAPlus
62 | https://github.com/liuling07/SimpleNews
63 | https://github.com/architjn/Auro
64 | https://github.com/MummyDing/Leisure
65 | https://github.com/spongebobrf/BookdashAndroidApp
66 | https://github.com/WuXiaolong/WeWin
67 | https://github.com/javiersantos/MLManager
68 | https://github.com/maoruibin/GankDaily
69 | https://github.com/lincanbin/Android-Carbon-Forum
70 | https://github.com/ValuesFeng/ResoCamera
71 | https://github.com/KJFrame/KJBlog
72 | https://github.com/openproject/ganchai
73 | https://github.com/taoliuh/v2ex
74 | https://github.com/oxoooo/mr-mantou-android
75 | https://github.com/JayFang1993/ScanBook
76 | https://github.com/CycloneAxe/phphub-android
77 | https://github.com/ikew0ng/Dribbo
78 | https://github.com/w9xhc/Hide-Music-Player
79 | https://github.com/Substance-Project/GEM
80 | https://github.com/kinneyyan/36krReader
81 | https://github.com/laowch/GithubTrends
82 | https://github.com/avjinder/Minimal-Todo
83 | https://github.com/tehmou/rx-android-architecture
84 | https://github.com/greatyao/v2ex-android
85 | https://github.com/andyiac/githot
86 | https://github.com/naman14/Timber
87 | https://github.com/zulip/zulip-android
88 | https://github.com/k0shk0sh/FastAccess
89 | https://github.com/google/iosched
90 | https://github.com/googlesamples/android-topeka
91 | https://github.com/googlesamples/android-UniversalMusicPlayer
92 | https://git.oschina.net/oschina/android-app
93 | https://git.oschina.net/oschina/git-osc-android-project
94 | https://coding.net/u/coding/p/Coding-Android/git
95 | https://github.com/chrisbanes/cheesesquare
96 | https://github.com/JakeWharton/u2020
97 | https://github.com/cundong/ZhihuPaper
98 | https://github.com/bxbxbai/ZhuanLan
99 | https://github.com/iKrelve/KuaiHu
100 | https://github.com/izzyleung/ZhihuDailyPurify
101 | https://github.com/feelinglucky/iZhihu
102 | https://github.com/meizhou/resemble-zhihu-app
103 | https://github.com/wenjiahui/KanZhiHu
104 | https://github.com/uberspot/2048-android
105 | https://github.com/ZhaoKaiQiang/JianDan
106 | https://github.com/deano2390/OpenFlappyBird
107 | https://github.com/cubei/FlappyCow
108 | https://github.com/QuantumBadger/RedReader
109 | https://github.com/k9mail/k-9
110 | https://github.com/qii/weiciyuan
111 | https://github.com/romannurik/muzei
112 | https://github.com/android10/Android-CleanArchitecture
113 | https://github.com/chrisbanes/philm
114 | https://github.com/psaravan/JamsMusicPlayer
115 | https://github.com/stormzhang/9GAG
116 | https://github.com/novoda/android-demos
117 | https://github.com/kaushikgopal/RxJava-Android-Samples
118 | https://github.com/tehmou/rx-android-architecture
119 | https://github.com/owncloud/android
120 | https://github.com/klinker24/Talon-for-Twitter
121 | https://github.com/SkillCollege/SimplifyReader
122 | https://github.com/eoecn/android-app
123 | https://github.com/antoniolg/androidmvp
124 | https://github.com/hmkcode/Android
125 | https://github.com/wangdan/AisenWeiBo
126 | https://github.com/qklabs/qksms
127 | https://github.com/MizzleDK/Mizuu
128 | https://github.com/saulmm/Material-Movies
129 | https://github.com/expectedbehavior/gauges-android
130 | https://github.com/chrislacy/TweetLanes
131 | https://github.com/motianhuo/wechat
132 | https://github.com/pockethub/PocketHub
133 | https://github.com/bagilevi/android-pedometer
134 | https://github.com/malmstein/yahnac
135 | https://github.com/daimajia/evermemo
136 | https://github.com/MiCode/Notes
137 | https://github.com/MiCode/SoundRecorder
138 | https://github.com/antoniolg/MaterializeYourApp
139 | https://github.com/slapperwan/gh4a
140 | https://github.com/jariz/MaterialUp
141 | https://github.com/kyze8439690/v2ex-daily-android
142 | https://github.com/Leaking/WeGit
143 | https://github.com/abarisain/dmix
144 | https://github.com/drakeet/Seashell-app
145 | https://github.com/GeekZooStudio/ECMobile_Android
146 | https://github.com/TakWolf/CNode-Material-Design
147 | https://git.oschina.net/Mr.LiaBin/my-oscgit-android
148 | https://github.com/xiongwei-git/GankApp
149 | https://github.com/yongbo000/wakao-app
150 | https://github.com/kanxue-team/kanxue-android-app
151 | https://github.com/sangmingming/Meizitu
152 | https://github.com/drakeet/Meizhi
153 | https://github.com/Veaer/Gank-Veaer
154 | https://github.com/xingrz/GankMeizhi
155 | https://github.com/zhangliangming/HappyMusicPlayer
156 | https://github.com/andforce/iBeebo
157 | https://github.com/PaperAirplane-Dev-Team/BlackLight
158 | https://github.com/niranjan94/show-java
--------------------------------------------------------------------------------
/backup/readme-backup.md:
--------------------------------------------------------------------------------
1 | # 完整项目
2 | -----
3 |
4 | * [Muzei Live Wallpaper](https://github.com/romannurik/muzei) - 这是已经在Playstore上线了的android壁纸应用,点击壁纸界面可以磨砂透明效果以及一般背景效果之间切换,可以自己指定背景图片的来源。最重要的他是开源的。
5 | * [Plaid](https://github.com/nickbutcher/plaid) - 一个material design 的使用范例。关注量相当高。Plaid is a showcase of material design that we hope you will keep installed. It pulls in news & inspiration from Designer News, Dribbble & Product Hunt. It demonstrates the use of material principles to create tactile, bold, understandable UIs.
6 | * [SimplifyReader](https://github.com/SkillCollege/SimplifyReader) - 一款基于Google Material Design设计开发的Android客户端,包括新闻简读,图片浏览,视频爽看 ,音乐轻听以及二维码扫描五个子模块。
7 | * [OuNews](https://github.com/oubowu/OuNews) - MVP模式的新闻客户端
8 | * [materialistic](https://github.com/hidroh/materialistic) - Material Desgin风格的Hacker News客户端。
9 | * [Telegram](https://github.com/DrKLO/Telegram) - Telegram 是一款专注于速度、安全的短信息应用,快速、简单、免费。Telegram 支持群组聊天,最高200人,最高支持分享1GB的视频,其它图片等等更是不在话下。而且所有信息全部支持同步。由于频发的隐私问题,所以 Telegram 也很注重通信安全。
10 | * [AisenWeiBo](https://github.com/wangdan/AisenWeiBo) - Aisen微博是新浪微博的第三方客户端,UI遵循Material Design:遵循Material Design、发布多图、离线下载、私信(触屏版、颜色主题切换、手势返回,4.4、5.0状态栏变色、离线编辑,定时发布多图、gif、长微博预览。[FrescoDemo](https://github.com/06peng/FrescoDemo) 。
11 | * [GithubTrends](https://github.com/laowch/GithubTrends) - 是一个用来看查看 GitHub 热门项目的 Android App, 遵循 Material Design, 支持订阅 50 多种编程语言, 9 种颜色主题切换, 可在上面收藏喜欢的项目。
12 | * [TranslateApp](https://github.com/maoruibin/TranslateApp) - 一个实现『划词翻译』功能的 Android 开源应用。
13 | * [2048-android](https://github.com/uberspot/2048-android) - 2048小游戏,Android版
14 | * [Timber](https://github.com/naman14/Timber) - Material Design Music Player 一款Material Design 的音乐播放器
15 | * [JamsMusicPlayer](https://github.com/psaravan/JamsMusicPlayer)另一款的音乐播放器
16 | * [StylishMusicPlayer](https://github.com/ryanhoo/StylishMusicPlayer) A stylish music player for android device 16+
17 | * [Material-Movies](https://github.com/saulmm/Material-Movies) 电影资讯app MD设计,国外
18 | * [AnimeTaste](https://github.com/daimajia/AnimeTaste) - AnimeTaste(品赏艾尼莫)是国内首个关注独立动画的网站。 移动版聚焦更新的全球独立动画的传播,让您随时随地能观看动画,分享快乐给更多好友。品味动画,重拾幻想。
19 | * [BookReader](https://github.com/JustWayward/BookReader) - "任阅" 网络小说阅读器,实现追书推荐收藏、书籍/标签检索、模拟翻书的翻页效果、缓存书籍、日夜间模式、书签、本地txt/pdf书籍阅读、字体/主题/亮度设置、Wifi传书等功能
20 | * [BuildingBlocks](https://github.com/tangqi92/BuildingBlocks) - 积木: 一个以知乎日报作为数据展现内容;以抽屉菜单作为功能扩展入口;依循 Material Design 作为主导设计 UI 的应用。
21 | * [Douya](https://github.com/DreaminginCodeZH/Douya) - 开源的 Material Design 豆瓣客户端。
22 | * [jianshi](https://github.com/wingjay/jianshi) - jianshi简诗是国人开发的一个用于记录文字信息的 Android 完整应用, 作者仅用了一天便将其开发出来, 并将开发的流程记录成文放到了简书上。
23 | * [MiCode/FileExplorer小米文件管理器](https://github.com/MiCode/FileExplorer) - 小米文件管理器的开源版,这是一个完整的文件管理程序,虽然界面一般,但是功能相对完善,非常适合用来学习。
24 |
25 |
26 | ## 别人整理
27 |
28 | #### [StylishMusicPlayer](https://github.com/ryanhoo/StylishMusicPlayer)
29 | > A stylish music player for android device 16+
30 |
31 | #### [banya](https://github.com/forezp/banya)
32 | > 瓣呀,一个非官方的豆瓣app
33 |
34 | #### [AndroidFire](https://github.com/jaydenxiao2016/AndroidFire)
35 | > 一款新闻阅读 App框架,基于 Material Design + MVP + RxJava + Retrofit + Glide,基本涵盖了当前 Android 端开发最常用的主流框架,基于此框架可以快速开发一个app。
36 |
37 | #### [TasteNews](https://github.com/SomeOneIntheWorld/TasteNews)
38 | > MVP架构的新闻类应用
39 |
40 | #### [FreeBook](https://github.com/80945540/FreeBook)
41 | > 基于MVP模式开发的带缓存网络爬虫,采用最流行框架搭建,干货多多
42 |
43 | #### [BookReader](https://github.com/JustWayward/BookReader)
44 | > 任阅小说阅读器,高仿追书神器,实现追书推荐、标签检索、3D仿真翻页效果、文章阅读、缓存章节、日夜间模式、文本朗读等功能。
45 |
46 | #### [Tuikan](https://github.com/homcin/Tuikan)
47 | > 「推看」是一款集知乎头条,美图,视频于一体的休闲阅读app。
48 |
49 | #### [Simplenote for Android](https://github.com/Automattic/simplenote-android)
50 | > Simplenote Android客户端
51 |
52 | #### [PrettyGirls](https://github.com/PleaseCallMeCoder/PrettyGirls)
53 | > 一个基于MVP+Retrofit+RxJava+MaterialDesign和gank.io的MeiZhi客户端。
54 |
55 | #### [OpenEyes](https://github.com/xiaohaibin/OpenEyes)
56 | > 仿照[开眼视频]客户端做的一个App
57 |
58 | #### [quill](https://github.com/vickychijwani/quill)
59 | > 一款搭配Ghost博客的客户端
60 |
61 | #### [书柜](https://github.com/iHaPBoy/BookShelf)
62 | > 一款用于管理个人图书及阅读笔记的移动 Android 应用。
63 |
64 | #### [OhMyBiliBili](https://github.com/HotBitmapGG/OhMyBiliBili)
65 | > 莆田系高仿真哔哩哔哩动画客户端
66 |
67 | #### [JNote](https://github.com/Jhuster/JNote)
68 | > 一款支持部分Markdown语法的轻量级便签软件。
69 |
70 | #### [SeeWeather](https://github.com/xcc3641/SeeWeather)
71 | > 一款遵循Material Design风格的只看天气的APP。
72 |
73 | #### [MicroReader](https://github.com/YiuChoi/MicroReader)
74 | > 一个小而美的阅读客户端
75 |
76 | #### [GankGirl](https://github.com/gaolonglong/GankGirl)
77 | > RxJava+Retrofit+Glide构建的gank.io第三方客户端,包含妹子图和技术干货等。
78 |
79 | #### [WBZhiHuDailyPaper](https://github.com/chatwyn/WBZhiHuDailyPaper)
80 | > 高仿知乎日报
81 |
82 | #### [huaban](https://github.com/LiCola/huabanDemo)
83 | > MD版的花瓣网App
84 |
85 | #### [IPTVFree](https://github.com/michelelacorte/IPTVFree)
86 | > Simple IPTV
87 |
88 | #### [GanHuoIO](https://github.com/burgessjp/GanHuoIO)
89 | > 基于Gank.IO提供的API的第三方客户端
90 |
91 | #### [AndroidWeekly](https://github.com/mzule/AndroidWeekly)
92 | > AndroidWeekly.net第三方客户端
93 |
94 | #### [DiyCodeForAndroid](https://github.com/Yasic/DiyCodeForAndroid)
95 | > Diycode社区Android客户端
96 |
97 | #### [Knowledge](https://github.com/DanteAndroid/Knowledge)
98 | > A MD project with MVP architecture
99 |
100 | #### [DoubanFM](https://github.com/nekocode/murmur)
101 | > Murmur是一个带白噪声效果的豆瓣电台第三方客户端,采用 Kotlin / MVP / ReactiveX 进行构建.
102 |
103 | #### [AntennaPod](https://github.com/AntennaPod/AntennaPod)
104 | > A podcast manager for Android
105 |
106 | #### [DMPlayer](https://github.com/dibakarece/DMPlayer)
107 | > Android音乐播放器
108 |
109 | #### [Idaily](https://github.com/liuguangqiang/Idaily)
110 | > 开源的第三方知乎日报客户端
111 |
112 | #### [RealStuff](https://github.com/IvorHu/RealStuff)
113 | > 一个看妹纸与开发资讯的Android APP,具有本地缓存、分享与添加收藏的功能
114 |
115 | #### [GankMM](https://github.com/maning0303/GankMM)
116 | > 干货集中营第三方客户端
117 |
118 | #### [CoCoin](https://github.com/Nightonke/CoCoin)
119 | > 一款多视图记账App
120 |
121 | #### [TranslateApp](https://github.com/maoruibin/TranslateApp)
122 | > TranslateApp 一个实现『划词翻译』功能的 Android 开源应用
123 |
124 | #### [GanK](https://github.com/dongjunkun/GanK)
125 | > 干货集中营第三方客户端
126 |
127 | #### [AndroidReview](https://github.com/envyfan/AndroidReview)
128 | > Android面试复习App
129 |
130 | #### [ZhiHuMVP](https://github.com/fangx/ZhiHuMVP)
131 | > 采用MVP架构的仿知乎APP
132 |
133 | #### [OuNews](https://github.com/oubowu/OuNews)
134 | > 新闻阅读类App
135 |
136 | #### [Douya](https://github.com/DreaminginCodeZH/Douya)
137 | > 开源的 Material Design 豆瓣客户端
138 |
139 | #### [SearchPictureTool](https://github.com/wenhuaijun/SearchPictureTool)
140 | > 图片搜索APP源码,Material Design,Rxjava
141 |
142 | #### [ONE-Unofficial](https://github.com/Uphie/ONE-Unofficial)
143 | > 非官方版“一个(ONE)”,一个比官方版更优秀的版本。
144 |
145 | #### [growth](https://github.com/phodal/growth)
146 | > Growth关注于Web开发的流程及其技术栈、学习路线、成长衡量
147 |
148 | #### [EasyGank](https://github.com/CaMnter/EasyGank)
149 | > The project build framework based on the Rx series and MVP pattern
150 |
151 | #### [ribot-app-android](https://github.com/ribot/ribot-app-android)
152 | > The ribot studio app for the Android Platform
153 |
154 | #### [MovieGuide](https://github.com/esoxjem/MovieGuide)
155 | > An Android app that showcases the MVP pattern and RxJava
156 |
157 | #### [NBAPlus](https://github.com/SilenceDut/NBAPlus)
158 | > A concise APP about NBA News and Event with RxJava and EventBus
159 |
160 | #### [SimpleNews](https://github.com/liuling07/SimpleNews)
161 | > 基于Material Design和MVP的新闻客户端
162 |
163 | #### [Auro](https://github.com/architjn/Auro)
164 | > 1st Most Fastest, Latest Designed and open source Music player
165 |
166 | #### [Leisure](https://github.com/MummyDing/Leisure)
167 | > 闲暇(Leisure)是一款集"知乎日报"、“果壳科学人”、“新华网新闻”以及“豆瓣图书”于一体的阅读类Android应用。
168 |
169 | #### [BookdashAndroidApp](https://github.com/spongebobrf/BookdashAndroidApp)
170 | > Book Dash is an Android App for the NPO where you can download books in different languages for free.
171 |
172 | #### [WeWin](https://github.com/WuXiaolong/WeWin)
173 | > 开源项目App
174 |
175 | #### [MLManager](https://github.com/javiersantos/MLManager)
176 | > 开源App管理工具
177 |
178 | #### [GankDaily](https://github.com/maoruibin/GankDaily)
179 | > gank.io手机客户端
180 |
181 | #### [Android-Carbon-Forum](https://github.com/lincanbin/Android-Carbon-Forum)
182 | > Material Design风格的 Carbon Forum客户端
183 |
184 | #### [ResoCamera](https://github.com/ValuesFeng/ResoCamera)
185 | > 一个开源的相机应用
186 |
187 | #### [爱看博客Android客户端](https://github.com/KJFrame/KJBlog)
188 | > 爱看博客Android客户端
189 |
190 | #### [ganchai](https://github.com/openproject/ganchai)
191 | > 干柴(客户端、服务端)
192 |
193 | #### [V2EX客户端](https://github.com/taoliuh/v2ex)
194 | > V2EX客户端
195 |
196 | #### [mr-mantou-android](https://github.com/oxoooo/mr-mantou-android)
197 | > 妹纸应用
198 |
199 | #### [ScanBook](https://github.com/JayFang1993/ScanBook)
200 | > 扫扫图书
201 |
202 | #### [phphub-android](https://github.com/CycloneAxe/phphub-android)
203 | > PHPHub Android客户端
204 |
205 | #### [Dribbo](https://github.com/ikew0ng/Dribbo)
206 | > Dribbble客户端
207 |
208 | #### [Hide-Music-Player](https://github.com/w9xhc/Hide-Music-Player)
209 | > Hide音乐播放器
210 |
211 | #### [GEM](https://github.com/Substance-Project/GEM)
212 | > A music player for Android, in stunning Material Design.
213 |
214 | #### [36krReader](https://github.com/kinneyyan/36krReader)
215 | > MD风格的36氪Android阅读客户端
216 |
217 | #### [GithubTrends](https://github.com/laowch/GithubTrends)
218 | > 一个用来看查看 Github 热门项目的 Android App, 遵循 Material Design。
219 |
220 | #### [Minimal-Todo](https://github.com/avjinder/Minimal-Todo)
221 | > Material To-Do App
222 |
223 | #### [rx-android-architecture](https://github.com/tehmou/rx-android-architecture)
224 | > An example project of an Android architecture built on RxJava
225 |
226 | #### [掌上V2EX](https://github.com/greatyao/v2ex-android)
227 | > V2EX 第三方Android客户端
228 |
229 | #### [githot](https://github.com/andyiac/githot)
230 | > GitHot is an Android App that will help you to find the world most popular project and person
231 |
232 | #### [Timber](https://github.com/naman14/Timber)
233 | > Material Design Music Player
234 |
235 | #### [zulip-android](https://github.com/zulip/zulip-android)
236 | > Dropbox收购公司内部社交服务商Zulip,然后全部开源,这是Android App
237 |
238 | #### [Fast-Access-Floating-Toolbox](https://github.com/k0shk0sh/Fast-Access-Floating-Toolbox-)
239 | > Fast Access (Floating Toolbox)
240 |
241 | #### [iosched](https://github.com/google/iosched)
242 | > Google I/O 2014官方App
243 |
244 | #### [android-topeka](https://github.com/googlesamples/android-topeka)
245 | > Google官方给出的material design应用指南。
246 |
247 | #### [android-UniversalMusicPlayer](https://github.com/googlesamples/android-UniversalMusicPlayer)
248 | > Google官方给出的m音乐播放器,支持Android phones, tablets, Auto, Wear and Cast devices
249 |
250 | #### [OSCChina-Android](https://git.oschina.net/oschina/android-app)
251 | > 开源中国Android客户端。
252 |
253 | #### [git-osc-android-project](https://git.oschina.net/oschina/git-osc-android-project)
254 | > Git@OSC客户端
255 |
256 | #### [Coding](https://coding.net/u/coding/p/Coding-Android/git)
257 | > Coding官方客户端
258 |
259 | #### [cheesesquare](https://github.com/chrisbanes/cheesesquare)
260 | > Android Design library库DEMO
261 |
262 | #### [u2020](https://github.com/JakeWharton/u2020)
263 | > JakeWharton写的一个App,针对多个库的综合应用:Dagger、ButterKnife、Retrofit、Moshi、Picasso、OkHttp、RxJava、Timber、Madge、ProcessPhoenix、Scalpel、LeakCanary
264 |
265 | #### [ZhihuPaper](https://github.com/cundong/ZhihuPaper)
266 | > 一个知乎日报客户端
267 |
268 | #### [ZhuanLan](https://github.com/bxbxbai/ZhuanLan)
269 | > 一个知乎专栏App
270 |
271 | #### [KuaiHu](https://github.com/iKrelve/KuaiHu)
272 | > 又一个高仿知乎日报应用
273 |
274 | #### [ZhihuDailyPurify](https://github.com/izzyleung/ZhihuDailyPurify)
275 | > 更纯净的知乎日报应用
276 |
277 | #### [iZhihu](https://github.com/feelinglucky/iZhihu)
278 | > 随时随地获得「知乎」每日最新精选内容!
279 |
280 | #### [resemble-zhihu-app](https://github.com/meizhou/resemble-zhihu-app)
281 | > 仿知乎日报android
282 |
283 | #### [KanZhiHu](https://github.com/wenjiahui/KanZhiHu)
284 | > 看知乎Android端app(非官方)
285 |
286 | #### [2048-android](https://github.com/uberspot/2048-android)
287 | > 2048游戏Android客户端
288 |
289 | #### [JianDan](https://github.com/ZhaoKaiQiang/JianDan)
290 | > 高仿煎蛋客户端
291 |
292 | #### [OpenFlappyBird](https://github.com/deano2390/OpenFlappyBird)
293 | > 用AndEngine写的FlappyBird游戏
294 |
295 | #### [FlappyCow](https://github.com/cubei/FlappyCow)
296 | > 类似FlappyBird风格的游戏
297 |
298 | #### [RedReader](https://github.com/QuantumBadger/RedReader)
299 | > Reddit 第三方客户端
300 |
301 | #### [K-9 Mail](https://github.com/k9mail/k-9)
302 | > 开源邮件客户端
303 |
304 | #### [weiciyuan](https://github.com/qii/weiciyuan)
305 | > 四次元(原微次元)新浪微博客户端
306 |
307 | #### [Muzei](https://github.com/romannurik/muzei)
308 | > 墙纸应用。
309 |
310 | #### [Android-CleanArchitecture](https://github.com/android10/Android-CleanArchitecture)
311 | > 用clean architecture来架构的Android App应用。
312 |
313 | #### [philm](https://github.com/chrisbanes/philm)
314 | > 电影资讯类App
315 |
316 | #### [JamsMusicPlayer](https://github.com/psaravan/JamsMusicPlayer)
317 | > 另一款音乐播放器
318 |
319 | #### [9GAG](https://github.com/stormzhang/9GAG)
320 | > 9GAG第三方客户端。
321 |
322 | #### [android-demos](https://github.com/novoda/android-demos)
323 | > Android应用demo。
324 |
325 | #### [RxJava-Android-Samples](https://github.com/kaushikgopal/RxJava-Android-Samples)
326 | > 通过例子学习Rxjava在Android中的运用。
327 |
328 | #### [rx-android-architecture](https://github.com/tehmou/rx-android-architecture)
329 | > 基于RxJava的Android架构
330 |
331 | #### [ownCloud](https://github.com/owncloud/android)
332 | > ownCloud客户端
333 |
334 | #### [Talon-for-Twitter](https://github.com/klinker24/Talon-for-Twitter)
335 | > twitter第三方客户端
336 |
337 | #### [SimplifyReader](https://github.com/SkillCollege/SimplifyReader)
338 | > 一款基于Google Material Design设计开发的Android客户端,包括新闻简读,图片浏览,视频爽看 ,音乐轻听以及二维码扫描五个子模块。项目采取的是MVP架构开发
339 |
340 | #### [eoe客户端](https://github.com/eoecn/android-app)
341 | > eoe客户端
342 |
343 | #### [androidmvp](https://github.com/antoniolg/androidmvp)
344 | > androidmvp例子
345 |
346 | #### [AndroidExamples](https://github.com/hmkcode/Android)
347 | > Android相关例子
348 |
349 | #### [AisenWeiBo](https://github.com/wangdan/AisenWeiBo)
350 | > 新浪微博第三方Android客户端
351 |
352 | #### [qksms](https://github.com/qklabs/qksms)
353 | > 开源通信的App
354 |
355 | #### [Mizuu](https://github.com/MizzleDK/Mizuu)
356 | > 媒体索引App
357 |
358 | #### [Material-Movies](https://github.com/saulmm/Material-Movies)
359 | > material design设计的电影类App
360 |
361 | #### [gauges-android](https://github.com/expectedbehavior/gauges-android)
362 | > Gaug.es Android App
363 |
364 | #### [TweetLanes](https://github.com/chrislacy/TweetLanes)
365 | > twotter第三方客户端
366 |
367 | #### [wechat](https://github.com/motianhuo/wechat)
368 | > 高仿微信
369 |
370 | #### [PocketHub](https://github.com/pockethub/PocketHub)
371 | > PocketHub Android App
372 |
373 | #### [android-pedometer](https://github.com/bagilevi/android-pedometer)
374 | > android计步器
375 |
376 | #### [yahnac](https://github.com/malmstein/yahnac)
377 | > Hacker News 客户端
378 |
379 | #### [EverMemo](https://github.com/daimajia/evermemo)
380 | > 笔记应用
381 |
382 | #### [FileExplorer](https://github.com/MiCode/FileExplorer)
383 | > MIUI文件管理器社区开源版
384 |
385 | #### [Notes](https://github.com/MiCode/Notes)
386 | > 小米便签社区开源版
387 |
388 | #### [SoundRecorder](https://github.com/MiCode/SoundRecorder)
389 | > MIUI录音机社区开源版
390 |
391 | #### [MaterializeYourApp](https://github.com/antoniolg/MaterializeYourApp)
392 | > 一个Material App的例子
393 |
394 | #### [gh4a](https://github.com/slapperwan/gh4a)
395 | > Github第三方客户端
396 |
397 | #### [MaterialUp](https://github.com/jariz/MaterialUp)
398 | > MaterialUp第三方客户端
399 |
400 | #### [v2ex](https://github.com/kyze8439690/v2ex-daily-android)
401 | > v2ex第三方客户端
402 |
403 | #### [WeGit](https://github.com/Leaking/WeGit)
404 | > Github第三方客户端
405 |
406 | #### [dmix](https://github.com/abarisain/dmix)
407 | > MPD客户端,音乐类App
408 |
409 | #### [Seashell-app](https://github.com/drakeet/Seashell-app)
410 | > 贝壳单词 APP Android 客户端
411 |
412 | #### [ECMobile_Android](https://github.com/GeekZooStudio/ECMobile_Android)
413 | > 基于ECShop的手机商城客户端
414 |
415 | #### [CNode-Material-Design Android](https://github.com/TakWolf/CNode-Material-Design)
416 | > CNode社区第三方Android客户端,Material Design风格
417 |
418 | #### [my-oscgit-android](https://git.oschina.net/Mr.LiaBin/my-oscgit-android)
419 | > Git@OSC非官方客户端,遵循Material Design设计原则
420 |
421 | #### [GankApp](https://github.com/xiongwei-git/GankApp)
422 | > 干活集中营第三方客户端
423 |
424 | #### [哇靠百科](https://github.com/yongbo000/wakao-app)
425 | > 一款聚合了众多笑话段子、妹子图、微信公众号文章的Android App。
426 |
427 | #### [kanxue-android-app](https://github.com/kanxue-team/kanxue-android-app)
428 | > 看雪安全论坛android客户端
429 |
430 | #### [Meizitu](https://github.com/sangmingming/Meizitu)
431 | > 一个看妹子的软件
432 |
433 | #### [Meizhi](https://github.com/drakeet/Meizhi)
434 | > 妹纸客户端,数据来自干活集中营
435 |
436 | #### [Gank-Veaer](https://github.com/Veaer/Gank-Veaer)
437 | > 欣赏妹纸,查看干货Feed的小应用,数据来自代码家的干货网站:Gank.io
438 |
439 | #### [GankMeizhi](https://github.com/xingrz/GankMeizhi)
440 | > 妹子图软件 数据来自代码家的干货网站:Gank.io
441 |
442 | #### [HappyMusicPlayer](https://github.com/zhangliangming/HappyMusicPlayer)
443 | > android音乐播放器
444 |
445 | #### [iBeebo](https://github.com/andforce/iBeebo)
446 | > Sina Weibo Client
447 |
448 | #### [BlackLight](https://github.com/PaperAirplane-Dev-Team/BlackLight)
449 | > A light Sina Weibo client for Android
450 |
451 | #### [show-java](https://github.com/niranjan94/show-java)
452 | > Android反编译APK客户端
453 |
454 |
455 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | | **分类** | **开发者 & 项目名称** | **简介** | **Star数** | **更新时间** |
2 | | :----: | :----: | :----: | :----: | :----: |
3 | | App | 开发者:romannurik
项目名:[muzei](https://github.com/romannurik/muzei) | Muzei Live Wallpaper for Android | 896 | 2018-12-06 |
4 | | App | 开发者:nickbutcher
项目名:[plaid](https://github.com/nickbutcher/plaid) | An Android app which provides design news & inspiration as well as being an example of implementing material design. | 2503 | 2018-12-04 |
5 | | App | 开发者:chentao0707
项目名:[SimplifyReader](https://github.com/SkillCollege/SimplifyReader) | 一款基于Google Material Design设计开发的Android客户端,包括新闻简读,图片浏览,视频爽看 ,音乐轻听以及二维码扫描五个子模块。项目采取的是MVP架构开发,由于还是摸索阶段,可能不是很规范。但基本上应该是这么个套路,至少我个人认为是这样的~恩,就是这样的! | 1697 | 2017-03-24 |
6 | | App | 开发者:oubowu
项目名:[OuNews](https://github.com/oubowu/OuNews) | 新闻阅读 | 459 | 2017-08-01 |
7 | | App | 开发者:hidroh
项目名:[materialistic](https://github.com/hidroh/materialistic) | A material-design Hacker News Android reader | 395 | 2018-10-16 |
8 | | App | 开发者:DrKLO
项目名:[Telegram](https://github.com/DrKLO/Telegram) | Telegram for Android source | 4332 | 2018-12-07 |
9 | | App | 开发者:wangdan
项目名:[AisenWeiBo](https://github.com/wangdan/AisenWeiBo) | 新浪微博第三方Android客户端 | 624 | 2018-10-28 |
10 | | App | 开发者:laowch
项目名:[GithubTrends](https://github.com/laowch/GithubTrends) | It's a GitHub Trending repositories Viewer with Material Design. | 107 | 2016-09-23 |
11 | | App | 开发者:maoruibin
项目名:[TranslateApp](https://github.com/maoruibin/TranslateApp) | :memo: A translations app without interruptions, copy words and translate directly, show result by top view. | 363 | 2018-10-31 |
12 | | App | 开发者:uberspot
项目名:[2048-android](https://github.com/uberspot/2048-android) | The android port of the 2048 game (for offline playing) | 650 | 2018-11-29 |
13 | | App | 开发者:naman14
项目名:[Timber](https://github.com/naman14/Timber) | Material Design Music Player | 1742 | 2018-11-19 |
14 | | App | 开发者:psaravan
项目名:[JamsMusicPlayer](https://github.com/psaravan/JamsMusicPlayer) | A free, powerful and elegant music player for Android. | 1224 | 2015-09-01 |
15 | | App | 开发者:ryanhoo
项目名:[StylishMusicPlayer](https://github.com/ryanhoo/StylishMusicPlayer) | A stylish music player for android device 16+ | 691 | 2018-01-04 |
16 | | App | 开发者:saulmm
项目名:[Material-Movies](https://github.com/saulmm/Material-Movies) | [Deprecated] An application about movies with material design | 647 | 2016-06-23 |
17 | | App | 开发者:daimajia
项目名:[AnimeTaste](https://github.com/daimajia/AnimeTaste) | Taste global original animation | 532 | 2017-04-17 |
18 | | App | 开发者:smuyyh
项目名:[BookReader](https://github.com/JustWayward/BookReader) | :closed_book: "任阅" 网络小说阅读器,仿真翻页效果、txt/pdf/epub书籍阅读、Wifi传书~ | 1469 | 2018-08-29 |
19 | | App | 开发者:tangqi92
项目名:[BuildingBlocks](https://github.com/tangqi92/BuildingBlocks) | Building Blocks - To help you quickly and easily take to build their own applications. | 236 | 2017-11-15 |
20 | | App | 开发者:DreaminginCodeZH
项目名:[Douya](https://github.com/DreaminginCodeZH/Douya) | 开源的 Material Design 豆瓣客户端(A Material Design app for douban.com) | 1121 | 2018-12-04 |
21 | | App | 开发者:wingjay
项目名:[jianshi](https://github.com/wingjay/jianshi) | A Full-Stack mobile app, including Android & Server, Simple-Poem 简诗. You can write poem in graceful & traditional Chinese style. | 417 | 2018-08-17 |
22 | | App | 开发者:MiCode
项目名:[FileExplorer](https://github.com/MiCode/FileExplorer) | MIUI文件管理器社区开源版(Community edition of MIUI File Explorer) | 741 | 2015-12-10 |
23 | | App | 开发者:ryanhoo
项目名:[StylishMusicPlayer](https://github.com/ryanhoo/StylishMusicPlayer) | A stylish music player for android device 16+ | 691 | 2018-01-04 |
24 | | App | 开发者:forezp
项目名:[banya](https://github.com/forezp/banya) | An open resource for Douban API with NETEASY Music's UI. | 241 | 2018-10-24 |
25 | | App | 开发者:jaydenxiao2016
项目名:[AndroidFire](https://github.com/jaydenxiao2016/AndroidFire) | AndroidFire,一款新闻阅读 App框架,基于 Material Design + MVP + RxJava + Retrofit + Glide,基本涵盖了当前 Android 端开发最常用的主流框架,基于此框架可以快速开发一个app。 | 731 | 2018-09-09 |
26 | | App | 开发者:SomeOneIntheWorld
项目名:[TasteNews](https://github.com/SomeOneIntheWorld/TasteNews) | MVP架构的新闻类应用 | 26 | 2016-10-12 |
27 | | App | 开发者:smuyyh
项目名:[BookReader](https://github.com/JustWayward/BookReader) | :closed_book: "任阅" 网络小说阅读器,仿真翻页效果、txt/pdf/epub书籍阅读、Wifi传书~ | 1469 | 2018-08-29 |
28 | | App | 开发者:homcin
项目名:[Tuikan](https://github.com/homcin/Tuikan) | 「推看」是一款集知乎头条,美图,视频于一体的休闲阅读app。 | 151 | 2018-02-06 |
29 | | App | 开发者:Automattic
项目名:[simplenote-android](https://github.com/Automattic/simplenote-android) | Simplenote for Android | 199 | 2018-11-29 |
30 | | App | 开发者:PleaseCallMeCoder
项目名:[PrettyGirls](https://github.com/PleaseCallMeCoder/PrettyGirls) | A personal App based on gank.io. | 169 | 2018-05-25 |
31 | | App | 开发者:xiaohaibin
项目名:[OpenEyes](https://github.com/xiaohaibin/OpenEyes) | :fire: 仿【开眼视频】客户端,一款精美的短视频应用 | 152 | 2018-10-13 |
32 | | App | 开发者:vickychijwani
项目名:[quill](https://github.com/vickychijwani/quill) | :ghost: [MOVED TO https://github.com/TryGhost/Ghost-Android] The beautiful Android app for your Ghost blog. | 86 | 2018-01-07 |
33 | | App | 开发者:iHaPBoy
项目名:[BookShelf](https://github.com/iHaPBoy/BookShelf) | 📖 书柜 BookShelf Android App | 42 | 2017-02-08 |
34 | | App | 开发者:HotBitmapGG
项目名:[bilibili-android-client](https://github.com/HotBitmapGG/OhMyBiliBili) | An unofficial bilibili client for android http://www.jianshu.com/p/f69a55b94c05 -- 该项目已停止维护! | 1143 | 2018-04-24 |
35 | | App | 开发者:Jhuster
项目名:[JNote](https://github.com/Jhuster/JNote) | 一款支持部分Markdown语法的轻量级便签软件。 | 46 | 2017-04-16 |
36 | | App | 开发者:xcc3641
项目名:[SeeWeather](https://github.com/xcc3641/SeeWeather) | :partly_sunny: [@Deprecated]RxJava+RxBus+Retrofit+Glide+Material Design Weather App | 731 | 2018-01-07 |
37 | | App | 开发者:YiuChoi
项目名:[MicroReader](https://github.com/YiuChoi/MicroReader) | 一个小而美的阅读客户端 | 224 | 2017-01-01 |
38 | | App | 开发者:gaolonglong
项目名:[GankGirl](https://github.com/gaolonglong/GankGirl) | RxJava+Retrofit+Glide构建的gank.io第三方客户端,包含妹子图和技术干货等。 | 58 | 2016-05-24 |
39 | | App | 开发者:chatwyn
项目名:[WBZhiHuDailyPaper](https://github.com/chatwyn/WBZhiHuDailyPaper) | 高仿知乎日报 | 76 | 2016-02-01 |
40 | | App | 开发者:LiCola
项目名:[huabanDemo](https://github.com/LiCola/huabanDemo) | MD版的花瓣网App | 176 | 2018-03-15 |
41 | | App | 开发者:burgessjp
项目名:[GanHuoIO](https://github.com/burgessjp/GanHuoIO) | 基于Gank.IO提供的API的第三方客户端(RxJava+Retrofit) | 168 | 2017-10-12 |
42 | | App | 开发者:mzule
项目名:[AndroidWeekly](https://github.com/mzule/AndroidWeekly) | Unofficial client for androidweekly.net | 30 | 2016-10-11 |
43 | | App | 开发者:Yasic
项目名:[DiyCodeForAndroid](https://github.com/Yasic/DiyCodeForAndroid) | Diycode社区Android客户端 http://diycode.cc/ | 12 | 2016-05-31 |
44 | | App | 开发者:DanteAndroid
项目名:[Knowledge](https://github.com/DanteAndroid/Knowledge) | DEPRECATED | 154 | 2017-04-25 |
45 | | App | 开发者:nekocode
项目名:[Murmur](https://github.com/nekocode/murmur) | 📻 A third-party android client of DoubanFM. | 90 | 2018-05-06 |
46 | | App | 开发者:AntennaPod
项目名:[AntennaPod](https://github.com/AntennaPod/AntennaPod) | A podcast manager for Android | 677 | 2018-12-04 |
47 | | App | 开发者:dibakarece
项目名:[DMPlayer](https://github.com/dibakarece/DMPlayer) | DMPLayer is an Android music player prototype | 194 | 2017-08-05 |
48 | | App | 开发者:liuguangqiang
项目名:[Idaily](https://github.com/liuguangqiang/Idaily) | 使用data binding , dagger2 , retrofit2和rxjava实现的,基于MVVM的知乎日报APP。 | 120 | 2017-04-25 |
49 | | App | 开发者:IvorHu
项目名:[RealStuff](https://github.com/IvorHu/RealStuff) | 一个看妹纸与开发资讯的Android APP,具有本地缓存、分享与添加收藏的功能,新手向大神学习的练手项目,来自代码家的API http://gank.io | 53 | 2018-08-06 |
50 | | App | 开发者:maning0303
项目名:[GankMM](https://github.com/maning0303/GankMM) | (Material Design & MVP & Retrofit + OKHttp & RecyclerView ...)Gank.io Android客户端:每天一张美女图片,一个视频短片,若干Android,iOS等程序干货,周一到周五每天更新,数据全部由 干货集中营 提供。 | 138 | 2018-10-22 |
51 | | App | 开发者:Nightonke
项目名:[CoCoin](https://github.com/Nightonke/CoCoin) | CoCoin, Multi-view Accounting Application | 873 | 2018-11-25 |
52 | | App | 开发者:maoruibin
项目名:[TranslateApp](https://github.com/maoruibin/TranslateApp) | :memo: A translations app without interruptions, copy words and translate directly, show result by top view. | 363 | 2018-10-31 |
53 | | App | 开发者:dongjunkun
项目名:[GanK](https://github.com/dongjunkun/GanK) | 干货集中营 | 326 | 2017-05-03 |
54 | | App | 开发者:envyfan
项目名:[AndroidReview](https://github.com/envyfan/AndroidReview) | Adnroid面试复习 | 156 | 2018-10-06 |
55 | | App | 开发者:fangx
项目名:[ZhiHuMVP](https://github.com/fangx/ZhiHuMVP) | 采用MVP架构的仿知乎APP | 130 | 2016-07-14 |
56 | | App | 开发者:wenhuaijun
项目名:[SearchPictureTool](https://github.com/wenhuaijun/SearchPictureTool) | None | 207 | 2017-06-01 |
57 | | App | 开发者:Uphie
项目名:[ONE-Unofficial](https://github.com/Uphie/ONE-Unofficial) | An unofficial app of ONE, which I like more and tries to be better. | 46 | 2016-05-16 |
58 | | App | 开发者:phodal
项目名:[growth](https://github.com/phodal/growth) | Growth 3.0 with React Native - an app to help you to be Awesome Developer | 133 | 2017-09-15 |
59 | | App | 开发者:CaMnter
项目名:[EasyGank](https://github.com/CaMnter/EasyGank) | 💊 The project build framework based on the Rx series and MVP pattern. | 201 | 2017-01-06 |
60 | | App | 开发者:ribot
项目名:[ribot-app-android](https://github.com/ribot/ribot-app-android) | The ribot studio app for the Android Platform | 246 | 2018-06-01 |
61 | | App | 开发者:esoxjem
项目名:[MovieGuide](https://github.com/esoxjem/MovieGuide) | Movie discovery app showcasing MVP, RxJava, Dagger 2 and Clean Architecture | 691 | 2018-10-09 |
62 | | App | 开发者:SilenceDut
项目名:[NBAPlus](https://github.com/SilenceDut/NBAPlus) | A concise APP about NBA News and Event with RxJava and EventBus | 141 | 2017-04-01 |
63 | | App | 开发者:liuling07
项目名:[SimpleNews](https://github.com/liuling07/SimpleNews) | 基于Material Design和MVP的新闻客户端 | 460 | 2016-12-09 |
64 | | App | 开发者:architjn
项目名:[Auro](https://github.com/architjn/Auro) | 1st Most Fastest, Latest Designed and open source Music player | 178 | 2017-04-22 |
65 | | App | 开发者:MummyDing
项目名:[Leisure](https://github.com/MummyDing/Leisure) | Leisure is an Android App containing Zhihu Daily,Guokr Scientific,XinhuaNet News and Douban Books | 158 | 2018-06-07 |
66 | | App | 开发者:bookdash
项目名:[bookdash-android-app](https://github.com/spongebobrf/BookdashAndroidApp) | An Android app that lets you download free children's books in different languages from non-profit publisher Book Dash | 210 | 2018-05-06 |
67 | | App | 开发者:WuXiaolong
项目名:[WeWin](https://github.com/WuXiaolong/WeWin) | An app for Android studio beta | 241 | 2018-06-08 |
68 | | App | 开发者:javiersantos
项目名:[MLManager](https://github.com/javiersantos/MLManager) | A modern, easy and customizable app manager for Android with Material Design | 339 | 2018-01-03 |
69 | | App | 开发者:maoruibin
项目名:[GankDaily](https://github.com/maoruibin/GankDaily) | A application used to show technical information in every working days, use MVP pattern. | 168 | 2017-04-16 |
70 | | App | 开发者:lincanbin
项目名:[Android-Carbon-Forum](https://github.com/lincanbin/Android-Carbon-Forum) | Android Client for Carbon Forum with Material Design. | 84 | 2017-10-30 |
71 | | App | 开发者:ValuesFeng
项目名:[ResoCamera](https://github.com/ValuesFeng/ResoCamera) | None | 35 | 2015-11-25 |
72 | | App | 开发者:openproject
项目名:[ganchai](https://github.com/openproject/ganchai) | 干柴(客户端、服务端) | 64 | 2016-07-22 |
73 | | App | 开发者:taoliuh
项目名:[v2ex](https://github.com/taoliuh/v2ex) | a v2ex android client build with modern design patterns. | 20 | 2015-11-30 |
74 | | App | 开发者:oxoooo
项目名:[mr-mantou-android](https://github.com/oxoooo/mr-mantou-android) | On the importance of taste | 185 | 2016-03-22 |
75 | | App | 开发者:JayFang1993
项目名:[ScanBook](https://github.com/JayFang1993/ScanBook) | scan book's ISBN to get the information of this book | 107 | 2015-03-12 |
76 | | App | 开发者:CycloneAxe
项目名:[phphub-android](https://github.com/CycloneAxe/phphub-android) | PHPHub for Android | 300 | 2017-06-26 |
77 | | App | 开发者:ikew0ng
项目名:[Dribbo](https://github.com/ikew0ng/Dribbo) | Dribbble客户端 | 227 | 2015-06-22 |
78 | | App | 开发者:notHide
项目名:[Hide-Music-Player](https://github.com/w9xhc/Hide-Music-Player) | None | 88 | 2015-10-30 |
79 | | App | 开发者:SubstanceMobile
项目名:[GEM](https://github.com/Substance-Project/GEM) | A music player for Android, in stunning Material Design. | 84 | 2017-07-20 |
80 | | App | 开发者:kinneyyan
项目名:[36krReader](https://github.com/kinneyyan/36krReader) | MD风格的36氪Android阅读客户端 | 96 | 2016-04-15 |
81 | | App | 开发者:laowch
项目名:[GithubTrends](https://github.com/laowch/GithubTrends) | It's a GitHub Trending repositories Viewer with Material Design. | 107 | 2016-09-23 |
82 | | App | 开发者:avjinder
项目名:[Minimal-Todo](https://github.com/avjinder/Minimal-Todo) | Material To-Do App | 678 | 2018-12-02 |
83 | | App | 开发者:reark
项目名:[reark](https://github.com/tehmou/rx-android-architecture) | RxJava architecture library for Android | 244 | 2018-06-23 |
84 | | App | 开发者:greatyao
项目名:[v2ex-android](https://github.com/greatyao/v2ex-android) | 爱V2EX(原掌上V2EX) | 153 | 2017-07-23 |
85 | | App | 开发者:andyiac
项目名:[githot](https://github.com/andyiac/githot) | GitHot is an Android App that will help you to find the world most popular project and person | 100 | 2017-10-10 |
86 | | App | 开发者:naman14
项目名:[Timber](https://github.com/naman14/Timber) | Material Design Music Player | 1742 | 2018-11-19 |
87 | | App | 开发者:zulip
项目名:[zulip-android](https://github.com/zulip/zulip-android) | Legacy Zulip Android app | 256 | 2018-08-12 |
88 | | App | 开发者:k0shk0sh
项目名:[FastAccess](https://github.com/k0shk0sh/FastAccess) | A tiny launcher or as Samsung likes to call it Floating Toolbox. | 78 | 2017-07-16 |
89 | | App | 开发者:google
项目名:[iosched](https://github.com/google/iosched) | The Google I/O 2018 Android App | 5685 | 2018-12-04 |
90 | | App | 开发者:googlesamples
项目名:[android-topeka](https://github.com/googlesamples/android-topeka) | A fun to play quiz that showcases material design on Android | 1084 | 2018-10-21 |
91 | | App | 开发者:googlesamples
项目名:[android-UniversalMusicPlayer](https://github.com/googlesamples/android-UniversalMusicPlayer) | This sample shows how to implement an audio media app that works across multiple form factors and provide a consistent user experience on Android phones, tablets, Auto, Wear and Cast devices | 3239 | 2018-11-27 |
92 | | App | 开发者:oschina
项目名:[android-app](https://git.oschina.net/oschina/android-app) | 这是开源中国社区的开源 Android 客户端项目,本项目已经迁移到码云 gitee.com 此处不再更新! | 638 | 2014-04-18 |
93 | | App | 开发者:chrisbanes
项目名:[cheesesquare](https://github.com/chrisbanes/cheesesquare) | Demos the new Android Design library. | 1894 | 2018-10-13 |
94 | | App | 开发者:JakeWharton
项目名:[u2020](https://github.com/JakeWharton/u2020) | A sample Android app which showcases advanced usage of Dagger among other open source libraries. | 992 | 2017-11-27 |
95 | | App | 开发者:cundong
项目名:[ZhihuPaper](https://github.com/cundong/ZhihuPaper) | Zhihu Daily Android App | 438 | 2017-10-17 |
96 | | App | 开发者:bxbxbai
项目名:[ZhuanLan](https://github.com/bxbxbai/ZhuanLan) | 非官方知乎专栏 - Android | 237 | 2017-04-17 |
97 | | App | 开发者:iKrelve
项目名:[KuaiHu](https://github.com/iKrelve/KuaiHu) | 高仿知乎日报——krelve.com | 289 | 2015-09-07 |
98 | | App | 开发者:izzyleung
项目名:[ZhihuDailyPurify](https://github.com/izzyleung/ZhihuDailyPurify) | Purified version of Zhihu Daily - 更纯净的知乎日报 | 1025 | 2018-11-20 |
99 | | App | 开发者:feelinglucky
项目名:[iZhihu](https://github.com/feelinglucky/iZhihu) | 随时随地获得「知乎」每日最新精选内容!(停止维护) | 41 | 2013-10-23 |
100 | | App | 开发者:meizhou
项目名:[resemble-zhihu-app](https://github.com/meizhou/resemble-zhihu-app) | 仿知乎日报android | 16 | 2014-11-25 |
101 | | App | 开发者:wenjiahui
项目名:[KanZhiHu](https://github.com/wenjiahui/KanZhiHu) | 看知乎Android端app(非官方)(http://www.kanzhihu.com/) | 10 | 2016-04-15 |
102 | | App | 开发者:uberspot
项目名:[2048-android](https://github.com/uberspot/2048-android) | The android port of the 2048 game (for offline playing) | 650 | 2018-11-29 |
103 | | App | 开发者:ZhaoKaiQiang
项目名:[JianDan](https://github.com/ZhaoKaiQiang/JianDan) | 高仿煎蛋客户端 | 316 | 2016-04-10 |
104 | | App | 开发者:deano2390
项目名:[OpenFlappyBird](https://github.com/deano2390/OpenFlappyBird) | An open source clone of a famous flappy bird game for Android using AndEngine | 155 | 2014-08-28 |
105 | | App | 开发者:cubei
项目名:[FlappyCow](https://github.com/cubei/FlappyCow) | Android game in "Flappy Bird" Style | 181 | 2018-11-01 |
106 | | App | 开发者:QuantumBadger
项目名:[RedReader](https://github.com/QuantumBadger/RedReader) | An unofficial open source Reddit client for Android. | 368 | 2018-11-28 |
107 | | App | 开发者:k9mail
项目名:[k-9](https://github.com/k9mail/k-9) | K-9 Mail – Advanced Email for Android 📧 | 1963 | 2018-12-07 |
108 | | App | 开发者:qii
项目名:[weiciyuan](https://github.com/qii/weiciyuan) | Sina Weibo Android Client | 1283 | 2016-08-14 |
109 | | App | 开发者:romannurik
项目名:[muzei](https://github.com/romannurik/muzei) | Muzei Live Wallpaper for Android | 896 | 2018-12-06 |
110 | | App | 开发者:android10
项目名:[Android-CleanArchitecture](https://github.com/android10/Android-CleanArchitecture) | This is a sample app that is part of a series of blog posts I have written about how to architect an android application using Uncle Bob's clean architecture approach. | 2982 | 2018-08-30 |
111 | | App | 开发者:chrisbanes
项目名:[philm](https://github.com/chrisbanes/philm) | Movie collection and information app for Android. | 515 | 2017-01-08 |
112 | | App | 开发者:psaravan
项目名:[JamsMusicPlayer](https://github.com/psaravan/JamsMusicPlayer) | A free, powerful and elegant music player for Android. | 1224 | 2015-09-01 |
113 | | App | 开发者:stormzhang
项目名:[9GAG](https://github.com/stormzhang/9GAG) | Android unofficial REST Client of 9GAG. | 1157 | 2018-11-14 |
114 | | App | 开发者:novoda
项目名:[android-demos](https://github.com/novoda/android-demos) | Examples of Android applications | 675 | 2018-10-23 |
115 | | App | 开发者:kaushikgopal
项目名:[RxJava-Android-Samples](https://github.com/kaushikgopal/RxJava-Android-Samples) | Learning RxJava for Android by example | 1303 | 2018-09-24 |
116 | | App | 开发者:reark
项目名:[reark](https://github.com/tehmou/rx-android-architecture) | RxJava architecture library for Android | 244 | 2018-06-23 |
117 | | App | 开发者:owncloud
项目名:[android](https://github.com/owncloud/android) | :phone: The ownCloud Android App | 2719 | 2018-12-07 |
118 | | App | 开发者:klinker24
项目名:[talon-twitter-holo](https://github.com/klinker24/Talon-for-Twitter) | [Deprecated] The Holo version of my popular Android Talon for Twitter app, 100% open-source | 355 | 2018-07-04 |
119 | | App | 开发者:chentao0707
项目名:[SimplifyReader](https://github.com/SkillCollege/SimplifyReader) | 一款基于Google Material Design设计开发的Android客户端,包括新闻简读,图片浏览,视频爽看 ,音乐轻听以及二维码扫描五个子模块。项目采取的是MVP架构开发,由于还是摸索阶段,可能不是很规范。但基本上应该是这么个套路,至少我个人认为是这样的~恩,就是这样的! | 1697 | 2017-03-24 |
120 | | App | 开发者:eoecn
项目名:[android-app](https://github.com/eoecn/android-app) | eoe的Android客户端源码 | 1264 | 2015-10-06 |
121 | | App | 开发者:antoniolg
项目名:[androidmvp](https://github.com/antoniolg/androidmvp) | MVP Android Example | 1562 | 2018-07-04 |
122 | | App | 开发者:hmkcode
项目名:[Android](https://github.com/hmkcode/Android) | Android related examples | 3278 | 2018-11-27 |
123 | | App | 开发者:wangdan
项目名:[AisenWeiBo](https://github.com/wangdan/AisenWeiBo) | 新浪微博第三方Android客户端 | 624 | 2018-10-28 |
124 | | App | 开发者:moezbhatti
项目名:[qksms](https://github.com/qklabs/qksms) | The most beautiful SMS messenger for Android | 679 | 2018-11-24 |
125 | | App | 开发者:MizzleDK
项目名:[Mizuu](https://github.com/MizzleDK/Mizuu) | Popular media indexer app for Android. No longer maintained. DEPRECATED. | 215 | 2018-05-10 |
126 | | App | 开发者:saulmm
项目名:[Material-Movies](https://github.com/saulmm/Material-Movies) | [Deprecated] An application about movies with material design | 647 | 2016-06-23 |
127 | | App | 开发者:gaugesapp
项目名:[gauges-android](https://github.com/expectedbehavior/gauges-android) | Gaug.es Android App | 235 | 2014-08-29 |
128 | | App | 开发者:chrislacy
项目名:[TweetLanes](https://github.com/chrislacy/TweetLanes) | Tweet Lanes for Android | 303 | 2018-09-16 |
129 | | App | 开发者:motianhuo
项目名:[wechat](https://github.com/motianhuo/wechat) | A High Copy WeChat ,SNS APP (高仿微信) | 2093 | 2018-08-23 |
130 | | App | 开发者:pockethub
项目名:[PocketHub](https://github.com/pockethub/PocketHub) | PocketHub Android App | 3700 | 2018-11-06 |
131 | | App | 开发者:bagilevi
项目名:[android-pedometer](https://github.com/bagilevi/android-pedometer) | App for Android phones that counts your steps. | 462 | 2016-12-12 |
132 | | App | 开发者:malmstein
项目名:[yahnac](https://github.com/malmstein/yahnac) | Yet Another Hacker News Android Client | 120 | 2016-09-04 |
133 | | App | 开发者:daimajia
项目名:[EverMemo](https://github.com/daimajia/evermemo) | Fast Record,Organize,and Share. The android memo app you will deeply love. ❤ | 281 | 2014-07-13 |
134 | | App | 开发者:MiCode
项目名:[Notes](https://github.com/MiCode/Notes) | 小米便签社区开源版(Community edition of XM notepad/MIUI notes) | 848 | 2015-06-28 |
135 | | App | 开发者:MiCode
项目名:[SoundRecorder](https://github.com/MiCode/SoundRecorder) | MIUI录音机社区开源版(Community edition of MIUI SoundRecorder) | 285 | 2012-02-24 |
136 | | App | 开发者:antoniolg
项目名:[MaterializeYourApp](https://github.com/antoniolg/MaterializeYourApp) | Example of a Material App for Android | 382 | 2017-08-25 |
137 | | App | 开发者:slapperwan
项目名:[gh4a](https://github.com/slapperwan/gh4a) | Github client for Android | 163 | 2018-09-03 |
138 | | App | 开发者:jariz
项目名:[MaterialUp](https://github.com/jariz/MaterialUp) | MaterialUp Android App | 107 | 2015-11-02 |
139 | | App | 开发者:kyze8439690
项目名:[v2ex-daily-android](https://github.com/kyze8439690/v2ex-daily-android) | A v2ex client on android platform.(deprecated) | 133 | 2015-04-26 |
140 | | App | 开发者:Leaking
项目名:[WeGit](https://github.com/Leaking/WeGit) | An Android App for Github | 107 | 2016-12-09 |
141 | | App | 开发者:abarisain
项目名:[dmix](https://github.com/abarisain/dmix) | A modern MPD Client for Android. | 190 | 2018-11-25 |
142 | | App | 开发者:GeekZooStudio
项目名:[ECMobile_Android](https://github.com/GeekZooStudio/ECMobile_Android) | 基于ECShop的手机商城客户端 | 484 | 2017-04-18 |
143 | | App | 开发者:TakWolf
项目名:[CNode-Material-Design](https://github.com/TakWolf/CNode-Material-Design) | CNode 社区第三方 Android 客户端,原生 App,Material Design 风格,支持夜间模式。 | 360 | 2018-12-03 |
144 | | App | 开发者:xiongwei-git
项目名:[GankApp](https://github.com/xiongwei-git/GankApp) | An android client for http://gank.io/ | 66 | 2016-03-03 |
145 | | App | 开发者:yongbo000
项目名:[wakao-app](https://github.com/yongbo000/wakao-app) | 哇靠百科 - 一款聚合了众多笑话段子、妹子图、微信公众号文章的Android App。哇靠百科官方QQ群:253746945 | 118 | 2016-09-21 |
146 | | App | 开发者:kanxue-team
项目名:[kanxue-android-app](https://github.com/kanxue-team/kanxue-android-app) | 看雪安全论坛android客户端 | 137 | 2013-07-22 |
147 | | App | 开发者:sangmingming
项目名:[Meizitu](https://github.com/sangmingming/Meizitu) | 一个美图软件 | 79 | 2015-08-16 |
148 | | App | 开发者:Veaer
项目名:[Gank-Veaer](https://github.com/Veaer/Gank-Veaer) | Android for daimajia's meizi | 14 | 2016-01-26 |
149 | | App | 开发者:xingrz
项目名:[GankMeizhi](https://github.com/xingrz/GankMeizhi) | THIS PROJECT IS DEPRECATED AND MOVED TO: | 131 | 2015-09-18 |
150 | | App | 开发者:zhangliangming
项目名:[HappyMusicPlayer](https://github.com/zhangliangming/HappyMusicPlayer) | android音乐播放器 | 110 | 2017-11-08 |
151 | | App | 开发者:andforce
项目名:[iBeebo](https://github.com/andforce/iBeebo) | 第三方新浪微博客户端 | 66 | 2018-07-18 |
152 | | App | 开发者:PaperAirplane-Dev-Team
项目名:[BlackLight](https://github.com/PaperAirplane-Dev-Team/BlackLight) | A light Sina Weibo client for Android | 238 | 2016-09-11 |
153 | | App | 开发者:niranjan94
项目名:[show-java](https://github.com/niranjan94/show-java) | An apk decompiler for android. | 153 | 2018-12-02 |
--------------------------------------------------------------------------------