├── .gitattributes
├── .github
├── FUNDING.yml
├── deploy.sh
├── helper.js
├── main.js
├── weekly-digest.yml
└── workflows
│ ├── main.yml
│ └── pr.yml
├── .gitignore
├── CONTRIBUTING.md
├── Dangerfile
├── LICENSE
├── PULL_REQUEST_TEMPLATE.md
├── README.md
├── applications.json
├── boilerplates.json
├── categories.json
└── icons
└── icon.png
/.gitattributes:
--------------------------------------------------------------------------------
1 | Dangerfile linguist-documentation
2 | README.md merge=union
3 |
--------------------------------------------------------------------------------
/.github/FUNDING.yml:
--------------------------------------------------------------------------------
1 | # These are supported funding model platforms
2 |
3 | github: numandev1
4 | patreon: # Replace with a single Patreon username
5 | open_collective: # Replace with a single Open Collective username
6 | ko_fi: # Replace with a single Ko-fi username
7 | tidelift: # Replace with a single Tidelift platform-name/package-name e.g., npm/babel
8 | community_bridge: # Replace with a single Community Bridge project-name e.g., cloud-foundry
9 | liberapay: # Replace with a single Liberapay username
10 | issuehunt: # Replace with a single IssueHunt username
11 | otechie: # Replace with a single Otechie username
12 | custom: http://buymeacoffee.com/numan.dev
13 |
--------------------------------------------------------------------------------
/.github/deploy.sh:
--------------------------------------------------------------------------------
1 | #!/bin/bash
2 |
3 | set -e
4 |
5 | echo ${TRAVIS_EVENT_TYPE}
6 | echo ${TRAVIS_BRANCH}
7 |
8 | if [[ ${TRAVIS_EVENT_TYPE} != 'push' ]]
9 | then
10 | exit
11 | fi
12 |
13 | if [[ ${TRAVIS_BRANCH} != 'master' ]]
14 | then
15 | exit
16 | fi
17 |
18 | git checkout master
19 |
20 | git config user.name "numandev1"
21 | git config user.email "muhammadnuman70@gmail.com"
22 |
23 | echo add readme
24 | git add README.md
25 |
26 | echo commit
27 | git commit -m "chore: Generate README"
28 |
29 | echo push
30 | git push --quiet "git@github.com:numandev1/open-source-react-native-apps.git" master:master > /dev/null 2>&1
31 |
--------------------------------------------------------------------------------
/.github/helper.js:
--------------------------------------------------------------------------------
1 | module.exports.getContentMarkdown = (categories) => {
2 | let contentMarkdown = "## Contents\n";
3 | categories
4 | .sort((a, b) => a.title.localeCompare(b.title))
5 | .forEach((category) => {
6 | contentMarkdown += `- [${category.title}](#${category.id})\n`;
7 | });
8 | contentMarkdown += `
9 |
10 | ## Applications\n`;
11 | return contentMarkdown;
12 | };
13 |
14 | module.exports.capitalizeFirstLetter = (string) => {
15 | return string.charAt(0).toUpperCase() + string.slice(1);
16 | };
17 |
18 | module.exports.getAndroidIosWebMarkdown = (android, ios, web) => {
19 | return `${
20 | android ? "**📱Android**:[" + android + "](" + android + ")
" : ""
21 | }
22 | ${ios ? "**IOS**:[" + ios + "](" + ios + ")
" : ""}
23 | ${web ? "**🌐Web**:[" + web + "](" + web + ")
" : ""}`;
24 | };
25 |
26 | module.exports.getBoilerplatesMarkdown = () => {
27 | const Boilerplates = require("../boilerplates.json");
28 | let contentMarkdown = "## Boilerplates\n";
29 | Boilerplates.forEach((item) => {
30 | contentMarkdown += `${item.Title} ${item.Description}
**Version:**${item.RN_Version}
**Last Commit:**${item.LastCommit}
**Github Stars:**${item.GithubStars}
`;
31 | });
32 | return contentMarkdown;
33 | };
34 |
--------------------------------------------------------------------------------
/.github/main.js:
--------------------------------------------------------------------------------
1 | const {
2 | getContentMarkdown,
3 | capitalizeFirstLetter,
4 | getAndroidIosWebMarkdown,
5 | getBoilerplatesMarkdown,
6 | } = require("./helper");
7 | const header = `
8 |
9 |
10 |
11 |
12 | # Awesome React Native open source applications
13 |
14 | List of awesome open source mobile applications in React Nativve. This list contains a lot of React Native, and cross-platform apps. The main goal of this repository is to find free open source apps and start contributing. Feel free to [contribute](CONTRIBUTING.md) to the list, any suggestions are welcome!
15 |
16 | ### Would you like to support me?
17 |
18 |
26 |
27 | `;
28 |
29 | let footer = `
30 |
31 | ## Contributors
32 |
33 | Thanks to all the people who contribute:
34 |
35 |
36 | `;
37 |
38 | class JSONApplications {
39 | constructor(applications) {
40 | this.applications = applications;
41 | }
42 |
43 | static fromJSON(json) {
44 | const { applications } = json;
45 | return new JSONApplications(applications);
46 | }
47 | }
48 |
49 | class JSONApplication {
50 | constructor(
51 | title,
52 | icon_url,
53 | repo_url,
54 | short_description,
55 | languages,
56 | screenshots,
57 | categories,
58 | android,
59 | ios,
60 | web,
61 | version
62 | ) {
63 | this.title = title;
64 | this.icon_url = icon_url;
65 | this.repo_url = repo_url;
66 | this.short_description = short_description;
67 | this.languages = languages;
68 | this.screenshots = screenshots;
69 | this.categories = categories;
70 | this.android = android;
71 | this.ios = ios;
72 | this.web = web;
73 | this.version = version;
74 | }
75 |
76 | static fromJSON(json) {
77 | const {
78 | title,
79 | icon_url,
80 | repo_url,
81 | short_description,
82 | languages,
83 | screenshots,
84 | categories,
85 | android,
86 | ios,
87 | web,
88 | version,
89 | } = json;
90 | return new JSONApplication(
91 | title,
92 | icon_url,
93 | repo_url,
94 | short_description,
95 | languages,
96 | screenshots,
97 | categories,
98 | android,
99 | ios,
100 | web,
101 | version
102 | );
103 | }
104 |
105 | markdownDescription() {
106 | let markdown_description = "";
107 |
108 | markdown_description += `- [${this.title}](${this.repo_url}) - ${
109 | this.short_description
110 | }
**Languages**: ${this.languages
111 | .map((lang) => capitalizeFirstLetter(lang))
112 | .join(",")}
**Version**:`;
113 | markdown_description += this.version ? this.version + "
" : "";
114 | markdown_description += getAndroidIosWebMarkdown(
115 | this.android,
116 | this.ios,
117 | this.web
118 | );
119 | return markdown_description;
120 | }
121 | }
122 |
123 | class Categories {
124 | constructor(categories) {
125 | this.categories = categories;
126 | }
127 |
128 | static fromJSON(json) {
129 | const { categories } = json;
130 | return new Categories(categories);
131 | }
132 | }
133 |
134 | class Category {
135 | constructor(title, id, description, parent) {
136 | this.title = title;
137 | this.id = id;
138 | this.description = description;
139 | this.parent = parent;
140 | }
141 |
142 | static fromJSON(json) {
143 | const { title, id, description, parent } = json;
144 | return new Category(title, id, description, parent);
145 | }
146 | }
147 |
148 | class ReadmeGenerator {
149 | constructor() {
150 | this.readmeString = "";
151 | }
152 |
153 | generateReadme() {
154 | console.log("Start");
155 | try {
156 | const fs = require("fs");
157 | const path = require("path");
158 |
159 | // Get current file path
160 | const thisFilePath = __filename;
161 | let url = path.resolve(thisFilePath);
162 |
163 | // cd ../ to the root folder (delete `.github/main.swift`)
164 | url = path.dirname(path.dirname(url));
165 |
166 | const applicationsUrl = path.join(url, FilePaths.applications);
167 | const applicationsData = fs.readFileSync(applicationsUrl);
168 | const categoriesData = fs.readFileSync(
169 | path.join(url, FilePaths.categories)
170 | );
171 | const jsonDecoder = JSON;
172 | const applicationsObject = JSONApplications.fromJSON(
173 | jsonDecoder.parse(applicationsData)
174 | );
175 | const categoriesObject = Categories.fromJSON(
176 | jsonDecoder.parse(categoriesData)
177 | );
178 |
179 | let categories = categoriesObject.categories;
180 | const subcategories = categories.filter(
181 | (category) => category.parent !== null && category.parent !== undefined
182 | );
183 | const applications = applicationsObject.applications;
184 |
185 | for (const subcategory of subcategories) {
186 | const index = categories.findIndex(
187 | (category) => category.parent !== subcategory.id
188 | );
189 | if (index !== -1) {
190 | categories.splice(index, 1);
191 | }
192 | }
193 |
194 | categories.sort((a, b) => a.title.localeCompare(b.title));
195 |
196 | this.readmeString += header;
197 | const contentMarkdown = getContentMarkdown(categoriesObject.categories);
198 | this.readmeString += contentMarkdown;
199 | console.log("Start iteration....");
200 |
201 | for (const category of categories) {
202 | this.readmeString += `${String.enter}${String.section}${String.space}${category.title}${String.enter}`;
203 | let categoryApplications = applications.filter((application) =>
204 | application.categories.includes(category.id)
205 | );
206 | categoryApplications.sort((a, b) => a.title.localeCompare(b.title));
207 |
208 | for (const application of categoryApplications) {
209 | this.readmeString +=
210 | JSONApplication.fromJSON(application).markdownDescription();
211 | this.readmeString += String.enter;
212 | }
213 |
214 | let subcategories = categories.filter(
215 | (subcategory) => subcategory.parent === category.id
216 | );
217 | if (subcategories.length > 0) {
218 | subcategories.sort((a, b) => a.title.localeCompare(b.title));
219 | for (const subcategory of subcategories) {
220 | this.readmeString += `${String.enter}${String.subsection}${String.space}${subcategory.title}${String.enter}`;
221 | let categoryApplications = applications.filter((application) =>
222 | application.categories.includes(subcategory.id)
223 | );
224 | categoryApplications.sort((a, b) => a.title.localeCompare(b.title));
225 |
226 | for (const application of categoryApplications) {
227 | this.readmeString += application.markdownDescription();
228 | this.readmeString += String.enter;
229 | }
230 | }
231 | }
232 | }
233 | console.log("Finish iteration...");
234 | this.readmeString += getBoilerplatesMarkdown();
235 | this.readmeString += footer;
236 | fs.writeFileSync(path.join(url, FilePaths.readme), this.readmeString);
237 | console.log("Finish");
238 | } catch (error) {
239 | console.log(error);
240 | }
241 | }
242 | }
243 |
244 | const String = {
245 | empty: "",
246 | space: " ",
247 | enter: "\n",
248 | section: "###",
249 | subsection: "####",
250 | iconPrefix: "_icon",
251 | };
252 |
253 | const FilePaths = {
254 | readme: "./README.md",
255 | applications: "./applications.json",
256 | categories: "./categories.json",
257 | };
258 |
259 | const Constants = {
260 | detailsBeginString:
261 | ' Screenshots
',
262 | detailsEndString: "
",
263 | srcLinePattern: "
",
264 | startProcessString: "### Database",
265 | endProcessString: "### Development",
266 | regex: function (type) {
267 | return `\\((.+\.${type})`;
268 | },
269 | regex1: function (type) {
270 | return `\"(.+\.${type})`;
271 | },
272 | };
273 |
274 | new ReadmeGenerator().generateReadme();
275 |
--------------------------------------------------------------------------------
/.github/weekly-digest.yml:
--------------------------------------------------------------------------------
1 | # Configuration for weekly-digest - https://github.com/apps/weekly-digest
2 | publishDay: mon
3 | canPublishIssues: true
4 | canPublishPullRequests: true
5 | canPublishContributors: true
6 | canPublishStargazers: true
7 | canPublishCommits: true
--------------------------------------------------------------------------------
/.github/workflows/main.yml:
--------------------------------------------------------------------------------
1 | name: Generate Readme
2 | on:
3 | push:
4 | branches:
5 | - master
6 | jobs:
7 | generate-readme:
8 | runs-on: ubuntu-latest
9 | steps:
10 | - uses: webfactory/ssh-agent@v0.5.4
11 | with:
12 | ssh-private-key: ${{ secrets.SSH_PRIVATE_KEY }}
13 | - uses: actions/checkout@v3
14 | - run: node ./.github/main.js
15 | - run: chmod +x ./.github/deploy.sh
16 | - run: git config user.name "numandev1"
17 | - run: git config user.email "muhammadnuman70@gmail.com"
18 | - run: git add README.md
19 | - run: git commit -m "chore:Generate README"
20 | - name: Push
21 | run: git push --quiet "git@github.com:numandev1/open-source-react-native-apps.git" master:master > /dev/null 2>&1
22 |
--------------------------------------------------------------------------------
/.github/workflows/pr.yml:
--------------------------------------------------------------------------------
1 | name: Check PR
2 | on:
3 | pull_request:
4 | branches:
5 | - master
6 | jobs:
7 | setup:
8 | runs-on: ubuntu-latest
9 | steps:
10 | - run: gem install awesome_bot
11 | - run: gem install bundler
12 | - run: gem install danger
13 | - uses: actions/checkout@v3
14 | - run: awesome_bot applications.json -w https://matrix.org,https://camo.githubusercontent.com,http://joshparnham.com,https://pock.pigigaldi.com,https://docs.microsoft.com/powershell/scripting/install/installing-powershell-core-on-macos?view=powershell-6,https://adequate.systems/ --allow 429
15 |
--------------------------------------------------------------------------------
/.gitignore:
--------------------------------------------------------------------------------
1 | .github/ReadmeGenerator.xcodeproj/project.xcworkspace/xcuserdata/numandev1.xcuserdatad/UserInterfaceState.xcuserstate
2 | .github/ReadmeGenerator.xcodeproj/xcuserdata/numandev1.xcuserdatad/xcdebugger/Breakpoints_v2.xcbkptlist
3 |
--------------------------------------------------------------------------------
/CONTRIBUTING.md:
--------------------------------------------------------------------------------
1 | # Contribution Guidelines
2 |
3 | Please ensure your pull request adheres to the following guidelines:
4 |
5 | - Search previous suggestions before making a new one, as yours may be a duplicate.
6 | - Make an individual pull request for each suggestion.
7 | - Edit [applications.json](https://github.com/numandev1/open-source-react-native-apps/blob/master/applications.json) instead of [README.md](https://github.com/numandev1/open-source-react-native-apps/blob/master/README.md).
8 | - Use the following format:
9 |
10 | ```json
11 | {
12 | "short_description": "Description of repository",
13 | "categories": ["Application category 1", "Application category 2"],
14 | "repo_url": "Link to repository",
15 | "title": "Name of application",
16 | "icon_url": "URL to application icon",
17 | "screenshots": ["Screenshot url 1", "Screenshot url 2"],
18 | "android": "app Playstore url",
19 | "ios": "app appstore url",
20 | "web": "any web link of app",
21 | "version": "version of React Native or Expo",
22 | "languages": ["Language name"]
23 | }
24 | ```
25 |
26 | - New categories, or improvements to the existing categorization are welcome. List of all categories can be found in [categories.json](https://github.com/numandev1/open-source-react-native-apps/blob/master/categories.json).
27 | - Keep descriptions short and simple, but descriptive.
28 | - End all descriptions with a full stop/period.
29 | - Check your spelling and grammar.
30 | - Make sure your text editor is set to remove trailing whitespace.
31 |
32 | #### Projects are ineligible if:
33 |
34 | - Lack recent commit
35 | - README is not clear or not written in English
36 |
37 | Your contributions are always welcome! Thank you for your suggestions! :smiley:
38 |
--------------------------------------------------------------------------------
/Dangerfile:
--------------------------------------------------------------------------------
1 | # Ensure there is a summary for a pull request
2 | fail 'Please provide a summary in the Pull Request description' if github.pr_body.length < 5
3 |
4 | # Warn when there are merge commits in the diff
5 | warn 'Please rebase to get rid of the merge commits in this Pull Request' if git.commits.any? { |c| c.message =~ /^Merge branch 'master'/ }
6 |
7 | # Warn if pull request is not updated
8 | warn 'Please update the Pull Request title to contain the library name' if github.pr_title.include? 'Update README.md'
9 |
10 | # Check links
11 | require 'json'
12 | results = File.read 'ab-results-applications.json-markdown-table.json'
13 | j = JSON.parse results
14 | if j['error']==true
15 | m = j['title']
16 | m << ', a project collaborator will take care of these, thanks :)'
17 | warn m
18 | markdown j['message']
19 | end
20 |
--------------------------------------------------------------------------------
/LICENSE:
--------------------------------------------------------------------------------
1 | CC0 1.0 Universal
2 |
3 | Statement of Purpose
4 |
5 | The laws of most jurisdictions throughout the world automatically confer
6 | exclusive Copyright and Related Rights (defined below) upon the creator and
7 | subsequent owner(s) (each and all, an "owner") of an original work of
8 | authorship and/or a database (each, a "Work").
9 |
10 | Certain owners wish to permanently relinquish those rights to a Work for the
11 | purpose of contributing to a commons of creative, cultural and scientific
12 | works ("Commons") that the public can reliably and without fear of later
13 | claims of infringement build upon, modify, incorporate in other works, reuse
14 | and redistribute as freely as possible in any form whatsoever and for any
15 | purposes, including without limitation commercial purposes. These owners may
16 | contribute to the Commons to promote the ideal of a free culture and the
17 | further production of creative, cultural and scientific works, or to gain
18 | reputation or greater distribution for their Work in part through the use and
19 | efforts of others.
20 |
21 | For these and/or other purposes and motivations, and without any expectation
22 | of additional consideration or compensation, the person associating CC0 with a
23 | Work (the "Affirmer"), to the extent that he or she is an owner of Copyright
24 | and Related Rights in the Work, voluntarily elects to apply CC0 to the Work
25 | and publicly distribute the Work under its terms, with knowledge of his or her
26 | Copyright and Related Rights in the Work and the meaning and intended legal
27 | effect of CC0 on those rights.
28 |
29 | 1. Copyright and Related Rights. A Work made available under CC0 may be
30 | protected by copyright and related or neighboring rights ("Copyright and
31 | Related Rights"). Copyright and Related Rights include, but are not limited
32 | to, the following:
33 |
34 | i. the right to reproduce, adapt, distribute, perform, display, communicate,
35 | and translate a Work;
36 |
37 | ii. moral rights retained by the original author(s) and/or performer(s);
38 |
39 | iii. publicity and privacy rights pertaining to a person's image or likeness
40 | depicted in a Work;
41 |
42 | iv. rights protecting against unfair competition in regards to a Work,
43 | subject to the limitations in paragraph 4(a), below;
44 |
45 | v. rights protecting the extraction, dissemination, use and reuse of data in
46 | a Work;
47 |
48 | vi. database rights (such as those arising under Directive 96/9/EC of the
49 | European Parliament and of the Council of 11 March 1996 on the legal
50 | protection of databases, and under any national implementation thereof,
51 | including any amended or successor version of such directive); and
52 |
53 | vii. other similar, equivalent or corresponding rights throughout the world
54 | based on applicable law or treaty, and any national implementations thereof.
55 |
56 | 2. Waiver. To the greatest extent permitted by, but not in contravention of,
57 | applicable law, Affirmer hereby overtly, fully, permanently, irrevocably and
58 | unconditionally waives, abandons, and surrenders all of Affirmer's Copyright
59 | and Related Rights and associated claims and causes of action, whether now
60 | known or unknown (including existing as well as future claims and causes of
61 | action), in the Work (i) in all territories worldwide, (ii) for the maximum
62 | duration provided by applicable law or treaty (including future time
63 | extensions), (iii) in any current or future medium and for any number of
64 | copies, and (iv) for any purpose whatsoever, including without limitation
65 | commercial, advertising or promotional purposes (the "Waiver"). Affirmer makes
66 | the Waiver for the benefit of each member of the public at large and to the
67 | detriment of Affirmer's heirs and successors, fully intending that such Waiver
68 | shall not be subject to revocation, rescission, cancellation, termination, or
69 | any other legal or equitable action to disrupt the quiet enjoyment of the Work
70 | by the public as contemplated by Affirmer's express Statement of Purpose.
71 |
72 | 3. Public License Fallback. Should any part of the Waiver for any reason be
73 | judged legally invalid or ineffective under applicable law, then the Waiver
74 | shall be preserved to the maximum extent permitted taking into account
75 | Affirmer's express Statement of Purpose. In addition, to the extent the Waiver
76 | is so judged Affirmer hereby grants to each affected person a royalty-free,
77 | non transferable, non sublicensable, non exclusive, irrevocable and
78 | unconditional license to exercise Affirmer's Copyright and Related Rights in
79 | the Work (i) in all territories worldwide, (ii) for the maximum duration
80 | provided by applicable law or treaty (including future time extensions), (iii)
81 | in any current or future medium and for any number of copies, and (iv) for any
82 | purpose whatsoever, including without limitation commercial, advertising or
83 | promotional purposes (the "License"). The License shall be deemed effective as
84 | of the date CC0 was applied by Affirmer to the Work. Should any part of the
85 | License for any reason be judged legally invalid or ineffective under
86 | applicable law, such partial invalidity or ineffectiveness shall not
87 | invalidate the remainder of the License, and in such case Affirmer hereby
88 | affirms that he or she will not (i) exercise any of his or her remaining
89 | Copyright and Related Rights in the Work or (ii) assert any associated claims
90 | and causes of action with respect to the Work, in either case contrary to
91 | Affirmer's express Statement of Purpose.
92 |
93 | 4. Limitations and Disclaimers.
94 |
95 | a. No trademark or patent rights held by Affirmer are waived, abandoned,
96 | surrendered, licensed or otherwise affected by this document.
97 |
98 | b. Affirmer offers the Work as-is and makes no representations or warranties
99 | of any kind concerning the Work, express, implied, statutory or otherwise,
100 | including without limitation warranties of title, merchantability, fitness
101 | for a particular purpose, non infringement, or the absence of latent or
102 | other defects, accuracy, or the present or absence of errors, whether or not
103 | discoverable, all to the greatest extent permissible under applicable law.
104 |
105 | c. Affirmer disclaims responsibility for clearing rights of other persons
106 | that may apply to the Work or any use thereof, including without limitation
107 | any person's Copyright and Related Rights in the Work. Further, Affirmer
108 | disclaims responsibility for obtaining any necessary consents, permissions
109 | or other rights required for any use of the Work.
110 |
111 | d. Affirmer understands and acknowledges that Creative Commons is not a
112 | party to this document and has no duty or obligation with respect to this
113 | CC0 or use of the Work.
114 |
115 | For more information, please see
116 |
117 |
--------------------------------------------------------------------------------
/PULL_REQUEST_TEMPLATE.md:
--------------------------------------------------------------------------------
1 |
2 |
3 | ## Project URL
4 |
5 |
6 | ## Category
7 |
8 |
9 | ## Description
10 |
11 |
12 | ## Why it should be included to `Awesome macOS open source applications ` (optional)
13 |
14 |
15 | ## Checklist
16 |
17 |
18 | - [ ] Edit [applications.json](https://github.com/numandev1/open-source-react-native-apps/blob/master/applications.json) instead of [README.md](https://github.com/numandev1/open-source-react-native-apps/blob/master/README.md).
19 | - [ ] Only one project/change is in this pull request
20 | - [ ] Screenshots(s) added if any
21 | - [ ] Has a commit from less than 2 years ago
22 | - [ ] Has a **clear** README in English
23 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 |
6 | # Awesome React Native open source applications
7 |
8 | List of awesome open source mobile applications in React Nativve. This list contains a lot of React Native, and cross-platform apps. The main goal of this repository is to find free open source apps and start contributing. Feel free to [contribute](CONTRIBUTING.md) to the list, any suggestions are welcome!
9 |
10 | ### Would you like to support me?
11 |
12 |
20 |
21 | ## Contents
22 | - [Adventure](#adventure)
23 | - [AI (Artificial Intelligence)](#ai)
24 | - [Augmented Reality](#augmented_reality)
25 | - [Book & Reference](#book_and_reference)
26 | - [Browser](#browser)
27 | - [Chat](#chat)
28 | - [Comics](#comics)
29 | - [Cryptocurrency](#cryptocurrency)
30 | - [Data Visualization](#data_visualization)
31 | - [Entertainment](#entertainment)
32 | - [Events](#events)
33 | - [Finance](#finance)
34 | - [Food & Drink](#food_and_drink)
35 | - [Game](#game)
36 | - [Graphics & Design](#graphics_and_design)
37 | - [Health & Fitness](#health_and_fitness)
38 | - [House & Home](#house_home)
39 | - [Libraries & Demo](#libraries_and_demo)
40 | - [Lifestyle](#lifestyle)
41 | - [Machine Learning](#machinelearning)
42 | - [Map & Navigation](#map_and_navigation)
43 | - [Music & Audio](#music_and_audio)
44 | - [News](#news)
45 | - [OpenAi](#openAi)
46 | - [Other](#other)
47 | - [Personalization](#personalization)
48 | - [productivity](#productivity)
49 | - [Shopping](#shopping)
50 | - [Social](#social)
51 | - [Supports](#supports)
52 | - [Tools](#tool)
53 | - [Travel](#travel)
54 | - [Web3](#web3)
55 |
56 |
57 | ## Applications
58 |
59 | ### Adventure
60 | - [Hydropuzzle](https://github.com/hydropuzzle/hydropuzzle) - Stylish puzzle adventure
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=org.sobstel.hydropuzzle](https://play.google.com/store/apps/details?id=org.sobstel.hydropuzzle)
61 |
62 |
63 |
64 | ### AI (Artificial Intelligence)
65 | - [openMind](https://github.com/The-Unleashed-Club/openMind) - Innovative Conversations: Powered by OpenAI's Cutting-edge API.Our goal is to create an intuitive chat app that makes conversations easier and smarter, by utilizing OpenAI's language technology to provide intelligent responses.
**Languages**: Javascript,Typescript
**Version**:
66 |
67 | **🌐Web**:[https://expo.dev/@silenteyesoncode/openMind?serviceType=classic&distribution=expo-go](https://expo.dev/@silenteyesoncode/openMind?serviceType=classic&distribution=expo-go)
68 |
69 | ### Augmented Reality
70 | - [AR Cut & Paste](https://github.com/cyrildiagne/ar-cutpaste) - Cut and paste your surroundings using AR
**Languages**: Javascript,Typescript
**Version**:
71 |
72 | **🌐Web**:[https://arcopypaste.app/](https://arcopypaste.app/)
73 |
74 | ### Book & Reference
75 | - [Duofolio](https://github.com/farshed/duofolio) - An ebook reader that helps you learn languages
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.duofolio](https://play.google.com/store/apps/details?id=com.duofolio)
76 |
77 |
78 | - [Phasmophobia Companion](https://github.com/Redseb/phasmophobia-companion) - A companion app to the amazing horror game Phasmophobia 🕷
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.phasmophobiacompanion](https://play.google.com/store/apps/details?id=com.phasmophobiacompanion)
79 |
80 |
81 | - [Urban Dictionary](https://github.com/edwinbosire/Urbandict) - An urban dictionary client.
**Languages**: Javascript,Typescript
**Version**:
82 |
83 |
84 |
85 | ### Browser
86 | - [DuckDuckGo (Unofficial)](https://github.com/kiok46/duckduckgo) - Unofficial DuckDuckGo App in React-Native.
**Languages**: Javascript,Typescript
**Version**:
87 |
88 |
89 | - [Status](https://github.com/status-im/status-react/) - A web3 browser, messenger, and gateway to a decentralised world of Ethereum. Android & iOS.
**Languages**: Javascript,Typescript
**Version**:0.61.5
90 |
91 | **🌐Web**:[https://status.im](https://status.im)
92 |
93 | ### Chat
94 | - [Chat by Stream](https://github.com/GetStream/stream-chat-react-native) - Build real time chat in less time. Rapidly ship in-app messaging with our highly reliable chat infrastructure. Drive in-app conversion, engagement, and retention with the [Stream Chat](https://getstream.io/chat/) API & SDKs.
**Languages**: Javascript,Typescript
**Version**:0.57.0
95 |
96 | **🌐Web**:[https://getstream.io/chat/](https://getstream.io/chat/)
97 | - [Chatwoot](https://github.com/chatwoot/chatwoot-mobile-app) - Simple, elegant and open-source live chat software for businesses
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.chatwoot.app&hl=en](https://play.google.com/store/apps/details?id=com.chatwoot.app&hl=en)
98 |
99 |
100 | - [Ethora](https://github.com/dappros/ethora) - Ethora is a low code web3 'super app' engine featuring social sign on, chat, bots, gamification, digital wallet, documents sharing etc. It is easy to customize and build your own app based on Ethora engine.
**Languages**: Javascript,Typescript
**Version**:
101 |
102 | **🌐Web**:[https://ethora.com/wiki/Main_Page](https://ethora.com/wiki/Main_Page)
103 | - [Gitter Mobile](https://github.com/JSSolutions/GitterMobile) - Unofficial Gitter.im (chat for GitHub) client for iOS and Android
**Languages**: Javascript,Typescript
**Version**:
104 |
105 | **🌐Web**:[https://apiko.com/portfolio/gitter-react-native-app/](https://apiko.com/portfolio/gitter-react-native-app/)
106 | - [Hooligram](https://github.com/hooligram/hooligram-client) - Open Source Messaging App
**Languages**: Javascript,Typescript
**Version**:
107 |
108 |
109 | - [Mattermost Mobile Applications](https://github.com/mattermost/mattermost-mobile) - The official React Native mobile clients for Mattermost an open source workplace messaging solution.
**Languages**: Javascript,Typescript
**Version**:
110 |
111 | **🌐Web**:[http://about.mattermost.com/mattermost-android-app/](http://about.mattermost.com/mattermost-android-app/)
112 | - [Meteor Chat](https://github.com/tgoldenberg/meteor-react-native-chat-example) - Simple example of live chat through a Meteor server on both iOS and Android with React Native
**Languages**: Javascript,Typescript
**Version**:0.14.2
113 |
114 |
115 | - [React Native Meteor Websocket Polyfill](https://github.com/hharnisc/react-native-meteor-websocket-polyfill) - An example that brings Meteor and React Native together (via WebSocket polyfill)
**Languages**: Javascript,Typescript
**Version**:
116 |
117 |
118 | - [Rocket.Chat Experimental](https://github.com/RocketChat/Rocket.Chat.ReactNative) - Open Source Team Communication
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=chat.rocket.android](https://play.google.com/store/apps/details?id=chat.rocket.android)
119 |
120 |
121 | - [Slack Clone](https://github.com/GetStream/slack-clone-react-native) - Slack-clone using React Native, Stream
**Languages**: Javascript,Typescript
**Version**:
122 |
123 | **🌐Web**:[https://medium.com/@vishalnarkhede.iitd/slack-clone-with-react-native-part-1-f71a5e6a339f](https://medium.com/@vishalnarkhede.iitd/slack-clone-with-react-native-part-1-f71a5e6a339f)
124 | - [Zulip Mobile](https://github.com/zulip/zulip-mobile) - The official mobile client for Zulip - powerful open source team chat.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.zulipmobile](https://play.google.com/store/apps/details?id=com.zulipmobile)
125 |
126 |
127 |
128 | ### Comics
129 | - [ComicBook](https://github.com/liyuechun/ComicBook) - liyuechun Cool comic books, supporting iOS and Android.
**Languages**: Javascript,Typescript
**Version**:
130 |
131 |
132 | - [Trackie](https://github.com/etasdemir/Trackie) - 📓 Track down your manga reading status. Find the most popular genres, manga, authors, and characters. Follow your favorite author, character, mangas.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.trackie](https://play.google.com/store/apps/details?id=com.trackie)
133 |
134 |
135 |
136 | ### Cryptocurrency
137 | - [Cryptobullography](https://github.com/WebStew/bullet) - Cryptocurrency converter, manager and tracker.
**Languages**: Javascript,Typescript
**Version**:
138 |
139 | **🌐Web**:[https://expo.io/@terminalpunk/bullet](https://expo.io/@terminalpunk/bullet)
140 | - [Ethereum Wallet](https://github.com/bcExpt1123/ethereum-wallet-react-native) - Cross platform Ethereum wallet.
**Languages**: Javascript,Typescript
**Version**:
141 |
142 | **🌐Web**:[https://github.com/bcExpt1123/ethereum-wallet-react-native/releases](https://github.com/bcExpt1123/ethereum-wallet-react-native/releases)
143 | - [New Expensify](https://github.com/Expensify/App) - New Expensify: a complete re-imagination of financial collaboration, centered around chat. Help us build the next generation of Expensify by sharing feedback and contributing to the code.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.expensify.chat](https://play.google.com/store/apps/details?id=com.expensify.chat)
144 |
145 |
146 | - [Rainbow](https://github.com/rainbow-me/rainbow) - the Ethereum wallet that lives in your pocket
**Languages**: Javascript,Typescript
**Version**:**📱Android**:[https://play.google.com/store/apps/details?id=com.ale.rainbow](https://play.google.com/store/apps/details?id=com.ale.rainbow)
147 | **IOS**:[https://apps.apple.com/us/app/rainbow-ethereum-wallet/id1457119021](https://apps.apple.com/us/app/rainbow-ethereum-wallet/id1457119021)
148 |
149 | - [React Native NFT Market](https://github.com/nklmantey/nft-market) - An app that allows users to place bids on NFTs and see current users that have placed bids.
**Languages**: Javascript,Typescript
**Version**:
150 |
151 | **🌐Web**:[https://github.com/nklmantey/nft-market/releases](https://github.com/nklmantey/nft-market/releases)
152 | - [Status](https://github.com/status-im/status-react/) - A web3 browser, messenger, and gateway to a decentralised world of Ethereum. Android & iOS.
**Languages**: Javascript,Typescript
**Version**:0.61.5
153 |
154 | **🌐Web**:[https://status.im](https://status.im)
155 |
156 | ### Data Visualization
157 | - [Data@Hand](https://github.com/umdsquare/data-at-hand-mobile) - A mobile self-tracking app that leverages speech and touch for flexible exploration (time navigation + temporal comparison) of Fitbit data
**Languages**: Javascript,Typescript
**Version**:
158 |
159 | **🌐Web**:[https://www.youtube.com/watch?v=ct2s29n-mJM](https://www.youtube.com/watch?v=ct2s29n-mJM)
160 |
161 | ### Entertainment
162 | - [LBRY](https://github.com/lbryio/lbry-android) - It is a free, open, and community-run digital marketplace.
**Languages**: Javascript,Typescript
**Version**:-
**📱Android**:[https://play.google.com/store/apps/details?id=io.lbry.browser](https://play.google.com/store/apps/details?id=io.lbry.browser)
163 |
164 |
165 | - [Movie Swiper](https://github.com/azhavrid/movie-swiper) - Unofficial client for movie service
**Languages**: Javascript,Typescript
**Version**:
166 |
167 | **🌐Web**:[https://www.themoviedb.org/](https://www.themoviedb.org/)
168 | - [MovieApp](https://github.com/JuneDomingo/movieapp) - Discover movies and tv shows
**Languages**: Javascript,Typescript
**Version**:
169 |
170 |
171 | - [MovieHut](https://github.com/looju/MovieHut) - Watch trailer videos of trending tv shows and movies, Find out details about the movie too. Anime included
**Languages**: Javascript,Typescript
**Version**:
172 |
173 |
174 | - [MoviesDaily](https://github.com/ahnafalfariza/MoviesDaily) - Movies and TV Show mobile application. Built using react native and TMDb API.
**Languages**: Javascript,Typescript
**Version**:
175 |
176 |
177 | - [React Native Movies App](https://github.com/brainattica/react-native-movies-app) - React Native app that lets you search for your movies and series.
**Languages**: Javascript,Typescript
**Version**:
178 |
179 |
180 | - [React Native Netflix](https://github.com/mariodev12/react-native-netflix) - Netflix App clone
**Languages**: Javascript,Typescript
**Version**:
181 |
182 |
183 | - [React Native Reddit Reader](https://github.com/akveo/react-native-reddit-reader) - Reddit reader for iOS, made with React-Native.
**Languages**: Javascript,Typescript
**Version**:
184 |
185 |
186 | - [Ruk-A-Tuk](https://github.com/akilb/rukatuk-mobile) - The official app for Ruk-A-Tuk Promotions - London's most innovative Caribbean themed parties!
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.rukatuk.app&hl=en_GB](https://play.google.com/store/apps/details?id=com.rukatuk.app&hl=en_GB)
187 |
188 |
189 | - [thecatnatice](https://github.com/punksta/thecatnative) - The [theCatApi](http://thecatapi.com/) unofficial client. Random cat photos and gifs feed.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.punksta.apps.kitties](https://play.google.com/store/apps/details?id=com.punksta.apps.kitties)
190 |
191 |
192 | - [TKCompanionApp](https://codeberg.org/marco.bresciani/TKCompanionApp) - A short and small helper for Toyota Kata practitioners
**Languages**: Javascript,Typescript
**Version**:
193 |
194 | **🌐Web**:[https://f-droid.org/en/packages/name.bresciani.marco.tkcompanionapp/](https://f-droid.org/en/packages/name.bresciani.marco.tkcompanionapp/)
195 | - [WiSaw (What I Saw) Today](https://github.com/echowaves/WiSaw) - Incognito photos and short videos, anonymous posting.
**Languages**: Javascript,Typescript
**Version**:
196 |
197 | **🌐Web**:[https://www.wisaw.com/](https://www.wisaw.com/)
198 |
199 | ### Events
200 | - [Assemblies](https://github.com/buildreactnative/assemblies) - A developer-focused Meetup clone built with React Native
**Languages**: Javascript,Typescript
**Version**:
201 |
202 |
203 | - [Chain React Conf](https://github.com/infinitered/ChainReactApp2023) - This will be the home for the app for [Chain React 2023](https://cr.infinite.red/), the only React Native focused conference in the USA, hosted by [Infinite Red](https://infinite.red/).
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.chainreactapp](https://play.google.com/store/apps/details?id=com.chainreactapp)
204 |
205 |
206 | - [Chain React Conf](https://github.com/infinitered/ChainReactApp) - by Infinite Red - Official Conference App for the [Chain React Conference](https://infinite.red/ChainReactConf)
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.chainreactapp&hl=en](https://play.google.com/store/apps/details?id=com.chainreactapp&hl=en)
207 |
208 |
209 | - [Reactive 2015 - Alexey](https://github.com/Kureev/Reactive2015) - Reactive2015 Contest Entry for Reactive Conference
**Languages**: Javascript,Typescript
**Version**:
210 |
211 |
212 | - [Reactive 2015 - Daniele Zannotti](https://github.com/dzannotti/reactive2015) - Reactive2015 Contest Entry for Reactive Conference
**Languages**: Javascript,Typescript
**Version**:
213 |
214 |
215 | - [Reactive 2015 - Jason Brown](https://github.com/browniefed/rncontest) - Reactive2015 Contest Entry for Reactive Conference
**Languages**: Javascript,Typescript
**Version**:
216 |
217 |
218 | - [Reactive 2015 - Ken Wheeler](https://github.com/kenwheeler/reactive2015) - Reactive2015 Contest Entry for Reactive Conference
**Languages**: Javascript,Typescript
**Version**:
219 |
220 |
221 |
222 | ### Finance
223 | - [Abacus, firefly III client 🔥](https://github.com/victorbalssa/abacus) - iOS application to manage your self-hosted Firefly III from your iPhone 🔥
**Languages**: Javascript,Typescript
**Version**:
224 |
225 | **🌐Web**:[apps.apple.com/us/app/1627093491](apps.apple.com/us/app/1627093491)
226 | - [Cryptobullography](https://github.com/WebStew/bullet) - Cryptocurrency converter, manager and tracker.
**Languages**: Javascript,Typescript
**Version**:
227 |
228 | **🌐Web**:[https://expo.io/@terminalpunk/bullet](https://expo.io/@terminalpunk/bullet)
229 | - [Ethereum Wallet](https://github.com/bcExpt1123/ethereum-wallet-react-native) - Cross platform Ethereum wallet.
**Languages**: Javascript,Typescript
**Version**:
230 |
231 | **🌐Web**:[https://github.com/bcExpt1123/ethereum-wallet-react-native/releases](https://github.com/bcExpt1123/ethereum-wallet-react-native/releases)
232 | - [Ethora](https://github.com/dappros/ethora) - Ethora is a low code web3 'super app' engine featuring social sign on, chat, bots, gamification, digital wallet, documents sharing etc. It is easy to customize and build your own app based on Ethora engine.
**Languages**: Javascript,Typescript
**Version**:
233 |
234 | **🌐Web**:[https://ethora.com/wiki/Main_Page](https://ethora.com/wiki/Main_Page)
235 | - [Forex Rates](https://github.com/MicroPyramid/forex-rates-mobile-app) - Foreign exchange rates, Currency converter mobile app using ReactNative
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.forexrates](https://play.google.com/store/apps/details?id=com.forexrates)
236 |
237 |
238 | - [New Expensify](https://github.com/Expensify/App) - New Expensify: a complete re-imagination of financial collaboration, centered around chat. Help us build the next generation of Expensify by sharing feedback and contributing to the code.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.expensify.chat](https://play.google.com/store/apps/details?id=com.expensify.chat)
239 |
240 |
241 | - [Perfi](https://github.com/apiko-dev/Perfi) - Personal finance assistance
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.apikodev.perfi&hl=uz](https://play.google.com/store/apps/details?id=com.apikodev.perfi&hl=uz)
242 |
243 |
244 | - [Rainbow](https://github.com/rainbow-me/rainbow) - the Ethereum wallet that lives in your pocket
**Languages**: Javascript,Typescript
**Version**:**📱Android**:[https://play.google.com/store/apps/details?id=com.ale.rainbow](https://play.google.com/store/apps/details?id=com.ale.rainbow)
245 | **IOS**:[https://apps.apple.com/us/app/rainbow-ethereum-wallet/id1457119021](https://apps.apple.com/us/app/rainbow-ethereum-wallet/id1457119021)
246 |
247 | - [React Native NFT Market](https://github.com/nklmantey/nft-market) - An app that allows users to place bids on NFTs and see current users that have placed bids.
**Languages**: Javascript,Typescript
**Version**:
248 |
249 | **🌐Web**:[https://github.com/nklmantey/nft-market/releases](https://github.com/nklmantey/nft-market/releases)
250 |
251 | ### Food & Drink
252 | - [Bon-Appetit!](https://github.com/steniowagner/bon-appetit-app) - A React-Native App that shows options of Restaurants, Gastronomic Events and Dishes in the City of Fortaleza (Brazil).
**Languages**: Javascript,Typescript
**Version**:
253 |
254 |
255 | - [YumMeals](https://github.com/BernStrom/YumMeals) - Online food ordering app with restaurants around the world 🍣🥡
**Languages**: Javascript,Typescript
**Version**:
256 |
257 | **🌐Web**:[https://expo.io/@bernn/YumMeals](https://expo.io/@bernn/YumMeals)
258 |
259 | ### Game
260 | - [Breakout](https://github.com/brentvatne/breakout) - Uses Three.js via EXGL (an implementation of WebGL for Expo) for a semi-3d take on the classic Breakout game. Built for Expo's internal Game Jam.
**Languages**: Javascript,Typescript
**Version**:Expo sdk 11.0.0
261 |
262 | **🌐Web**:[https://getexponent.com/@community/breakout](https://getexponent.com/@community/breakout)
263 | - [Cat or Dog](https://github.com/punksta/Cat-or-dog) - Drag-n-drop mobile game.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.punksta.apps.sortgame](https://play.google.com/store/apps/details?id=com.punksta.apps.sortgame)
264 |
265 |
266 | - [Dronk](https://github.com/tiaanduplessis/dronk) - A social drinking game
**Languages**: Javascript,Typescript
**Version**:
267 |
268 |
269 | - [Flappy RNB](https://github.com/sarthakpranesh/flappyBird) - A flappy bird clone made in React Native using react-native-game-engine
**Languages**: Javascript,Typescript
**Version**:[](https://github.com/sarthakpranesh/flappyBird/blob/master/package.json#L25)
270 |
271 | **🌐Web**:[https://github.com/sarthakpranesh/flappyBird/releases](https://github.com/sarthakpranesh/flappyBird/releases)
272 | - [Floaty Plane](https://github.com/exponentjs/fluxpybird) - Flappy bird, but with a paper airplane.
**Languages**: Javascript,Typescript
**Version**:Expo sdk 9.0.0
273 |
274 | **🌐Web**:[https://getexponent.com/@exponent/floatyplane](https://getexponent.com/@exponent/floatyplane)
275 | - [Guess Famous People Game](https://github.com/DimitriMikadze/react-native-game) - IOS and Android mobile app "Guess famous people" built on React Native
**Languages**: Javascript,Typescript
**Version**:0.16.0
276 |
277 |
278 | - [Pocat](https://github.com/rotembcohen/pokerBuddyApp) - Organize casual poker games
**Languages**: Javascript,Typescript
**Version**:
279 |
280 | **🌐Web**:[https://expo.io/@rotembcohen/pocat](https://expo.io/@rotembcohen/pocat)
281 | - [PocketGear](https://github.com/satya164/PocketGear) - Pokédex app for Pokémon GO
**Languages**: Javascript,Typescript
**Version**:
282 |
283 |
284 | - [React Native Wordle](https://github.com/martymfly/react-native-wordle) - Wordle Game Clone with React Native & Expo
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.martymfly.wordleger](https://play.google.com/store/apps/details?id=com.martymfly.wordleger)
285 |
286 |
287 | - [react-native-sudoku](https://github.com/christopherdro/react-native-sudoku) - A simple Sudoku game built with React Native.
**Languages**: Javascript,Typescript
**Version**:
288 |
289 |
290 | - [RebelGamer Mobile App](https://github.com/Mokkapps/rebelgamer-mobile-app) - Mobile app for the gaming blog www.rebelgamer.de
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=de.rebelgamer.RebelGamerRSS](https://play.google.com/store/apps/details?id=de.rebelgamer.RebelGamerRSS)
291 |
292 |
293 | - [RSG Chess](https://github.com/RSG-Group/RSG-Chess-mobile) - Open source chess game built from scratch for the [web](http://rsg-chess.now.sh) and adapted for Android using React Native
**Languages**: Javascript,Typescript
**Version**:
294 |
295 | **🌐Web**:[https://www.amazon.com/RSG-Group-Chess/dp/B07D1KWTK7](https://www.amazon.com/RSG-Group-Chess/dp/B07D1KWTK7)
296 | - [Sequent](https://github.com/sobstel/sequent) - Short-term memory training game
**Languages**: Javascript,Typescript
**Version**:
297 |
298 |
299 | - [TicTacToe Game](https://github.com/siddsarkar/tic-tac-toe-android-react-native) - Get Current A Two-player TicTacToe game built with React-Native 🎮
**Languages**: Javascript,Typescript
**Version**:
300 |
301 | **🌐Web**:[!https://img.shields.io/github/downloads/siddsarkar/tic-tac-toe-android-react-native/total](!https://img.shields.io/github/downloads/siddsarkar/tic-tac-toe-android-react-native/total)
302 |
303 | ### Graphics & Design
304 | - [Pix](https://github.com/Illu/pix) - An online pixel art community where everyone can unleash their creativity on a 16x16 canvas 🎨
**Languages**: Javascript,Typescript
**Version**:
305 |
306 | **🌐Web**:[https://apps.apple.com/app/pix-share-your-art/id1542611830](https://apps.apple.com/app/pix-share-your-art/id1542611830)
307 |
308 | ### Health & Fitness
309 | - [Data@Hand](https://github.com/umdsquare/data-at-hand-mobile) - A mobile self-tracking app that leverages speech and touch for flexible exploration (time navigation + temporal comparison) of Fitbit data
**Languages**: Javascript,Typescript
**Version**:
310 |
311 | **🌐Web**:[https://www.youtube.com/watch?v=ct2s29n-mJM](https://www.youtube.com/watch?v=ct2s29n-mJM)
312 | - [Hey Linda](https://github.com/heylinda/heylinda-app) - A free forever meditation app built with React Native.
**Languages**: Javascript,Typescript
**Version**:
313 |
314 | **🌐Web**:[https://heylinda.app](https://heylinda.app)
315 | - [NMF.earth](https://github.com/NotMyFaultEarth/nmf-app) - Calculate, understand and reduce your carbon footprint 🌱
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=nmf.earth](https://play.google.com/store/apps/details?id=nmf.earth)
316 |
317 |
318 | - [Nyxo](https://github.com/hello-nyxo/nyxo-app) - Sleep tracking and coaching
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=fi.nyxo.app](https://play.google.com/store/apps/details?id=fi.nyxo.app)
319 |
320 |
321 | - [Sh**t! I Smoke](https://github.com/amaurymartiny/shoot-i-smoke) - See Your City's Air Pollution Measured in Daily Cigarettes. Featured on BBC, Huffpost, CityLab 🚬
**Languages**: Javascript,Typescript
**Version**:
322 |
323 | **🌐Web**:[https://expo.io/@amaurymartiny/shoot-i-smoke](https://expo.io/@amaurymartiny/shoot-i-smoke)
324 |
325 | ### House & Home
326 | - [Clean Timetable](https://github.com/Dennitz/Timetable) - Clean and simple timetable app for iOS.
**Languages**: Javascript,Typescript
**Version**:
327 |
328 | **🌐Web**:[https://itunes.apple.com/us/app/clean-timetable/id1242105557?mt=8](https://itunes.apple.com/us/app/clean-timetable/id1242105557?mt=8)
329 | - [My Plants](https://github.com/benmotyka/my-plants_app) - My Plants is a free and open source app that manages watering for plants. Users can add, manage and water plants, import other users' plants, view watering history, add images, and set reminders for watering.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.benmotyka.myplants&hl=en&gl=US](https://play.google.com/store/apps/details?id=com.benmotyka.myplants&hl=en&gl=US)
330 |
331 |
332 |
333 | ### Libraries & Demo
334 | - [AoE II Companion](https://github.com/denniske/aoe2companion) - Track your AoE II Definitive Edition games. This app fetches information about your games from [aoe2.net](https://aoe2.net/) so you are always up-to-date.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.aoe2companion](https://play.google.com/store/apps/details?id=com.aoe2companion)
335 |
336 |
337 |
338 | ### Lifestyle
339 | - [Helo Protocol](https://github.com/gagangoku/helo-protocol-rn) - Android / IOS app for Helo Protocol. Uses codepush to keep itself up to date.
**Languages**: Javascript,Typescript
**Version**:0.57.1
340 |
341 | **🌐Web**:[https://itunes.apple.com/gb/app/heloprotocol/id1455721517](https://itunes.apple.com/gb/app/heloprotocol/id1455721517)
342 | - [My Plants](https://github.com/benmotyka/my-plants_app) - My Plants is a free and open source app that manages watering for plants. Users can add, manage and water plants, import other users' plants, view watering history, add images, and set reminders for watering.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.benmotyka.myplants&hl=en&gl=US](https://play.google.com/store/apps/details?id=com.benmotyka.myplants&hl=en&gl=US)
343 |
344 |
345 | - [Pride in London App](https://github.com/redbadger/pride-london-app) - Official events app for Pride in London
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=org.prideinlondon.festival](https://play.google.com/store/apps/details?id=org.prideinlondon.festival)
346 |
347 |
348 |
349 | ### Machine Learning
350 | - [AR Cut & Paste](https://github.com/cyrildiagne/ar-cutpaste) - Cut and paste your surroundings using AR
**Languages**: Javascript,Typescript
**Version**:
351 |
352 | **🌐Web**:[https://arcopypaste.app/](https://arcopypaste.app/)
353 | - [Nic or Not](https://github.com/gantman/nicornot) - Detect Nic Cage
**Languages**: Javascript,Typescript
**Version**:0.55.4
354 |
355 | **🌐Web**:[https://itunes.apple.com/us/app/nic-or-not/id1437819644?ls=1&mt=8](https://itunes.apple.com/us/app/nic-or-not/id1437819644?ls=1&mt=8)
356 | - [NSFWJS Mobile](https://github.com/infinitered/nsfwjs-mobile) - Client-side indecent content checking example app
**Languages**: Javascript,Typescript
**Version**:
357 |
358 | **🌐Web**:[https://shift.infinite.red/nsfw-js-for-react-native-a37c9ba45fe9](https://shift.infinite.red/nsfw-js-for-react-native-a37c9ba45fe9)
359 | - [PlantRecog](https://github.com/sarthakpranesh/PlantRecog) - Expo app built to recognize plants using an image and display general information about them along with useful links. APIs built for the purpose are also available for use.
**Languages**: Javascript,Typescript
**Version**:
360 |
361 | **🌐Web**:[https://github.com/sarthakpranesh/PlantRecog/releases](https://github.com/sarthakpranesh/PlantRecog/releases)
362 | - [What The Thing Is?](https://github.com/tayloraleach/whatthethingis) - Object detection application + auto translate the predictions to help learn a new language
**Languages**: Javascript,Typescript
**Version**:
363 |
364 |
365 |
366 | ### Map & Navigation
367 | - [Bus Timetable](https://github.com/EarlGeorge/timetable) - View real time arrivals, helps to avoid wasting time on guessing bus delays. 🚌 🚌
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.davituri.timetable](https://play.google.com/store/apps/details?id=com.davituri.timetable)
368 |
369 |
370 | - [Location Saver](https://github.com/vaskort/react-native) - Save your location and get directions to it later.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.locationsaver](https://play.google.com/store/apps/details?id=com.locationsaver)
371 |
372 |
373 | - [PÜL](https://github.com/datwheat/pul) - A carpooling app designed for students to help each other get more involved in their community.
**Languages**: Javascript,Typescript
**Version**:
374 |
375 |
376 | - [Reactive 2015 - Ken Wheeler](https://github.com/kenwheeler/reactive2015) - Reactive2015 Contest Entry for Reactive Conference
**Languages**: Javascript,Typescript
**Version**:
377 |
378 |
379 |
380 | ### Music & Audio
381 | - [Audiobook app](https://github.com/minhtc/sachnoiapp) - A completed audiobook app with some cool animations
**Languages**: Javascript,Typescript
**Version**:
382 |
383 |
384 | - [Lyrics King](https://github.com/SKempin/Lyrics-King-React-Native) - A beautiful, Open Source Android and iOS app for searching song lyrics.
**Languages**: Javascript,Typescript
**Version**:
385 |
386 | **🌐Web**:[https://expo.io/@skempin/lyrics-king](https://expo.io/@skempin/lyrics-king)
387 | - [MindCast](https://github.com/steniowagner/mindCast) - A Podcast App that streams audio files from the server and has as main purpose "Share knowledge in the form of podcasts, providing a simple way to learn".
**Languages**: Javascript,Typescript
**Version**:
388 |
389 |
390 | - [MIUIAdsHelper](https://github.com/gajjartejas/MIUIAdsHelper) - MIUI - Ads helper helps to enable/disable ads or recommendations in MIUI.
**Languages**: Javascript,Typescript
**Version**:
391 |
392 | **🌐Web**:[https://www.gajjartejas.me/](https://www.gajjartejas.me/)
393 | - [Musicly](https://github.com/saru2020/Musicly) - Mix different sounds and create your perfect sound environment to work and relax.
**Languages**: Javascript,Typescript
**Version**:
394 |
395 | **🌐Web**:[https://medium.com/@saruiosdev/musicly-noisli-in-react-native-efd14023bd7c](https://medium.com/@saruiosdev/musicly-noisli-in-react-native-efd14023bd7c)
396 | - [Parents Soundboard](https://github.com/Mokkapps/parents-soundboard) - A soundboard developed for parents to be able to play often needed phrases like "No"
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=de.mokkapps.parentssoundboard](https://play.google.com/store/apps/details?id=de.mokkapps.parentssoundboard)
397 |
398 |
399 | - [Roxie](https://github.com/venepe/react-native-roxie) - Rejoice hackers and makers! A music library that talks to your bluetooth devices
**Languages**: Javascript,Typescript
**Version**:
400 |
401 |
402 | - [Serenity Music Player](https://github.com/YajanaRao/Serenity) - A mobile music player focused on streaming from free sources. Built with Rich UI
**Languages**: Javascript,Typescript
**Version**:
403 |
404 |
405 | - [SoundRedux](https://github.com/fraserxu/soundredux-native#app-example) - SoundCloud client written in React Native and Redux
**Languages**: Javascript,Typescript
**Version**:
406 |
407 |
408 | - [SoundSpice](https://github.com/farshed/SoundSpice-mobile) - A light-weight and minimalist music player
**Languages**: Javascript,Typescript
**Version**:[](https://github.com/farshed/soundspice-mobile/blob/master/package.json#L20)
409 |
410 | **🌐Web**:[https://github.com/farshed/soundspice-mobile/releases](https://github.com/farshed/soundspice-mobile/releases)
411 | - [SplitCloud](https://github.com/egm0121/splitcloud-app) - Double Music player - share your headphones and play two different tracks from SoundCloud® using one device.
**Languages**: Javascript,Typescript
**Version**:
412 |
413 | **🌐Web**:[https://itunes.apple.com/us/app/splitcloud/id1244515007?mt=8](https://itunes.apple.com/us/app/splitcloud/id1244515007?mt=8)
414 | - [Tone Tracker](https://github.com/charliemcg/ToneTrackerRN) - This app allows users to track the life span of their guitar strings.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.violenthoboenterprises.tonetracker](https://play.google.com/store/apps/details?id=com.violenthoboenterprises.tonetracker)
415 |
416 |
417 |
418 | ### News
419 | - [Hacker Buzz](https://github.com/RCiesielczuk/HackerBuzz-ReactNative) - A Hacker News Reader App
**Languages**: Javascript,Typescript
**Version**:
420 |
421 | **🌐Web**:[https://itunes.apple.com/app/hacker-buzz/id1292825792?mt=8](https://itunes.apple.com/app/hacker-buzz/id1292825792?mt=8)
422 | - [HackerWeb](https://github.com/cheeaun/hackerweb-native) - A simply readable Hacker News app
**Languages**: Javascript,Typescript
**Version**:
423 |
424 |
425 | - [MEHNEWS](https://github.com/fromtexas/react-native-news-app) - Get breaking news headlines with short description filtered by your interests and country preferences.
**Languages**: Javascript,Typescript
**Version**:
426 |
427 |
428 | - [Moonwalk](https://github.com/Illu/moonwalk) - Stay up to date with upcoming rocket launches.
**Languages**: Javascript,Typescript
**Version**:
429 |
430 | **🌐Web**:[https://itunes.apple.com/us/app/moonwalk-rocket-launches/id1439376174](https://itunes.apple.com/us/app/moonwalk-rocket-launches/id1439376174)
431 | - [ONA or Open News App](https://github.com/vikasbukhari/ONA-OPENNEWSAPP) - ONA or Open News App is an open source React Native based application for WordPress News and Blog Websites.
**Languages**: Javascript,Typescript
**Version**:
432 |
433 | **🌐Web**:[https://github.com/vikasbukhari/ONA-OPENNEWSAPP/releases](https://github.com/vikasbukhari/ONA-OPENNEWSAPP/releases)
434 | - [RCTRealtimeNews](https://github.com/realtime-framework/RCTRealtimeNews) - Enterprise mobile app using React Native and the Realtime Platform
**Languages**: Javascript,Typescript
**Version**:
435 |
436 |
437 | - [React Native Hacker News](https://github.com/jsdf/ReactNativeHackerNews) - React Native Hacker News app
**Languages**: Javascript,Typescript
**Version**:
438 |
439 |
440 |
441 | ### OpenAi
442 |
443 | ### Other
444 | - [Anime Jisho](https://github.com/AurangzaibRamzan/Anime-jisho) - A React native application for exploring the world of anime which includes multifaceted features including: search on board range of anime, details on particular anime i.e. characters, description, top trends etc.
**Languages**: Javascript,Typescript
**Version**:
445 |
446 |
447 | - [Chain React Conf](https://github.com/infinitered/ChainReactApp2023) - This will be the home for the app for [Chain React 2023](https://cr.infinite.red/), the only React Native focused conference in the USA, hosted by [Infinite Red](https://infinite.red/).
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.chainreactapp](https://play.google.com/store/apps/details?id=com.chainreactapp)
448 |
449 |
450 | - [Colorwaver](https://github.com/mrousavy/Colorwaver) - An app to detect colorwaves (swatches/palettes) in the real world - powered by VisionCamera and Reanimated.
**Languages**: Javascript,Typescript
**Version**:
451 |
452 | **🌐Web**:[https://github.com/mrousavy/Colorwaver/releases](https://github.com/mrousavy/Colorwaver/releases)
453 | - [Context Launcher](https://github.com/razinj/context_launcher) - Android list-based launcher made to be simple and straight forward to use
**Languages**: Javascript,Typescript
**Version**:
454 |
455 | **🌐Web**:[https://github.com/razinj/context_launcher/releases](https://github.com/razinj/context_launcher/releases)
456 | - [Convene](https://github.com/nklmantey/convene) - Convene is a shared social calendar platform focused on allowing users to easily share their upcoming plans with their friends or organize shared ones.
**Languages**: Javascript,Typescript
**Version**:
457 |
458 | **🌐Web**:[https://github.com/nklmantey/convene](https://github.com/nklmantey/convene)
459 | - [Ethereum Wallet](https://github.com/bcExpt1123/ethereum-wallet-react-native) - Cross platform Ethereum wallet.
**Languages**: Javascript,Typescript
**Version**:
460 |
461 | **🌐Web**:[https://github.com/bcExpt1123/ethereum-wallet-react-native/releases](https://github.com/bcExpt1123/ethereum-wallet-react-native/releases)
462 | - [Get Ideas](https://github.com/DevVibhor/react-native-get-ideas) - Get more done by getting the right ideas on time.
**Languages**: Javascript
**Version**:
463 |
464 |
465 | - [Growler Prowler](https://github.com/brentvatne/growler-prowler) - Find craft beer in Vancouver! Collect em all. Looks pretty.
**Languages**: Javascript,Typescript
**Version**:
466 |
467 | **🌐Web**:[https://getexponent.com/@community/growler-prowler](https://getexponent.com/@community/growler-prowler)
468 | - [My Plants](https://github.com/benmotyka/my-plants_app) - My Plants is a free and open source app that manages watering for plants. Users can add, manage and water plants, import other users' plants, view watering history, add images, and set reminders for watering.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.benmotyka.myplants&hl=en&gl=US](https://play.google.com/store/apps/details?id=com.benmotyka.myplants&hl=en&gl=US)
469 |
470 |
471 | - [Pegava Dating App](https://github.com/GSTJ/PegavaDatingApp) - 💖 A place to get some love. Pegava is a beautiful dating app made in React Native.
**Languages**: Javascript,Typescript
**Version**:
472 |
473 | **🌐Web**:[https://exp.host/@gstj/pegava](https://exp.host/@gstj/pegava)
474 | - [React Native for Curious People](https://github.com/exponentjs/react-native-for-curious-people) - -
**Languages**: Javascript,Typescript
**Version**:
475 |
476 |
477 | - [React Native NFT Market](https://github.com/nklmantey/nft-market) - An app that allows users to place bids on NFTs and see current users that have placed bids.
**Languages**: Javascript,Typescript
**Version**:
478 |
479 | **🌐Web**:[https://github.com/nklmantey/nft-market/releases](https://github.com/nklmantey/nft-market/releases)
480 | - [React Native Travel App](https://github.com/nklmantey/react-native-travel-app) - An app that recommmends popular tourist destinations to users based on specified categories.
**Languages**: Javascript,Typescript
**Version**:
481 |
482 | **🌐Web**:[https://github.com/nklmantey/react-native-travel-app/releases](https://github.com/nklmantey/react-native-travel-app/releases)
483 | - [Remote for Transmission](https://github.com/jgalat/remote-app) - Transmission BitTorrent remote client
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=ar.jg.remote](https://play.google.com/store/apps/details?id=ar.jg.remote)
484 |
485 |
486 | - [SQL Play](https://github.com/shivamjoker/sql-play) - Run SQL queries in your phone & tablet
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.sql_playground](https://play.google.com/store/apps/details?id=com.sql_playground)
487 |
488 |
489 | - [Trackie](https://github.com/etasdemir/Trackie) - 📓 Track down your manga reading status. Find the most popular genres, manga, authors, and characters. Follow your favorite author, character, mangas.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.trackie](https://play.google.com/store/apps/details?id=com.trackie)
490 |
491 |
492 | - [Yelp Graphql Api Integration](https://github.com/mreorhan/Yelp-Graphql-Integration-with-Apollo-Client) - You can use Yelp Graphql Api with Apollo Client.
**Languages**: Javascript,Typescript
**Version**:
493 |
494 |
495 |
496 | ### Personalization
497 | - [Online Wallpapers](https://github.com/mrf345/online-wallpapers) - Android wallpapers manager built with react-native and utlizes reddit api.
**Languages**: Javascript,Typescript
**Version**:
498 |
499 |
500 |
501 | ### productivity
502 | - [Anime Jisho](https://github.com/AurangzaibRamzan/Anime-jisho) - A React native application for exploring the world of anime which includes multifaceted features including: search on board range of anime, details on particular anime i.e. characters, description, top trends etc.
**Languages**: Javascript,Typescript
**Version**:
503 |
504 |
505 | - [Basic Calculator](https://github.com/ReactNativeSchool/react-native-calculator) - A simple calculator based on iOS', built with React Native.
**Languages**: Javascript,Typescript
**Version**:
506 |
507 |
508 | - [Basic Timer](https://github.com/ReactNativeSchool/react-native-timer) - A simple timer app to help you get up and running with core components and APIs that React Native provides.
**Languages**: Javascript,Typescript
**Version**:
509 |
510 |
511 | - [BMI Calculator](https://github.com/oliver-gomes/react-native-bmi) - Feedback on Body mass index (BMI) to measure body fat based on height and weight.
**Languages**: Javascript,Typescript
**Version**:
512 |
513 | **🌐Web**:[https://expo.io/@ogomes/bmi-calculator](https://expo.io/@ogomes/bmi-calculator)
514 | - [Context Launcher](https://github.com/razinj/context_launcher) - Android list-based launcher made to be simple and straight forward to use
**Languages**: Javascript,Typescript
**Version**:
515 |
516 | **🌐Web**:[https://github.com/razinj/context_launcher/releases](https://github.com/razinj/context_launcher/releases)
517 | - [Croma - Palette Manager](https://github.com/croma-app/croma-react) - Save your colors on the go
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=app.croma](https://play.google.com/store/apps/details?id=app.croma)
518 |
519 |
520 | - [Get Ideas](https://github.com/DevVibhor/react-native-get-ideas) - Get more done by getting the right ideas on time.
**Languages**: Javascript
**Version**:
521 |
522 |
523 | - [Github Gist Client - Arjun](https://github.com/Arjun-sna/react-native-githubgist-client) - Mobile client application for Github Gists
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.githubgist](https://play.google.com/store/apps/details?id=com.githubgist)
524 |
525 |
526 | - [GitPoint](https://github.com/gitpoint/git-point) - A beautiful mobile GitHub client for both iOS and Android.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.gitpoint](https://play.google.com/store/apps/details?id=com.gitpoint)
527 |
528 |
529 | - [Gitter Mobile](https://github.com/JSSolutions/GitterMobile) - Unofficial Gitter.im (chat for GitHub) client for iOS and Android
**Languages**: Javascript,Typescript
**Version**:
530 |
531 | **🌐Web**:[https://apiko.com/portfolio/gitter-react-native-app/](https://apiko.com/portfolio/gitter-react-native-app/)
532 | - [House Control](https://github.com/jordanbyron/house_control) - React Native port of sinatra based alarm_keypad project
**Languages**: Javascript,Typescript
**Version**:
533 |
534 |
535 | - [Joplin](https://github.com/laurent22/joplin) - A note taking and to-do application with synchronization capabilities for Windows, macOS, Linux, Android and iOS.
**Languages**: Javascript,Typescript
**Version**:0.61.5
**📱Android**:[https://play.google.com/store/apps/details?id=net.cozic.joplin](https://play.google.com/store/apps/details?id=net.cozic.joplin)
536 |
537 |
538 | - [Modern Twin Calculator](https://github.com/oliver-gomes/react-native-calculator) - Modern Calculator with Day/Night Switch help stand out in dark and light area
**Languages**: Javascript,Typescript
**Version**:
539 |
540 | **🌐Web**:[https://expo.io/@ogomes/twin-modern-calculator](https://expo.io/@ogomes/twin-modern-calculator)
541 | - [ndash](https://github.com/alexindigo/ndash) - your npm dashboard.
**Languages**: Javascript,Typescript
**Version**:
542 |
543 | **🌐Web**:[https://appsto.re/us/nY9Sib.i](https://appsto.re/us/nY9Sib.i)
544 | - [PomodoroExp](https://github.com/exponentjs/pomodoroexp) - A simple Pomodoro timer for Expo.
**Languages**: Javascript,Typescript
**Version**:Expo sdk 14.0.0
545 |
546 | **🌐Web**:[https://getexponent.com/@exponent/pomodoro](https://getexponent.com/@exponent/pomodoro)
547 | - [Quiva](https://github.com/AzizStark/Quiva) - A flexible fancy text generator for android
**Languages**: Javascript,Typescript
**Version**:[](https://github.com/AzizStark/Quiva/blob/master/package.json#L13)
548 |
549 | **🌐Web**:[https://galaxystore.samsung.com/detail/com.quiva](https://galaxystore.samsung.com/detail/com.quiva)
550 | - [React Native Github Notetaker](https://github.com/tylermcginnis/react-native-gh-notetaker) - React Native app using the Github API
**Languages**: Javascript,Typescript
**Version**:
551 |
552 |
553 | - [Roxie](https://github.com/venepe/react-native-roxie) - Rejoice hackers and makers! A music library that talks to your bluetooth devices
**Languages**: Javascript,Typescript
**Version**:
554 |
555 |
556 | - [Small Steps](https://github.com/imranariffin/small-steps) - An app that helps you achieve your ambitious goals by focusing on the marginal improvements towards the goals
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.arikama.smallsteps](https://play.google.com/store/apps/details?id=com.arikama.smallsteps)
557 |
558 |
559 | - [Tip Advisor](https://github.com/charliemcg/TipAdvisor) - Tip calculator which adjusts for country and tipping situation.
**Languages**: Javascript,Typescript
**Version**:
560 |
561 |
562 | - [What The Thing Is?](https://github.com/tayloraleach/whatthethingis) - Object detection application + auto translate the predictions to help learn a new language
**Languages**: Javascript,Typescript
**Version**:
563 |
564 |
565 | - [Ziliun React Native](https://github.com/sonnylazuardi/ziliun-react-native) - Ziliun article reader android app built with React Native
**Languages**: Javascript,Typescript
**Version**:
566 |
567 |
568 |
569 | ### Shopping
570 | - [Artsy](https://github.com/artsy/eigen) - The Art World in Your Pocket or Your Trendy Tech Company's Tote, Artsy's mobile app.
**Languages**: Javascript,Typescript
**Version**:
571 |
572 | **🌐Web**:[https://github.com/artsy/eigen/releases](https://github.com/artsy/eigen/releases)
573 | - [BuyIt](https://github.com/salomaoluiz/BuyIt) - A brazilian app to organize market list and your product stock
**Languages**: Javascript,Typescript
**Version**:
574 |
575 |
576 | - [CliqApp](https://github.com/llRizvanll/CliqApp) - Ecommerce app built with React Native.
**Languages**: Javascript,Typescript
**Version**:0.64.2
577 |
578 |
579 | - [Den](https://github.com/asamiller/den) - iPhone app built with React Native for viewing houses for sale in the Northwest
**Languages**: Javascript,Typescript
**Version**:
580 |
581 |
582 | - [FastBuy](https://github.com/Bruno-Furtado/fastbuy-app) - App to manage the products from a dummy Store (built with React Native and Redux)
**Languages**: Javascript,Typescript
**Version**:
583 |
584 |
585 | - [MageCart](https://github.com/sanjeevyadavIT/magento_react_native) - MageCart is an e-commerce app for Magento 2.1 onwards. It consumes Magento 2 REST API to display catalog, products, add products to cart and let you place order 🛒
**Languages**: Javascript,Typescript
**Version**:
586 |
587 |
588 |
589 | ### Social
590 | - [Animavita](https://github.com/wendelfreitas/animavita) - A minimal, clean and beautiful mobile app to help people find the closest pet friend to adopt.
**Languages**: Javascript,Typescript
**Version**:
591 |
592 |
593 | - [Assemblies](https://github.com/buildreactnative/assemblies) - A developer-focused Meetup clone built with React Native
**Languages**: Javascript,Typescript
**Version**:
594 |
595 |
596 | - [Chain React Conf](https://github.com/infinitered/ChainReactApp2023) - This will be the home for the app for [Chain React 2023](https://cr.infinite.red/), the only React Native focused conference in the USA, hosted by [Infinite Red](https://infinite.red/).
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.chainreactapp](https://play.google.com/store/apps/details?id=com.chainreactapp)
597 |
598 |
599 | - [Convene](https://github.com/nklmantey/convene) - Convene is a shared social calendar platform focused on allowing users to easily share their upcoming plans with their friends or organize shared ones.
**Languages**: Javascript,Typescript
**Version**:
600 |
601 | **🌐Web**:[https://github.com/nklmantey/convene](https://github.com/nklmantey/convene)
602 | - [Cosmos](https://github.com/sarthakpranesh/cosmos.ReactNative) - Cosmos is an open source Social Media platform. The project aims to provide a dedicated platform for it's users to have there own personal boxed and dedicated social media groups for there friends and work circle.
**Languages**: Javascript,Typescript
**Version**:
603 |
604 | **🌐Web**:[https://github.com/sarthakpranesh/cosmos.ReactNative/releases](https://github.com/sarthakpranesh/cosmos.ReactNative/releases)
605 | - [eSteem Mobile](https://github.com/esteemapp/esteem-mobile) - Decentralized, rewarding social media.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=app.esteem.mobile.android](https://play.google.com/store/apps/details?id=app.esteem.mobile.android)
606 |
607 |
608 | - [ExpoCrudBoard](https://github.com/DPS0340/ExpoCrudBoard) - Yet Another React Native / Expo Forum
**Languages**: Javascript,Typescript
**Version**:
609 |
610 | **🌐Web**:[https://d1nz4ety4wohz9.cloudfront.net/main](https://d1nz4ety4wohz9.cloudfront.net/main)
611 | - [Mattermost Mobile Applications](https://github.com/mattermost/mattermost-mobile) - The official React Native mobile clients for Mattermost an open source workplace messaging solution.
**Languages**: Javascript,Typescript
**Version**:
612 |
613 | **🌐Web**:[http://about.mattermost.com/mattermost-android-app/](http://about.mattermost.com/mattermost-android-app/)
614 | - [Meet Native](https://github.com/beauvaisbruno/meetnative) - An app to locate a language partner.
**Languages**: Javascript,Typescript
**Version**:0.58.6
615 |
616 |
617 | - [PxView](https://github.com/alphasp/pxview) - An unofficial Pixiv app client for Android and iOS
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.utopia.pxview](https://play.google.com/store/apps/details?id=com.utopia.pxview)
618 |
619 |
620 | - [React Native Example using Instagram](https://github.com/bgryszko/react-native-example) - ReactNative iOS app that fetches your current location and display Intstagram photos that were made near to you.
**Languages**: Javascript,Typescript
**Version**:
621 |
622 |
623 | - [React Native Gallery](https://github.com/reindexio/reindex-examples/tree/master/react-native-gallery) - Instagram clone. A multi-user gallery app, with file uploads.
**Languages**: Javascript,Typescript
**Version**:0.22.0
624 |
625 |
626 | - [Slack Clone](https://github.com/GetStream/slack-clone-react-native) - Slack-clone using React Native, Stream
**Languages**: Javascript,Typescript
**Version**:
627 |
628 | **🌐Web**:[https://medium.com/@vishalnarkhede.iitd/slack-clone-with-react-native-part-1-f71a5e6a339f](https://medium.com/@vishalnarkhede.iitd/slack-clone-with-react-native-part-1-f71a5e6a339f)
629 | - [SwipeHunt for Product Hunt](https://github.com/notifme/swipehunt) - A fun minimalistic unofficial client for Product Hunt. crna + expo + native-base
**Languages**: Javascript,Typescript
**Version**:
630 |
631 |
632 | - [Thousanday - Homepage for pets](https://github.com/byn9826/Thousanday-Mobile) - Photo sharing social app for pets (Instagram/Facebook for pets).
**Languages**: Javascript,Typescript
**Version**:0.44.0
633 |
634 |
635 | - [TikTok Clone](https://github.com/tunm1228/react-native-play-video-flatlist) - TikTok clone made with React Native for iOS and Android
**Languages**: Javascript,Typescript
**Version**:0.63.3
636 |
637 |
638 | - [WiSaw (What I Saw) Today](https://github.com/echowaves/WiSaw) - Incognito photos and short videos, anonymous posting.
**Languages**: Javascript,Typescript
**Version**:
639 |
640 | **🌐Web**:[https://www.wisaw.com/](https://www.wisaw.com/)
641 | - [Zhihu Daily React Native](https://github.com/race604/ZhiHuDaily-React-Native) - A Zhihu Daily App client implemented using React Native
**Languages**: Javascript,Typescript
**Version**:
642 |
643 | **🌐Web**:[http://daily.zhihu.com/](http://daily.zhihu.com/)
644 |
645 | ### Supports
646 | - [F1 Stats](https://github.com/srdjanprpa/FormulaOne) - F1 Stats for statistics drivers and teams, calendar of race and results.
**Languages**: Javascript,Typescript
**Version**:
647 |
648 |
649 | - [Premier League Football](https://github.com/Pau1fitz/react-native-football) - React Native Premier League Football App ⚽ 👟🏆🏅
**Languages**: Javascript,Typescript
**Version**:
650 |
651 |
652 | - [React Native NBA App](https://github.com/wwayne/react-native-nba-app) - Cool NBA App written in RN
**Languages**: Javascript,Typescript
**Version**:
653 |
654 |
655 | - [React Native Premier League](https://github.com/ennioma/react-native-premier-league) - An unofficial Premier League browser developed with react native
**Languages**: Javascript,Typescript
**Version**:
656 |
657 |
658 |
659 | ### Tools
660 | - [eLadder](https://github.com/bastiRe/eladder) - eLadder is an app to create leagues for Fifa, foosball or similar games. Games can be tracked and players are rated by a custom ELO-system.
**Languages**: Javascript,Typescript
**Version**:Expo sdk 33.0.0
**📱Android**:[https://play.google.com/store/apps/details?id=de.sebastianrehm.eladder&hl=en](https://play.google.com/store/apps/details?id=de.sebastianrehm.eladder&hl=en)
661 |
662 |
663 | - [Expo File Manager](https://github.com/martymfly/expo-file-manager) - A file manager app made with React Native & Expo
**Languages**: Javascript,Typescript
**Version**:
664 |
665 |
666 | - [MIUIAdsHelper](https://github.com/gajjartejas/MIUIAdsHelper) - MIUI - Ads helper helps to enable/disable ads or recommendations in MIUI.
**Languages**: Javascript,Typescript
**Version**:
667 |
668 | **🌐Web**:[https://www.gajjartejas.me/](https://www.gajjartejas.me/)
669 | - [ndash](https://github.com/alexindigo/ndash) - your npm dashboard.
**Languages**: Javascript,Typescript
**Version**:
670 |
671 | **🌐Web**:[https://appsto.re/us/nY9Sib.i](https://appsto.re/us/nY9Sib.i)
672 | - [OHM-Client](https://github.com/gajjartejas/OHM-Client) - An Open hardware monitor android/ios client app made in react native.
**Languages**: Javascript,Typescript
**Version**:
673 |
674 | **🌐Web**:[https://www.gajjartejas.me/](https://www.gajjartejas.me/)
675 | - [PlantRecog](https://github.com/sarthakpranesh/PlantRecog) - Expo app built to recognize plants using an image and display general information about them along with useful links. APIs built for the purpose are also available for use.
**Languages**: Javascript,Typescript
**Version**:
676 |
677 | **🌐Web**:[https://github.com/sarthakpranesh/PlantRecog/releases](https://github.com/sarthakpranesh/PlantRecog/releases)
678 | - [QRCode Reader and Generator](https://github.com/insiderdev/react-native-qrcode-app) - Mobile app for scanning and generating different types of QR Codes.
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=io.insider.apps.qr](https://play.google.com/store/apps/details?id=io.insider.apps.qr)
679 |
680 |
681 | - [React Native Gallery](https://github.com/reindexio/reindex-examples/tree/master/react-native-gallery) - Instagram clone. A multi-user gallery app, with file uploads.
**Languages**: Javascript,Typescript
**Version**:0.22.0
682 |
683 |
684 | - [React Native iTunes Connect](https://github.com/oney/iTunesConnect) - Unofficial iTunes Connect App
**Languages**: Javascript,Typescript
**Version**:
685 |
686 |
687 | - [Remote for Transmission](https://github.com/jgalat/remote-app) - Transmission BitTorrent remote client
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=ar.jg.remote](https://play.google.com/store/apps/details?id=ar.jg.remote)
688 |
689 |
690 | - [SQL Play](https://github.com/shivamjoker/sql-play) - Run SQL queries in your phone & tablet
**Languages**: Javascript,Typescript
**Version**:
**📱Android**:[https://play.google.com/store/apps/details?id=com.sql_playground](https://play.google.com/store/apps/details?id=com.sql_playground)
691 |
692 |
693 | - [What The Thing Is?](https://github.com/tayloraleach/whatthethingis) - Object detection application + auto translate the predictions to help learn a new language
**Languages**: Javascript,Typescript
**Version**:
694 |
695 |
696 |
697 | ### Travel
698 | - [Airbnb Clone](https://github.com/imandyie/react-native-airbnb-clone) - Airbnb clone app using React Native & Redux
**Languages**: Javascript,Typescript
**Version**:
699 |
700 |
701 | - [React Native Travel App](https://github.com/nklmantey/react-native-travel-app) - An app that recommmends popular tourist destinations to users based on specified categories.
**Languages**: Javascript,Typescript
**Version**:
702 |
703 | **🌐Web**:[https://github.com/nklmantey/react-native-travel-app/releases](https://github.com/nklmantey/react-native-travel-app/releases)
704 |
705 | ### Web3
706 | - [Ethora](https://github.com/dappros/ethora) - Ethora is a low code web3 'super app' engine featuring social sign on, chat, bots, gamification, digital wallet, documents sharing etc. It is easy to customize and build your own app based on Ethora engine.
**Languages**: Javascript,Typescript
**Version**:
707 |
708 | **🌐Web**:[https://ethora.com/wiki/Main_Page](https://ethora.com/wiki/Main_Page)
709 | - [Status](https://github.com/status-im/status-react/) - A web3 browser, messenger, and gateway to a decentralised world of Ethereum. Android & iOS.
**Languages**: Javascript,Typescript
**Version**:0.61.5
710 |
711 | **🌐Web**:[https://status.im](https://status.im)
712 | ## Boilerplates
713 | [Context API Demo](https://github.com/ToJen/react_native_context_demo) A simple app showing how Context API can be used in React Native by authenticating users. [Expo](https://expo.io/tools) and [React Navigation](https://reactnavigation.org/) were used for this. This is great for hackathons or quick projects!
**Version:**
**Last Commit:**
**Github Stars:**
[React Native boilerplate](https://github.com/sanjeevyadavIT/react-native-boilerplate) A Robust React Native boilerplate to kickstart your new app , implements react navigation, redux, redux-saga and storybook.
**Version:**
**Last Commit:**
**Github Stars:**
[React Native boileplate](https://github.com/tawachan/react-native-expo-boilerplate) A boilerplate to develop a mobile app with React Native and Expo using TypeScript and Redux (Redux Saga).
**Version:**
**Last Commit:**
**Github Stars:**
[React Native Template](https://github.com/osamaq/react-native-template) A minimal template with architecture and common packages to let you focus on writing features right away.
**Version:**
**Last Commit:**
**Github Stars:**
[MyApp](https://github.com/proyecto26/MyApp) A template for React Native apps (State management agnostic).
**Version:**
**Last Commit:**
**Github Stars:**
[React Native Boilerplate](https://github.com/thecodingmachine/react-native-boilerplate) The boilerplate provides an optimized architecture for building solid cross-platform mobile applications through separation of concerns between the UI and business logic.
**Version:**
**Last Commit:**
**Github Stars:**
[React Native UI Templates](https://github.com/Aashu-Dubey/React-Native-UI-Templates) React-Native project inspired from [this](https://github.com/mitesh77/Best-Flutter-UI-Templates) amazing Flutter project.
**Version:**
**Last Commit:**
**Github Stars:**
[React Native (Redux/JSToolkit) Starter App](https://github.com/IronTony/react-native-redux-toolkit-starter-app) 📱🚀A POWERFUL React Native starter kit to bootstrap the start of your mobile app development
**Version:**
**Last Commit:**
**Github Stars:**
[React Native (React-Query) Starter App](https://github.com/IronTony/react-native-react-query-starter-app) 📱🚀A React Native boilerplate app to bootstrap your next app with React-Query!
**Version:**
**Last Commit:**
**Github Stars:**
[React Native Psychology App](https://github.com/sssajjad007/react-native-psychology-app) 📱🚀A React Native app to bootstrap your next app with React Navigation, Mobx, Mmkv!
**Version:**
**Last Commit:**
**Github Stars:**
714 |
715 | ## Contributors
716 |
717 | Thanks to all the people who contribute:
718 |
719 |
720 |
--------------------------------------------------------------------------------
/boilerplates.json:
--------------------------------------------------------------------------------
1 | [
2 | {
3 | "Title": "[Context API Demo](https://github.com/ToJen/react_native_context_demo)",
4 | "Description": "A simple app showing how Context API can be used in React Native by authenticating users. [Expo](https://expo.io/tools) and [React Navigation](https://reactnavigation.org/) were used for this. This is great for hackathons or quick projects!",
5 | "RN_Version": "",
6 | "LastCommit": "",
7 | "GithubStars": ""
8 | },
9 | {
10 | "Title": "[React Native boilerplate](https://github.com/sanjeevyadavIT/react-native-boilerplate)",
11 | "Description": "A Robust React Native boilerplate to kickstart your new app , implements react navigation, redux, redux-saga and storybook.",
12 | "RN_Version": "",
13 | "LastCommit": "",
14 | "GithubStars": ""
15 | },
16 | {
17 | "Title": "[React Native boileplate](https://github.com/tawachan/react-native-expo-boilerplate)",
18 | "Description": "A boilerplate to develop a mobile app with React Native and Expo using TypeScript and Redux (Redux Saga).",
19 | "RN_Version": "",
20 | "LastCommit": "",
21 | "GithubStars": ""
22 | },
23 | {
24 | "Title": "[React Native Template](https://github.com/osamaq/react-native-template)",
25 | "Description": "A minimal template with architecture and common packages to let you focus on writing features right away.",
26 | "RN_Version": "",
27 | "LastCommit": "",
28 | "GithubStars": ""
29 | },
30 | {
31 | "Title": "[MyApp](https://github.com/proyecto26/MyApp)",
32 | "Description": "A template for React Native apps (State management agnostic).",
33 | "RN_Version": "",
34 | "LastCommit": "",
35 | "GithubStars": ""
36 | },
37 | {
38 | "Title": "[React Native Boilerplate](https://github.com/thecodingmachine/react-native-boilerplate)",
39 | "Description": "The boilerplate provides an optimized architecture for building solid cross-platform mobile applications through separation of concerns between the UI and business logic.",
40 | "RN_Version": "",
41 | "LastCommit": "",
42 | "GithubStars": ""
43 | },
44 | {
45 | "Title": "[React Native UI Templates](https://github.com/Aashu-Dubey/React-Native-UI-Templates)",
46 | "Description": "React-Native project inspired from [this](https://github.com/mitesh77/Best-Flutter-UI-Templates) amazing Flutter project.",
47 | "RN_Version": "",
48 | "LastCommit": "",
49 | "GithubStars": ""
50 | },
51 | {
52 | "Title": "[React Native (Redux/JSToolkit) Starter App](https://github.com/IronTony/react-native-redux-toolkit-starter-app)",
53 | "Description": "📱🚀A POWERFUL React Native starter kit to bootstrap the start of your mobile app development",
54 | "RN_Version": "",
55 | "LastCommit": "",
56 | "GithubStars": ""
57 | },
58 | {
59 | "Title": "[React Native (React-Query) Starter App](https://github.com/IronTony/react-native-react-query-starter-app)",
60 | "Description": "📱🚀A React Native boilerplate app to bootstrap your next app with React-Query!",
61 | "RN_Version": "",
62 | "LastCommit": "",
63 | "GithubStars": ""
64 | },
65 | {
66 | "Title": "[React Native Psychology App](https://github.com/sssajjad007/react-native-psychology-app)",
67 | "Description": "📱🚀A React Native app to bootstrap your next app with React Navigation, Mobx, Mmkv!",
68 | "RN_Version": "",
69 | "LastCommit": "",
70 | "GithubStars": ""
71 | }
72 | ]
73 |
--------------------------------------------------------------------------------
/categories.json:
--------------------------------------------------------------------------------
1 | {
2 | "categories": [
3 | {
4 | "title": "OpenAi",
5 | "id": "openAi",
6 | "description": ""
7 | },
8 | {
9 | "title": "AI (Artificial Intelligence)",
10 | "id": "ai",
11 | "description": ""
12 | },
13 | {
14 | "title": "Machine Learning",
15 | "id": "machinelearning",
16 | "description": ""
17 | },
18 | {
19 | "title": "Finance",
20 | "id": "finance",
21 | "description": ""
22 | },
23 | {
24 | "title": "Chat",
25 | "id": "chat",
26 | "description": ""
27 | },
28 | {
29 | "title": "House & Home",
30 | "id": "house_home",
31 | "description": ""
32 | },
33 | {
34 | "title": "productivity",
35 | "id": "productivity",
36 | "description": ""
37 | },
38 | {
39 | "title": "Comics",
40 | "id": "comics",
41 | "description": ""
42 | },
43 | {
44 | "title": "Tools",
45 | "id": "tool",
46 | "description": ""
47 | },
48 | {
49 | "title": "Cryptocurrency",
50 | "id": "cryptocurrency",
51 | "description": ""
52 | },
53 | {
54 | "title": "Social",
55 | "id": "social",
56 | "description": ""
57 | },
58 | {
59 | "title": "Web3",
60 | "id": "web3",
61 | "description": ""
62 | },
63 | {
64 | "title": "Other",
65 | "id": "other",
66 | "description": ""
67 | },
68 | {
69 | "title": "Events",
70 | "id": "events",
71 | "description": ""
72 | },
73 | {
74 | "title": "Lifestyle",
75 | "id": "lifestyle",
76 | "description": ""
77 | },
78 | {
79 | "title": "Health & Fitness",
80 | "id": "health_and_fitness",
81 | "description": ""
82 | },
83 | {
84 | "title": "Travel",
85 | "id": "travel",
86 | "description": ""
87 | },
88 | {
89 | "title": "Shopping",
90 | "id": "shopping",
91 | "description": ""
92 | },
93 | {
94 | "title": "News",
95 | "id": "news",
96 | "description": ""
97 | },
98 | {
99 | "title": "Food & Drink",
100 | "id": "food_and_drink",
101 | "description": ""
102 | },
103 | {
104 | "title": "Game",
105 | "id": "game",
106 | "description": ""
107 | },
108 | {
109 | "title": "Graphics & Design",
110 | "id": "graphics_and_design",
111 | "description": ""
112 | },
113 | {
114 | "title": "Data Visualization",
115 | "id": "data_visualization",
116 | "description": ""
117 | },
118 | {
119 | "title": "Map & Navigation",
120 | "id": "map_and_navigation",
121 | "description": ""
122 | },
123 | {
124 | "title": "Book & Reference",
125 | "id": "book_and_reference",
126 | "description": ""
127 | },
128 | {
129 | "title": "Music & Audio",
130 | "id": "music_and_audio",
131 | "description": ""
132 | },
133 | {
134 | "title": "Augmented Reality",
135 | "id": "augmented_reality",
136 | "description": ""
137 | },
138 | {
139 | "title": "Entertainment",
140 | "id": "entertainment",
141 | "description": ""
142 | },
143 | {
144 | "title": "Browser",
145 | "id": "browser",
146 | "description": ""
147 | },
148 | {
149 | "title": "Libraries & Demo",
150 | "id": "libraries_and_demo",
151 | "description": ""
152 | },
153 | {
154 | "title": "Adventure",
155 | "id": "adventure",
156 | "description": ""
157 | },
158 | {
159 | "title": "Personalization",
160 | "id": "personalization",
161 | "description": ""
162 | },
163 | {
164 | "title": "Supports",
165 | "id": "supports",
166 | "description": ""
167 | }
168 | ]
169 | }
170 |
--------------------------------------------------------------------------------
/icons/icon.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/numandev1/open-source-react-native-apps/c1f5a88677864258c0603d48f173898b2e417b12/icons/icon.png
--------------------------------------------------------------------------------