From 17396f5b0e75b2caa277206049c93e7dc8cdfcb1 Mon Sep 17 00:00:00 2001 From: Luis Aguilar Date: Thu, 21 Nov 2013 00:21:10 -0800 Subject: [PATCH 1/7] Updated files to include app developer information --- db/loadAppsReviews.py | 19 ++++++++++++++----- db/models/app.py | 13 +++++++++++-- 2 files changed, 25 insertions(+), 7 deletions(-) diff --git a/db/loadAppsReviews.py b/db/loadAppsReviews.py index e12721a..3ea7e38 100644 --- a/db/loadAppsReviews.py +++ b/db/loadAppsReviews.py @@ -17,10 +17,17 @@ def parse_review_json(fname='../exports/rawdata_reviews.json'): json_data = open(fname).read() return json.loads(json_data) -def parse_all_json(fname='../exports/rawdata_all.json'): +def parse_all_json(fname='../exports/game_brain_all.json'): json_data = open(fname).read() return json.loads(json_data) +def calculateSingularRating(ratings): + total = 0; count = 0 + for rating in ratings: + total = total + (int(rating[0].strip()) * int(rating[1])) + count = count + int(rating[1]) + return total/float(count) + def parse_reviews(): # list container review_list = list() @@ -49,8 +56,8 @@ def parse_apps(): # loop through the json file, first by app and then by reviews for idx, app in enumerate(islice(parse_all_json(), 1)): a = App(app['id'], app['category'], app['company'], app['contentRating'], - app['description'], app['install'], app['name'], app['screenCount'], app['size'], - app['totalReviewers'], app['version']) + app['description'], app['install'], app['name'], calculateSingularRating(app['rating']), + app['screenCount'], app['size'], app['totalReviewers'], app['version']) app_list.append(a) # only commit all the review for every 10 apps @@ -71,9 +78,11 @@ def parse_all(): # loop through the json file, first by app and then by reviews for idx, app in enumerate(islice(parse_all_json(), None)): + a = App(app['id'], app['category'], app['company'], app['contentRating'], - app['description'], app['install'], app['name'], app['screenCount'], app['size'], - app['totalReviewers'], app['version']) + app['description'], app.get('devmail'), app.get('devprivacyurl'), app.get('devurl'), + app['install'], app['name'], calculateSingularRating(app['rating']), + app['screenCount'], app['size'], app['totalReviewers'], app['version']) app_list.append(a) for review in app['reviews']: r = Review(app['id'], review[0], review[1]) diff --git a/db/models/app.py b/db/models/app.py index a3c74fb..2e24b48 100644 --- a/db/models/app.py +++ b/db/models/app.py @@ -1,5 +1,5 @@ from sqlalchemy.ext.declarative import declarative_base -from sqlalchemy import Column, Integer, String +from sqlalchemy import Column, Float, Integer, String Base = declarative_base() @@ -11,21 +11,30 @@ class App(Base): company = Column(String) content_rating = Column(String) description = Column(String) + dev_mail = Column(String) + dev_privacy_url = Column(String) + dev_url = Column(String) install = Column(String) name = Column(String) + rating = Column(Float) screen_count = Column(Integer) size = Column(String) total_reviewers = Column(Integer) version = Column(String) - def __init__(self, appid, category, company, content_rating, description, install, name, screen_count, size, total_reviewers, version): + def __init__(self, appid, category, company, content_rating, description, dev_mail, dev_privacy_url, dev_url, + install, name, rating, screen_count, size, total_reviewers, version): self.appid = appid self.category = category self.company = company self.content_rating = content_rating self.description = description + self.dev_mail = dev_mail + self.dev_privacy_url = dev_privacy_url + self.dev_url = dev_url self.install = install self.name = name + self.rating = rating self.screen_count = screen_count self.size = size self.total_reviewers = total_reviewers From 4a0f5de61a9a492effb458f2530cea512378d9c4 Mon Sep 17 00:00:00 2001 From: Luis Aguilar Date: Mon, 25 Nov 2013 22:59:39 -0800 Subject: [PATCH 2/7] Updates to sqlalchemy files that communicate with the DB. --- db/getAppsReviews.py | 39 ++++++++++++++++ db/models/app.py | 2 +- db/putAppsReviews.py | 109 +++++++++++++++++++++++++++++++++++++++++++ 3 files changed, 149 insertions(+), 1 deletion(-) create mode 100644 db/getAppsReviews.py create mode 100644 db/putAppsReviews.py diff --git a/db/getAppsReviews.py b/db/getAppsReviews.py new file mode 100644 index 0000000..89326bf --- /dev/null +++ b/db/getAppsReviews.py @@ -0,0 +1,39 @@ +from sqlalchemy import * +from sqlalchemy.ext.declarative import declarative_base +from sqlalchemy.orm import sessionmaker, relationship +from itertools import islice, count +from models.review import Review +from models.app import App +import pdb + +engine = create_engine('postgresql://postgres:i219kkls@munners.dlinkddns.com:28432/obidroid') +engine.echo = True +Base = declarative_base() +Session = sessionmaker(bind=engine) +session = Session() + + + +def get_all_apps(): + return session.query(App).all() + +def get_app_by_appid(appid): + return session.query(App).filter(App.appid==appid).first() + +def get_apps_by_category(category): + return session.query(App).filter(App.category==category).all() + +def get_reviews_by_category(category): + qry = session.query(App, Review).filter(App.category==category) + reviews = qry.filter(App.appid==Review.playappid).all() + return reviews + +def get_reviews_by_appid(appid): + return session.query(Review).filter(Review.playappid==appid).all() + +if __name__ == '__main__': + #main + pass + #app_instance = get_reviews_by_appid('test.luis.app') + #revs = get_reviews_by_category('Test') + #print revs \ No newline at end of file diff --git a/db/models/app.py b/db/models/app.py index 2e24b48..e0af1c3 100644 --- a/db/models/app.py +++ b/db/models/app.py @@ -41,5 +41,5 @@ def __init__(self, appid, category, company, content_rating, description, dev_ma self.version = version def __repr__(self): - return "" % ( + return "" % ( self.appid, self.name, self.description) \ No newline at end of file diff --git a/db/putAppsReviews.py b/db/putAppsReviews.py new file mode 100644 index 0000000..3ea7e38 --- /dev/null +++ b/db/putAppsReviews.py @@ -0,0 +1,109 @@ +from sqlalchemy import * +from sqlalchemy.ext.declarative import declarative_base +from sqlalchemy.orm import sessionmaker, relationship +import json +from itertools import islice, count +from pprint import pprint +from models.review import Review +from models.app import App + +engine = create_engine('postgresql://postgres:i219kkls@munners.dlinkddns.com:28432/obidroid') +Base = declarative_base() +Session = sessionmaker(bind=engine) +session = Session() + + +def parse_review_json(fname='../exports/rawdata_reviews.json'): + json_data = open(fname).read() + return json.loads(json_data) + +def parse_all_json(fname='../exports/game_brain_all.json'): + json_data = open(fname).read() + return json.loads(json_data) + +def calculateSingularRating(ratings): + total = 0; count = 0 + for rating in ratings: + total = total + (int(rating[0].strip()) * int(rating[1])) + count = count + int(rating[1]) + return total/float(count) + +def parse_reviews(): + # list container + review_list = list() + + # loop through the json file, first by app and then by reviews + for idx, app in enumerate(islice(parse_review_json(), None)): + for review in app['reviews']: + r = Review(app['appId'], review[0], review[1]) + review_list.append(r) + + # only commit all the review for every 10 apps + if idx % 25 == 0: + session.add_all(review_list) + session.commit() + review_list = list() + + # commit the rest of the review from the rest of the apps + session.add_all(review_list) + session.commit() + session.close() + +def parse_apps(): + # app container + app_list = list() + + # loop through the json file, first by app and then by reviews + for idx, app in enumerate(islice(parse_all_json(), 1)): + a = App(app['id'], app['category'], app['company'], app['contentRating'], + app['description'], app['install'], app['name'], calculateSingularRating(app['rating']), + app['screenCount'], app['size'], app['totalReviewers'], app['version']) + app_list.append(a) + + # only commit all the review for every 10 apps + if idx % 25 == 0: + session.add_all(app_list) + session.commit() + app_list = list() + + # commit the rest of the review from the rest of the apps + session.add_all(app_list) + session.commit() + session.close() + +def parse_all(): + # app and review list container + app_list = list() + review_list = list() + + # loop through the json file, first by app and then by reviews + for idx, app in enumerate(islice(parse_all_json(), None)): + + a = App(app['id'], app['category'], app['company'], app['contentRating'], + app['description'], app.get('devmail'), app.get('devprivacyurl'), app.get('devurl'), + app['install'], app['name'], calculateSingularRating(app['rating']), + app['screenCount'], app['size'], app['totalReviewers'], app['version']) + app_list.append(a) + for review in app['reviews']: + r = Review(app['id'], review[0], review[1]) + review_list.append(r) + + # only commit all the review for every 10 apps + if idx % 25 == 0: + session.add_all(app_list) + session.commit() + app_list = list() + session.add_all(review_list) + session.commit() + review_list = list() + + # commit the rest of the review from the rest of the apps + session.add_all(app_list) + session.commit() + session.add_all(review_list) + session.commit() + session.close() + +if __name__ == '__main__': + #main + parse_all() From c30cc3c5bec85f321e9a20bd0808bb18c1a3144b Mon Sep 17 00:00:00 2001 From: Luis Aguilar Date: Mon, 25 Nov 2013 23:11:30 -0800 Subject: [PATCH 3/7] Adding web service capabilities and configuration --- db/loadAppsReviews.py | 109 --------------------------------------- nginx_ws/conf/nginx.conf | 46 +++++++++++++++++ 2 files changed, 46 insertions(+), 109 deletions(-) delete mode 100644 db/loadAppsReviews.py create mode 100644 nginx_ws/conf/nginx.conf diff --git a/db/loadAppsReviews.py b/db/loadAppsReviews.py deleted file mode 100644 index 3ea7e38..0000000 --- a/db/loadAppsReviews.py +++ /dev/null @@ -1,109 +0,0 @@ -from sqlalchemy import * -from sqlalchemy.ext.declarative import declarative_base -from sqlalchemy.orm import sessionmaker, relationship -import json -from itertools import islice, count -from pprint import pprint -from models.review import Review -from models.app import App - -engine = create_engine('postgresql://postgres:i219kkls@munners.dlinkddns.com:28432/obidroid') -Base = declarative_base() -Session = sessionmaker(bind=engine) -session = Session() - - -def parse_review_json(fname='../exports/rawdata_reviews.json'): - json_data = open(fname).read() - return json.loads(json_data) - -def parse_all_json(fname='../exports/game_brain_all.json'): - json_data = open(fname).read() - return json.loads(json_data) - -def calculateSingularRating(ratings): - total = 0; count = 0 - for rating in ratings: - total = total + (int(rating[0].strip()) * int(rating[1])) - count = count + int(rating[1]) - return total/float(count) - -def parse_reviews(): - # list container - review_list = list() - - # loop through the json file, first by app and then by reviews - for idx, app in enumerate(islice(parse_review_json(), None)): - for review in app['reviews']: - r = Review(app['appId'], review[0], review[1]) - review_list.append(r) - - # only commit all the review for every 10 apps - if idx % 25 == 0: - session.add_all(review_list) - session.commit() - review_list = list() - - # commit the rest of the review from the rest of the apps - session.add_all(review_list) - session.commit() - session.close() - -def parse_apps(): - # app container - app_list = list() - - # loop through the json file, first by app and then by reviews - for idx, app in enumerate(islice(parse_all_json(), 1)): - a = App(app['id'], app['category'], app['company'], app['contentRating'], - app['description'], app['install'], app['name'], calculateSingularRating(app['rating']), - app['screenCount'], app['size'], app['totalReviewers'], app['version']) - app_list.append(a) - - # only commit all the review for every 10 apps - if idx % 25 == 0: - session.add_all(app_list) - session.commit() - app_list = list() - - # commit the rest of the review from the rest of the apps - session.add_all(app_list) - session.commit() - session.close() - -def parse_all(): - # app and review list container - app_list = list() - review_list = list() - - # loop through the json file, first by app and then by reviews - for idx, app in enumerate(islice(parse_all_json(), None)): - - a = App(app['id'], app['category'], app['company'], app['contentRating'], - app['description'], app.get('devmail'), app.get('devprivacyurl'), app.get('devurl'), - app['install'], app['name'], calculateSingularRating(app['rating']), - app['screenCount'], app['size'], app['totalReviewers'], app['version']) - app_list.append(a) - for review in app['reviews']: - r = Review(app['id'], review[0], review[1]) - review_list.append(r) - - # only commit all the review for every 10 apps - if idx % 25 == 0: - session.add_all(app_list) - session.commit() - app_list = list() - session.add_all(review_list) - session.commit() - review_list = list() - - # commit the rest of the review from the rest of the apps - session.add_all(app_list) - session.commit() - session.add_all(review_list) - session.commit() - session.close() - -if __name__ == '__main__': - #main - parse_all() diff --git a/nginx_ws/conf/nginx.conf b/nginx_ws/conf/nginx.conf new file mode 100644 index 0000000..22df1ef --- /dev/null +++ b/nginx_ws/conf/nginx.conf @@ -0,0 +1,46 @@ +worker_processes 4; + +events {} + +http { + upstream database { + postgres_server 127.0.0.1 dbname=obidroid user=postgres password=i219kkls; + } + + server { + listen 8080; + server_name localhost; + + location /appsByCategory { + postgres_pass database; + rds_json on; + postgres_escape $category $arg_category; + postgres_query "SELECT * FROM app WHERE category=$category"; + postgres_rewrite HEAD GET no_rows 410; + } + + location /reviewByAppId { + postgres_pass database; + rds_json on; + postgres_escape $appid $arg_appid; + postgres_query HEAD GET "SELECT * FROM review WHERE playappid=$appid"; + postgres_rewrite HEAD GET no_rows 410; + } + + location /appByAppId { + postgres_pass database; + rds_json on; + postgres_escape $appid $arg_appid; + postgres_query HEAD GET "SELECT * FROM app WHERE appid=$appid"; + postgres_rewrite HEAD GET no_rows 410; + } + + location /reviewsByCategory { + postgres_pass database; + rds_json on; + postgres_escape $category $arg_category; + postgres_query HEAD GET "SELECT app.appid, review.title, review.review FROM app, review WHERE app.category=$category AND app.appid=review.playappid"; + postgres_rewrite HEAD GET no_rows 410; + } + } +} From ff98b5df8f417dc4ed17fb0ff62ebd3d6a3fbae5 Mon Sep 17 00:00:00 2001 From: 100kristine <100kristine@users.noreply.github.com> Date: Wed, 27 Nov 2013 18:39:48 -0800 Subject: [PATCH 4/7] Create concat.py script to merge "all" and "reviews" json files gathered by scraper --- concat.py | 38 ++++++++++++++++++++++++++++++++++++++ 1 file changed, 38 insertions(+) create mode 100644 concat.py diff --git a/concat.py b/concat.py new file mode 100644 index 0000000..b6ee49f --- /dev/null +++ b/concat.py @@ -0,0 +1,38 @@ +import json,os + +#ie mergeAllFiles('/Users/Artemis/Desktop/gpstore') + +def mergeAllFiles(directory): + """Searches through current directory and merges + the files that contain app info with the corresponding + reviews from the matching "reviews.json" file. + """ + allDirFiles = os.listdir(directory) + for jsonFile in allDirFiles: + if "_all.json" in jsonFile: + reviewFile = jsonFile[:-8] + "reviews.json" + mergeJson(jsonFile,reviewFile,directory) + return + +def mergeJson(allJson,reviewJson,directory): + """Modifies the json file containing the + main information about the apps to also include + the information contained in the reviews""" + results = [] + + allFile = json.load(open(directory + "/" + allJson)) + reviewFile = json.load(open(directory + "/" + reviewJson)) + + for app in zip(allFile,reviewFile): + for field in app[1].keys(): + app[0][field] = app[1][field] + results +=[app[0]] + + with open(directory + "/" + allJson[:-8]+"merged.json",'w') as f: + json.dump(results,f,sort_keys=True) + + print "Results written to",directory+"/"+allJson[:-8]+"merged.json" + return + + + From 556c1dde60d8adfcd720a30372ebfda0eb9ba7b2 Mon Sep 17 00:00:00 2001 From: Jim Date: Wed, 27 Nov 2013 18:49:31 -0800 Subject: [PATCH 5/7] mergedJson --- mergedJsonFiles/.DS_Store | Bin 0 -> 6148 bytes ...n Google Play.html_ids.txtaa.json_merged.json | 1 + ...n Google Play.html_ids.txtab.json_merged.json | 1 + ...Google Play.html_ids.txtacaa.json_merged.json | 1 + ...Google Play.html_ids.txtacab.json_merged.json | 1 + ...Google Play.html_ids.txtadaa.json_merged.json | 1 + ...Google Play.html_ids.txtadab.json_merged.json | 1 + ...Google Play.html_ids.txtaeaa.json_merged.json | 1 + ...Google Play.html_ids.txtaeab.json_merged.json | 1 + ...Google Play.html_ids.txtafaa.json_merged.json | 1 + ...Google Play.html_ids.txtafab.json_merged.json | 1 + ...Google Play.html_ids.txtaaaa.json_merged.json | 1 + ...Google Play.html_ids.txtaaab.json_merged.json | 1 + ...Google Play.html_ids.txtabaa.json_merged.json | 1 + ...Google Play.html_ids.txtabab.json_merged.json | 1 + ...Google Play.html_ids.txtacaa.json_merged.json | 1 + ...Google Play.html_ids.txtadaa.json_merged.json | 1 + ...Google Play.html_ids.txtadab.json_merged.json | 1 + ...Google Play.html_ids.txtaeaa.json_merged.json | 1 + ...Google Play.html_ids.txtaeab.json_merged.json | 1 + ...Google Play.html_ids.txtafaa.json_merged.json | 1 + ...Google Play.html_ids.txtaaaa.json_merged.json | 1 + ...Google Play.html_ids.txtaaab.json_merged.json | 1 + ...Google Play.html_ids.txtabaa.json_merged.json | 1 + ...Google Play.html_ids.txtabab.json_merged.json | 1 + ...Google Play.html_ids.txtacaa.json_merged.json | 1 + ...Google Play.html_ids.txtacab.json_merged.json | 1 + ...Google Play.html_ids.txtadaa.json_merged.json | 1 + ...Google Play.html_ids.txtadab.json_merged.json | 1 + ...Google Play.html_ids.txtaeaa.json_merged.json | 1 + ...Google Play.html_ids.txtaeab.json_merged.json | 1 + ...Google Play.html_ids.txtafaa.json_merged.json | 1 + ...Google Play.html_ids.txtafab.json_merged.json | 1 + ...Google Play.html_ids.txtaaaa.json_merged.json | 1 + ...Google Play.html_ids.txtaaab.json_merged.json | 1 + ...Google Play.html_ids.txtabaa.json_merged.json | 1 + ...Google Play.html_ids.txtabab.json_merged.json | 1 + ...Google Play.html_ids.txtacaa.json_merged.json | 1 + ...Google Play.html_ids.txtacab.json_merged.json | 1 + ...Google Play.html_ids.txtadaa.json_merged.json | 1 + ...Google Play.html_ids.txtadab.json_merged.json | 1 + ...Google Play.html_ids.txtaeaa.json_merged.json | 1 + ...Google Play.html_ids.txtaeab.json_merged.json | 1 + ...Google Play.html_ids.txtafaa.json_merged.json | 1 + ...Google Play.html_ids.txtaaaa.json_merged.json | 1 + ...Google Play.html_ids.txtaaab.json_merged.json | 1 + ...Google Play.html_ids.txtabaa.json_merged.json | 1 + ...Google Play.html_ids.txtabab.json_merged.json | 1 + ...Google Play.html_ids.txtacaa.json_merged.json | 1 + ...Google Play.html_ids.txtacab.json_merged.json | 1 + ...Google Play.html_ids.txtadaa.json_merged.json | 1 + ...Google Play.html_ids.txtadab.json_merged.json | 1 + ...Google Play.html_ids.txtaeab.json_merged.json | 1 + ...Google Play.html_ids.txtafaa.json_merged.json | 1 + ...Google Play.html_ids.txtafab.json_merged.json | 1 + ...Google Play.html_ids.txtaaaa.json_merged.json | 1 + ...Google Play.html_ids.txtaaab.json_merged.json | 1 + ...Google Play.html_ids.txtabaa.json_merged.json | 1 + ...Google Play.html_ids.txtabab.json_merged.json | 1 + ...Google Play.html_ids.txtacaa.json_merged.json | 1 + ...Google Play.html_ids.txtacab.json_merged.json | 1 + ...Google Play.html_ids.txtadaa.json_merged.json | 1 + ...Google Play.html_ids.txtadab.json_merged.json | 1 + ...Google Play.html_ids.txtaeaa.json_merged.json | 1 + ...Google Play.html_ids.txtaeab.json_merged.json | 1 + ...Google Play.html_ids.txtafaa.json_merged.json | 1 + ...Google Play.html_ids.txtafab.json_merged.json | 1 + 67 files changed, 66 insertions(+) create mode 100644 mergedJsonFiles/.DS_Store create mode 100644 mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtacaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtacab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtadaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtadab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtaeab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtafaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtafab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaaab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtabaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtabab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtacaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtadaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtadab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaeab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtafaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaaab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtabaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtabab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtacaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtacab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtadaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtadab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaeab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtafaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtafab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaaab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtabaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtabab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtacaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtacab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtadaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtadab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaeab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtafaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtaaab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtabaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtabab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtacaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtacab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtadaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtadab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtaeab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtafaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtafab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaaab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtabaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtabab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtacaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtacab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtadaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtadab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaeab.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtafaa.json_merged.json create mode 100644 mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtafab.json_merged.json diff --git a/mergedJsonFiles/.DS_Store b/mergedJsonFiles/.DS_Store new file mode 100644 index 0000000000000000000000000000000000000000..5008ddfcf53c02e82d7eee2e57c38e5672ef89f6 GIT binary patch literal 6148 zcmeH~Jr2S!425mzP>H1@V-^m;4Wg<&0T*E43hX&L&p$$qDprKhvt+--jT7}7np#A3 zem<@ulZcFPQ@L2!n>{z**++&mCkOWA81W14cNZlEfg7;MkzE(HCqgga^y>{tEnwC%0;vJ&^%eQ zLs35+`xjp>T0apps. "], ["Perfect", " I am using KitKat on my Nexus 4 and this is the only app which looks like Google included per-installed! Very nice. "], ["Invalid URI", " Any one help me please? I used to have FB Messenger but I had to uninstall it cause it stopped and I cant even use my FB app due to that. Now, I cant install FB Messenger, all it say is INVALID URI. HEEEEELP! "]], "screenCount": 6, "similar": ["jp.naver.line.android", "com.kakao.talk", "app.fastfacebook.com", "com.sec.chaton", "cn.msn.messenger", "com.spartancoders.gtok", "com.ebuddy.android", "com.nimbuzz", "kr.co.datawave.facechat", "com.viber.voip", "com.whatsapp", "com.bbm", "com.fbchat", "com.yahoo.mobile.client.android.im", "com.skype.raider", "kik.android"], "size": "Varies with device", "totalReviewers": 1299506, "version": "Varies with device"}, {"appId": "com.skype.raider", "category": "Communication", "company": "Skype", "contentRating": "Medium Maturity", "description": "Say \u00e2\u20ac\u0153hello\u00e2\u20ac\ufffd to friends and family with an instant message, voice or video call on Skype for free. Join the millions of people using Skype today to stay in touch with the people who matter most. There\u00e2\u20ac\u2122s so much you can do, right from the palm of your hand. Features:\u00e2\u20ac\u00a2 Find all your friends and family in an instant - With over 250 million people using Skype, you\u00e2\u20ac\u2122re bound to bump into someone you know.\u00e2\u20ac\u00a2 Talk with your fingers - No matter where you are, your friends are always at your fingertips with free instant messaging.\u00e2\u20ac\u00a2 Call your world from Skype - Talk to your heart\u00e2\u20ac\u2122s content with free voice and video calls to all your friends and family on Skype.\u00e2\u20ac\u00a2 Low cost calls to mobiles and landlines too - Keep in touch, even if they\u00e2\u20ac\u2122re not on Skype, with low cost calls and SMS to mobiles and landlines on the other side of town or the world.\u00e2\u20ac\u00a2 Share your favourite snaps - Got a favourite photo to share? Send it over Skype to friends and family and you won\u00e2\u20ac\u2122t have to worry about email size limits or expensive MMS charges.\u00e2\u20ac\u00a2 Chat with anyone, anywhere - Skype\u00e2\u20ac\u2122s available on smartphones, tablets, PCs, Macs, and even TVs. Whatever device your friends or family use, Skype just works. Simple.\u00e2\u20ac\u00a2 Video messaging \u00e2\u20ac\u201c Record life\u00e2\u20ac\u2122s everyday moments and share them with the people who matter most, with free and unlimited video messaging over Skype.* Operator data charges may apply. We recommend using an unlimited data plan or WiFi connection.", "devmail": "skypeuploader@googlemail.com", "devprivacyurl": "http://www.skype.com/go/privacy&sa=D&usg=AFQjCNGe2-jxk_TMiiQncs7wOUU82fR1hA", "devurl": "http://www.skype.com&sa=D&usg=AFQjCNHjZ2XF1SUejmM8bzCHcmZpQVSG7A", "id": "com.skype.raider", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.skype.android.access"], "name": "Skype - free IM & video calls", "price": 0.0, "rating": [[" 4 ", 240116], [" 2 ", 69250], [" 1 ", 229907], [" 3 ", 138990], [" 5 ", 898449]], "reviews": [["Not compatible for ipad & android tab users", " I am using galaxy tab3 while a friend is using apple ipad. We tried using this app for a video call. He can see me but what i can see from his incoming video is his forehead only??? Duh?! What'S the use of video call if we can't see each other's face? Please fix... "], ["Fix this please!!!", " Why can't i log in using my lenovo tab?.. always unable to log in.. check you mobile settings.. and when i'm using my galaxy y i thought that i'm online because there's the logo showing i'm online.. when i open it i saw a lot of missed calls but it never ring.. "], ["Even if you just use a Skype ID...", " ...it still doesn't work. I was logged in via desktop and Android app at the same time. Called my Skype number from another phone. Desktop version showed an incoming call, but no such thing from my Nexus 5 that was running the Skype app. I pay for this service for work - this is completely unacceptable. "], ["Any chance of setting up the notification to say if someone comes online for ...", " Any chance of setting up the notification to say if someone comes online for 1 or 2 min before switching to 'online' again. Isn't very usefull now "], ["Microsoft login fixed", " Fingers crossed it stays that way. "], ["New update", " Can we get the old version back? You removed thevaway and busy options andthe video calls dont work, I dont see the point... Not to mention these are two things I picked up fast and was totally disappointed "]], "screenCount": 12, "similar": ["jp.naver.line.android", "com.kakao.talk", "org.mozilla.firefox", "com.sec.chaton", "com.nimbuzz", "com.google.android.talk", "com.sgiggle.production", "com.imo.android.imoim", "com.facebook.orca", "com.viber.voip", "com.antivirus", "com.whatsapp", "com.bbm", "com.tencent.mm", "com.android.chrome", "kik.android"], "size": "Varies with device", "totalReviewers": 1576712, "version": "Varies with device"}, {"appId": "kik.android", "category": "Communication", "company": "Kik Interactive", "contentRating": "Medium Maturity", "description": "90 million users love Kik! It's the fast, simple, and personal smartphone messenger that connects you to everyone you love to talk to.Here's why you'll love Kik:FAST: Kik is hands\u00c2\u00addown the fastest, most reliable smartphone messenger available. And with sent, delivered, read and typing notifications, your conversations will come to life.SIMPLE: We believe that simplicity is the ultimate in sophistication. We've spent thousands of hours making sure Kik is the easiest, most beautiful smartphone messenger around.PERSONAL: Your Kik username \u00c2\u00ad not your phone number \u00c2\u00ad is your Kik identity, so you can keep complete control of your privacy. No wonder Kik is the number one way people connect in other social apps like Instagram.And now you can do even more on Kik, with new features that let you instantly find and share fun videos, sketches and pictures.Here's what our users have to say:\"Amazing app! And so, so fast.\" Katie\"The best way to keep your personal information private.\" Phil, instagrammers.com \"Really easy to use.\" Amber", "devmail": "support@kik.com", "devprivacyurl": "http://kik.com/privacy&sa=D&usg=AFQjCNFOlOn7sQbp5ZgruDBfYEAmRrrz6g", "devurl": "http://kik.com&sa=D&usg=AFQjCNGqOAB5swiW_l6ZUPn0eqYgufyHZw", "id": "kik.android", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Kik Messenger", "price": 0.0, "rating": [[" 1 ", 16708], [" 5 ", 241498], [" 3 ", 26750], [" 4 ", 58312], [" 2 ", 7465]], "reviews": [["Kik me Thebull22", " Hey im 24 Names Bryan looking 4 country girls to chat with but if your not no worries I can be there to talk to anytime just kik me and I'll get back to ya but NO DUDES!! Check out my instagram @thebullll23 "], ["imapotato_x3", " Hello there c: My name Is Symphoni, I am 14, f, live in California and have a southern accent. I have blue eyes and blonde hair, soon to be pastel rainbow (; I talk with emoticons!!! ^.^ so if you do too... we'll be besties o.o I am just looking for a nice conversation with anyone under 18 x3 I'm watching Beauty and the Beast at the moment, any Disney fans!?o: Okay! Well uhh cx kik me pwease :3 I'll be waiting hehe c: "], ["Kik: nobodyscool | 18-22 pls", " Decent , cool & funny chat. No DIRTY will be BLOCKED. No fakes PLEASE hv a pic & facebook / instagram so i can be sure and no worries we will not add each other. THANKS :) :) "], ["Audi1717", " Hey I'm 16/f/usa I love to talk to new people no nudes or creeps. Boy or girl don't matter; and I love cute guys. I'm athletic and cute so hmu!18+ I wont respond back. ID up top. "], ["Tattoojon13", " Hi all. 21 yr old guy. Just lookin for ppl all across the world to chat to. Plz feel free to kik me: tattoojon13 i'm into tattoos and rock music. "], ["sucks tbh.", " pointless update, can't change my profile picture after three months. your servers seem to not send messages, even though they say deliver. it's ashame as I've been a kik user for two years now, and for the last year it's been nothing but disappointment as it only properly worked for two months. contacting support gave me nothing, no reply. I give up. "]], "screenCount": 5, "similar": ["jp.naver.line.android", "com.kakao.talk", "com.sec.chaton", "cn.msn.messenger", "com.nimbuzz", "com.nixpa.kik.video", "com.ebuddy.android", "com.facebook.orca", "com.bbm", "com.whatsapp", "com.viber.voip", "net.daum.android.air", "com.tencent.mm", "com.yahoo.mobile.client.android.im", "com.skype.raider", "se.outputstream.recorderforkik"], "size": "5.2M", "totalReviewers": 350733, "version": "6.8.0.61"}, {"appId": "com.whatsapp", "category": "Communication", "company": "WhatsApp Inc.", "contentRating": "Medium Maturity", "description": "WhatsApp Messenger is a smartphone messenger available for Android and other smartphones. WhatsApp uses your 3G or WiFi (when available) to message with friends and family. Switch from SMS to WhatsApp to send and receive messages, pictures, audio notes, and video messages. First year FREE! ($0.99 USD/year after)WHY USE WHATSAPP: \u00e2\u02dc\u2026 NO HIDDEN COST: Once you and your friends download the application, you can use it to chat as much as you want. Send a million messages a day to your friends for free! WhatsApp uses your Internet connection: 3G/EDGE or Wi-Fi when available. \u00e2\u02dc\u2026 MULTIMEDIA: Send Video, Images, and Voice notes to your friends and contacts. \u00e2\u02dc\u2026 GROUP CHAT: Enjoy group conversations with your contacts. \u00e2\u02dc\u2026 NO INTERNATIONAL CHARGES: Just like there is no added cost to send an international email, there is no cost to send WhatsApp messages internationally. Chat with your friends all over the world as long as they have WhatsApp Messenger installed and avoid those pesky international SMS costs. \u00e2\u02dc\u2026 SAY NO TO PINS AND USERNAMES: Why even bother having to remember yet another PIN or username? WhatsApp works with your phone number, just like SMS would, and integrates flawlessly with your existing phone address book. \u00e2\u02dc\u2026 NO NEED TO LOG IN/OUT: No more confusion about getting logged off from another computer or device. With push notifications WhatsApp is ALWAYS ON and ALWAYS CONNECTED. \u00e2\u02dc\u2026 NO NEED TO ADD BUDDIES: Your Address Book is used to automatically connect you with your contacts. Your contacts who already have WhatsApp Messenger will be automatically displayed.\u00e2\u02dc\u2026 OFFLINE MESSAGES: Even if you miss your push notifications or turn off your phone, WhatsApp will save your messages offline until you retrieve them during the next application use. \u00e2\u02dc\u2026 AND MUCH MORE: Share location, Exchange contacts, Custom wallpaper, Custom notification sounds, Landscape mode, Precise message time stamps, Email chat history, Broadcast messages and MMS to many contacts at once and much much more! --------------------------------------------------------- We\u00e2\u20ac\u2122re always excited to hear from you! If you have any feedback, questions, or concerns, please email us at: android-support@whatsapp.com or follow us on twitter: http://twitter.com/WhatsApp@WhatsApp---------------------------------------------------------When roaming, additional carrier data charges may apply. Please contact your carrier for details.", "devmail": "android-support@whatsapp.com", "devprivacyurl": "http://www.whatsapp.com/legal/%23Privacy&sa=D&usg=AFQjCNHwg8eO4Sa-gorbCtBTH6HVyX1chA", "devurl": "http://www.whatsapp.com/&sa=D&usg=AFQjCNG7hnGBZcdhY01DCoWxe7f3gSXlJQ", "id": "com.whatsapp", "install": "100,000,000 - 500,000,000", "moreFromDev": "None", "name": "WhatsApp Messenger", "price": 0.0, "rating": [[" 5 ", 3762693], [" 2 ", 81618], [" 3 ", 257134], [" 4 ", 701504], [" 1 ", 211834]], "reviews": [["Android 4.4 ART support please", " I'd like to use Whatsapp on my Nexus 5 with the new ART runtime environment, sadly, Whatsapp is one of the few apps that does not work under ART. Other chat programs have no issue, including BBM and Viber, so I don't know what Whatsapp issue is, but I hope it gets sorted out soon. "], ["AnwarArts.", " working smothly with giving a lots of good exprrience..but only can not move to sd card.. I provided 2 STARS , 5 can be given if more improvment. ThAnKs. "], ["Please update so it will be compatible with Kitkat 4.4.", " I'm using Nexus 4 and just updated to 4.4, and I was trying to install whatsapp but it's always giving me install error. "], ["blue video", " Since last update all my videos are blue. They are ok from gallery, but if I send it to some one its appears blue. Waiting for new update then will rate 5 stars! "], ["Let us move app to SD", " Just one more thing, just let your app can be moveable to the SD card. If not our internal memory will be insufficient. "], ["Its that true or fakeo", " Message from Jim Balsamic (CEO of Whatsapp) we have had an over usage of user names on whatsapp Messenger. We are requesting all users to forward this message to their entire contact list. If you do not forward this message, we will take it as your account is invalid and it will be deleted within the next 48 hours. Please DO NOT ignore this message or whatsapp will no longer recognise your activation. If you wish to re-activate your account after it has been deleted, a charge of 25.00 will be added to your "]], "screenCount": 5, "similar": ["jp.naver.line.android", "com.kakao.talk", "app6910.vinebre", "com.albertoj.whatsappghost", "com.mizusoft.android.paint", "com.nimbuzz", "com.android.chrome", "com.google.android.talk", "com.facebook.orca", "com.bbm", "Box.Dynamics.WhatsFun", "com.viber.voip", "com.whatsapp.wallpaper", "com.tencent.mm", "com.yahoo.mobile.client.android.im", "com.skype.raider", "kik.android"], "size": "11M", "totalReviewers": 5014783, "version": "2.11.136"}, {"appId": "com.yahoo.mobile.client.android.mail", "category": "Communication", "company": "Yahoo", "contentRating": "Low Maturity", "description": "We are aware some of you are having issues while attempting to view an email. To resolve this issue open settings > About Yahoo Mail > Clear Cache. You should then be able to see your email messages post clearing your local cache. Sorry for the inconvenience.Now with Android phone and tablet support!Stay connected- Access your inbox in just one tap- Stay on top of your new messages with notifications- Quickly scan messages in your inbox with continuous scrollMessage with ease- Auto-complete email addresses as you type- Multi-select messages to organize your inbox fasterGet more done faster- Access multiple Yahoo email accounts in one place- Easily attach photos or take new ones while composing a message- Preview photos right at the top of a message- Search through all your messages across all foldersAnd now, you can choose from a variety of background themes to customize your inbox.\u00c2\u00a0Follow us on Twitter @YahooMailYahoo does not provide a local Swiss mail service.", "devmail": "ymailandroid@yahoo.com", "devprivacyurl": "http://m.yahoo.com/p/privacy&sa=D&usg=AFQjCNFhUC83O5Epwhrft2uJ-hsi3JtC1A", "devurl": "http://mobile.yahoo.com/mail/android&sa=D&usg=AFQjCNE5xw4OqDyyDU27-Fvqg5f_5goZBA", "id": "com.yahoo.mobile.client.android.mail", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.yahoo.mobile.client.android.fantasyfootball", "com.yahoo.mobile.client.android.search", "com.yahoo.mobile.client.android.fantasybaseball", "com.yahoo.connectedtv.yremote", "com.yahoo.mobile.client.android.fantasybasketball", "com.yahoo.mobile.client.android.flickr", "com.yahoo.mobile.client.android.weather", "com.yahoo.mobile.client.android.yahoo", "com.yahoo.mobile.client.android.finance", "com.yahoo.mobile.client.android.imvideo", "com.yahoo.mobile.client.android.im", "com.yahoo.cricket.ui"], "name": "Yahoo Mail", "price": 0.0, "rating": [[" 4 ", 101635], [" 1 ", 55108], [" 5 ", 243953], [" 2 ", 21753], [" 3 ", 45443]], "reviews": [["Links not working", " When I try to click on a link from my email it really works. And ok for train certain emails to my Gmail so I can access the links. Otherwise I just look at yahoo mail on the web browser. Also on on regular mobile signal I noticed the mail does not update correctly. Will still have email showing that I already deleted on my PC "], ["Works but issues", " One issue im having is I clear the emails then I dont have any unread but it says I have 1, and I wait get another email check it it clears 2 messages and then it comes back later. Please fix this. "], ["Opening the app", " The only thing I don't like is when I open the app, something pops up telling me about the new yahoo mail app, which I'm using. I can't get rid of it. "], ["It would get 5 stars if it didnt have the ads thst pop up ...", " It would get 5 stars if it didnt have the ads thst pop up right when I go to tap the email I want to open and end up opening the ad.\t. "], ["Emails don't always load (monthly issue)", " Once a month for a 3 to 5 days, my emails won't load even when I try powering off my phone and after clearing the cache as instructed. This is quite a nuisance since I use this app to check email on a regular basis. This issue occurs on both my android and ios operating phones. I resort to the mobile site to check email when this issue occurs. The mobile site takes forever to load emails. "], ["Flipping themes", " What's wrong with your developer(s) Yahoo!? Why have you guys not yet tested and resolved the constantly changing theme defect?? "]], "screenCount": 9, "similar": ["com.mail.mobile.android.mail", "com.fsck.k9", "com.maildroid", "com.gau.go.launcherex.gowidget.emailwidget", "com.outlook.Z7", "com.protrade.sportacular", "com.beejive.im.yahoo", "com.facebook.orca", "com.sonyericsson.extras.liveware.extension.mail", "ru.yandex.mail", "com.google.android.gm", "pl.mobileexperts.securemail", "ru.mail.mailapp", "com.intonow", "com.viber.voip", "de.gmx.mobile.android.mail", "com.skype.raider", "com.whatsapp"], "size": "5.4M", "totalReviewers": 467892, "version": "3.0.12"}, {"appId": "com.jb.gosms", "category": "Communication", "company": "GO Dev Team", "contentRating": "Low Maturity", "description": "GO SMS Pro - 50,000,000+ users' choice, all time #1 messaging app to replace the stock! It comes with 200+ beautiful themes, 800+ emoticons, free SMS & MMS, auto-reply, scheduled message private box, and much more. Faster, safer, tons of features - messaging has never been so fun and efficient!Testimonials\"Undoubtedly, Go SMS offers the best services and most advanced features among all the Android applications by far and totally deserves to bear the title as the best SMS app for Android.\" - Techaron\"For a much better SMS/MMS experience on Android, check out GO SMS Pro. This free app has an elegant, customizable UI and a ton of SMS features including scheduling, folders organization, sending over Wi-Fi, and more\u00e2\u20ac\u201dwith very little memory usage too.\" - Lifehacker\"GO SMS Pro isn\u00e2\u20ac\u2122t your usual SMS replacement app, it takes the SMS experience to the next level. Everything from an endless amount of themes to an uncanny amount of customization make this app stand out from the rest.\" - AndroidmeterFree Features- 200+ personalized themes \u00ef\u00bc\u02c6keep increasing)- Over 800 emoticons for messaging- Private Box to better protect your privacy- Free SMS and MMS- SMS blocker to smartly block spam messages - Auto-reply- Automatic scheduled outgoing messagePro Features- Advanced Private Box for Gesture Unlock, Entrance Hiden, Notification in Disguise- Free to enjoy all the Getjar paid themes (Regular price is $1.99 each)- Unlimited cloud storage space for message backup- Free MMS up to 10M file size, Up to 30 days retention period- Support disabling sponsored messagesFAQ1. How to get new themes?200+ themes can be downloaded from Theme Store on left-side bar.2. Unable to send MMS?MMS problems may caused by different factors, such as Android versions, networks connectivity, phone models, etc. If you encounter this kind of problem, please email us with the detail info and we will try to fix it on ad-hoc basis.Follow UsFacebook\u00ef\u00bc\u0161https://www.facebook.com/gosmsproTwitter\u00ef\u00bc\u0161 http://twitter.com/gosmspro Contact UsEmail:gomessanger@gmail.comUse of this app is governed by our Terms of Service: http://www.goforandroid.com/GDTEN/terms-of-service.htm and Privacy Policy: http://www.goforandroid.com/GDTEN/privacy.htm", "devmail": "gosms@goforandroid.com", "devprivacyurl": "http://www.goforandroid.com/GDTEN/privacy.htm&sa=D&usg=AFQjCNHCSQCHdnNM_HxCcLovBE8dgSlBEw", "devurl": "http://gosms.goforandroid.com&sa=D&usg=AFQjCNE3HNhjpG6xR8-WtQE1GwowLiM3yA", "id": "com.jb.gosms", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.jb.gosmspro.theme.birdlover", "com.jb.gosmspro.theme.gjtheme2", "com.jb.gosms.theme.sweet", "com.jb.gosms.theme.getjar.wpseven", "com.jb.gosms.ko", "com.jb.gokeyboard.plugin.fantasytext", "com.jb.gosmspro.theme.iphone", "com.jb.gokeyboard.theme.pink", "com.jb.gosmspro.theme.dark", "com.jb.gosms.widget", "com.jb.gokeyboard", "com.jb.gosms.emoji", "com.jb.gokeyboard.plugin.emoji", "com.jb.gosms.theme.getjar.cutemonster", "com.jb.gosms.chat", "com.jb.mms.theme.purple", "com.jb.gosmspro.theme.icecream", "com.jb.gosmspro.theme.go", "com.jb.gokeyboard.langpack.ar", "com.jb.gosmspro.theme.loveletter"], "name": "GO SMS Pro", "price": 0.0, "rating": [[" 4 ", 170004], [" 5 ", 587762], [" 1 ", 34596], [" 3 ", 62507], [" 2 ", 19622]], "reviews": [["COULD you please explain to me why I can't receive any pictures or video ...", " COULD you please explain to me why I can't receive any pictures or video\tI didn't see anything that would let me reconfigure so I could receive pictures or video. That's the only problem I have with this program. Thnx "], ["Buggy", " LAtely this has felt very buggy. I paid for premium and they still want me to pay for themes. And the facebook picture import didnt work and they wont refund me. Bs "], ["HELP !!", " please help me .. why I cannot use Go sms pro in my Nexus 7 (mobile version) after upgrade to android 4.4 (kitkat)?? it says \" TO ACTIVATE FULL FEATURE, PLEASE SET GO SMS AS YOUR DEFAULT SMS\" but i can't found how to change that .. please, help me .. if I can't find a way out from my problem, i think i can't use Go sms pro again :( :( "], ["Help", " Please help me with this one?...Does this application use internet to send sms?..In my case ,I am being charged as per normal sms..How do I turn on setting to send sms over the internet? "], ["ADS! ADS! ADS! ADS! ADS!", " BEWARE: This version install adware and nothing else of value. No reason to download, wish I could go back! "], ["Sucks", " I'm tryna figure out why it is that I tried to apply a new theme and it stays as the old one. I tried deleting both themes just to start over nd they both say cannot delete theme in use. How is that possible yeah sucks big time. I have the app solely for the themes I woulda b sure not to pay cash for one seeing as how the free ones don't work. "]], "screenCount": 5, "similar": ["jp.naver.line.android", "com.textra", "com.jbapps.contactpro", "com.ani.apps.sms.messages.collection", "com.easyandroid.free.mms", "com.jiubang.gosms.wallpaperplugin", "com.jbapps.contact", "com.mediawoz.goweather.htcstyle", "com.mediawoz.weather.widget.threedstyle", "com.handcent.nextsms", "com.gau.golauncherex.notification", "com.p1.chompsms"], "size": "7.5M", "totalReviewers": 874491, "version": "5.28"}, {"appId": "com.antivirus", "category": "Communication", "company": "AVG Mobile", "contentRating": "Low Maturity", "description": "Free, top-rated, real-time antivirus and anti-theft protection for Android\u00e2\u201e\u00a2 devices.AVG AntiVirus FREE for Android\u00e2\u201e\u00a2 protects you from harmful viruses, malware, spyware and text messages and helps keep your personal data safe.Download Free Now!Over 100,000,000 people already installed AVG\u00e2\u20ac\u2122s antivirus mobile security apps. Join them now and:\u00e2\u2013\u00ba Scan apps, settings, files, and media in real time\u00e2\u2013\u00ba Enable finding/locating your lost or stolen phone via Google Maps\u00e2\u201e\u00a2\u00e2\u2013\u00ba Lock/wipe your device to protect your privacy\u00e2\u2013\u00ba Kill tasks that slow your device \u00e2\u2013\u00ba Browse the web safely and securely\u00e2\u2013\u00ba Monitor battery, storage and data package usageAVG AntiVirus FREE \u00e2\u20ac\u201c mobile security software for Android. Quick & easy protection for your phone!With the AVG Android app you\u00e2\u20ac\u2122ll receive effective, easy-to-use virus and malware protection, as well as a real-time app scanner, phone locator, task killer, app locker, and local device wipe to help shield you from threats to your privacy and online identity.Real-time security scanner protection keeps you protected from downloaded apps and games.AVG AntiVirus FREE also:\u00e2\u2013\u00ba Defends against malicious apps, viruses, malware and spyware\u00e2\u2013\u00ba Identifies unsecure device settings and advises how to fix them\u00e2\u2013\u00ba Helps ensure contacts, bookmarks and text messages are safe\u00e2\u2013\u00ba Checks media files for malicious software and security threats\u00e2\u2013\u00ba Guards you from phishing attacksApp Features:Protection:\u00e2\u2013\u00ba Scan downloaded apps and files and remove malicious content\u00e2\u2013\u00ba Search, shop and use social networks with peace of mind knowing your identity and personal data are protected from phishing and malware\u00e2\u2013\u00ba Scan websites for harmful threats. If a suspicious URL is detected, you will be redirected to a \u00e2\u20ac\u0153Safe Page\u00e2\u20ac\ufffd* Safe Web Surfing is applicable to Android's default browser onlyPerformance:\u00e2\u2013\u00ba Kill tasks and processes that can slow down or freeze up your device\u00e2\u2013\u00ba Monitor battery consumption, set battery level notifications and enable power saving\u00e2\u2013\u00ba Monitor traffic - keep track of your 3G /4G mobile data plan usage by getting notifications when you are near to reaching your monthly data plan limit\u00e2\u2013\u00ba Optimize internal and SD card storage space by either uninstalling apps and games or by moving them between the internal device memory and SD card Anti-Theft & Phone Location:Use AVG\u00e2\u20ac\u2122s remote management console or text messages (SMS) to:\u00e2\u2013\u00ba Locate your lost or stolen phone and get help finding it via Google Maps\u00e2\u201e\u00a2\u00e2\u2013\u00ba Lock your phone and set a lock screen message to help the locator find you\u00e2\u2013\u00ba Make your phone ring (shout) even if it is on silent mode\u00e2\u2013\u00ba Wipe your phone and SD card content\u00e2\u2013\u00ba Camera Trap [14 day trial]: discreetly emails you a photo of anyone who enters 3 wrong passwords when trying to unlock your phone\u00e2\u2013\u00ba SIM Lock [14 day trial]: automatically locks your phone whenever someone replaces your SIM cardPrivacy:\u00e2\u2013\u00ba App locker [14 day trial]: lock apps to protect your privacy and safety or lock your device settings to secure its configuration\u00e2\u2013\u00ba App Backup [14 day trial]: backup apps from your device to your SD card so you can restore them whenever necessary\u00e2\u2013\u00ba Call and Message Blocker: protect yourself against spammers, hackers and scammers. Get warned about suspicious text messages, filter and block unwanted calls and messages\u00e2\u2013\u00baWipe contacts, text messages, photos, browser history, calendar, format SD card, and restore mobile device to factory settings AntiVirus FREE is available in:EN, DE, ES, FR, JA, KO, ZH (simp. & trad.), PT, RU, AR, IT, PL, CS, NL, HI and HEFor the latest mobile security and protection updates:Join our Google+ community: http://plus.google.com/+AVG/postsJoin our Facebook community: http://www.facebook.com/avgfreeFollow us on Twitter: http://twitter.com/AVGFreeGoogle\u00c2\u00ae is a trademark of Google, Inc., registered in the USA and in other countries. Google Maps\u00e2\u201e\u00a2 and Android\u00e2\u201e\u00a2 are trademarks of Google Inc.", "devmail": "mobile-support@avg.com", "devprivacyurl": "http://www.avgmobilation.com/privacy&sa=D&usg=AFQjCNGPyh5OtOES5IWtuHgatTSqiNa-kA", "devurl": "http://www.avgmobilation.com/&sa=D&usg=AFQjCNFd6wTR-R3C4Pj2Acxm0TCoxsDyCA", "id": "com.antivirus", "install": "100,000,000 - 500,000,000", "moreFromDev": "None", "name": "AntiVirus Security - FREE", "price": 0.0, "rating": [[" 1 ", 17478], [" 3 ", 42560], [" 2 ", 9763], [" 4 ", 136706], [" 5 ", 520760]], "reviews": [["GOOD protection . 5-star protection !", " GOOD protection . 5-star protection ! thanks for keeping this good software free. keep up the good work. very good at catching App-s which promote PUSH ad ( advertisements ) . good and easy to operate program interface. multi language support and interface. you don' t have to follow the cleaning of the unneeded app-s by AVG. you can clean or remove the suspicious app-s afterwards from the Application Manager on your Android phone just by restricting the push up messages or un-installing the app.\u00e6\u0160\u201c\u00e5\u02c6\u00b0 \u00e4\u00b8\ufffd\u00e5\u00b0\u2018 360 \u00e9\u02dc\u00b2\u00e7\u2014\u2026 \u00e5\ufffd\u2018\u00e7\u017d\u00b0\u00e4\u00b8\ufffd\u00e5\u02c6\u00b0 \u00e7\u0161\u201e \u00e6\u0153\u2030\u00e9\u2014\u00ae\u00e9\u00a2\u02dc \u00e6\u2030\u2039\u00e6\u0153\u00ba\u00e7\u00a8\u2039\u00e5\u00ba\ufffd\u00ef\u00bc\u0152\u00e7\u2030\u00b9\u00e5\u02c6\u00ab\u00e6\u02dc\u00af\u00e4\u00b8\u20ac\u00e4\u00ba\u203a PUSH \u00e5\u00b9\u00bf\u00e5\u2018\u0160\u00e4\u00b9\u2039\u00e7\u00b1\u00bb\u00e7\u0161\u201e APP. \u00e5\u00be\u02c6\u00e5\u00a5\u00bd\u00e7\u0161\u201e\u00e9\u02dc\u00b2\u00e7\u2014\u2026\u00e6\u00af\u2019\u00e8\u00bd\u00af\u00e4\u00bb\u00b6\u00e3\u20ac\u201a \u00e5\u2026\ufffd\u00e8\u00b4\u00b9\u00e7\u2030\u02c6\u00e6\u0153\u00ac\u00e4\u00b9\u0178\u00e6\u0152\u00ba\u00e5\u00a5\u00bd\u00e3\u20ac\u201a \u00e6\u0160\u201c\u00e5\u02c6\u00b0 \u00e4\u00b8\ufffd\u00e5\u00b0\u2018 \u00e5\ufffd\u00b1\u00e9\u2122\u00a9 APPs ! \u00e8\u00b0\u00a2\u00e8\u00b0\u00a2 \u00e5\u00bc\u20ac\u00e5\ufffd\u2018\u00e5\u2022\u2020\u00ef\u00bc\ufffd "], ["Not realistic", " How do i update my anti virus then some features are expired could you please explain to me "], ["Great app", " I had been using this app since I bought my phone . its really a must have app. "], ["Trust", " Best app I'm using,it works for my Galaxy GT N7000 "], ["Cool protection app..", " Very good software. It keeps my phone safe from viruses!! Awesome!! "], ["AVG tHe bEsT antivIrUsAPP", " I like this aPp very much. New features and not need to upgrade its pro one... AVG ROCKSSS... "]], "screenCount": 20, "similar": ["com.colony.safeantiviruslite", "com.android.chrome", "org.antivirus.tablet", "com.kakao.talk", "com.facebook.orca", "org.mozilla.firefox", "com.viber.voip", "com.avg.uninstaller", "com.moobila.appriva.av", "com.avg.privacyfix", "com.avg.shrinker", "com.tencent.mm", "com.avg.tuneup", "com.google.android.gm", "com.google.android.talk", "com.wsandroid.suite", "com.whatsapp", "com.antivirus.tablet", "jp.naver.line.android", "com.avg.cleaner", "org.antivirus", "com.opera.browser", "com.skype.raider", "com.opera.mini.android"], "size": "Varies with device", "totalReviewers": 727267, "version": "Varies with device"}, {"appId": "com.android.chrome", "category": "Communication", "company": "Google Inc.", "contentRating": "Low Maturity", "description": "Browse fast with the Chrome web browser on your Android phone and tablet. Sign in to sync your Chrome browser experience from your computer to bring it with you anywhere you go.Search fast\u00e2\u20ac\u00a2 Search and navigate fast, directly from the same box. Choose from results that appear as you type.\u00e2\u20ac\u00a2 Browse faster with accelerated page loading, scrolling and zooming.Simple, intuitive experience\u00e2\u20ac\u00a2 Open and quickly switch between an unlimited number of browser tabs. On your phone, flip through tabs the way you would fan a deck of cards. On your tablet, swipe from edge to edge to switch tabs.Sign in\u00e2\u20ac\u00a2 Sign in to the Chrome web browser to sync your open tabs, bookmarks, and omnibox data from your computer to your phone or tablet. Pick up right where you left off.\u00e2\u20ac\u00a2 Send pages from Chrome on your computer to Chrome on your phone or tablet with one click and read them on the go, even when you\u00e2\u20ac\u2122re offline.Privacy\u00e2\u20ac\u00a2 Browse privately in Incognito mode.", "devmail": "N.A.", "devprivacyurl": "http://www.google.com/chrome/intl/en/privacy.html&sa=D&usg=AFQjCNHkraSB_zsGswNAhtFWEciiRjipaQ", "devurl": "http://www.google.com/chrome/android&sa=D&usg=AFQjCNH_BzcE3IMaezxMxXw55U0XzGe9bA", "id": "com.android.chrome", "install": "100,000,000 - 500,000,000", "moreFromDev": "None", "name": "Chrome Browser - Google", "price": 0.0, "rating": [[" 2 ", 26088], [" 1 ", 58712], [" 5 ", 400385], [" 3 ", 52721], [" 4 ", 107338]], "reviews": [["Solid with nice desktop syncing", " The only thing missing for me is having full screen browsing where the status bar hides like the stock browser on my dna. If that was added, I would disable the stock one. Still waiting for this... "], ["Now videos I could see prior to update I cannot see due to country ...", " Now videos I could see prior to update I cannot see due to country restraints. I'm in Canada, now vids not available in my country pops up. DO NOT UPDATE "], ["Freezes droid razr", " Apparently chrome just doesn't work well on this model phone...still. almost every time I use it, it pegs the cpu at full and not only keeps chrome slow, but the whole phone indefinitely too until I force stop and clear cache for chrome. This has been an issue for me since the ICS update. "], ["Works great!", " Love it, great integrated with other systems. Had to reinstall on tablet as it stopped working "], ["Too much space", " This app takes up 67 MB and the previous version was about half. Neither amount is good with a mere 9 GB of available space on my S4. Please enable SD card storage at the least, and reduce the file size if possible. Thanks. "], ["FAT APPSTARD...NEEDS A DIET", " Keeps crashing when I have a few tabs open so I have to start all over again....just so glad I sm running a custom rom with root so I can take this app off my phone.....ps google what the hell are you doing with google+ "]], "screenCount": 9, "similar": ["com.opera.browser.beta", "com.google.android.tts", "mobi.mgeek.TunnyBrowser", "com.google.android.play.games", "com.mx.browser", "com.google.android.apps.translate", "com.UCMobile.intl", "com.ninesky.browser", "org.mozilla.firefox", "com.google.android.apps.plus", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.earth", "com.google.android.apps.books", "com.google.android.inputmethod.latin", "org.easyweb.browser", "com.skype.raider", "com.boatbrowser.free", "com.google.android.talk", "com.whatsapp", "com.google.android.apps.magazines", "com.google.android.gm", "com.google.android.apps.maps", "com.jiubang.browser", "com.google.android.voicesearch", "com.opera.browser", "com.uc.browser.hd", "com.google.android.music", "com.opera.mini.android", "com.google.android.street", "com.ww4GSpeedUpInternetBrowser", "com.tencent.ibibo.mtt"], "size": "Varies with device", "totalReviewers": 645244, "version": "Varies with device"}, {"appId": "com.viber.voip", "category": "Communication", "company": "Viber Media Inc.", "contentRating": "Low Maturity", "description": "With Viber, everyone in the world can connect. Freely. More than 200 million Viber users text, call, and send photo and video messages worldwide over Wifi or 3G - for free. Viber is available for many smartphones and platforms. Viber is now compatible with and optimized for Android tablets!On Viber, your phone number is your ID. The app syncs with your mobile contact list, automatically detecting which of your contacts have Viber. \u00e2\u20ac\u00a2 Text with your friends\u00e2\u20ac\u00a2 Make free calls with HD sound quality\u00e2\u20ac\u00a2 Groups with up to 100 participants\u00e2\u20ac\u00a2 Send stickers and emoticons, making messaging fun!\u00e2\u20ac\u00a2 Share photos, videos, voice messages and locations\u00e2\u20ac\u00a2 Create and send doodles\u00e2\u20ac\u00a2 Respond immediately to messages using quick reply \u00e2\u20ac\u00a2 OS integration \u00e2\u20ac\u201c share photos and videos straight from your device\u00e2\u20ac\u2122s gallery\u00e2\u20ac\u00a2 Designed with the Native Android UI in mind\u00e2\u20ac\u00a2 Push notifications guarantee that you never miss a message or call, even when Viber is off\u00e2\u20ac\u00a2 Support for the Viber Desktop application on Windows and Mac Localized to: Hebrew, Arabic, Chinese (TR), Chinese (SP), Japanese, Russian, German, Spanish, Catalan, Italian, Portuguese (PT), Portuguese (BR), French, Turkish, Swedish, Korean, Dutch, Thai, Malay, Vietnamese, Tagalog, Hindi, Polish, Hungarian, Czech, Danish, Greek, Finnish, Indonesian, Croatian, Norwegian, Romanian, Slovak, and UkrainianViber is completely free with no advertising. We value your privacy. Follow us for updates and news:Facebook - http:/ /facebook.com/viberTwitter - http://twitter.com/viber(*) Network data charges may apply", "devmail": "info@viber.com", "devprivacyurl": "http://www.viber.com/privacy&sa=D&usg=AFQjCNGpuMs3GlEFyEXmjBx1cxYlt6_Dnw", "devurl": "http://www.viber.com/&sa=D&usg=AFQjCNHpeZ0-ihb0K4SEkbnG_2zLJvn6Mg", "id": "com.viber.voip", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.viber.guide"], "name": "Viber", "price": 0.0, "rating": [[" 3 ", 119273], [" 1 ", 75599], [" 5 ", 1127246], [" 4 ", 310554], [" 2 ", 36515]], "reviews": [["Numbers changed from 7 to 8", " In Mauritius we recently moved from 7 to 8 numbered phone numbers. Since then there is no contact information and people who try to install Viber are having a difficult time since 8 number is not compatible. Please make the necessary changes this bug keeps me and a lot of people from using Viber. "], ["BIG issue with PHOTO sharing", " After this new update select any picture from Gallery then try to share with viber. If you press back button in between time of sharing process then it's deleted from Gallery!!! Please fix this issue. I lost more then 10 pictures because of this issue. "], ["Need a block list", " Plzzz we need a block list so we can block the ppl we dont want them to reach us on viber or see profile photo... do it and earn 5 stars :) "], ["Block option", " Viber needs block option. Blocking a number or someone from your list (sms and calls). Been waiting for this option. I thought this will be included in the new update. Pls consider this. Almost all chat/apps has block option, viber should have too. "], ["I DO GRAPHICS | PRINTING | BRANDING", " for all your promotional items. T-shirt. Golf shirts. Pens. Bags. Work wears. Embroidery. Screen printing. Engraving. Pad printing. Foiling and embossing. Doming and more "], ["I upgraded but I cant see the voice recorder", " Hi can anyone tell me why I can't see the voice recorder in my viber app after I upgraded a friend send me a record ed message but my samsang galaxy 3 doesnt give me the recording option "]], "screenCount": 15, "similar": ["jp.naver.line.android", "com.kakao.talk", "org.mozilla.firefox", "com.sec.chaton", "com.nimbuzz", "com.google.android.talk", "com.android.chrome", "com.antivirus", "com.facebook.orca", "com.bbm", "com.whatsapp", "com.tencent.mm", "com.sgiggle.production", "com.skype.raider", "kik.android"], "size": "13M", "totalReviewers": 1669187, "version": "4.0.0.1707"}, {"appId": "com.google.android.apps.googlevoice", "category": "Communication", "company": "Google Inc.", "contentRating": "Everyone", "description": "Make cheap international calls with your Google number. Send free text messages. Place calls and send text messages showing your Google number. Listen to voicemail and read transcripts.Currently only available in the US.IMPORTANT:- You must open Google Voice at least once after upgrading to route calls.- When using Google Voice for Android, both domestic and international calls are placed through a US-based Google Voice access number, and will use the standard minutes from your cell phone plan.", "devmail": "N.A.", "devprivacyurl": "http://www.google.com/policies/privacy&sa=D&usg=AFQjCNE7y6nm7TcHvct7CDJRmWrYBHvMEQ", "devurl": "http://www.google.com/voice&sa=D&usg=AFQjCNEitUxQklmpZWPYB-X44JzgIL5WXg", "id": "com.google.android.apps.googlevoice", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.google.android.gm", "com.google.android.voicesearch", "com.google.android.talk", "com.google.android.play.games", "com.google.android.tts", "com.google.android.apps.plus", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.android.apps.maps", "com.google.earth", "com.google.android.apps.books", "com.google.android.apps.translate", "com.google.android.street", "com.google.android.apps.magazines", "com.google.android.music"], "name": "Google Voice", "price": 0.0, "rating": [[" 5 ", 69901], [" 3 ", 7847], [" 4 ", 20270], [" 2 ", 3674], [" 1 ", 10687]], "reviews": [["Wtf happened?", " Update stopped giving text notifications until app is opened. Do I need to roll back to previsions version? I had no problems until update. I am on stock N4 and have used this for years as main # on this and other phones. Can we get support or is this going the way of Reader? Update, uninstalled and side loaded older APK. Now I have my text notifications back. I hope this helps others, but I wouldn't expect much from google on this, if or until they roll this into Hangouts. "], ["Photo sensor while listening to messages", " If I want to hear voicemails while holding up to my ear the screen should turn off but it doesn't. I end up listening to the voicemail and then it randomly pauses because my ear accidentally hits something on the screen that wasn't supposed to be hit. The overall look of the app needs an update too. Not much has changed. I do still prefer to use Google Voice over my carriers voicemail system since I get the visual voicemail for free through Google. "], ["Can't verify phone", " I am not able to verify my phone number. My sms is blocked. Is that the reason that am not able to verify my no??? Is there any other way that I can verify?? "], ["No MMS", " Google has been promising MMS support for several years now. Unlikely to ever happen. Even if they integrate with Hangouts it will most likely be for SMS only. Don't waste your time. "], ["Good but new update stinks", " With the update of the keyboard its cool with the emojis but if your talking to someone with an apple phone they can't see it also you can't see any emojis from applre phone they send "], ["The phone call never worked for me", " when I dial a number, it appears on the screen that G Voice is calling this number from ur email ID, but it was so obvious that there is no calling! Outrageously LYING! "]], "screenCount": 5, "similar": ["hu.xilard.voiceplus", "jp.naver.line.android", "org.mozilla.firefox", "larry.zou.colorfullife", "com.moplus.gvphone", "com.talkatone.android", "com.android.chrome", "com.antivirus", "com.youmail.android.vvm", "com.att.mobile.android.vvm", "com.alpha.chatxmpp", "com.facebook.orca", "com.viber.voip", "com.whatsapp", "com.skymobius.vtok", "ru.vsms", "com.skype.raider"], "size": "6.0M", "totalReviewers": 112379, "version": "0.4.2.82"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtab.json_merged.json b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtab.json_merged.json new file mode 100644 index 0000000..2d40db4 --- /dev/null +++ b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "org.mozilla.firefox", "category": "Communication", "company": "Mozilla", "contentRating": "Low Maturity", "description": "Firefox for Android is the free web browser that puts the power of the open web in your hands. The official Mozilla Firefox android browser is fast, easy to use, & customizable, with the latest security and privacy features to help you stay safe on the internet. Fast\u00e2\u20ac\u201d Access, browse, and search the web at blazing speedsSmart\u00e2\u20ac\u201d Keep your favorite sites and mobile videos at your fingertips with smart searching, easy-to-use tabs, and desktop-to-mobile Sync featuresSafe\u00e2\u20ac\u201d Make sure your Android web browser stays safe & private with extensive security settings, add-ons, and features like Do Not Track In the Press:\u00e2\u20ac\u0153For many Android users, Mozilla\u00e2\u20ac\u2122s updated Firefox app could quickly become their favorite mobile browser... I\u00e2\u20ac\u2122ve found it to be the best mobile browsing experience I\u00e2\u20ac\u2122ve had yet.\u00e2\u20ac\ufffd \u00e2\u20ac\u201c VentureBeat \u00e2\u20ac\u0153The first thing you'll notice about the new version of Firefox for Android is how fast it really is\u00e2\u20ac\u00a6Firefox stands out for quick page loads and really smooth panning and zooming around web sites. \u00e2\u20ac\u0153 \u00e2\u20ac\u201c Lifehacker \"On my Samsung Galaxy S II, the new Firefox glides smoothly through any web page, whether it\u00e2\u20ac\u2122s optimized for mobile browsing or not.\u00e2\u20ac\ufffd \u00e2\u20ac\u201c TIME \u00e2\u20ac\u0153Firefox for Android is a lot snappier now. It starts up quicker and loads Web pages faster\u00e2\u20ac\u00a6 What that means for the user is a much better browsing experience\u00e2\u20ac\ufffd \u00e2\u20ac\u201c Information week Features: \u00e2\u02dc\u2026 Add-ons: Customize your web browser just the way you like it with add-ons including ad-blocker, password manager, and more\u00e2\u02dc\u2026 Awesome Screen: Firefox\u00e2\u20ac\u2122s Android browser keeps everything organized so you don\u00e2\u20ac\u2122t have to. The Awesome Screen automatically sorts your favorite sites onto one, easy-to-read page\u00e2\u02dc\u2026 Awesome Bar: Firefox learns from you as you browse, so you never have to waste time looking for a website. Search your Top Sites, Bookmarks, and History, and Firefox will help you find the site that you are looking for\u00e2\u20ac\u201dwith little to no typing. \u00e2\u02dc\u2026 Fast: Get to the internet faster, with quick start-up and page load times \u00e2\u02dc\u2026 HTML5: Experience the unlimited possibilities of the mobile internet with support for HTML5 and Web APIs \u00e2\u02dc\u2026 Mobile Video: Firefox\u00e2\u20ac\u2122s Android browser is perfect for mobile video, and has mobile video support for a wide range of video formats including h.264\u00e2\u02dc\u2026 Reader: Automatically transform cluttered articles and stories into beautiful, easy-to-read pages right in your browser\u00e2\u02dc\u2026 Security: Keep your browsing safe & private. Control your privacy, security and how much data you share on the web.\u00e2\u02dc\u2026 Sync: Sync your Firefox Desktop tabs, history, bookmarks, and passwords to all your devices and streamline your browsing For a complete list of features, check out mzl.la/FXFeatures Learn More about Firefox for Android: \u00e2\u02dc\u2026 Have questions or need help? Visit http://support.mozilla.org/mobile\u00e2\u02dc\u2026 Read about Firefox Permissions: http://mzl.la/Permissions\u00e2\u02dc\u2026 Learn more about what\u00e2\u20ac\u2122s up at Mozilla: mzl.la/Blog\u00e2\u02dc\u2026 Like Firefox on Facebook: mzl.la/FXFacebook \u00e2\u02dc\u2026 Follow Firefox on Twitter: mzl.la/FXTwitter Curious about add-ons? Check out add-ons for: \u00e2\u02dc\u2026 Browsing: Adblock Plus, AutoPager, Full Screen mobile, and more\u00e2\u02dc\u2026 Security: LastPass Password Manager, NoScript, Dr. Web LinkChecker, and more\u00e2\u02dc\u2026 Reading: AutoPager, Readability, X-Notifier lite, and more\u00e2\u02dc\u2026 Watching: Low Quality Flash, TubeStop, and more\u00e2\u02dc\u2026 Social Networks: Hootbar, Shareaholic, Foursquare, and moreABOUT MOZILLAMozilla is a proudly non-profit organization dedicated to keeping the power of the Web in people's hands. We're a global community of users, contributors and developers working to innovate on your behalf. When you use Firefox, you become a part of that community, helping us build a brighter future for the Web. Learn more at mozilla.org.", "devmail": "N.A.", "devprivacyurl": "http://www.mozilla.org/legal/privacy/firefox.html&sa=D&usg=AFQjCNGgf8EYIWmItH7tMsNmPo77GScMPA", "devurl": "http://support.mozilla.org/mobile&sa=D&usg=AFQjCNFPOUsp0ro9bXBxSm9kazIxys7Rng", "id": "org.mozilla.firefox", "install": "50,000,000 - 100,000,000", "moreFromDev": ["org.mozilla.firefox_beta"], "name": "Firefox Browser for Android", "price": 0.0, "rating": [[" 5 ", 312143], [" 4 ", 67981], [" 1 ", 26581], [" 2 ", 14331], [" 3 ", 27346]], "reviews": [["Not bad. Can make flash player work.", " Not sure if it's just me but sometimes Chrome seems a bit fatster. FF is awesome but not a fan of persistent recurring \"rate me\" popup until its rated. Still my daily driver tho because I can make flash player work. Like I said, not bad. Galaxy S4 "], ["Dolphin is superior by miles!", " I can't believe people actually give this 5 stars. Its got to be the worst browser for android I've used. Utter rubbish. No way to sort bookmarks, no obvious way to make a homepage.Removed! "], ["Needs work", " Officially done with the mobile app. The settings from desktop do not carry over at all (by sync or on its own). Furthermore, it says it can play flash, but it really can't (I know about the setting top enable plugins). Whack browser "], ["Great browser but...", " Firefox is an excellent browser but for some reason after watching HD movies with Firefox it inflated from 24mb to we'll over 2.6gb almost as if it ate all the data and the cache was only 44kb so no idea where that sizeable increase came from. I constantly have to clear the data to fix it explain to me why it's growing uncontrollably or post a fix and I'll give it 5 stars again. "], ["Always the best!", " Every browser has a limitation some regarding addons and some lack features (abilities as a browse), but I find firefox to be simply a complete browsing experience ! Its slow in the beginning but after a few caches and offline web data has been created it becomes blazing fast!!! "], ["Best overall browser experience", " Firefox has come a long way since its inception on Android. It was definitely lagging behind all other browsers when it made its entrance, but now I believe its the no. 1 3rd party browser on the platform. Except for maybe the stock android browser, which still is the snappiest and fastest amongst the bunch. It was a stupid move by Google to discard the android browser and switch to chrome, whose performance to date still belies how it performs on the desktop. Keep up the good work Mozilla. "]], "screenCount": 22, "similar": ["com.opera.browser.beta", "com.boatbrowser.free", "com.opera.browser", "com.jiubang.browser", "com.android.chrome", "mobi.mgeek.TunnyBrowser", "com.uc.browser.hd", "com.mx.browser", "com.whatsapp", "com.opera.mini.android", "com.opera.browser.classic", "com.UCMobile.intl", "com.ww4GSpeedUpInternetBrowser", "com.tencent.ibibo.mtt", "com.appsverse.photon", "com.ninesky.browser"], "size": "Varies with device", "totalReviewers": 448382, "version": "Varies with device"}, {"appId": "jp.naver.line.android", "category": "Communication", "company": "LINE Corporation", "contentRating": "Medium Maturity", "description": "There are no limits! Call and send messages as much as you want! LINE is a new communication app that allows you to make FREE voice calls and send FREE messages whenever and wherever you are, 24 hours a day!LINE has more than 300 million users worldwide and is used in over 231 countries!LINE has been ranked as the #1 most downloaded app in 52 countries including Japan, Thailand, Taiwan, Spain, China, Indonesia, Singapore, Hong Kong, Malaysia, India, Switzerland, Saudi Arabia, Mexico, Russia, Macau, United Arab Emirates and more!New LINE Features\u00e2\u2014\u2020Video CallsNow you can make Video Calls with LINE! Perfect for everything from talking with far away friends and family to holding business meetings.More about LINE\u00e2\u20ac\u2122s Features:\u00e2\u2014\u2020Free Voice Calls and Video Calls!\u00e3\u0192\u00bbIf you have LINE on your iPhone, you can enjoy free, high quality voice calls and video calls whenever and wherever you are. Talk for as much as you like and best of all, it\u00e2\u20ac\u2122s free!\u00e3\u0192\u00bbFree for international calls as well.\u00e2\u2014\u2020Messages Delivered to You Quick!Instead of taking time to email/sms your friends, use LINE\u00e2\u20ac\u2122s message function to send messages easily with colorful icons, photos and even location information.\u00e3\u0192\u00bbExpress yourself using stickers and emoji.\u00e3\u0192\u00bbSend photos and voice messages with ease.\u00e3\u0192\u00bbAvailable for PCs and smart-tablets\u00e2\u2014\u2020Making Communication More Enjoyable and ConvenientWith the Timeline feature, you can update your friends about what you've been doing lately using text, photos, movies, stickers and even location info. Don't miss out on what your friends are posting, either!\u00e2\u2014\u2020Find all your favorite characters in the Sticker Shop!You'll find hilarious and fun stickers featuring famous characters from all over the world!\u00e2\u2014\u2020Useful info delivered to you from LINE\u00e2\u20ac\u2122s Official AccountsAdd any of these Official Accounts to get original messages from famous celebrities from your country of choice. *As with any other apps, data transfer fees may be incurred. We recommend using these services on an unlimited mobile price plan.Technical Info for Seamless Usage: \u00e2\u02dc\u2026Android Devices: We recommend installing Android OS 2.1 or higherThanks for reading and we hope you enjoy LINE!**********The app may not install properly if your network connection is unstable or if your device does not have enough storage space. Please check the strength of your connection and the amount of free storage space you have and try again.**********", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://line.naver.jp/&sa=D&usg=AFQjCNGi4GS-d4e2W-cSvX5G4P7aXzNWww", "id": "jp.naver.line.android", "install": "100,000,000 - 500,000,000", "moreFromDev": ["jp.naver.SJLGLINEHC", "jp.naver.SJLGPP", "jp.naver.SJLGBUBBLE", "jp.naver.SJLGPPP", "jp.naver.SJLINEPANG", "jp.naver.linecamera.android", "jp.naver.SJLGWR", "jp.naver.SJLGDRAFL", "jp.naver.linetools", "jp.naver.SJLGRUSH", "jp.naver.SJLGSUGAR", "jp.naver.linecard.android", "jp.naver.SJZOOK", "jp.naver.lineplay.android", "jp.naver.SJLGCWARS", "jp.naver.SJLGPA"], "name": "LINE: Free Calls & Messages", "price": 0.0, "rating": [[" 4 ", 228766], [" 3 ", 121587], [" 1 ", 123226], [" 5 ", 834587], [" 2 ", 50003]], "reviews": [["Can't connect and chat after latest update", " I cant log in anymore even thou already many times uninstall and reinstall. Using the backup password i can log in to my account on my imac. But the apps on my android phone keep saying i have no connection and keep error and close itself. What happened to LINE? Other apps are doing ok on my phone? Pls fix. Android 4.2.1. Thanks "], ["Clear...", " Bagus..sng dn cpt trdpt sticker2 yg brsesuaian dgn karekter yg kita nk sampaikn tp syg sy pye tab slow ckit. Good job line.... "], ["It crashes.", " After the last update I cannot even open the app, it crashes after 1 second or so in my nexus 5, it might be that it isn't optimized for 4.4 kit-kat. It was working properly before the update. Please fix! Other than that, its an amazing way to communicate with my friends. When fixed will put 5 stars. "], ["Bugs", " Not receiving notifications until I open the app, also crashes at first attempt to open the app. Messages only shows at notification but not in chat. EDIT: Unable to send out messages on some occasion "], ["\u00e8\u00ae\u0161", " \u00e5\ufffd\u0192\u00e8\u00a8\u0160\u00e6\ufffd\u00af\u00e6\u201d\u00b9\u00e5\u2013\u201e\u00e4\u00ba\u2020!\u00e6\u201d\u00af\u00e6\u0152\ufffd "], ["Slow for android , love the theme", " I have installed line in my ipad, ipad 2, iphone4 and my galaxy S plus. Line works fine in all devices accept in my S plus. It hangs and when i opened, it didnt show the messages my friends sent me and i have to wait for abt 10 minuites before it showed up but sometimes itk didnt appear at all , "]], "screenCount": 7, "similar": ["com.kakao.talk", "com.sec.chaton", "com.talkray.client", "com.nimbuzz", "com.talkatone.android", "com.antivirus", "com.google.android.talk", "com.facebook.orca", "com.viber.voip", "com.whatsapp", "com.fring", "com.bbm", "com.tencent.mm", "com.yuilop", "com.skype.raider", "kik.android"], "size": "18M", "totalReviewers": 1358169, "version": "3.9.4"}, {"appId": "com.pinger.ppa", "category": "Communication", "company": "Pinger, Inc.", "contentRating": "Medium Maturity", "description": "TEXT FREE + CALL FREE = PINGERWith Pinger you get free texting AND free calling in one app. Let freedom ring!FREE SMS PLUS FREE CALLING TO ANY PHONEPinger gives your Android phone free text messaging AND free calling to any phone, including landlines and non-smartphones, in the US and Canada. Your friends don\u00e2\u20ac\u2122t need Pinger to receive -- they don\u00e2\u20ac\u2122t even need to have a smartphone. You get your own real phone number that you can use to call and SMS any phone number in Canada and the US, even if you don\u00e2\u20ac\u2122t have a calling plan.TEXTING IS UNLIMITED; EARN MINUTES FOR FREE OUTBOUND CALLSTexting is totally free and unlimited. Incoming calls are free. You get 10 free outbound calling minutes to start, then you earn minutes for additional free outbound calls. And if you run out of minutes, it's easy to buy super cheap minutes.LOOKING FOR ONE APP TO TEXT AND CALL? Free your voice on your Android device. Pinger is packed with a bunch of great features:\u00e2\u20ac\u00a2 Free calls to any phone in the US and Canada \u00e2\u20ac\u00a2 Get a free second line for your phone\u00e2\u20ac\u00a2 Send unlimited free SMS to more than 35 countries\u00e2\u20ac\u00a2 Get full screen text and call notifications \u00e2\u20ac\u00a2 Know the instant someone reads your texts\u00e2\u20ac\u00a2 Sync your contacts' photos with Facebook \u00e2\u20ac\u00a2 One view for texts, calls and voicemails\u00e2\u20ac\u00a2 Call or text for free back to the US and Canada from anywhere in the world when you have a data connection or WiFi\u00e2\u20ac\u00a2 Zillions of ringtones and text tones\u00e2\u20ac\u00a2 Log in to your account from any deviceBETTER THAN THOSE MESSENGER APPSWith Pinger you can call or text any phone number, even if they don\u00e2\u20ac\u2122t have Pinger and even if they don\u00e2\u20ac\u2122t have a smartphone! \u00e2\u20ac\u00a2 Call or text your grandmother\u00e2\u20ac\u2122s non-smartphone in Minneapolis--FREE.\u00e2\u20ac\u00a2 Call any restaurant in New York to make reservations--FREE.\u00e2\u20ac\u00a2 Text a co-worker in Dallas or Toronto as much as you want--FREE.\u00e2\u20ac\u00a2 Messenger apps only work for text messages or calls between people using the app. And only when they have a smartphone.NO NEED FOR MULTIPLE TEXTING & CALLING APPSNow you don\u00e2\u20ac\u2122t need to know what messenger apps your friends, family or co-workers use. Pinger does it all. Just use their mobile phone number and your texts are 100% free. Earn minutes for free calling to any phone in the US and Canada. It\u00e2\u20ac\u2122s that simple.PINGER IS MORE THAN A MESSENGERWhen your friends have Pinger talking and texting gets even better. The calls are in HD, so they sound great. And you and your friends get unlimited free calls (talk as long as you like) and unlimited free texts (goodbye 160 character limit!) to and from one another, anywhere in the world.OTHER IMPORTANT INFO\u00e2\u20ac\u00a2 Emergency calls are not supported\u00e2\u20ac\u00a2 Pinger is ad-supported, so you will see ads from time to time\u00e2\u20ac\u00a2 Tablet support coming soon\u00e2\u20ac\u00a2 When roaming, additional carrier data charges may apply. Contact your carrier for details.CONNECT WITH US \u00e2\u20ac\u00a2 facebook.com/pinger \u00e2\u20ac\u00a2 twitter.com/pinger", "devmail": "support@pinger.com", "devprivacyurl": "http://www.pinger.com/content/eula/%23_END_USER_AGREEMENT&sa=D&usg=AFQjCNH2qZ8SqEw7ZqvfJm6wkXBaMllaog", "devurl": "http://www.pinger.com&sa=D&usg=AFQjCNEZmUFbpi2_-vNQgJUzel8hSbTOIQ", "id": "com.pinger.ppa", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.pinger.juke.vox.messenger.free", "com.pinger.free.style.messenger.text", "com.pinger.textfree", "com.pinger.gif.chat.text.free", "com.pinger.textfree.call"], "name": "Pinger: Text Free + Call Free", "price": 0.0, "rating": [[" 1 ", 3144], [" 4 ", 4022], [" 5 ", 21284], [" 3 ", 3108], [" 2 ", 1557]], "reviews": [["Notifications", " I used to like it but lately the notifications dont come in and when someone calls me..it dont pop up on my screen, i have to go open the app just to answer..sometimes it force closes and shuts down my phone!! Plz fux asap!!!! "], ["Verizon Droid DNA", " Doesn't show new notifications and kicks me out a lot. I uninstalled and reinstalled and still no change just does the same thing. Please fix thanks! "], ["Do not download", " At first everything might seem great \"la da la da de\" but then they get you everything turns into sh*t long story short don't waste your time "], ["Have to check stuff MANUALLY", " Notifications don't come up 95% of the time and I have to check things manually. Please fix this! I'm tired of getting of not getting my friend's texts :((( "], ["Don't update!", " Ever since I updated I don't get my notifications unless I'm constantly refreshing. I'm always getting missed calls because NOW my phone no longer rings. This sucks!!!!! Please fix soon!!!!! "], ["It won't load or open", " I would give it a higher rating because when I first installed it it worked perfectly but I had to reset my phone and now after I installed it it won't even load to home screen I left it open for hours and all it did was load I even tried uninstalling it and installing it again 3 times and it still doesn't work smh terrible either they fix it or I'm uninstalling for good "]], "screenCount": 6, "similar": ["com.kakao.talk", "jp.naver.line.android", "com.talkray.client", "com.mrnumber.blocker", "com.talkatone.android", "com.icall.android", "com.mysms.android.sms", "com.ThumbFly.FastestSms", "com.textmeinc.textme", "com.viber.voip", "com.yuilop", "com.fring", "com.moplus.moplusapp", "com.gogii.textplus", "tw.nicky.Emoticons", "com.skype.raider"], "size": "9.1M", "totalReviewers": 33115, "version": "1.4"}, {"appId": "com.rebelvox.voxer", "category": "Communication", "company": "Voxer", "contentRating": "Medium Maturity", "description": "Voxer\u00c2\u00ae is more than just a Walkie-Talkie.Voxer allows you to easily and instantly communicate with one friend or a group of friends. Friends can listen to your message while you talk, or check audio messages later.Forget about separate phone calls, voicemails, text messages and emails. With Voxer you can instantly send audio, text, photos, and share your location.Join the tens of millions of people worldwide who are using Voxer to:\u00e2\u02dc\u2026 Enjoy free, live Walkie Talkie - PTT (Push To Talk)\u00e2\u02dc\u2026 Talk with friends on Android and iPhone\u00e2\u02dc\u2026 Send voice, text, photos and location messages\u00e2\u02dc\u2026 Play messages back later - they're all recorded\u00e2\u02dc\u2026 Chat with one friend or with a group\u00e2\u02dc\u2026 Create messages even when offline\u00e2\u02dc\u2026 Get notifications for new messages\u00e2\u02dc\u2026 Avoid annoying advertisements\u00e2\u02dc\u2026 Use any connection including WiFi, 3G, 4G, EDGE\u00e2\u02dc\u2026 Play voice messages faster at 2x or 3x speed\u00e2\u02dc\u2026 Connect with Facebook friends*** NY Times review, September 5th, 2012, \u00e2\u20ac\u0153Ladies and gentlemen, we have a winner. Voxer is free. It\u00e2\u20ac\u2122s for both Apple and Android devices. It\u00e2\u20ac\u2122s packed with features. And it\u00e2\u20ac\u2122s self-explanatory.\u00e2\u20ac\ufffd - David Pogue****** CNET review, January 8th, 2013, \u00e2\u20ac\u0153This is our favorite way to communicate quickly\u00e2\u20ac\ufffd ***Voxer turns your Android device into the ultimate PTT (Push To Talk) real-time Walkie Talkie.\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffdAny questions?\u00e2\u02dc\u2026 Like us on Facebook @ fb.com/voxer\u00e2\u02dc\u2026 Follow us on Twitter @ twitter.com/voxer\u00e2\u02dc\u2026 Check out support.voxer.com\u00e2\u02dc\u2026 Send us your feedback directly from Voxer. Tap Settings -> Support -> Send feedback", "devmail": "support@voxer.com", "devprivacyurl": "http://www.voxer.com/legal/consumer/privacy.html&sa=D&usg=AFQjCNHlSy3_jArwMEiHz3qTvvBcg1oLoQ", "devurl": "http://www.voxer.com&sa=D&usg=AFQjCNH180Mp7w4FRAIGfWb3xbDzX2X5KQ", "id": "com.rebelvox.voxer", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Voxer Walkie-Talkie PTT", "price": 0.0, "rating": [[" 4 ", 24349], [" 2 ", 3631], [" 5 ", 92140], [" 3 ", 11123], [" 1 ", 6490]], "reviews": [["I'm not sure what's going on, but with the new update voxer is extremely ...", " I'm not sure what's going on, but with the new update voxer is extremely slow. I open it up and it has the gray curclr like it's loading forever, my messages take 2-3 minutes to send, it's ridculous. Please fix this. "], ["Not that great", " I thought if I paid for it it would be better and I'd get notifications uh no no you don't ... not worth $0.50 let alone $2.99 .... JUST SAY NO !!!! "], ["STILL AWFUL", " Updating my review because the update has only gotten worse. At first I was annoyed when if I was interrupted both messages would become corrupted and I'd sometimes have to repeat lengthy important messages. But now messages seem to take forever to load. The grey circle spins for minutes and minutes until it (sometimes) loads..please fix this update. I miss the old Voxer. Until it's fixed I'm going to use another app. "], ["Great to have", " I have been using boxer for a few months now. Its amazing for on the go. I hardly text anymore. I recently started having issues like many others, so I uninstalled and reinstalled the app and it works just fine. Thatnks! "], ["Cool app but there's a problem", " This app is cool and all and i like how simple it is but i cant find a few of my friends that have accounts. I used full names, emails, and usernames and nothing works. I also checked spelling and I'm hoping this will be resolved soon. "], ["Good", " Really Great,But Sometimes Glitches Out On My Phone For Some Reason.Overall It's Really Great! Keep The Updates Coming! :) "]], "screenCount": 4, "similar": ["jp.naver.line.android", "com.kakao.talk", "com.sec.chaton", "com.loudtalks", "com.google.android.talk", "com.android.chrome", "com.antivirus", "com.jb.gosms", "com.facebook.orca", "com.viber.voip", "com.voxer.v4b", "com.whatsapp", "mobi.androidcloud.app.ptt.client", "me.blip", "com.tencent.mm", "com.yahoo.mobile.client.android.im", "com.skype.raider"], "size": "12M", "totalReviewers": 137733, "version": "1.3.2.0002"}, {"appId": "com.textmeinc.textme", "category": "Communication", "company": "TextMe Inc.", "contentRating": "Low Maturity", "description": "Free Texting (real SMS messages) to any Phone number in the United States, Canada and 40 countries.Free HD Voice and Video Calls between Android and other platformsTurn your Android Tablet into a Phone! TextMe is a cross-platform messaging application that allows you to send text messages (real sms) to any phone number in United States, Canada, Mexico and 100 countries in the World for FREE. Also, if your friends install the app as well, you will be able to do a lot more with them, including FREE CALLS and FREE VIDEO CALLS between Android and other platforms. So Sign up, share TextMe with your friends and start a call or a video chat for free. Of course, you can also text them for free! What makes TextMe different? With TextMe you and your friends can: - Send Texts (real SMS messages) to any number in the United States, Canada, Mexico and more than 40 countries worldwide FOR FREE from your Android Phone or Android Tablet- Send Texts (real SMS messages) to more than 100 countries using your credits.- Enjoy Free HD Voice and Video Calls to other TextMe users - Watch videos to earn free calling minutes to any phone number in the United States , Canada, Mexico, Brazil, Australia, China, Pakistan, Philippines, India, France, Germany, UK, Turkey and many others (1)- Get your own TextMe phone number, receive and send SMS messages from your TextMe number and place and receive calls from your TextMe phone number- Easily find your Facebook friends on TextMe and Chat, Call and Video Chat with them for free- Send and Receive large pictures & videos from Android to any device- Send your Dropbox photos and videos via sms directly from TextMe- Super easy video messaging- Enjoy group texting features with text, photos and videos- Earn free rewards just by using the application (Pocket Change) - Get notified when your message is delivered and read by your friend- Receive your TextMe messages on Google Glass and Pebble watch- Login with Google +Other goodies that come with TextMe:- Overall speed and performance of the app- Super simple sign up- Push Notifications for new messages: never miss an important text!- Free Voice messages (1) Countries that can be called from TextMe include: Bolivia, Brazil, Chile, China, Colombia, Costa Rica, Czech Republic, Denmark, Dominican Republic, Ecuador, El Salvador, France, Germany, Guatemala, Guyana, Honduras, Hong Kong, India, Ireland, Israel, Italy, Jamaica, Luxembourg, Malaysia, Mexico, Netherlands, Netherlands Antilles, New Zealand, Nicaragua, Pakistan, Panama, Paraguay, Peru, Philippines, Poland, Portugal, Romania, Spain, Surinam, Sweden, Switzerland, Trinidad & Tobago, Turkey, UK, Uruguay, VenezuelaPlease give us your feedback on the app! Thanks for using TextMe!The TextMe team Webpage: http://go-text.meTwitter: @textmeapp Help us improve TextMe and get support: http://textme.zendesk.com", "devmail": "feedback@go-text.me", "devprivacyurl": "N.A.", "devurl": "http://www.go-text.me&sa=D&usg=AFQjCNG_Ksz8-_5SMTIj6TtsS--mqeTuIA", "id": "com.textmeinc.textme", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "Text Me! Free Texting & Call", "price": 0.0, "rating": [[" 3 ", 8440], [" 4 ", 17134], [" 5 ", 50593], [" 1 ", 4910], [" 2 ", 2371]], "reviews": [["Amazing", " I would recommend this app "], ["GREAT", " Is there a way you can fix the picture sending as a link? "], ["Good App not the Best", " Would like to see the app be in sync with my other devices with textme on them instead of have to guess what the previous conversation was about because I'm using both textnow and this app and I have that feature for them also I would like to text from my computer "], ["Awsome", " Please don't update it's running perfectly fine.C8 "], ["This is pretty sweet", " Works well. Good features. I like it, and I hate everything. "], ["Ugh!!!", " REALLY?!?! An update EVERY DAY but there's NO CHANGE! What's the POINT?!?! Very annoying. "]], "screenCount": 10, "similar": ["com.kakao.talk", "jp.naver.line.android", "com.pinger.textfree", "com.talkatone.android", "com.ThumbFly.FastestSms", "com.mysms.android.sms", "com.mediafriends.chime", "com.jb.gosms", "com.hushed.release", "com.yuilop", "com.fring", "com.talkray.client", "com.gogii.textplus", "tw.nicky.Emoticons", "com.p1.chompsms", "com.pinger.ppa"], "size": "Varies with device", "totalReviewers": 83448, "version": "Varies with device"}, {"appId": "com.glidetalk.glideapp", "category": "Communication", "company": "Glide\u00e2\u20ac\u2030", "contentRating": "Low Maturity", "description": "The fastest way to send + receive private video messages.\u00e2\u20ac\u0153The current hot name in video messaging is Glide\u00e2\u20ac\ufffd - Forbes\u00e2\u20ac\u0153It\u00e2\u20ac\u2122s incredibly simple to use\u00e2\u20ac\u00a6 It worked seamlessly over 3G\u00e2\u20ac\ufffd - NY TimesFASTER THAN MESSAGING - Friends can watch your video AS you\u00e2\u20ac\u2122re recording!EASIER THAN VIDEO CALLING - Send videos without scheduling. Watch live or later!COOLER THAN TEXTING - Don\u00e2\u20ac\u2122t write about what you\u00e2\u20ac\u2122re doing. Show it!****\u00e2\u20ac\u00a2 100% FREE!\u00e2\u20ac\u00a2 One-tap video messaging\u00e2\u20ac\u00a2 Chat 1-on-1 or in huge groups\u00e2\u20ac\u00a2 Rewatch messages whenever you want\u00e2\u20ac\u00a2 Send + receive as many messages as you want\u00e2\u20ac\u00a2 Share your favorite videos on Facebook and Twitter\u00e2\u20ac\u00a2 Chat with friends on iOS and Android\u00e2\u20ac\u00a2 Videos are saved to the cloud so they don\u00e2\u20ac\u2122t take up space on your phoneIf you're experiencing any problems, be in touch: support@glide.meFOLLOW USFacebook: http://www.facebook.com/glidemeTwitter: http://twitter.com/glideapphttp://www.glide.me", "devmail": "support@glide.me", "devprivacyurl": "http://www.glide.me/privacy&sa=D&usg=AFQjCNFkaYVWS5IDzsOM81OlcjUvasOxvg", "devurl": "http://www.glide.me&sa=D&usg=AFQjCNHyNqkU2rsA01DS2WEzaH644uaBTA", "id": "com.glidetalk.glideapp", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Glide - Video Texting", "price": 0.0, "rating": [[" 1 ", 1483], [" 5 ", 14855], [" 2 ", 746], [" 3 ", 2668], [" 4 ", 6313]], "reviews": [["Epic break, outstanding", " I am sure once the bugs are sorted out glide will be a number 1 app. for all smart phones. "], ["Great", " Works perfet on my galaxy great way to see my family when I'm away "], ["Glide rate", " I uninstalled and IM working on reinstalling but if it doesn't work. I am uninstalling due to.black screen.people can't see me. "], ["What happened?", " Used to be 5 stars for me. Now after all these updates I can't view incoming glide videos.... Sent an e-mail to Glide already and they said the last update would fix it...not really though. "], ["great for group conversations", " Just updated, still having the black screen error, my videos only work on wi-fi and not on 4G with tmobile, works for friends using simple mobile, which is same network. "], ["Used to be great", " Glide worked fine until the new updates messed up everything. I can receive and view videos but no one can see mine. FIX THIS "]], "screenCount": 18, "similar": ["jp.naver.line.android", "com.rounds.android", "com.imo.android.imoim", "com.fring", "com.ThumbFly.FastestSms", "com.mediafriends.chime", "com.jb.gosms", "com.apdroid.tabtalk", "com.textmeinc.textme", "com.hushed.release", "com.whatsapp", "com.spartancoders.gtok", "com.talkatone.android", "com.qik.android", "ru.mail", "com.skype.raider"], "size": "Varies with device", "totalReviewers": 26065, "version": "Glide.v1.0.009"}, {"appId": "mobi.mgeek.TunnyBrowser", "category": "Communication", "company": "Dolphin Browser", "contentRating": "Low Maturity", "description": "Dolphin is my browser.Dolphin makes mobile browsing easy, adapting to the way you want to browse with a personalized home screen, voice and gesture control, customizable settings and sharing features. With lighting fast speed, Dolphin blows the rest of the mobile browsers out of the water.Download Dolphin's free mobile browser and join the 80 million who enjoy the exclusive features of your very own mobile web browser.\u00e2\u02dc\u2026 #1 Mobile Web Browser on Android Market\u00e2\u02dc\u2026 Over 80,000,000 downloads\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 Dolphin Browser's Gestures and sidebars make Web surfing fast, intuitive and fun while on the go. - USA Today\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u20ac\u0153\u00e2\u20ac\u00a6it\u00e2\u20ac\u2122s a great, simple browser that feels more at home on a touchscreen device than pretty much anything else you\u00e2\u20ac\u2122ll try. - LifehackerFeatures: \u00e2\u02dc\u2026 Gesture - Let your inner artist out and create a personal Gesture (symbol) to access the mobile and desktop websites you use the most.\u00e2\u02dc\u2026 Sonar - Dolphin listens and lets you use your voice to search on the Internet, share on your favorite social networks, bookmark favorite website and navigate.\u00e2\u02dc\u2026 Add-on \u00e2\u20ac\u201c Beef up your mobile Internet browser experience by installing the Add-ons for the tasks you need at your fingertips. With more than 60 and counting, Dolphin Add-ons enables any action to be done right within the mobile browser. You can check out the Add-on features with 3 preloaded on your right Sidebar.\u00e2\u02dc\u2026 Theme \u00e2\u20ac\u201c Customize theme colors, wallpapers and skins to make Dolphin your own\u00e2\u02dc\u2026 Web App Store - The all-new Dolphin web app store offers access to the most popular web apps so you never have to leave the browser. Choose from over 200 web apps, including Facebook, Twitter, Wikipedia, Amazon and more.\u00e2\u02dc\u2026 Home Screen - Adding applications to your home screen is super easy. Plus you can quickly organized them for one touch access.\u00e2\u02dc\u2026 One-tap Share - Tweet web pages, post them to Facebook, share via email or grab any content and save it directly to Evernote or Box.\u00e2\u02dc\u2026 Tabbed browsing - No need to toggle between screens, tabbed browsing lets you open and switch between Web pages fast as lightning.\u00e2\u02dc\u2026 Dolphin Connect - Sync history, bookmarks, passwords and open tabs easily across Android, iOS and desktop.\u00e2\u02dc\u2026 Send to device: Send links, maps, phone numbers, & more from your desktop to your phone and vice versa with Dolphin\u00e2\u20ac\u2122s Chrome, Firefox and Safari extensions.**\u00e2\u02dc\u2026 WiFi Broadcast - Share links with Dolphin friends nearby on your wifi network.***Download Dolphin Browser extensions and send web content between your mobile and desktop. Download now:Google Chrome:https://chrome.google.com/webstore/detail/dolphin-connect/pajecklcmiegagoelbbjldmfcbcpdpllFirefox:http://dolphin-apk.s3.amazonaws.com/extension/dolphinconnect.xpiSafari:http://dolphin-apk.s3.amazonaws.com/extension/dolphinconnect.safariextzWe love hearing from you. Contact us at support@dolphin.com and rate us today!Join Dolphin Facebook Fan page: http://www.facebook.com/DolphinFans Follow Dolphin on Twitter: https://twitter.com/#!/DolphinBrowserWebsite: www.dolphin.comHere are some additional features that you can add to your Dolphin Mobile Browser by installing Dolphin Add-ons:\u00e2\u20ac\u00a2 Dolphin Webzine\u00e2\u20ac\u00a2 Box for Dolphin\u00e2\u20ac\u00a2 Dolphin.fm\u00e2\u20ac\u00a2 Dolphin YouTube Search\u00e2\u20ac\u00a2 Dolphin eBay Search\u00e2\u20ac\u00a2 Dolphin Alexa Rank\u00e2\u20ac\u00a2 Web to PDF\u00e2\u20ac\u00a2 Dolphin Brightness\u00e2\u20ac\u00a2 Dolphin Password Manager Lite\u00e2\u20ac\u00a2 Password Manager Pro\u00e2\u20ac\u00a2 Lastpass for Dolphin Browser \u00e2\u20ac\u00a2 Xmarks for Dolphin \u00e2\u20ac\u00a2 Dolphin Reader\u00e2\u20ac\u00a2 Softpedia.com RSS\u00e2\u20ac\u00a2 Dolphin Screen Cut\u00e2\u20ac\u00a2 Bookmarks Widget\u00e2\u20ac\u00a2 Dolphin Desktop Toggle", "devmail": "support@dolphin-browser.com", "devprivacyurl": "http://dolphin-browser.com/privacy/privacy-policy-for-dolphin-browser/&sa=D&usg=AFQjCNHxac-18bZbbUngNy--YfJTwXZczQ", "devurl": "http://www.dolphin.com&sa=D&usg=AFQjCNFyRvHC8nWIWhegiC6499uo1C6Xrw", "id": "mobi.mgeek.TunnyBrowser", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Dolphin Browser", "price": 0.0, "rating": [[" 2 ", 12697], [" 4 ", 237710], [" 3 ", 41910], [" 1 ", 21840], [" 5 ", 997968]], "reviews": [["Yeah; br er", " Een waiting tocross this browser since my last mobile being pinched. Thumbs up here and thr -tes a load of "], ["I like most things", " Especially zooming on text and it re wrapping. I cant find a history that persists after I close the app (yesterday, last week etc) otherwise would be 5 stars. Stumbled upon it! Therefore up to 5 "], ["Solid", " Its a good alternative and dose more then what I use it for.. but it dose glitch sometimes.. but that probable because I switch between tabs a lot "], ["One thing", " Every time I open this browser and begin to type in the search bar my first 3 key strokes never register this one problem is keeping me from using this browser please fix "], ["Sony Xperia u", " If an image or a video or a song is downloaded by the browser is appears twice in the gallery..! Plz fix it ! Over all good browser "], ["OK", " Right now I have an antique smartphone (Pantech Crossover) so my rating is based on trying to find a browser that works on this system. For the most part it works except when it quits at odd moments. I like the tabs and I use lastpass so I will stick with it. "]], "screenCount": 8, "similar": ["com.opera.browser.beta", "com.boatbrowser.free", "org.mozilla.firefox", "com.boatgo.browser", "com.dolphin.browser", "com.jiubang.browser", "com.android.chrome", "com.opera.browser", "com.uc.browser.hd", "com.dolphin.browser.engine", "com.mx.browser", "com.cloudmosa.puffinFree", "com.opera.mini.android", "org.easyweb.browser", "com.UCMobile.intl", "com.ww4GSpeedUpInternetBrowser", "com.tencent.ibibo.mtt", "com.ninesky.browser"], "size": "7.7M", "totalReviewers": 1312125, "version": "10.1.2"}, {"appId": "com.yahoo.mobile.client.android.im", "category": "Communication", "company": "Yahoo", "contentRating": "Medium Maturity", "description": "The official Yahoo! Messenger app for Android- Free Voice & Video calls (Beta) \u00e2\u20ac\u00a0- Chat with Facebook friends- Free international SMS \u00e2\u20ac\u00a0\u00e2\u20ac\u00a0- Share Photos & Video- Chat with Windows Live friends - Stay online on Android & PC at the same time, receive messages only where you are active \u00e2\u20ac\u00a0\u00e2\u20ac\u00a0\u00e2\u20ac\u00a0********* Important *********You need to install the latest Yahoo! Messenger Voice and Video Plug-in to enable the call features\u00e2\u20ac\u00a0 Video (Beta) requires OS 2.3 and the Yahoo! Messenger Plug-in (OS2.2+ for myTouch 4G and EVO)\u00e2\u20ac\u00a0\u00e2\u20ac\u00a0 SMS text messages can be sent for free to phone numbers in USA, Philippines, Vietnam, India, Indonesia, Malaysia, Canada, Pakistan, Kuwait and Thailand\u00e2\u20ac\u00a0\u00e2\u20ac\u00a0\u00e2\u20ac\u00a0 Currently supported with the latest Yahoo! Messenger for PC", "devmail": "androidimfeedback@yahoo.com", "devprivacyurl": "N.A.", "devurl": "http://mobile.yahoo.com/messenger/android&sa=D&usg=AFQjCNEOro2as1alpt31wQNl1yP8Wl-rbw", "id": "com.yahoo.mobile.client.android.im", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.yahoo.mobile.client.android.fantasyfootball", "com.yahoo.mobile.client.android.search", "com.yahoo.mobile.client.android.fantasybaseball", "com.yahoo.connectedtv.yremote", "com.yahoo.mobile.client.android.fantasybasketball", "com.yahoo.mobile.client.android.flickr", "com.yahoo.mobile.client.android.weather", "com.yahoo.mobile.client.android.yahoo", "com.yahoo.mobile.client.android.finance", "com.yahoo.mobile.client.android.imvideo", "com.yahoo.mobile.client.android.mail", "com.yahoo.cricket.ui"], "name": "Yahoo Messenger", "price": 0.0, "rating": [[" 5 ", 123397], [" 3 ", 18853], [" 1 ", 20612], [" 2 ", 7612], [" 4 ", 35585]], "reviews": [["Message not received", " This app just gets worse the more I use it. It takes a good 24 hours to update when one of my contacts signs in or out so I never know if someone is actually signed in or not. I had someone accept a friend request over 30 minutes ago and they still aren't showing up in my contact list. I really wish the functionality to use custom notifications would be added back. The available tones are too short and quiet and it's difficult to hear if I revive a message. "], ["Good but...", " Good, fast, however only been using it a week and it regularly loses messages! Not very good considering it's a messenger! "], ["Can't send mail!", " I can no longer send mail using the app. I can if I go to the website. I have no problem reading them, but cannot reply or compose new mail. The updates are not helping. Please fix!!! "], ["It has definitely gotten better", " The last update: ruined this and this app needs the ability for the option to show offline Facebook contacts if desired. Samsung galaxy s4 "], ["Annoying me again!", " Seems the can't get this one right.. newest update has lost all my contacts so ive had to go adding my family and close friends again. My ims go missing to my family expecially annoying when ym does it as this usually more reliable than the other option I use. Will glitch out and randomly shut down during sign in. SAMSUNG NOTE 2 "], ["Classic", " Every time I try to add a location, it freezes. Then I get the \"Unfortunately, Messenger has stopped.\" Error. Please fix. Galaxy S4. "]], "screenCount": 7, "similar": ["jp.naver.line.android", "com.kakao.talk", "cn.msn.messenger", "com.nimbuzz", "com.wHotmailLiveMessenger", "com.spartancoders.gtok", "com.protrade.sportacular", "com.ebuddy.android", "com.beejive.im.yahoo", "com.facebook.orca", "kr.co.datawave.facechat", "com.viber.voip", "com.whatsapp", "im.mercury.android", "com.intonow", "net.daum.android.air", "com.skype.raider", "kik.android"], "size": "3.9M", "totalReviewers": 206059, "version": "1.8.4"}, {"appId": "com.outlook.Z7", "category": "Communication", "company": "Microsoft + SEVEN", "contentRating": "Everyone", "description": "The Official Microsoft Outlook.com app gives you the best mobile experience for your Outlook.com account.Sign in using your existing Microsoft account, which is usually your Outlook.com email address and password. With the Outlook.com app, you can:- Get emails right away with push notifications - Sync Outlook.com Calendar and Contacts with your device- View and sync folders and sub-folders- Choose from 8 different color themes to personalize your experience.- Group your email conversations with Conversation Threading- Utilize server-side search for easy finding through all your history of emails. - Sync multiple Outlook.com accounts and send email from aliases \tTips and tricks- Change the color theme on the app settings menu by selecting General, and then Theme color.- Filter your emails (all, unread or flagged) by selecting Inbox in the top menu.- Switch accounts or access your folders and sub-folders by selecting the top left menu. - Choose which folders automatically sync from the app settings menu by selecting Sync, Folders, and then the folders you want to sync.", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://explore.live.com&sa=D&usg=AFQjCNFUUHHPtwtqNzIZu-RE2aKSgGsP_Q", "id": "com.outlook.Z7", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Outlook.com", "price": 0.0, "rating": [[" 4 ", 13468], [" 5 ", 36810], [" 1 ", 49640], [" 2 ", 7941], [" 3 ", 9688]], "reviews": [["Doesn't support Office 365", " After finally managing to install this on my nexus 7 in was shocked to learn that this doesn't support my corporate 365 account like the iOS version does. That's the main reason I installed it in the first place "], ["Poor....", " Getting it logged off in every 5 mins automatically.. Its really scuks....otherwise i would have given 5 rating..pl rectify the bug imm..plzzzz "], ["No zoom out", " Used to be able to zoom out my emails, not anymore; plus the magnification is exagerated. "], ["Can't beat it", " Its hard to see all the negative comments about the app. Works like a dream on my galaxy s3. Maybe its not the apps fault, it could be their phone? Keep it up outlook love the app worth 5 stars plus "], ["Perfect, exactly tailored as per need", " Awesome app. Takes less resources, clean, simple. Very easy to use and reply. Hope to see 2 improvements - 1. Some sort of tab/ folder system to categorize mails (very imp.) 2. Signature option for mobile version, same as the PC. Keep it up! THANKS for your efforts... God bless..... With regards Mr. S. Mishra "], ["OK Email Client - No non-wifi connection", " Great for MS, and super easy to use, but what good is it when it cant connect if you're not on WiFi? MS really needs to add imap at least, cause it's really annoying to use this client. "]], "screenCount": 5, "similar": ["com.google.android.gm", "com.fsck.k9", "com.dreamstep.wWindowsLiveMSN", "com.maildroid", "com.wHotmailLiveMessenger", "ru.mail.mailapp", "com.all.emails", "com.wwongdev.outlookwebmobile", "com.sonyericsson.extras.liveware.extension.mail", "com.connectivityapps.hotmail", "com.connectivityapps.outlook", "pl.mobileexperts.securemail", "com.gau.go.launcherex.gowidget.emailwidget", "com.yahoo.mobile.client.android.mail", "com.skype.raider", "com.mobiletecnoapps.multiplemails"], "size": "6.9M", "totalReviewers": 117547, "version": "7.8.2.12.49.2176"}, {"appId": "com.bbm", "category": "Communication", "company": "BlackBerry Limited.", "contentRating": "Medium Maturity", "description": "The OFFICIAL version of BBM\u00e2\u201e\u00a2 from BlackBerry is now here for Android. Get the free BBM app for the best way to stay connected with friends and family. Download it now. Chat with friends on Android, BlackBerry and iPhone:\u00e2\u20ac\u00a2 BBM is always on and always connected \u00e2\u20ac\u201c no app to open\u00e2\u20ac\u00a2 Know when messages have been delivered (D\u00e2\u20ac\u2122s) and read (R\u00e2\u20ac\u2122s)\u00e2\u20ac\u00a2 Share photos, files, documents, voice notes and more \u00e2\u20ac\u00a2 See when contacts are responding to your message\u00e2\u20ac\u00a2 Emoticons for every mood and emotion let you express yourselfBBM lets you protect your privacy. You control it:\u00e2\u20ac\u00a2 You chose how to share your information - BBM uses PINs instead of phone numbers or email addresses so that it's more private, and you always control who can contact you\u00e2\u20ac\u00a2 You chose your contacts \u00e2\u20ac\u201c 2-way opt-in means you have control over who is able to message youChat and Share with many at once:\u00e2\u20ac\u00a2 Groups \u00e2\u20ac\u201c BBM groups help you share pictures, lists, and appointments with group members. You can even be in a group with people who aren't part of your own BBM contact list.\u00e2\u20ac\u00a2 Multi-person chats \u00e2\u20ac\u201c Invite multiple contacts to have a chat together.\u00e2\u20ac\u00a2 Broadcast messages \u00e2\u20ac\u201c Send a message to multiple BBM contacts at one time.Create your own BBM profile:\u00e2\u20ac\u00a2 Post a profile picture using images, pictures or even animated pictures (GIFs).\u00e2\u20ac\u00a2 Update your status to let people know what you\u00e2\u20ac\u2122re up to or how you feelDownload BBM for free today.", "devmail": "bbmsupport@blackberry.com", "devprivacyurl": "http://www.bbm.com/legal&sa=D&usg=AFQjCNFOW54wfab1YZ1vuJMOFg5ZlDQV2Q", "devurl": "http://www.bbm.com&sa=D&usg=AFQjCNEJD5VR2OP1dSNZF8H3_2nTGkktTA", "id": "com.bbm", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "BBM", "price": 0.0, "rating": [[" 4 ", 49915], [" 2 ", 11701], [" 5 ", 233174], [" 1 ", 33210], [" 3 ", 28344]], "reviews": [["Not that good yet for me to switch from whatsapp", " Where are the music status updates? We want higher res display photos and more emoji. The layout must be updated to an Android skin. Otherwise this is an average BBM app for people who've been using whatsapp for years. "], ["Can't use without wifi", " I can't understand why this app can't work when i turn off wifi connection, i've set the right provider data plan. Still can't used. This happen since upgrade the bbm apps, please fix it fast bro. Thanks. Sorry i've to give this poor upgrade 1 star. "], ["Unable to complete setup", " This application said that no connection found. I've tried using mobile network and wifi but same thing happened. What should I do?? "], ["Can't change display picture", " Now I can change my display picture. But it's for a long time and sometimes it didn't wanna change. Help me fix it and then I'll give 5star. Thanks. My handphone is Sony Xperia M "], ["Lots of things need to workout", " Emojis are very small compared to text... Feels like I need Magnifier For emojis Emotions are very less and not like other competitors already established.. Can't sent videos and contacts Location sharing is not there... Comm'n bbm there is lots of stuff to do on Android platform... The feature ur providing already exist on the current available other messaging services app Don't loose on giving limited functionalities which dates back to 2008 "], ["Messages disappear and no notifications", " Notifications have stopped working so I don't know when I've received a bbm, also when I open chats, previous messages are displayed as grey boxes so I can't see what has been sent to me. "]], "screenCount": 5, "similar": ["jp.naver.line.android", "com.pinfinderbbm", "com.sec.chaton", "com.nimbuzz", "com.google.android.talk", "com.tencent.mm", "com.android.chrome", "com.yuni.android.dpbbm", "com.kakao.talk", "com.facebook.orca", "com.viber.voip", "com.whatsapp", "codeadore.textgram", "com.sgiggle.production", "com.skype.raider", "kik.android"], "size": "13M", "totalReviewers": 356344, "version": "1.0.2.83"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtacaa.json_merged.json b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtacaa.json_merged.json new file mode 100644 index 0000000..ff619ac --- /dev/null +++ b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtacaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.handcent.nextsms", "category": "Communication", "company": "handcent_market", "contentRating": "Everyone", "description": "The most popular messaging app on the Android Market, Handcent SMS is a powerful SMS/MMS app that fully unleashes the messaging potential of Android devices,free to use. More than just an unsurpassed alternative to the stock Android messaging app, Handcent SMS features optional, seamless online integration with your My Handcent Online account allowing users to circumvent the limitations of the Android OS and wireless carriers.The following lists some of Handcent's most popular features:> Full SMS and MMS support augmented with unmatched features powered by the Handcent network> Integrated spell checking and additional message composition tools> Additional security options allow you to password protect and hide individual messages with the Privacy Box or secure all of your messages. These protections apply regardless if they are viewed in Handcent SMS, the stock Android messaging app, or any third party applications!> Support for more than 20 languages and growing as well as support for the various messaging protocols of different countries> Handcent\u00e2\u20ac\u2122s Contact Locator plugin helps you quickly locate your friends using GPS!> Group sending features capable of extending Android\u00e2\u20ac\u2122s SMS limitations of 100 messages per hour up to 1,100 messages per hour> Optional SMS Popup notification and other notification customizations such as unique notification sounds, vibrate patterns, backgrounds and themes for individual contacts> Customize every aspect of your Handcent SMS application with countless themes and skins available for free download from the Handcent Network. New themes are added daily!> Mimic the unique messaging layouts of other device manufacturers such as HTC\u00e2\u20ac\u2122s Sense, Motorola\u00e2\u20ac\u2122s Blur, or even the iPhone!> Backup Security powered by the Handcent network allows you to backup all your Handcent\u00e2\u20ac\u2122s settings, SMS messages and MMS messages to your My Handcent Online account and restore them if you reinstall Handcent or if you reset your device or upgrade to a new one.> Handcent MMS+ allows you to circumvent Android\u00e2\u20ac\u2122s MMS limitations and send up to 10 files at 25 megabytes each for a total message size of 250 megabytes! This means sharing higher quality photos, videos, and music!> Better MMS support and picture resizing that resolves Android compatibility issues with some carriers such as those in the UK> Auto-splitting feature for messages over 160 characters for users on CDMA networks such as Verizon Wireless> Additional font packs to further customize your SMS messages are available as downloadable plugins> Integrated Blacklist feature with the ability to filter incoming SMS and MMS messages by origin and help block SPAM> Manage drafts and undelivered messages> Schedule tasks to deliver SMS and MMS messages at a specific time or regular intervals such as daily, weekly or monthly> Full support for vCards allows you to send, receive, import and export them with Handcent SMS> Share beautiful Handcent eCards with family and friends to mark holidays, birthdays, etc.> Send and receive fun emoji icons and smileys to other Android Handcent users as well as iPhone users. Once exclusive to the iPhone, this integrated feature of Handcent SMS may now be enjoyed by Android users. Additional emoji are available as free, downloadable plugins!>Group Mms with iphone,useful for US networks>Handcent Talk service,send FREE messages/picture to android, iPhone ,Windows phone users easily,fast and security,just register free and login with your handcent account,add buddy then Handcent talk today! >Universal messaging that send classic SMS/MMS and Handcent Talk with contact in one converstaion >Included 20+ skins and 4000+ themes ,you can find your favorite style (like iOS7 or Sense..) easily and you can share your theme with othersFor information, support, or to manage your account, please visit http://www.handcent.com", "devmail": "market@handcent.com", "devprivacyurl": "N.A.", "devurl": "http://www.handcent.com&sa=D&usg=AFQjCNGrnh2Z5e_ZdMImYnca8lA9PxHGGA", "id": "com.handcent.nextsms", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.handcent.lang.nextsms.de", "com.handcent.plugin.emoji", "com.handcent.plugin.locate", "com.handcent.nextsms.skin.winter.red", "com.handcent.nextsms.skin.valentineday", "com.handcent.nextsms.skin.darkness", "com.handcent.nextsms.skin.summer", "com.handcent.lang.nextsms.es", "com.handcent.nextsms.skin.metal", "com.handcent.fontpack.pack4", "com.handcent.fontpack.pack5", "com.handcent.lang.nextsms.fr", "com.handcent.sms.skin.ios7beta", "com.handcent.nextsms.skin.hellokitty", "com.handcent.fontpack.pack2", "com.handcent.smileys.android"], "name": "Handcent SMS", "price": 0.0, "rating": [[" 1 ", 19978], [" 2 ", 13135], [" 4 ", 100357], [" 3 ", 33356], [" 5 ", 327432]], "reviews": [["Missed my green android guy emoticons", " With the update to Kit Kat, I missed my green android guy emoticons so much! I mean, really, Android, what were you thinking? Those have been a staple for years - and to have them replaced by no emoticon at all? I downloaded Handcent Sms for that sole purpose and it delivers. Now, please, Handcent, keep them around with future updates! "], ["WTF you broke it!", " Thank guys love the updates till todays(current date 27thnov)YOU BROKE NOTIFICATIONS...I use Announcify and sms popup for notifications and since your latest update THAY DON'T WORK rolled back to previous release and guess what they WORK...Please fix... "], ["Tiny send button causes issues", " I love this app, but since the update to the new send button I have gone to send a txt and hit send but somehow miss so my Msg sits in draft. Please fix "], ["Emoji doesn't work", " The whole reason I got handcent was the be able to send and receive emojis. I can send them but when I receive them they aren't emojis. Please fix this! "], ["Its finally working for me...mostly.", " UPDATE 8-23 i still can't set skins for my contacts but at least its not crashing my phone anymore. How can i SET SKINS? Thanks! 8/5 I give up! Can't use my phone. No response from tech team. Switched to Go SMS but i want handcent back when it's fixed. Review 8/2: It seems everyone with an S2 is having my same issues. sprint samsung galaxy epic 2 "], ["So far the best", " I've used so many, and now that I have a phone with good memory and storage space, This is the perfect messenger. However adding the option to have floating chat heads and boxes. Ninja is second best "]], "screenCount": 8, "similar": ["com.jb.gosmspro.theme.birdlover", "com.jb.gosmspro.theme.gjtheme2", "com.textra", "com.jb.gosms.theme.getjar.wpseven", "com.ani.apps.sms.messages.collection", "com.jb.gosms", "com.jb.gosmspro.theme.iphone", "com.mysms.android.sms", "com.jb.gosms.theme.getjar.cutemonster", "com.easyandroid.free.mms", "com.jb.gosms.widget", "com.jb.gosms.theme.sweet", "com.jb.gosmspro.theme.dark", "com.jb.gosmspro.theme.icecream", "com.jb.gosmspro.theme.go", "com.p1.chompsms"], "size": "6.0M", "totalReviewers": 494258, "version": "5.3.7"}, {"appId": "kr.core.technology.wifi.hotspot", "category": "Communication", "company": "CORE TECHNOLOGY", "contentRating": "Everyone", "description": "Turn on Portable Wi-Fi hotspotImprove your mobile computing experience.Simple and fast.**Before running the application configuration is required.SETTING: Settings->More..->Tethering & portable hotspot->Set up Wi-Fi hotspothttps://support.google.com/android/answer/182134Rename or secure your portable hotspotYou can change the name of your phone's Wi-Fi network name (SSID) and secure its Wi-Fi network when it's acting as a portable hotspot.Go to Settings > Wireless & networks > More > Tethering & portable hotspot.Make sure Portable Wi-Fi hotspot is checked.Touch Configure Wi-Fi hotspot.The Configure Wi-Fi hotspot dialog opens.Set your name and security options as follows:Change the NetworkTO USE: Just touch Portable Wi-Fi hotspot icon on / off", "devmail": "support@core-technology.co.kr", "devprivacyurl": "N.A.", "devurl": "http://www.core-technology.co.kr&sa=D&usg=AFQjCNGXn_7vyIu5HvLq4Au58U5V8DtCqw", "id": "kr.core.technology.wifi.hotspot", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "Portable Wi-Fi hotspot Free", "price": 0.0, "rating": [[" 4 ", 1108], [" 3 ", 664], [" 5 ", 6692], [" 1 ", 1973], [" 2 ", 291]], "reviews": [["Peter E", " Just got a droid mini and trying to set up hot spot via this app. However, it appears this app requires Verizon data plan. "], ["Help", " It tells me I have to turn on my wifi and find it and connect to it but It won't let me turn on my wifi without disabling the hot spot :( help "], ["False advertising", " The advertising is not false. However, it is misleading. I thought I'd have free mobile hotspot . But nope. It's just a more simple way to toggle your hotspot on and off. ONLY I'd you have already paid for it through your carrier. 3 stars for working 2 docked for being misleading "], ["I dont get it. What's the point of this. You have to have WiFi ...", " I dont get it. What's the point of this. You have to have WiFi to turn on your own wifi. If I'm in the middle of nowhere I want some freaking wifi. "], ["Works great", " On Verizon and this works great it totally overrides the subscription message that you would normally get. I do know this will only work if you don't have unlimited data otherwise Verizon cannot disable the hot spot if you have a cap Plan due to an agreement Verizon made with the FCC in 2012. The app is really easy to use just one touch in it enables a hotspot "], ["In app bill failed 'not included on device'", " Umm what the heck is in-app billing for? This app forced close because my inbuilt security stopped this app from connecting to premium services. In other words it forced closed cause it didn't get what it wanted. Developer please explain??? Is this a free app or does it attempt to sign up malicious websites? What is the necessity for in app billing for? If this app DOES do the unthinkable I am going to report it. Logcat here I come! I expect a explanation from the developer. Thanks "]], "screenCount": 3, "similar": ["com.manchinc.android.mhotspot", "kr.co.core.technology.screenoff.free", "kr.co.core.technology.wifi.hotspot", "com.bosscellular.wifi.boost", "net.szym.barnacle", "share.hotspot.myfi", "com.majedev.superbeam", "com.stt.mobilehotspot", "com.wifi.hotspot", "com.foxfi", "kr.co.core.technology.clock", "com.svtechpartners.wifihotspot", "com.svtechpartners.wifihotspotdemo", "kr.co.core.technology.clock.widget.free", "com.foxfi.key", "kr.co.core.technology.screenoff", "og.android.tether", "net.snclab.wifitetherrouter", "kr.co.core.technology.clock.widget", "com.taiseiko.tetherWidget", "org.kman.WifiManager", "com.foxfi2"], "size": "77k", "totalReviewers": 10728, "version": "1.3.0"}, {"appId": "com.mrnumber.blocker", "category": "Communication", "company": "Mr. Number", "contentRating": "Medium Maturity", "description": "Mr. Number makes it easy to block calls and texts, reverse lookup phone numbers and get more info about US businesses that call your mobile phone.Features:- Block calls and texts from one person, an area code or the entire world- Stop telemarketers and debt collectors before they waste your time- Automatically intercept calls and texts from private/unknown numbers- Report spam calls, SMS, and MMS to warn other users- Reverse lookup mobile and landline numbers *** PCMag 100 Best Android Apps of 2012 ****** New York Times: \u00e2\u20ac\u0153Mr. Number is one of the most popular\u00e2\u20ac\ufffd ****** 2012 Appy Award for Best Communications App ***Block calls and texts from one number or the worldMr. Number is the most powerful call blocker and text blocker on the market. Block texts and calls from a person, a business, a prefix, or the world. Pick up and hang up on some callers and send others to voicemail - you decide. Keep the content of blocked texts or trash them. Browse comments from other users when you get a spam call or text. Add \u00e2\u20ac\u02dcSuspected Spam\u00e2\u20ac\u2122 to your blocklist and Mr. Number blocks them all automatically.Reverse Lookup gives you more info about who\u00e2\u20ac\u2122s callingReverse Lookup numbers that have called or texted you. The first 20 Lookups are free; additional Lookups can be purchased through the app (20 for 99 cents).Any questions? Read our FAQ (http://support.mrnumber.com/home) or send a note to support@mrnumber.com, and we\u00e2\u20ac\u2122ll get back to you quickly.Follow us on Twitter: @mrnumber", "devmail": "support@mrnumber.com", "devprivacyurl": "http://mrnumber.com/legal/privacy&sa=D&usg=AFQjCNECz-rXjfMCfq2TDkowRvTWo25Kfw", "devurl": "http://mrnumber.com/&sa=D&usg=AFQjCNEMHPcXY8RPcHF77_5GIPM7sG5MPg", "id": "com.mrnumber.blocker", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "Mr. Number-Block calls, texts", "price": 0.0, "rating": [[" 5 ", 57770], [" 3 ", 5717], [" 2 ", 2498], [" 4 ", 15735], [" 1 ", 6015]], "reviews": [["Extremely Unhappy", " When I got Mr. # the first time I LOVED it. There is a guy who had my # before me whom I get calls daily for. The app no longer blocks these calls even though it sends me notifications saying it does. I've heard this problem might be specific to HTC phones, but regardless, what was once my favorite app has extremely disappointed me. I wish you would fix this. "], ["Annoyed", " I am annoyed with the pick up and hang up feature. I try and keep the settings on the send to voicemail option but it keeps ringing. If I wanted it to ring at all I would not have downloaded the app. Please fix it was fine before the updates "], ["Very good", " I like this app its easy to use and works very well, would def recommend to anyone that doesnt want to answer annoying calls. "], ["Hangs up on active call", " If a blocked number comes through while I'm on a call, my active call gets disconnected. Please fix ASAP, it's very annoying especially if you're on an important call. "], ["Not happy", " I use to love Mr. Number when I first downloaded the app. Now I come to find out that because I have an HTC, my phone will no longer hang up on the calls that I have blocked. I am now in the process of trying to find another app. If you guys put the hang up feature back with the app, I will be a happy camper. "], ["Hello guys", " I really like this app. There were people calling me at 6:00 am just to advertise their stuff. And now with this easy and lovely app, I dont have to be bother any more... THANK YOU MR. BLOCK. "]], "screenCount": 8, "similar": ["com.kakao.talk", "jp.naver.line.android", "com.flexaspect.android.everycallcontrol", "com.talkray.client", "com.vladlee.easyblacklist", "tw.nicky.Emoticons", "com.mysms.android.sms", "com.ThumbFly.FastestSms", "com.smartanuj.sms", "com.textmeinc.textme", "com.visinor.phonewarrior", "gogolook.callgogolook2", "embware.phoneblocker", "com.truecaller", "com.skype.raider", "com.pinger.ppa"], "size": "5.8M", "totalReviewers": 87735, "version": "1.3.1"}, {"appId": "com.tencent.mm", "category": "Communication", "company": "Tencent Technology (Shenzhen) Company Ltd.", "contentRating": "Medium Maturity", "description": "Free texting, voice messages, and video calls in your pocket. 300 million people love WeChat because it's fast, reliable, private, and always on.\u00e2\u20ac\u00a2 Talk faster on the go with voice messages\u00e2\u20ac\u00a2 Crystal clear voice and video calls\u00e2\u20ac\u00a2 Instant messaging with group chats and animated smileys\u00e2\u20ac\u00a2 Chat with your friends or with people nearby\u00e2\u20ac\u00a2 Sending photos and videos has never been simpler\u00e2\u20ac\u00a2 Real walkie talkie mode with up to 40 friends\u00e2\u20ac\u00a2 Always on, no logouts, never miss a message\u00e2\u20ac\u00a2 Get message alerts instantly with push notifications\u00e2\u20ac\u00a2 Share, like, and comment on photos with your friends\u00e2\u20ac\u00a2 Import contacts and add friends instantly\u00e2\u20ac\u00a2 Available on Android and all other smartphones, all for freeWeChat works over your phone's existing data plan or any WiFi connection.", "devmail": "support@wechat.com", "devprivacyurl": "N.A.", "devurl": "http://www.wechat.com&sa=D&usg=AFQjCNESiALOmnwZv6N7VJ7EZM4l8PwI7A", "id": "com.tencent.mm", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.tencent.qqlauncher", "com.tencent.mobileqqi", "com.tencent.minihd.qq", "com.tencent.qqmusicpad", "com.tencent.qqmusic", "com.tencent.hd.qq", "com.tencent.qqphonebook", "com.tencent.qqpimsecure", "com.tencent.qqgame.hallinstaller.hall", "com.tencent.mtt", "com.tencent.mobileqq", "com.tencent.qqpim"], "name": "WeChat", "price": 0.0, "rating": [[" 4 ", 136820], [" 2 ", 21462], [" 5 ", 587935], [" 3 ", 62932], [" 1 ", 62999]], "reviews": [["Wat the helll", " Always showing pakage invalid even if I hav space in my phn... plz try to fix it egarly waiting to use ths app.. ill gv 5 stars aftr fixing it "], ["program shut down after android kitkat update eas installed", " people nearby and Shake cannot be used. once triggered, wechat shut down. this happened after android system updated yesterday. "], ["ERROR! PLEASE READ!", " We Chat can't fix the alias bug in the new update... I can change an alias but I can't remove it. Fix it and I'll change my review... Disappointed. "], ["Hey!! :(", " The thing says \"package invalid\". What the hell man. Fix i then it's back to 5 stars "], ["Can't view moments", " I can't view any pics,profile pics,emoticon and moments now. It popped out a box showing sort of 'memory card not available,can't view any moments,pics,audios' once I click moments. I checked with other apps and phone features, my phone's storage and memory card is functioning well. Please fix this. "], ["WTF", " Its always show server failure...i cant connect to the server...i have used many wifi n data it still show server failure...i have do the diagnostic but nothing happen...please fix it "]], "screenCount": 6, "similar": ["jp.naver.line.android", "com.kakao.talk", "com.sec.chaton", "com.qzone", "com.nimbuzz", "com.google.android.talk", "com.spartancoders.gtok", "com.sgiggle.production", "com.qqgame.hlddz", "com.androidsx.smileys", "us.findfriends.wechat", "com.facebook.orca", "tencent.qqgame.happylord", "com.viber.voip", "com.whatsapp", "com.instagram.android", "com.bbm", "com.qq.reader", "com.skype.raider", "kik.android"], "size": "23M", "totalReviewers": 872148, "version": "5.0.3.1"}, {"appId": "com.kakao.talk", "category": "Communication", "company": "Kakao Corp.", "contentRating": "Medium Maturity", "description": "KakaoTalk is a smartphone messenger for FREE calls and messaging. Send messages, photos, videos, voice notes and locations. Add fun to your KakaoTalk chats with lots of cute emoticons and stickers! About Us: \u00e2\u02dc\u2026Chosen by more than 110 million users worldwide \u00e2\u02dc\u2026Fast, fun, easy way to communicate with friends and family \u00e2\u02dc\u2026Uses internet connection (3G/EDGE or Wi-FI) for calls and messaging \u00e2\u02dc\u2026Supports: Android, iOS, BlackBerry, Windows OS, Bada Key Features: * FREE CHATS: Send FREE messages & multimedia (photos, videos, voice notes) * FREE CALLS: Make high-quality voice calls (1:1 and group) * GROUP CHAT: Enjoy group chats with unlimited number of participants * VOICE FILTER: Have fun during free calls with TALKING TOM & BEN's voice filters * EMOTICONS: Have fun using fun cute emoticons & custom themes * PLUS FRIEND: Get coupons & benefits from your favorite brands Other Amazing Features: * Share your location * Add friends using BlackBerry PIN * See who read your messages (unread count) * Swipe screen to move between tabs * Multitask during free calls (send messages in other chat rooms) * Schedule appointments, lunches, gatherings (w/ reminders) * Use KakaoTalk on any smartphone and PC (multi platform) * Add to the fun with Kakao mobile games Contact us at http://www.kakao.com/talk/en/contact Like us at http://facebook.com/kakaotalk Follow us at http://twitter.com/kakaotalk", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://www.kakao.com/talk&sa=D&usg=AFQjCNGIuJc0dM0R6bnojtgvzkq-H0OMfQ", "id": "com.kakao.talk", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.kakao.agit", "com.kakao.group", "com.kakao.page.partner", "com.kakao.story", "com.kakao.album"], "name": "KakaoTalk: Free Calls & Text", "price": 0.0, "rating": [[" 5 ", 881298], [" 3 ", 88917], [" 4 ", 189168], [" 1 ", 77595], [" 2 ", 27689]], "reviews": [["Kakaotalk with 4g not working", " I can receive messages thru 4g but it does not allow me to send anything. I know there are no issues on my side because I have been able to use other SNS apps perfectly fine. This has become a problem after the most recent update. PLEASE FIX. "], ["Add :D", " New to this thing. Feel free to add. Add my id:ItssNick. 16/m asian "], ["...", " I don't get it. When I want update latest version, it will show me text : Insufficient storage avaible -,-\" Anyone to help me? ;-; "], ["Seriously?!", " I dont get any signal whatsoever at my house which means i couldnt use this app when i really needed to because i had no service to recieve ur verification code assholes... But dont worry i finally got it 6 hrs later. "], ["Cute app! <3", " This is a cute easy and fun messenger with cool voice effects for calls. The emoticons are especially adorable:) 5/5!! "], ["Add meeee \u00e2\u2122\u00a1", " Looking for some new friends, anyone that is not boring to talk to. Hihi. But pervs will be blocked. Thanks. I'm asian/f/18. My id: LittleMissKei19 "]], "screenCount": 6, "similar": ["jp.naver.line.android", "com.sec.chaton", "com.talkray.client", "com.pinger.ppa", "com.nimbuzz", "com.google.android.talk", "com.textmeinc.textme", "com.facebook.orca", "com.viber.voip", "com.whatsapp", "com.fring", "com.talkatone.android", "com.bbm", "com.tencent.mm", "com.skype.raider", "kik.android"], "size": "11M", "totalReviewers": 1264667, "version": "4.1.1"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtacab.json_merged.json b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtacab.json_merged.json new file mode 100644 index 0000000..cb242d4 --- /dev/null +++ b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtacab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.talkatone.android", "category": "Communication", "company": "Talkatone, Inc", "contentRating": "Low Maturity", "description": "Free Calling and Texting to any phone in US and Canada. Make your Android device a true free Internet phone. No strings attached! Unlimited FREE calling, texting and picture sharing to Facebook and Google friends, or any phone number in US and Canada (requires free Google Voice\u00e2\u201e\u00a0 account). Login with Facebook or Google account to make free calls and chat with friends anywhere in the world, even when you are on a plane. Configure your Google Voice\u00e2\u201e\u00a0 to have absolutely FREE calls and SMS to regular phone numbers in North America. Share pictures with friends who also use Talkatone app. You don't have to earn calling credits with Talkatone app to make free calls to anyone in US and Canada - you just make free calls without worrying about your minutes. And yes, there is no limits on free calls to US and Canada.*** TOP FEATURES *** \u00e2\u20ac\u00a2 Free calling and texting over WiFi or 3G/4G* \u00e2\u20ac\u00a2 Free incoming calls and texts** \u00e2\u20ac\u00a2 Calls and texts with Facebook friends without phone numbers worldwide \u00e2\u20ac\u00a2 Universal Address Book\u00e2\u20ac\u00a2 Voicemail access (requires Android 3.0/Honeycomb or newer)\u00e2\u20ac\u00a2 High quality audio with voice compression for calls.\u00e2\u20ac\u00a2 Highest-rated free phone calling app \u00e2\u20ac\u00a2 Unbeatable FREE support within 24 hours. (*Internet provider data charges may apply) (** free Google Voice number to receive incoming calls is available for US users only)*** IMPORTANT *** \u00e2\u20ac\u00a2 To minimize data and battery usage during the calls and while app is idle, you'll be connected to Google through Talkatone's servers. Contact Talkatone Support for more details. \u00e2\u20ac\u00a2 Free phone calls to regular phones in US and Canada requires an existing Google Voice\u00e2\u201e\u00a0 account. \u00e2\u20ac\u00a2 Free SMS texting is available for US users only. *** FINE PRINT *** To cover the cost of development and providing the service Talkatone app displays banner ads.For calls initiated through main dialer and completed by Talkatone app, a pre-roll ad may be shown once in a while.Upon first login to your Google account you will receive welcome email with activation/setup instruction for calling and/or texting and initial calling activation needs to be completed on your computer.Facebook\u00e2\u201e\u00a0 graph and chat are provided by Facebook Platform. Talkatone, Inc is NOT affiliated with Facebook. Google Talk\u00e2\u201e\u00a0 and Google Voice\u00e2\u201e\u00a0 services are provided by Google, Inc. Talkatone, Inc is NOT affiliated with Google, Inc. Google Voice\u00e2\u201e\u00a0 is a call enhancement service which may not route emergency (911) calls. Please lookup non-911 number for emergency services in your area and add it to your contacts to initiate calls in case of emergency.Google Voice\u00e2\u201e\u00a0 free calling is available for US and Canada users only.For International calls (outside of US and Canada), please review Google Voice\u00e2\u201e\u00a0 calling rates.Free SMS texting with Google Voice\u00e2\u201e\u00a0 is available for US users only.Google Voice\u00e2\u201e\u00a0 does not support international SMS.*** WEB PRESENCE *** http://www.talkatone.com/ http://facebook.com/talkatone http://twitter.com/talkatone", "devmail": "support@talkatone.com", "devprivacyurl": "http://www.talkatone.com/privacy.html&sa=D&usg=AFQjCNHQgFafMtf8sAVBk2z0j3pQK_eLMg", "devurl": "http://www.talkatone.com&sa=D&usg=AFQjCNEoJdVk-a10lsG5770tJ-RL6hJQFQ", "id": "com.talkatone.android", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Talkatone free calls + texting", "price": 0.0, "rating": [[" 2 ", 346], [" 1 ", 1188], [" 4 ", 1208], [" 5 ", 4902], [" 3 ", 690]], "reviews": [["Free way to call +1 numbers from anywhere in the world", " But that being said, I need to report the following issue: Talkatone automatically sets the phone on silent mode once you place the call, and because of that, never heard my alarm in a morning (which made look very bad in front of my company's management). I was planning to purchase the pro upgrade, but now i have to start looking elsewhere, please fix the problem. Much appreciated. "], ["Using again...", " I used this in the past. It did seem to have connection issues such as low volume of voices on 3g and sometimes WiFi. My WiFi is the slowest DSL Verizon offers. I just tried it again and it worked great on 4g. Not sure how it works on my WiFi yet, I will try that and update this review. Overall a good service. I have limited minutes but have unlimited data still so this appears to be a win for me. To add new contacts you have to add them to your Google account associated with your Google voice account. "], ["Receiving Calls", " Great update\u00e2\u20ac\u00a6 because now I am able to receive incoming calls to my S3 when friends call my google voice number. Now I get absolutely free incoming and outgoing calls without using my plan minutes : ) "], ["Some aggrivating features but works", " Almost awesome. The box asking to retry to connect to network when not on wifi pops up blocking access to the app unless on network and makes it so we cannot access anything. I have to have GV widget next to app icon 4this reason Why??? And why no widget? "], ["Great new ui, still minor issues", " Conection fair, when it disconnects you get a big connecting to server pop up that won't let you access your convo list or contacts until reconnects, I fixed the history problem by deleting my history from gvoice website "], ["very impressed and so happy", " I've been searching the Google Play Store up and down for a app that lets me talk and text to anyone unlimited without them having to install the app. I like magic jack but I didn't like the long phone number people had to dial and it took away my phone's voice input. this app runs off of Google Voice and it is incredible. great job 5 stars. recommending it to everybody "]], "screenCount": 9, "similar": ["jp.naver.line.android", "com.kakao.talk", "com.talkray.client", "com.moplus.gvphone", "com.pinger.ppa", "com.fring", "com.hushed.release", "com.mediafriends.chime", "com.textmeinc.textme", "com.viber.voip", "com.magicjack", "com.yuilop", "com.moplus.moplusapp", "com.gogii.textplus", "com.skype.raider", "com.wicall"], "size": "Varies with device", "totalReviewers": 8334, "version": "Varies with device"}, {"appId": "com.handcent.plugin.emoji", "category": "Communication", "company": "handcent_market", "contentRating": "Everyone", "description": "Plugin for handcent SMS only ,you can send many cool/funny emoji icons to the iphone or android phone that installed handcent +emoji plugin. All the emoji are sent by SMS ,needn't MMS.** HOW TO USE**Just installed this plugin and enable it from by insert smileys from handcent and choose \"emoji\" menu item,if you send to android phone ,please make sure the recipient has been installed HANDCENT SMS & HANDCENT EMOJI PLUGIN also.if you send to iphone ,it will disaply directly without install any application or plugin.** FOR US USER**Handcent SMS 3.7.2 + Emoji Plugin 1.1 has been supported send Emoji to AT&T iphone from any carrier's android phone. It also supported send emoji to all carrier's android phone that installed handcent + emoji plugin,please update *** App2SD ***This plugin support App2SD,you can move it to SDCARD and save your internal memory space*** iOS6.0 EMOJI***Version 3.0 has been supported iOS6 Emoji display and input ,please update this plugin and update Handcent SMS to Version 4.5 also **** Please read HOW TO USE before give bad comment ****", "devmail": "market@handcent.com", "devprivacyurl": "N.A.", "devurl": "http://www.handcent.com&sa=D&usg=AFQjCNGrnh2Z5e_ZdMImYnca8lA9PxHGGA", "id": "com.handcent.plugin.emoji", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.handcent.lang.nextsms.de", "com.handcent.nextsms.skin.silver", "com.handcent.plugin.locate", "com.handcent.nextsms.skin.metal", "com.handcent.nextsms.skin.winter.red", "com.handcent.nextsms.skin.valentineday", "com.handcent.nextsms.skin.hellokitty", "com.handcent.nextsms.skin.darkness", "com.handcent.nextsms.skin.summer", "com.handcent.lang.nextsms.es", "com.handcent.smspro", "com.handcent.fontpack.pack4", "com.handcent.fontpack.pack5", "com.handcent.nextsms", "com.handcent.nextsms.skin.summer2", "com.handcent.sms.skin.ios7beta", "com.handcent.lang.nextsms.fr", "com.handcent.fontpack.pack2", "com.handcent.smileys.android"], "name": "Handcent Emoji Plugin", "price": 0.0, "rating": [[" 5 ", 29445], [" 4 ", 8340], [" 3 ", 4603], [" 2 ", 1672], [" 1 ", 5172]], "reviews": [["Glitchy", " It was a decent app until the latest update. All the emojis are out of order and don't match with the picture. Please fix ASAP! Other weird things like text disappearing when erasing a emoji and then you put backspace again and everything re-appears. App needs to be fine tuned. "], ["Scrolling", " Since the update, scrolling from page to page is very slow. It takes forever to get to the emojis on the last page. The update really wasn't necessary in my opinion. Was working just fine before "], ["Doesn't work, period", " I've had 2 different phones y have sent these to people with all different kinds of cells, android y iPhones. while d icons look fine on my screen, the receivers never see the icons but a bunch of letters y numbers that don't make sense...???? They can forward that mess to me y then i see it fine, how it should look, weird.... "], ["One Star", " Motorolla Droid OS: Jellybean. Updates as of 10/16/13, causes phone/OS to be incredibly unstable. System lags with sending text msgs. (even when text msgs from all active users are cleared. Liked the performance before recent updates. Guys: If it ain't broke...don't fix it. "], ["I don't understand", " I want to know why i cound send emoji smileys bt when my friends reply back with emoji smileys i can't see them...why is this happening? "], ["Hmm... It can get 5...", " Its fun....But... :-I Wont add emoji... "]], "screenCount": 8, "similar": ["bazinga.emoticon", "KLye.Goomoji", "com.textra.emoji", "com.google.android.talk", "iec.mychatsticker.emoji", "com.androidsx.smileys", "com.contapps.android.emojis", "com.jb.gosms", "com.plantpurple.emojidom", "com.androidsx.chatboosterpro", "com.p1.chompsms.emoji", "com.empireapps.Emoji2", "com.p1.chompsms"], "size": "4.8M", "totalReviewers": 49232, "version": "4.2"}, {"appId": "com.opera.mini.android", "category": "Communication", "company": "Opera Software ASA", "contentRating": "Everyone", "description": "Try the world\u00e2\u20ac\u2122s fastest Android browser.Find out why 250+ million people around the globe love the Opera Mini web browser:- SPEED: Even webpages with lots of images and graphics load in a snap.- SAVINGS: Cut data costs by up to 90% with our unique compression technology.- SIMPLICITY: Bigger buttons and a clear layout make Opera Mini easy to use for everyone.- STABILITY: Go further on the web with a browser that can keep up with you.- SOCIAL: Opera Mini plays well with others. It works on just about any phone that can connect to the internet!Download right here on Google Play. The official version of Opera Mini is always free to install and use.New and improved features include:- Set all your favourite websites on the home screen of your browser with Speed Dial. There\u00e2\u20ac\u2122s no limit to the number of entries you can add.- Find out what\u00e2\u20ac\u2122s happening with Smart Page. It delivers instant updates from Facebook, Twitter and the latest news.- Multitask and switch between open pages with tabs.- Save pages to read later, or for times you\u00e2\u20ac\u2122re not connected to the internet.- Get music, movies and more when it\u00e2\u20ac\u2122s convenient for you with the download manager.Opera Mini is the best web browser for phones made by:- Samsung- Sony- GioneeAlso check out the Opera browser (http://play.google.com/store/apps/details?id=com.opera.browser), if your device is on Android version 4 (Ice Cream Sandwich) or higher.About OperaMade in Scandinavia, Opera is the independent choice for those who care about quality and design in their web browser. Since 1994, our products have been crafted to help people around the world find information, connect with others and enjoy entertainment on the web.Enjoying Opera? +1 us on Google+!Discover more at http://opera.com/mobile/Keep in touch:Twitter \u00e2\u20ac\u201c http://twitter.com/opera/Facebook \u00e2\u20ac\u201c http://www.facebook.com/opera", "devmail": "support@opera.com", "devprivacyurl": "http://www.opera.com/privacy&sa=D&usg=AFQjCNG0l61Xn651AUwOrhJzDN0hfj1_gg", "devurl": "http://www.opera.com&sa=D&usg=AFQjCNEWjrTRxO2WL8FzyZeelg0ba0vy3A", "id": "com.opera.mini.android", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.opera.browser.beta", "com.opera.browser", "com.opera.micro", "com.opera.browser.yandex", "com.opera.mini.android.yandex", "com.opera.mini.vfgroup", "com.opera.browser.classic"], "name": "Opera Mini browser for Android", "price": 0.0, "rating": [[" 4 ", 295404], [" 2 ", 21964], [" 1 ", 39536], [" 5 ", 1068897], [" 3 ", 83476]], "reviews": [["Little error", " Few days ago I couldn't access the operamini. I don't know why. When I opened it, it showed blank page. So I uninstall and download it again. Now it back to normal.. oh my saved pages gone :'( I hope this never happen again. I really love this app "], ["Missing something...", " Facebook lacks profile pictures in news and some links, video previews are missing. Found a few other things, but it's not anything I can't get around. Very fast compared to factory installed browser. "], ["I am hurt!!!", " I have been using opera since time remember when! But this time as I updated Opera Mobile to Browser...my Vid download options for FB just disappeared. So I uninstalled and switched to Mini...and the video download option is still gone. :( I am hurt by Opera for the first time...downloaded UC seeing no other way! "], ["Please fix some error..?", " When i launch a google search and any website it will show nothing , because of that i cannot enter any web.... Oh my english.. "], ["Slow connection", " i tried downloading files via opmin and xperia neo l browser, and the winner is my xperia browser. please fix and improve the speed connection so i can give more stars "], ["No idea", " Hey mere isme opera mini nhi chl rha h... mene 4 br dwnlod kr lia.. 15 min tk open hi nhi hota h.. pls suggest me kya kru.. mene dlt kr k wps se install b kr lia 3 br.. but phr b nhi chl rha... Pls pls pls suggest.... "]], "screenCount": 6, "similar": ["com.boatbrowser.free", "org.mozilla.firefox", "com.boatgo.browser", "com.jiubang.browser", "com.android.chrome", "mobi.mgeek.TunnyBrowser", "com.uc.browser.hd", "com.mx.browser", "org.easyweb.browser", "com.UCMobile.intl", "com.ww4GSpeedUpInternetBrowser", "com.tencent.ibibo.mtt", "com.ninesky.browser"], "size": "926k", "totalReviewers": 1509277, "version": "7.5.3"}, {"appId": "com.google.android.gm", "category": "Communication", "company": "Google Inc.", "contentRating": "Low Maturity", "description": "Gmail is built on the idea that email can be more intuitive, efficient, and useful. And maybe even fun. Get your email instantly via push notifications, read and respond to your conversations online & offline, and search and find any email. Gmail also lets you:\u00e2\u20ac\u00a2 Manage multiple accounts\u00e2\u20ac\u00a2 View and save attachments\u00e2\u20ac\u00a2 Set up label notifications", "devmail": "N.A.", "devprivacyurl": "http://www.google.com/policies/privacy&sa=D&usg=AFQjCNE7y6nm7TcHvct7CDJRmWrYBHvMEQ", "devurl": "http://support.google.com/mail/bin/topic.py", "id": "com.google.android.gm", "install": "500,000,000 - 1,000,000,000", "moreFromDev": ["com.google.android.voicesearch", "com.google.android.talk", "com.google.android.play.games", "com.google.android.tts", "com.google.android.apps.plus", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.android.apps.maps", "com.google.earth", "com.google.android.apps.books", "com.google.android.apps.translate", "com.google.android.inputmethod.latin", "com.google.android.street", "com.google.android.apps.magazines", "com.google.android.music"], "name": "Gmail", "price": 0.0, "rating": [[" 2 ", 24535], [" 1 ", 58191], [" 4 ", 131349], [" 3 ", 62076], [" 5 ", 487203]], "reviews": [["1 account?!?!?", " Have work and private accounts. Just bought a new HTC Butterfly S and can't access my accounts. Works on my Pad but not on the mobile. Seems to be the issue for everyone. Here is one more 1 star for slow response with update ;-/ "], ["Pls don't update in Android 4.0 (Ice Cream Sandwich).", " i'm using Micromax Canvas Android 4.0 smart phone. after update, my phone is continuously restarting in every 10 second. i can't able to do anything. i removed my sim card and SD card, still it's restarting. i don't no how to uninstall this Gmail with in 10 second. i think only the option is full format.... :(( :(( Pls be carefull... "], ["Samsung Galaxy S4 mini", " Previously posted could not add both accounts to S4 mini but I figured it out and can now view and access both accounts. Had to go to Settings, Add accounts, Google, then add existing account. "], ["Gmail cannot open zip files", " Sad that I cannot open zip files although I downloaded an app for \"zipping\" and opening those files. Gets quite inconvenient :( Pls look into it thank you :) "], ["Always show this senders pictures?", " Why do I always have to select to show pictures on emails I get often from senders. I should not have to select over and over when we select to show always. Show my Pictures for email I want shown! Come On. "], ["Number of new emails seen but never loads.", " Latest update.. shows the number of emails I have on top but no matter how much I refresh the emails don't show up! Wish could have an option to load the previous version release till a fix is available. "]], "screenCount": 14, "similar": ["jp.naver.line.android", "com.fsck.k9", "org.mozilla.firefox", "com.sec.chaton", "com.maildroid", "com.sonyericsson.extras.liveware.extension.gmail", "com.android.chrome", "com.antivirus", "com.facebook.orca", "com.viber.voip", "com.whatsapp", "com.opera.mini.android", "com.outlook.Z7", "com.bbm", "com.yahoo.mobile.client.android.mail", "com.skype.raider", "com.sec.spp.push"], "size": "Varies with device", "totalReviewers": 763354, "version": "Varies with device"}, {"appId": "com.webascender.callerid", "category": "Communication", "company": "WhitePages", "contentRating": "Low Maturity", "description": "Current Caller ID identifies unknown callers & texters, adds weather & social updates for known contacts, and allows you to block unwanted calls & texts -- all in one app!**50 Best Android Apps for 2013 - TIME Magazine**Top 10 App of 2012 by TIME Magazine **** Android App of the Week - Gizmodo ****2013 Webby Awared Nominee**\"WhitePages\u00e2\u20ac\u2122 new Current Caller ID app is the future of smartphone calling\" - VentureBeat\"Caller ID on steroids\" - HuffingtonPostOver 300 million home, business and mobile phone numbers identified for free, from the #1 and most trusted people directory.Stay in the know with those you are closest to -- Current Caller ID brings in the latest social updates from your Facebook, Twitter and LinkedIn friends. Don\u00e2\u20ac\u2122t miss an update from your mom because that guy you went to high school with keeps posting about his breakfast on Facebook. Control who gets your attention by blocking calls & texts of those who you\u00e2\u20ac\u2122d rather not hear from like telemarketers, text scammers, and even the occasional ex-significant other.Stay up to date and make conversations easier and more fun, with local news and weather for your top contacts, even if they\u00e2\u20ac\u2122re not keen on the social networks. Current Caller ID helps you: - Stay up-to-date effortlessly with social and local information for each caller and texter- ID incoming and outgoing numbers, including businesses and mobile phones.*- Block calls & texts so you control who gets through.- Manage all your calls, texts and contacts in one place- Have fun with infographics about your calling and texting habits with friends and family- Keep your favorite people a tap away on your home screen with the Frequent Contact Widget*ID may be post-call on Verizon/SprintKW: white pages, reverse phone, Call ID, Text ID, blocking, social", "devmail": "android.wp@gmail.com", "devprivacyurl": "http://www.whitepages.com/privacy&sa=D&usg=AFQjCNHuseJDXof9XgMyupx1k0AXJpyeDA", "devurl": "http://whitepages.com/&sa=D&usg=AFQjCNFvH89W2lOra9uzNPIIm3p2UOTtNQ", "id": "com.webascender.callerid", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Current Caller ID", "price": 0.0, "rating": [[" 2 ", 988], [" 1 ", 1676], [" 3 ", 3756], [" 4 ", 12330], [" 5 ", 29184]], "reviews": [["Doesn't always display the correct state and city but otherwise works for me. Fix ...", " Doesn't always display the correct state and city but otherwise works for me. Fix that and I will be glad to give 5 stars. "], ["White Pages", " This really helps when different companies call during my work hours. Makes looking at my phone less obvious. "], ["Might be a little bipolar", " this app might be a little bit bipolar... Sometimes it tells you the contact information sometimes it doesn't its not that bad to the point of deletion can use a little bit more work ... Samsung Galaxy s3 "], ["GOOGLE USER", " GREAT APP, COMES IN HANDY..!! I USE IT A LOT, PEOPLE HAS THIS HABIT OF CALLING ME, BUT YET THEY BLOCK THEIR NUMBER, IF YOU BLOCK YOUR #, I SIMPLY ( BLOCK THAT UNIDENTIFIED CALLER ) "], ["It's alright", " Cool it's able to see the names not on my contact list but not all numbers. So yea I now know who been calling me. "], ["Great apps!!", " Love it!! The best ever, deserve 10 stars,block all my unwanted calls!!!! good job keep it up. "]], "screenCount": 6, "similar": ["jp.naver.line.android", "com.whitepages.cricket411", "com.rcplus", "com.mrnumber.blocker", "net.kgmoney.TalkingCallerIDFree", "com.callerinfo.callerinfo", "com.whitepages.search", "com.whitepages.localicious", "com.visinor.phonewarrior", "in.andapps.callerlocationin", "in.andapps.broadcastreciverdemo", "com.adaffix.cia.glb.android", "com.viber.voip", "com.whitepages.metro411", "com.contactive", "gogolook.callgogolook2", "com.truecaller", "com.androminigsm.fsci", "com.skype.raider", "me.truecontact.free"], "size": "2.0M", "totalReviewers": 47934, "version": "4.3.1"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtadaa.json_merged.json b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtadaa.json_merged.json new file mode 100644 index 0000000..508a3dd --- /dev/null +++ b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtadaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.appsverse.photon", "category": "Communication", "company": "Appsverse, Inc.", "contentRating": "Everyone", "description": "Photon Flash Player for Android app is finally here! Photon Flash Browser for Android devices is the leading #1 browser for Flash player plugin support and video streaming that liberate your browsing experience on Android. Our leading edge technology allows the user to browse the web fast, runs Javascript at speeds faster than Chrome or Firefox on your device (during cloud streaming mode). Users can play Flash without installing or downloading any Flash plugin (which is currently also not available and possible after Adobe pulled Flash support for Android officially). Photon Flash Player and Web Browser Free supports Flash games, Flash videos and Flash websites. You can browse natively on the browser and when you need Flash support, you just need to click the lightning bolt button to activate Flash support for your Android tablets or phones. You can use Photon Flash Player for free with ads or purchase a yearly premium pass to remove ads.Advanced Browser Features-------------------------1) Unlimited tab support2) Intelligent url bar that allows you to search and type your url from one single toolbar.3) Browse full screen4) Incognito and private browsing support allows you to erase browsing history with every session5) Customize your browser colors and make it personal. Choose from thousand of colors.6) Bookmark with folders support7) Desktop browser and multiple user agent support. Masquerade as Safari, Chrome, Internet Explorer IE or Firefox with our desktop mode to view websites in their full desktop version.Adobe Flash Player Support------------------------------------------Although 3rd party browsers such as Chrome, Firefox, Dolphin and Opera supports native Adobe Flash plugin, it still take a little work to get it installed assuming you can find it on Google play store. With Photon browser, you no longer need to find and search for the Adobe Flash Player plugin or install any Adobe Flash APK files for Android. Nor do you need to scratch your head and figure out how to install it even if you can officially find it. Photon Flash Player & Browser comes with Flash support without the headache of configuring and installing. It Just press Photon's magical lightning bolt button and start enjoying Flash on your device. The cloud based SWF and FLV player is powered by powerful cloud servers to deliver you the best FLV video experience. We also challenge you to download it for free and see how we stack up against other other 3rd party cloud based Flash player such as Puffin and Skyfire. Millions of users are already enjoying the benefits of Flash support on their devices. Join them and download Photon for free. The Flash app also comes with advanced features including:+ Local Access mode allows users to watch local TV stations and sites that may block based on geographical IP+ Dynamic bandwidth adjustment allows you to adjust your video stream bandwidth on the fly to optimize viewing experience and save data bandwidth+ Different Flash mode allows you to optimize your experience for video whether it is watching football games, movies, opera, playing Facebook games or browsing.+ 3 navigation modes. Finger mode allows you to touch and flick. Drag hand mode allows you to drag game maps and other items easily in Flash. Mouse mode allows you to treat your screen like a trackpad and provides for precise navigational control for mini navigational elements.+ FLV player and SWF player support+ Flash file viewer and downloading will be supported in future releases.+ Support up Flash Player 9.0, Flash Player 10, Flash player 11 & 11.1.+ Support Flash player for Android 2.3, 3.0, 4.0, 4.0.4, 4.1, 4.1.1 or higher and Samsung S4, S3, Nexus 7.Tags: flash, best flash browser, browser, web browser, mobile browser, mobile web browser, android browser, android web browser, best browser, download browser, \u00e5\u201a\u00b2\u00e6\u00b8\u00b8, \u00e9\ufffd\u00a8\u00e6\u00b8\u00b8, \u00e6\u00b5\ufffd\u00e8\u00a7\u02c6\u00e5\u2122\u00a8, \u00e6\u2030\u2039\u00e6\u0153\u00ba\u00e6\u00b5\ufffd\u00e8\u00a7\u02c6\u00e5\u2122\u00a8, flash player for android", "devmail": "support@appsverse.com", "devprivacyurl": "http://www.appsverse.com/Privacy&sa=D&usg=AFQjCNFfsavlAd_qcuC5Fj04op91s2Gv4g", "devurl": "http://www.appsverse.com&sa=D&usg=AFQjCNHo6d7yGicuQBd4JPzJCFaI1-a0Zw", "id": "com.appsverse.photon", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.appsverse.privatebrowser"], "name": "Photon Flash Player & Browser", "price": 0.0, "rating": [[" 2 ", 1132], [" 3 ", 3282], [" 1 ", 3536], [" 5 ", 10515], [" 4 ", 5857]], "reviews": [["The paid full version of this app is great! I bought this to run ...", " The paid full version of this app is great! I bought this to run screencasts on my tablet for lectures at my university. It works great for this! The only reason I gave this 4 instead of 5 stars is because the flash stops if you leave the browser at all causing an error message when you return to the page. "], ["This app is crap", " Runs super slow and if you have to leave the page for any reason it doesn't allow you to return. I wasted 10 min trying to do something simple and said screw this. Also, it's not free. "], ["Hate the app", " I needed flash for online streaming of sports and since droid discontinued it I had to download another browser. This was one of top rated ones on a Google search and I have regretted it ever since I started using it. I had a free version first and it didn't let me browse to any site with flash mode on, it will stick me in a loop of ads and viruses. Just a god awful way for marketing. I finally had to download flash Apk and use it with beta version of Firefox and haven't looked back from that. "], ["Great app!!", " I started to use puffin, and it was super slow and kept having a lot of glitches. I payed 2.99 for puffin and it was a waste of money. Photon flash player and browser cost me 9.99, and it was worth every penny, I can do my online chemistry homework on it, no problem, and I can view my echo360 lectures for school. I love this app, I almost resorted to buying a windows tablet, and this app saved me a good chunk of money. If you start using puffin first, then switch to photon flash player and browser, you'll really appreciate the difference! "], ["Pure garbage", " Wayy too many ads, barely navigatable. Poorly designed and badly done. This is pure garbage, too much greed and no quality. Useless "], ["Didn't work", " I did the 9.99 upgrade thinking maybe it will work the way I wanted it to. It would jump around on the page and not allow the video to go fullscreen. It kept opening a new tab without me wanted a new tab open. Overall very buggy. "]], "screenCount": 8, "similar": ["com.boatbrowser.free", "org.mozilla.firefox", "com.adobe.reader", "com.jiubang.browser", "com.usopen.brinker.ho", "air.br.com.bitlabs.FLVPlayer", "com.android.chrome", "mobi.mgeek.TunnyBrowser", "com.opera.browser", "com.mx.browser", "com.issess.flashplayer", "com.cloudmosa.puffinFree", "com.cloudmosa.puffin", "com.andy.flash", "com.opera.mini.android", "com.UCMobile.intl"], "size": "11M", "totalReviewers": 24322, "version": "2.2"}, {"appId": "com.google.android.talk", "category": "Communication", "company": "Google Inc.", "contentRating": "Medium Maturity", "description": "Hangouts brings one-on-one and group conversations to life with photos, emoji, and video calls for free. Connect with friends across computers, Android and Apple devices. Brought to you by Google+.\u00e2\u2014\ufffd Say more with photos, emoji, and animated GIFs.\u00e2\u2014\ufffd See when people are together in Hangouts, when they\u00e2\u20ac\u2122re typing, or whether they\u00e2\u20ac\u2122ve seen your message.\u00e2\u2014\ufffd Send and receive text messages (SMS/MMS) with Hangouts. Switch between SMS and Hangouts when messaging a friend. You can also do group MMS conversations.\u00e2\u2014\ufffd Turn any conversation into a video call with up to 10 friends.\u00e2\u2014\ufffd Message friends anytime, even if they're not connected right now.\u00e2\u2014\ufffd Use Hangouts on computers, Android and Apple devices.More Hangouts awesomeness:\u00e2\u2014\ufffd Hangouts stay in sync across devices so you can start or continue them anywhere.\u00e2\u2014\ufffd Choose from hundreds of emoji to help you make your point.\u00e2\u2014\ufffd See what you talked about in the past, including shared photos and your video call history.\u00e2\u2014\ufffd Get notifications just once. Once you see an alert, you won\u00e2\u20ac\u2122t see repeats on your computer or other Android devices.\u00e2\u2014\ufffd View collections of photos shared from each of your Hangouts.\u00e2\u2014\ufffd Snooze notifications at times when you\u00e2\u20ac\u2122d prefer to be undisturbed by alerts.\u00e2\u2014\ufffd Quickly share a location with your friends.Notes:\u00e2\u2014\ufffd Unlike Google Talk, Hangouts does not support \"invisible\" status.", "devmail": "android-apps-support@google.com", "devprivacyurl": "http://www.google.com/policies/privacy&sa=D&usg=AFQjCNE7y6nm7TcHvct7CDJRmWrYBHvMEQ", "devurl": "https://support.google.com/hangouts/", "id": "com.google.android.talk", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.google.android.gm", "com.google.android.voicesearch", "com.google.earth", "com.google.android.play.games", "com.google.android.tts", "com.google.android.apps.plus", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.android.apps.maps", "com.google.android.apps.books", "com.google.android.apps.translate", "com.google.android.inputmethod.latin", "com.google.android.street", "com.google.android.apps.magazines", "com.google.android.apps.googlevoice", "com.google.android.music"], "name": "Hangouts (replaces Talk)", "price": 0.0, "rating": [[" 4 ", 37299], [" 5 ", 117468], [" 2 ", 16623], [" 1 ", 66914], [" 3 ", 28177]], "reviews": [["Has Potential", " This app is alright. I like that it stays in sync between my phone and tablet and computers, but not being able to see who is online and available is a strange move. That's functionality that has been in every chat app I've ever used for over 15 years. "], ["Very laggy", " Slow and at time unresponsive. Other than that its a good app. Just needs some more butter "], ["Better", " You can now supposedly see who is on mobile or computer but I don't see it. Adds SMS on my phone so i only have to use one app...great. Wish I could text from my tablet using my phone. The search works well when you know the name but there is no good contact list its suggested people mushed in with my phones contacts. Not many options to customize. Could use a few key features people are expecting for a top messaging app and potentially could be amazing. "], ["No free sms", " I updated only thinkg it wud provide me free sms. But it turned false. Its doesnt have any special feature. It will be dumped like g+, no doubt "], ["Why group MMS?", " Very good and clean-looking app. I favour this compared to Samsung's native messaging app. But just one thing though: why is the group SMS automatically switched to group MMS? Is there any ways of making it SMS instead? "], ["1 less star", " 1 less star for not showing the contact details when we I press the profile picture. Also if I'm talking to someone.. It doesn't matter if its hangouts or SMS for 10 different numbers.. Group them together! Finally, SMS should be backed up automatically to gdrive, optionally of course "]], "screenCount": 15, "similar": ["com.kakao.talk", "jp.naver.line.android", "org.mozilla.firefox", "com.sec.chaton", "com.android.chrome", "com.antivirus", "com.alpha.chatxmpp", "com.facebook.orca", "com.viber.voip", "com.whatsapp", "com.skymobius.vtok", "mobi.androidcloud.app.ptt.client", "com.bbm", "com.tencent.mm", "com.skype.raider", "com.sec.spp.push"], "size": "13M", "totalReviewers": 266481, "version": "2.0.128"}, {"appId": "com.foxfi", "category": "Communication", "company": "FoxFi Software", "contentRating": "Everyone", "description": "Turns your Android phone into a free WiFi Hotspot - no rooting or tether plan required. You can connect from any computers or tablets or even game console. Access Point is infrastructure mode with WPA2 security. FoxFi usage is covered under the same phone data plan you have and no tether plan needed. This saves you $20/month from your carrier.Currently WiFi mode may not support some phone models and we are working to expand the supported list. However Bluetooth/USB mode works for all phones. To check and see if WiFi mode can be supported on your phone visit http://foxfi.com/devicesAgain you do not need a tether plan or root your phone (otherwise this software will be meaningless). It WiFi mode prompts you to call your carrier that means FoxFi has failed and you should use USB mode or Bluetooth mode instead.*If you have T-mobile, you should use USB mode with \"Hide Tether Usage\" enabled.*Sprint and AT&T has removed FoxFi from Market. If you can not find FoxFi please install or upgrade from http://pdanet.co/bin.*Some Jelly Bean phones has locked-down the WiFi hotspot feature, because of that FoxFi will ask you to install a user certificate on those phones. The side effect is that Android system will require you to set a screen lock (and only allows Pattern, PIN or Password) when any security settings is changed. There is indeed a way to remove the lock screen while keeping the certificate: set a pattern lock and try to unlock the phone with a \"bad pattern\" for 5-10 times, it will show you an error message, now select \"Forgot Pattern?\" and enter your gmail/password. After these steps the screen lock will be removed without removing the certificate. *AT&T Galaxy S4 with latest firmware update: you will see a message to call AT&T when you turn on WiFi mode. Please do NOT close that message (or simply hit the home button to hide the message). You will still be able to use the WiFi Hotspot. Probably does not apply to 4.3.*The free version has a usage limit that requires you to restart FoxFi to continue using free mode. You can purchase the full version key to unlock this.Here are some tips to help your usage:1. On some models if you run into WiFi problem after using the Hotspot, simply reboot your phone and rename the hotspot before activating to clear the issue.2. For some Samsung phones if your computer is not able to get an IP address, try to turn on WiFi on the phone first and make sure it does not connect to any WiFi network, then turn on FoxFi.3. FoxFi is tested on non-rooted phones. If your phone has a rooted ROM it may or may not work.4. When WiFi hotspot is activated you may also see a hotspot notification of the built-in WiFi hotspot feature. Please ignore it. As long as you do not sign up for a tether plan you won't be charged.5. If you enter or change the hotspot password, make sure you rename the hotspot also before activating.6. Sometimes Windows need a \"repair\" on the WiFi menu to get a correct IP address.7. If you install the FoxFi AddOn app, you will also be able to hide tether usage by setting a proxy server address in the computer browser.", "devmail": "foxfi1@foxfi.com", "devprivacyurl": "http://foxfi.com/privacy.php&sa=D&usg=AFQjCNG14xsmbQw0S7Yjv1nvx--L5R6xtA", "devurl": "http://foxfi.com/", "id": "com.foxfi", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "FoxFi (WiFi Tether w/o Root)", "price": 0.0, "rating": [[" 5 ", 18469], [" 4 ", 2284], [" 2 ", 914], [" 3 ", 1313], [" 1 ", 5372]], "reviews": [["Won't work twice!", " It worked the first time, every time after was a Fail! Even after reinstalled. It said to contact verizon...um, no. Thumbs up this comment if it's happened to you! Galaxy S4. "], ["Does not work with Verizon", " Verizon pushed out am update for their operating system (Jelly Bean). This prevents systems like Droid Razor and Razor Max from using the hotspot capability. You can still tether your phone but doesn't help if you want to connect to an IPad. "], ["No worky on LG G2", " This is a great app, and it worked pretty well on my razr. Won't work on my G2. Please add support for the LG G2! Update: still not working on the G2. For those of you rating this app and giving five stars even though it doesn't work on your device, STOP. People looking into this app may not read your review and just look at the average rating. If you want the app fixed, rate it properly to reflect that it does not work in your current device. "], ["No Support For LG G2", " I'm on the road for days at a time and this app was a must have. Worked perfect with my Droid Razr. Just got an LG G2 though, and it doesn't work. Please, please fix it. Paying customer who really needs this app to work on LG G2. Will go back to 5 stars if made compatible. 11/11/13 Update: The latest update has apparently fixed most phones, but still not the LG G2. Extremely frustrating, as I've paid for this app, and would even be willing to pay again since I have a new device. "], ["No longer works on Verizon", " Now that I finally have the paid version, the newest Verizon update has disabled it. There was a Foxfi update today that I thought might fix it, but no, it still won't work on my S4 "], ["Stopped working", " I have an S4 on Verizon and it doesn't work anymore. I get a screen telling me I have to subscribe to Verizon's hot spot service. "]], "screenCount": 2, "similar": ["com.svtechpartners.wifihotspotdemo", "og.android.tether", "com.foxfi.addon", "com.wifi.hotspot", "com.manchinc.android.mhotspot", "com.foxfi.key", "primiprog.waw", "net.szym.barnacle", "net.snclab.wifitetherrouter", "com.taiseiko.tetherWidget", "com.majedev.superbeam", "com.bosscellular.wifi.boost", "com.faveset.klink_blue", "com.svtechpartners.wifihotspot", "com.mstream.easytether_beta", "kr.core.technology.wifi.hotspot", "com.foxfi2"], "size": "204k", "totalReviewers": 28352, "version": "2.14"}, {"appId": "com.p1.chompsms", "category": "Communication", "company": "Delicious Inc.", "contentRating": "Medium Maturity", "description": "chomp SMS is a souped-up alternative to the boring stock messaging app, with a heap more features. It's easier to use, it's more intuitive and it\u00e2\u20ac\u2122s faster!Join the chomp revolution now at 10+ million strong!!!!Loads of cool features like 800+ emoji's, passcode lock, message lock, heaps of privacy options, schedule future texts (e.g reminders, birthday wishes), stop a text while sending, backup, blacklisting / SMS blocker (block ex-friend, spam etc), signatures, text snippets, quick reply popup, better MMS and GROUP messaging and much more...Plus heaps of theming options for notification icons, LED notification colors, ringtones, vibrate patterns, colors, font types, font sizes and background wallpapers. Create your own unique look, give it some bling!Give chomp SMS a try today! It's pretty damn neat ...Looking for a messaging app that's a little more lightweight (less features), but lightning fast? Give Textra SMS a try.\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u201d\ufffd\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 Mark in November 2013Handcent SMS and GO SMS Pro are just over complicated, bloatware and sloooow. chomp SMS is easier to use, it's way faster and it's pretty cool. Group Messaging rocks with my iPhone friends!!!\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 Andrew in November 2013Tried a few messaging apps out there, but none compares to chomp SMS. It's just faster and easier to use than the rest! Highly recommended. Using it on an LG Optimus Black with Android ICS. Yeh works with KitKat.\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 Jenny in November 2013Love it Switched from GoSMS and chomp doesn't disappoint! A lot easier and smoother to customize than the other ones. Love it.", "devmail": "help@chompsms.com", "devprivacyurl": "N.A.", "devurl": "http://chompsms.com&sa=D&usg=AFQjCNHwhE-vnnZGeuLhopeiSJeEx-WvkA", "id": "com.p1.chompsms", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.p1.chompsms.themes", "com.p1.chompsms.emoji"], "name": "chomp SMS", "price": 0.0, "rating": [[" 4 ", 40092], [" 1 ", 7669], [" 5 ", 109671], [" 2 ", 4570], [" 3 ", 13577]], "reviews": [["Only a few things keeping me from buying a license...", " This is a great SMS app. I will buy a license when the app adopts the new flat look of Android 4.4. The menus look kind of like old iOS, which clashes with the look of my Nexus 5. Otherwise, love it \u00f0\u0178\u2018\ufffd "], ["Loved the app until it stopped notifying...", " The best messaging replacement out there, imo. However 2 days ago (assuming update on the 19th) has broken the notification feature. Which essentially makes the application useless I want to manually open the app every X minutes. Please fix this, as I want to continue to support your product. "], ["MMS error", " Used to work just fine till the random updates.... now I can't send or receive picture messages using the app. Uninstalled. "], ["APN settings?", " I've loved this app since always, way better than go SMS or any other stock messaging alternative. up about until after the update I can't send or receive pictures, I get a reoccurring \"check APN settings and tap to retry\" notification. my APN has always been at&t? this issue needs to be fixed please! such a shame for a good functioning app to go down because of this "], ["Great support!!", " I was having trouble with my APN settings and MMS messages. Email support replied immediately and fixed the problem. :-D "], ["Very cool..", " I really like this SMS app! I like how I can customize & make my messaging cute & fun. The only problem I have is that the system freezes at times when I reply to a text. Other than that minor issue..I like it "]], "screenCount": 8, "similar": ["com.jb.gosmspro.theme.birdlover", "com.jb.gosmspro.theme.gjtheme2", "com.jb.gosms.theme.sweet", "com.jb.gosms.theme.getjar.wpseven", "com.ani.apps.sms.messages.collection", "com.jb.gosms", "com.jb.gosmspro.theme.iphone", "com.mysms.android.sms", "com.jb.gosms.theme.getjar.cutemonster", "com.easyandroid.free.mms", "com.jb.gosms.widget", "com.textra.emoji", "com.textra", "com.twentyfoursms", "com.jb.gosmspro.theme.dark", "com.jb.gosmspro.theme.icecream", "com.handcent.nextsms", "com.jb.gosmspro.theme.go"], "size": "4.7M", "totalReviewers": 175579, "version": "5.91"}, {"appId": "com.jiubang.browser", "category": "Communication", "company": "GO Launcher Dev Team", "contentRating": "Low Maturity", "description": "If you never think of changing browser, think again! More than 4,000,000 users have started experiencing this mini, simple, beautiful, easy-to-use and fastest web browser ---- Another work from GO Launcher team. From now on, browse web faster, more private and more secure.\u00e2\u2013\u00a0 User Reviews\"Easily the best browser I have ever used. It's fast, voice recognition is awesome, and the entire layout is beautiful. Reminds me of a chrome and dolphin mashup with 10 times the speed. Love this browser keep up the good work :-)\" - Ash B\u00e2\u2013\u00a0 All features are FREE for this mini browser Super Fast- No more than 1.5s to open a site- Maintains excellent performance during 10,000+ speed test with an opening speed of less than 1.5sExtremely Small- Small size with powerful functions- Never leave process running in background- Exit completely with one click- Less memory usage & lower power consumptionNext View- Integrate RSS feed reader by country and category- Enjoy off-line reading with download function provided by Next View Powerful ExtensionsConvenient and strong extensions bring personalized browser especially for you! More coming soon!\u00e2\u2013\u00a0 More- Customizable home screen for quick accessing to your favorite sites- Switch between tabs with simple gesture- Browse the latest news, sports, entertainment and more updates by free subscription- Various plugin add-ons (Evernote, Facebook, Pocket,QR code, Screenshot, PDF,Auto-refresh,Translation,private bookmark,Deft pages) to extend functionality without limitation- Import and sync chrome bookmarks (Need to install Next Sync Plus on Chrome. Sync bookmarks with folders perfectly between Chrome and Next Browser ) link here:https://chrome.google.com/webstore/detail/eikaoeimlnplikakodlifpagiklbnefj/publish-accepted?hl=en- Secure browse web in incognito mode\u00e2\u2013\u00a0 We love hearing from you. Contact us at http://nextbrowser.goforandroid.com and rate us today!Facebook: https://www.facebook.com/NextBrowserForAndroidTwitter: https://twitter.com/NextBrowserGoogle+: https://plus.google.com/109090875597829388173/postsYoutube: http://www.youtube.com/user/NextBrowser\u00e2\u2013\u00a0 Have questions or need help? Email\u00ef\u00bc\u0161nextbrowserfeedback@gmail.com\u00e2\u2013\u00a0 Use of this app is governed by our Terms of Servicehttp://www.goforandroid.com/GDTEN/terms-of-service.htm http://www.goforandroid.com/GDTEN", "devmail": "nextbrowserfeedback@gmail.com", "devprivacyurl": "http://www.goforandroid.com/GDTEN/privacy.htm&sa=D&usg=AFQjCNHCSQCHdnNM_HxCcLovBE8dgSlBEw", "devurl": "http://nextbrowser.goforandroid.com/about&sa=D&usg=AFQjCNGl4HGuzY7_w-8gkqY773il5pp4AA", "id": "com.jiubang.browser", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Next Browser for Android", "price": 0.0, "rating": [[" 2 ", 768], [" 1 ", 1032], [" 4 ", 6602], [" 5 ", 26227], [" 3 ", 2404]], "reviews": [["Great browser!", " The only browser comparable to smoothness of AOSP browser! Has all the features you need. Only complaint is sometimes opening a link in background does nothing. Need to open the same link in background again for it to work. Please fix it. "], ["Handy and Fancy", " superb fast and is better than heavy browsers and handy usage superb!! "], ["Quite light on device", " Just about 5 mb of phone's real estate is consumed, compared to huge load by other browsers. Innovative and fancy interface does a lot talking. A must try. "], ["Superb!", " Well this browser is better than chrome has flash player! Working perfect! The full screen is the best! The only small problem is the zoom at pages doesn't work as the chrome. "], ["SuperLike", " I love this app, thumbs up :) thanks for free :) "], ["Next Browser has become my Now Browser. Over the past 2 months I've tried ...", " Next Browser has become my Now Browser. Over the past 2 months I've tried most of the 'other' browsers available for Android but kept on coming back to Next Browser. Many Thanks! "]], "screenCount": 7, "similar": ["com.opera.browser.beta", "com.android.chrome", "mobi.mgeek.TunnyBrowser", "com.mx.browser", "com.gau.go.launcherex", "com.UCMobile.intl", "com.gau.golauncherex.notification", "com.gau.go.launcherex.gowidget.contactwidget", "com.ninesky.browser", "org.mozilla.firefox", "com.go.multiplewallpaper", "com.gau.go.launcherex.gowidget.notewidget", "com.gau.go.launcherex.theme.blue", "com.gtp.nextlauncher.liverpaper.honeycomb", "org.easyweb.browser", "com.boatbrowser.free", "com.gau.go.launcherex.gowidget.switchwidget", "com.boatgo.browser", "com.gau.go.launcherex.theme.Dryad2", "com.gtp.nextlauncher.trial", "com.gau.go.launcherex.gowidget.calendarwidget", "com.gau.go.launcherex.gowidget.taskmanagerex", "com.gtp.nextlauncher.widget.music", "com.ww4GSpeedUpInternetBrowser", "com.gau.golauncherex.mediamanagement", "com.gau.go.launcherex.gowidget.clockwidget", "com.opera.browser", "com.uc.browser.hd", "com.cloudmosa.puffinFree", "com.opera.mini.android", "com.gau.go.launcherex.gowidget.taskmanager", "com.tencent.ibibo.mtt"], "size": "5.0M", "totalReviewers": 37033, "version": "1.13"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtadab.json_merged.json b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtadab.json_merged.json new file mode 100644 index 0000000..c7092af --- /dev/null +++ b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtadab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.opera.browser", "category": "Communication", "company": "Opera Software ASA", "contentRating": "Low Maturity", "description": "Get the best mobile web browser for Android phones and tablets. Opera is designed for the latest Android devices. Opera looks gorgeous, runs fast and comes with a long list of useful features installed. Get it now and start enjoying:- A BETTER CONNECTION: Stay online even when on slow or congested networks by switching to Off-Road mode. (It also gives you cheaper internet!)- ENTERTAINMENT: Use the built-in download manager to get movies and music off the web.- PRIVACY: Go anywhere on the internet without leaving a trace when you use private browsing mode.- INSPIRATION: Get the latest stories right in the browser from the world\u00e2\u20ac\u2122s leading magazines and newspapers with the Discover feature. - YOUR FAVOURITE THINGS: The sites you love are always on top thanks to the visual Speed Dial.CNET editors\u00e2\u20ac\u2122 rating: Outstanding. \u00e2\u20ac\u0153We highly recommend taking Opera out for a spin!\u00e2\u20ac\ufffdSee for yourself why reviewers and users alike are raving about Opera\u00e2\u20ac\u2122s all-new Android browser. New and improved features include:- A completely redesigned interface that\u00e2\u20ac\u2122s light, clean and bright- More responsive elements, from smart scroll bars to automatic page sizing- Enhanced stability and compatibility \u00e2\u20ac\u201d more websites work better than ever in OperaThis is our fastest browser, designed for the most popular Android phones, such as:- Samsung- HTC- Sony Ericsson- LGIf your device is not compatible with the latest version of Opera browser, try Mobile Classic (http://play.google.com/store/apps/details?id=com.opera.browser.classic) or Opera Mini (http://play.google.com/store/apps/details?id=com.opera.mini).About OperaMade in Scandinavia, Opera is the independent choice for those who care about quality and design in their web browser. Since 1994, our products have been crafted to help people around the world find information, connect with others and enjoy entertainment on the web.Enjoying Opera? +1 us on Google+!Discover more at http://opera.com/mobile/Keep in touch:Twitter \u00e2\u20ac\u201c http://twitter.com/opera/Facebook \u00e2\u20ac\u201c http://www.facebook.com/operaInstagram \u00e2\u20ac\u201c www.instagram.com/operabrowser", "devmail": "support@opera.com", "devprivacyurl": "N.A.", "devurl": "http://www.opera.com&sa=D&usg=AFQjCNEWjrTRxO2WL8FzyZeelg0ba0vy3A", "id": "com.opera.browser", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.opera.browser.beta", "com.opera.mini.vfgroup", "com.opera.browser.yandex", "com.opera.mini.android.yandex", "com.opera.mini.android", "com.opera.browser.classic", "com.opera.micro"], "name": "Opera browser for Android", "price": 0.0, "rating": [[" 3 ", 32671], [" 2 ", 14537], [" 1 ", 38667], [" 5 ", 338220], [" 4 ", 84266]], "reviews": [["Tablet UI", " It says it's been optimized for tablets, but the text is tiny & there doesn't seem to be settings for that or much else, for that matter. Also, no ability to import native bookmarks? Just about every third-party browser has that option. "], ["Put Chrome on standby.", " I love using all the features of Chrome on my desktop and the mobile sync, but every update made it slower and slower on my mobile devices. I hated the 10 second or more load time. I used Opera many years ago, glad I have it another try! I love the fast loads, data saver and news feeds. Bye bye Pulse too. "], ["Going back in time?", " The whole top of the browser looks like something you would see years ago. Very tacky. Seems we didn't get an update but a revert to old days? Do they even test these updates? Also it always gets confused about opening links in new tabs or the same tab, seems sporadic. "], ["Not good on Nexus 7", " Tabs are way too big and don't dissappear when scrolling down unlike previous versions. Another step backwards for Opera! "], ["Not Satisfied", " Im opera fan and always use opera in my pc, but android version since first release has a lot of problems, lags, hanging and bugs. Im not comfortable with this app and im waiting for a reliable and stable version. unfortunanly current release is poor... "], ["Canny", " Its one of the best web browser ive found found for my tablet, love it on my phone but this one seems just average but will stick with it for now unless I find summit better. "]], "screenCount": 12, "similar": ["com.boatbrowser.free", "org.mozilla.firefox", "com.boatgo.browser", "com.jiubang.browser", "com.android.chrome", "mobi.mgeek.TunnyBrowser", "com.uc.browser.hd", "com.mx.browser", "org.easyweb.browser", "com.UCMobile.intl", "com.ww4GSpeedUpInternetBrowser", "com.tencent.ibibo.mtt", "com.ninesky.browser"], "size": "Varies with device", "totalReviewers": 508361, "version": "Varies with device"}, {"appId": "com.zlango.zms", "category": "Communication", "company": "Zlango LTD", "contentRating": "Medium Maturity", "description": "Download Lango Messaging and start sending Textable Icons\u00e2\u201e\u00a2.Get over emoji and emoticons and start texting with cool celebrity-inspired icons, funny images and cool branded characters.Create a meme and post to Facebook or Twitter. It\u00e2\u20ac\u2122s simple and free. Lango lets you send Textable Icons\u00e2\u201e\u00a2 with vibrant color and great images!\u00e2\u20ac\u00a2 Lango has the best icons, backgrounds and stickers so you can create memes for Facebook and Twitter. Get Lango and show what you have to say.\u00e2\u20ac\u00a2 Lango allows you to send messages to anyone on your contact list! They do not need to have Lango in order to receive them.\u00e2\u20ac\u00a2 Lango interprets the essence of your message and offers a few smart images that are associated with your message. We do all the hard work for you. Sit back and get creative.\u00e2\u20ac\u00a2 Create a Flair! Text over photos and create your own meme. Or you can choose form one of our custom backgrounds. Post your meme to Facebook and Twitter.\u00e2\u20ac\u00a2 Lango is a FREE app that comes preloaded with hundreds of icons and backgrounds.\u00e2\u20ac\u00a2 Check out The Gallery to buy premium branded content. We have Turbo\u00e2\u201e\u00a2, Garfield\u00e2\u201e\u00a2, Paul Frank and more!Features:\u00e2\u20ac\u00a2 Our core language and backgrounds offer you countless possibilities of creativity.\u00e2\u20ac\u00a2 Auto-suggestion of the perfect icon. Let our Essence Engine do the work for you. Seamless publishing to Facebook and Twitter. It couldn't be easier.\u00e2\u20ac\u00a2 Our new gallery makes it easy to purchase premium branded content. Choose from your favorites like: Turbo, Garfield, Paul Frank and more.\u00e2\u20ac\u00a2 Lango works with your phone number and contacts. No need for a username and password.Tags: messaging, texting, messaging app, texting app, texting application, text messaging application, text messaging, SMS, Twitter, Facebook, Google Plus, blog, icons, pictures, texting with icons, Android, live wallpapers, greetings, messages, android messaging app, android messaging application,message me, wechat,whatsapp, voxer, handcent, go sms, kikmessanger, chomp sms, keek, kakao talk, celebrity, celebrities,emoji, emoticons, paulfrank,stickers, facebook, fb, meme, memes, Smiley, NFL, NFLPA, Turbo, Garfield, South Park, Annoying Orange, communication", "devmail": "support@lango.me", "devprivacyurl": "http://www.lango.me/privacy-policy&sa=D&usg=AFQjCNFDOKbMj3fyssIcE3li0lREfGvAHA", "devurl": "http://www.lango.me&sa=D&usg=AFQjCNH8PMqfHJclOxGLxQbXch8JuJ86wg", "id": "com.zlango.zms", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.zlango.livewallpaper.walkingdead", "com.zlango.livewallpaper.xmas", "com.zlango.livewallpaper.helium", "com.zlango.livewallpaper.bugacow", "com.zlango.livewallpaper.shittyday", "com.zlango.livewallpaper.bobblegumgirl"], "name": "Lango Messaging", "price": 0.0, "rating": [[" 2 ", 889], [" 4 ", 8614], [" 3 ", 3454], [" 5 ", 30737], [" 1 ", 1919]], "reviews": [["Nice app slow though", " App lags so someone can text you so many times before you can respond to the first message. "], ["Emoji n more", " It would b totally awesome if the small emojis were included with the app n that u can change the background profile n the profile pic other than that it's pretty cool "], ["Love it", " you don't have to download three different apps to get icons like emoji "], ["Lango ROCKS!!!", " I'm having a ball and recipients are loving it, too! Thanks! "], ["It freezes am slotted my phone down an is not sending sum of my ...", " It freezes am slotted my phone down an is not sending sum of my messages\tBut over all a good app "], ["Love Lango!", " I love this app it its fun and u don't need wifi to use it! "]], "screenCount": 8, "similar": ["jp.naver.line.android", "com.thinkleft.eightyeightsms.mms", "com.gamedom.saomessaging", "com.textmeinc.textme", "com.jb.gosms", "com.texty.sms", "com.mysms.android.sms", "com.ThumbFly.FastestSms", "biz.devsign.android.mms", "com.facebook.orca", "com.sonyericsson.extras.liveware.extension.messaging", "com.whatsapp", "com.concentriclivers.mms.com.android.mms", "com.handcent.nextsms", "net.mobitexter", "com.p1.chompsms"], "size": "16M", "totalReviewers": 45613, "version": "5.03.04"}, {"appId": "com.mediafriends.chime", "category": "Communication", "company": "MediaFriends, Inc.", "contentRating": "Medium Maturity", "description": "Text for FREE. Really Free! We give you a real US number for free, that can text ANY number. The person you are texting DOES NOT need to have HeyWire, you can text them directly to their normal phone.Introducing, ReWire for 4.0/ Ice Cream Sandwich users +!! The latest and greatest version with everything you already love + so much more\u00e2\u20ac\u00a6FEATURES:\u00e2\u02dc\u2026 Text from the Web: Go to www.heywire.com, login with your HeyWire number\u00e2\u02dc\u2026 Photo editing: Turn pics into art with filters, enhancements, and stickers \u00e2\u02dc\u2026 Meme Generator: Create your own MEME\u00e2\u20ac\u2122s out of your photos\u00e2\u02dc\u2026 Instant Voice Messaging: Record your voice and send it via text\u00e2\u02dc\u2026 Streaming music clips: Choose from 100+ songs to attach to your messages\u00e2\u02dc\u2026 TweetNow: The first & only global text-to-Twitter service with notifications\u00e2\u02dc\u2026 Voice Tweets: post Instant Voice Messages directly to Twitter\u00e2\u02dc\u2026 SmartSMS: Auto-reply, to respond when you can\u00e2\u20ac\u2122tWHY USE HEYWIRE:- Travel across the world and text back to any phone in the US for free- Your US friends don\u00e2\u20ac\u2122t need to have the app- Text friends in any language - Save hundreds of $$ per year - Cool themes like iPhony- Tweet your Memes- Group text with up to 10 friends- 1 HeyWire account across all your screens \u00e2\u20ac\u201d iPhone, iPod Touch, iPad & Computer- Text using Wi-Fi, 3G, 4G, or LTE.+++++++++++++TEXT TO MOBILE PHONES IN THESE COUNTRIES:United States, Canada, Mexico, Brazil, Chile, Argentina, Peru, Puerto Rico, Jamaica, St. Kitts and Nevis, Trinidad and Tobago, Dominica, St. Lucia, Sint Maarten, Northern Mariana Islands, Monserrat, Turks and Caicos Islands, Grenada, Bermuda, Cayman Islands, United States Virgin Islands (USVI), British Virgin Islands (BVI), Antigua, Barbuda, Anguilla, Barbados, The Bahamas, Aruba, Curacao, Bonaire, Uruguay, Suriname, Paraguay, Ecuador, Guyana, Bolivia, Panama, Costa Rica, Nicaragua, Honduras, El Salvador, Guatemala, Belize, Venezuela, Colombia+++++++++++++ \u00e2\u20ac\u00a8IS IT REALLY FREE? \u00e2\u20ac\u00a8YES! Texting from a real phone number costs us real money so by placing a small ad within the app, we keep your messages flying around the world for FREE. HeyWire does use data, so make sure you have a data plan or use Wifi where available. For your friends who aren\u00e2\u20ac\u2122t on HeyWire, standard text messaging rates apply to text a U.S. Phone Number (nothing extra).HEYWIRE COMMUNITY Friend us: www.facebook.com/goheywire Follow us: www.twitter.com/goheywire Watch us: www.youtube.com/goheywire Need Help?: http://help.heywire.comLove HeyWire? Please rate us a 5 star \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 in the Android Market!Thanks for downloading & giving us a try! Go HeyWire!* If you haven\u00e2\u20ac\u2122t upgraded to 4.0, we\u00e2\u20ac\u2122ll continue to support HeyWire Classic for you.", "devmail": "feedback@heywire.com", "devprivacyurl": "http://www.heywire.com&sa=D&usg=AFQjCNHBhS8lWjhDA8prbW6zkQTZSSAagQ", "devurl": "http://www.heywire.com/goheywire&sa=D&usg=AFQjCNHalrx-MeClQroD6kxPiMCOXydlfg", "id": "com.mediafriends.chime", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.mediafriends.bndwgn"], "name": "HeyWire FREE Texting", "price": 0.0, "rating": [[" 5 ", 53989], [" 4 ", 20867], [" 3 ", 8246], [" 2 ", 2098], [" 1 ", 4132]], "reviews": [["Error Message won't allow app to open", " I get the message... \"The type initializer for \\u0027RestWeb.Classes. StaticObjects\\u0027 threw an exception.\" I've uninstalled and reinstalled the app and I get the same message. I'm using a Korean Samsung Galaxy Note 2 CAN YOU FIX THIS? "], ["Can't send photos anymore only text messages!!!!", " What happened to the ability to send and receive photos? Always get the red exclamation mark to the right of the photo when sending. Please fix. "], ["Texting free!", " Compared to most text apps this one is amazing at least it works I like it for the most part except it fails it won't let me send pictures and occasionally sends the same text message several times or once on a different day that I actually sent it. Texts going to a conversation other than the one u sent it in happens to but hey I'm not complaining it's free !!! "], ["Good enough for me", " The recipient doesn't get pictures I send but other than that it works great! "], ["Better Than Before", " This app used to crash alot. I would press the app, but the screen would show up as completely black majority of the time when trying to use the app. Also, I'd receive messages late and couldn't pictures or send pictures. I could only send links. This app has improve in visual quality as well! Great job with all the improvements! <3 "], ["What happened?", " hardly a few hours ago it worked and now I'm getting a long error about some exception. Doesnt start and all data lost I guess. "]], "screenCount": 12, "similar": ["jp.naver.line.android", "to.talk", "com.heywire.bmbh", "com.pinger.textfree", "com.texty.sms", "com.talkatone.android", "com.ThumbFly.FastestSms", "com.verizon.messaging.vzmsgs", "com.glidetalk.glideapp", "com.enflick.android.TextNow", "com.p1.chompsms", "com.apdroid.tabtalk", "com.textmeinc.textme", "com.hushed.release", "com.handcent.nextsms", "com.jb.gosms", "com.pinger.ppa"], "size": "Varies with device", "totalReviewers": 89332, "version": "Varies with device"}, {"appId": "net.comcast.ottclient", "category": "Communication", "company": "Comcast Cable Communications Management, LLC", "contentRating": "Everyone", "description": "NEW - Introducing Caller ID Alerts for XFINITY Voice subscribers. With Caller ID Alerts, you'll always know who's calling your home phone number while you are on the go. --------Introducing the new XFINITY Connect App! Stay connected on the go with the XFINITY Connect mobile app. Check your Comcast.net email, send and receive text messages, and check your XFINITY voicemail all in one place. Forward calls from your home phone to your mobile phone. You can even view your account information, pay your bill, and set up automatic payments. FEATURESNEW!With a fresh new look and feel, and easy to use navigation, the XFINITY Connect app keeps you connected to the people who matter most- Create Favorites and Groups to ensure you never miss a message from the important people in your life- Send free* texts to anywhere in the US & Canada. No texting plan required from your mobile provider. * Included for XFINITY VOICE Residential Unlimited customers. Terms & conditions apply. Messages-Easy access to email and voicemail-Mark emails as \u00e2\u20ac\u02dcSpam\u00e2\u20ac\u2122 and sort and search your email-Mark messages as \u00e2\u20ac\u02dcRead/Unread\u00e2\u20ac\u2122 and \u00e2\u20ac\u02dcHeard/Unheard\u00e2\u20ac\u2122 -Access your external email accounts all in one place \u00e2\u20ac\u201c Gmail, Yahoo, etcXFINITY Voice - New! Caller ID Alerts for XFINITY Voice. Know who's calling your home phone while you are on the go. - Text for FREE using your home phone number-Listen to your voicemail and view your home phone call logs-Forward a voicemail as an email attachment -Forward your home phone calls to your mobile phone or any other numberFavorites and Groups- Now you can create Favorites and Groups to make sure you never miss a message from the important people in your lifeAddress Book- Includes separate views of your phone contacts and your XFINITY Address Book -Add your contacts as favorites along with their pictures My Account -View your account details -Make one-time payments -Set up automatic payments-View billing history-----------------------------------------------------------Note: For XFINITY TV Listings, On Demand listings and Remote DVR features please download the XFINITY TV app from Google Play------------------------------------------------------------Restrictions apply. Not available in all areas. Free texting requires subscription to XFINITY Voice Unlimited service. Standard data charges apply. Check with your carrier. For application support - visit http://customer.comcast.com/help-and-support or email us at comcastandroiddev@gmail.comDiscussion forum - please visit -http://forums.comcast.net--------------------------------------------------------------------------", "devmail": "comcastandroiddev@gmail.com", "devprivacyurl": "http://xfinity.comcast.net/privacy/&sa=D&usg=AFQjCNG05Z9XH9_d-TFaZeAGWH0TICBiUA", "devurl": "http://www.comcast.com/connectapp&sa=D&usg=AFQjCNF84kOKxfydQn8qkA2Bh8qASt1Odw", "id": "net.comcast.ottclient", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "XFINITY Connect", "price": 0.0, "rating": [[" 3 ", 1515], [" 5 ", 3705], [" 1 ", 3706], [" 2 ", 1448], [" 4 ", 1809]], "reviews": [["Works somewhat", " I can receive emails and read them as usual. However, I cannot listen to voicemails. It shows me that I have a few new ones for instance, but I cannot select any at all. Even the multi-select check box next to each one requires a few taps just to select. "], ["Better than it was...", " Ignores logout on exit option, ignores remember me login option between reboots. Seems faster, and the ui has improved. "], ["Xfinity app", " Update this app used to have several issues, freezing up, caller ID function didn't work properly, but I must now say I am very happy with this app, no real issues on my DROID X2, fixes and updates have fixed most issues I was having very much improved "], ["Email fine phone horrible", " No complaints for email. Easy to use. The phone though is different. Nobody can understand me or even hear me when I pick up my home phone using my Droid. I wait for the phone to stop ringing and call them back. Needs improvement. "], ["Like this app a lot!", " After getting frustrated by the programs that come with phones, I found this app to be refreshingly reliable, easy to use and best of all, accessible from all my electronic devices. "], ["Can't get my emails to open. Tried to report problem in live chat and ...", " Can't get my emails to open. Tried to report problem in live chat and got booted off 3 times. Reported by phone and they wanted $49.95 to get me to a knowledgeable tech. I hung up on them and now can't even see when I have an email. As usual, very poor service from Comcast. "]], "screenCount": 11, "similar": ["com.google.android.gm", "com.zeesoftware.emailnytexts", "com.comcast.hsf", "com.whitesky.mobile.android", "com.comcast", "ru.mail.mailapp", "com.all.emails", "com.onegravity.k10.pro2", "com.turner.cnvideoapp", "com.fsck.k9", "com.whatsapp", "com.comcast.xfinity", "com.outlook2003", "com.yahoo.mobile.client.android.mail", "com.outlook.Z7", "com.gau.go.launcherex.gowidget.emailwidget"], "size": "Varies with device", "totalReviewers": 12183, "version": "Varies with device"}, {"appId": "com.sec.spp.push", "category": "Communication", "company": "Samsung Electronics Ltd.", "contentRating": "Everyone", "description": "You can check the installation of the app in 'Settings > Application manager' after downloading the Samsung push service.The Samsung push service provides the notification service only for Samsung services (ChatON, Samsung Apps, AllsharePlay, Samsung Wallet, etc.) on Samsung devices.For example, you can see the new ChatON messages through the pop-up window on the device home and the new message count is displayed in ChatON.If you delete the Samsung push service, you may not receive the new notification messages.The Samsung push service provides the below services.- New message is displayed in the pop-up window- Display a badge on the application icon for a new message- Display new message on the notification barEnjoy the fast and precise notification service with the Samsung push service.", "devmail": "chaton@samsung.com", "devprivacyurl": "N.A.", "devurl": "http://www.chaton.com&sa=D&usg=AFQjCNG8wUti7vYKlVic7E6pCslC4PnBEQ", "id": "com.sec.spp.push", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.sec.chaton", "com.sec.pcw"], "name": "Samsung Push Service", "price": 0.0, "rating": [[" 2 ", 1686], [" 1 ", 7564], [" 3 ", 5842], [" 4 ", 10479], [" 5 ", 55384]], "reviews": [["Just what I needed!", " I've never been a great self motivator, so I've never really succeeded at anything. With this updated Samsung Push app though, I can succeed at anything! Whenever I'm feeling like sitting all day, I just have Samsung give me the push I need. THANKS SAMSUNG! "], ["After", " The Latest update of this stupid useless app I really don't need any energy drink anymore I feel different....This app changed my life...Thank you Samsung. Oh by the way, i got the latest OS (key lime pie) even before Google release it. Now I know this app is very useful. "], ["A little pushy", " My push update was pushed by a push update and I have little doubt that the push update I just updated will push out another update to push another update out. Where are your manners, Samsung? If I had any choice at all I would have opted for a casual stroll update next to an ocean breeze, light glass of ros\u00c3\u00a9, your moon lit face, Samsung, softening your wrinkles and every once in awhile there is the hint of that smile of yours that I fell in love with, once upon a time. "], ["Wow", " Been checking every day for this update, and now it's finally here, I can't believe how much this update improves my phone, it's so much better now. "], ["Best push ever?", " My brother once pushed me but this is definitely much better! Looking forward to next year's Samsung push ++ ! "], ["I can now push better.", " Got to give up on the bran after installing this. It's like I'm instantly regular. Made pushing my stool so much easier. Its like it just falls out of me now!! Great job samsung!! "]], "screenCount": 4, "similar": ["jp.naver.line.android", "com.google.android.gm", "org.mozilla.firefox", "com.google.android.talk", "com.android.chrome", "com.antivirus", "com.kakao.talk", "com.facebook.orca", "com.viber.voip", "com.whatsapp", "com.opera.mini.android", "com.samsungimaging.connectionmanager", "com.bbm", "com.tencent.mm", "com.skype.raider"], "size": "1.0M", "totalReviewers": 80955, "version": "1.2.3.1"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json new file mode 100644 index 0000000..0f71fa4 --- /dev/null +++ b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.quoord.tapatalkxda.activity", "category": "Communication", "company": "xda-developers", "contentRating": "Everyone", "description": "The world famous XDA forums formatted for your Android phone! With this app you can browse the forums, read, post, send private messages, and more. We now have a Premium app that removes the ads, plus offers new features.", "devmail": "jbonlinemedia@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://www.xda-developers.com&sa=D&usg=AFQjCNHypz6BTP3C5Dhjnhd0g0WRkyaYHA", "id": "com.quoord.tapatalkxda.activity", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.quoord.tapatalkxdapre.activity", "com.quoord.tapatalkdrodiforums.activity", "com.quoord.xdapad.activity"], "name": "XDA-Developers", "price": 0.0, "rating": [[" 4 ", 3956], [" 5 ", 15479], [" 3 ", 1532], [" 1 ", 1531], [" 2 ", 741]], "reviews": [["Buggy", " This app sometimes force closes for no reason, both on my galaxy s3 and my tablet, most of the time it fails to connect to the forums especially my topics. Seriously annoying, please fix this issue xda ! "], ["Great for browsing xda", " It's great when it works, but sometimes it can get stuck on start screen. Xda at simplified UI. You got powerful device? I'd suggest just open it from browser. "], ["What is wrong with this app?", " What happened with this app? I had the premium version that I PAID for because it was very useful to me. Now with reloading my phone after flashing a new ROM, I get this drek with adds and the ad-free version is no where to be found. What idiot decided to do this? It was stable before, now it either freezes or FC 3 out of 5 tries. PLEASE devs, bring back the premium version so I can get rid of the #%$&% adds. I paid once for it, don't know about a second time. May just go to web browser instead. "], ["Bugs never fixed", " Will this application ever be updated? When you do back there is 50% chance it stops working and you have to close and reopen app. You can't do any searches, it's so hard finding your phone. Why can't you sort by brands? I can develop an application better than this, and keep it updated. This is not xda like development! "], ["Great developers but can't access pm's", " Love the app. Primarily because of the hard work and generosity of so many developers. Only flaw I've experienced is any time I try to access my messages 9 out of 10 times it fc. "], ["Certain 4.4 compatibility", " Some 4.4 roms make this app crash instantly. But its alright. Some bugs, some crashes as others have mentioned but as a user of XDA I refuse to under rate! ;) Five stars for easy access to XDA "]], "screenCount": 4, "similar": ["com.majedev.superbeam", "com.ape.apps.forumfiend", "org.mozilla.firefox", "com.viber.voip", "com.peerkesoftware.androiddevelopmentcalculator", "com.rebus.developer.console", "com.mx.browser", "com.facebook.orca", "com.google.android.talk", "com.whatsapp", "mobi.androidcloud.app.ptt.client", "com.jb.gosms.mastertm.rootzwikiinspired", "com.UCMobile.intl", "com.modoohut.dialer", "net.endoftime.android.forumrunner"], "size": "3.1M", "totalReviewers": 23239, "version": "2.0.1"}, {"appId": "com.svtechpartners.wifihotspotdemo", "category": "Communication", "company": "SVTP", "contentRating": "Everyone", "description": "Wifi Hotspot and USB Tether (Lite) by SVTPThis premier app turns your phone into the fastest high-bandwidth Internet hotspot around so you can use your laptop, tablet, or game console online. It also easily enables internet via USB, and it's optimized for the latest lightning-fast 4G connections.This \"Lite\" version is just for testing if your phone is compatible before buying the \"Pro\" version, since not all phones support the hotspot. The \"Lite\" version is limited to 2 days and then a 5-minute window once per day. The \"Pro\" version is not limited, and is the way to go for tech aficionados who crave internet wherever they go, on whatever device they have, and for business professionals who need 100% reliable online access while traveling and meeting clients.All for a low, 1-time purchase less than half what some carriers charge every month for a basic hotspot, backed by a 100% satisfaction guarantee.Does not require root.Include widgets for 1-touch toggle.--- PHONE COMPATIBILITY ---Designed for Samsung Droid Charge.Some users report it also works with:* Samsung Galaxy Nexus (no USB), Stratosphere, Exhibit, Exhibit 2, Galaxy S 2, Galaxy Gio, Intercept, Attain, Fascinate, Galaxy Note, Transform, Conquer, Epic, Sidekick 4G, Doubletime, Captivate* Motorola Razr, Bionic, Droid 3, X2, Photon* HTC Wildfire S, Amaze 4G* Pantech Crossover, Breakout* Dell Streak* Sony Xperia arc* LG G2x, Ally, Optimus C, Optimus V, Optimus S* Huawei Ascend 2* T-mobile G2, Comet (Huawei Ideos U8150)May not work with other phones, but you are welcome to try.NOT compatible with most HTC, EVO, Photon, Rezound, Inspire, Samsung Prevail, Motorola Triumph, Casio Commando, LG Spectrum, Motorola Bravo, --- LITE VERSION LIMITATIONS ---This \"Lite\" version works for 2 days starting from first download.After that you can test it for a 5-minute window once per day.It is not intended to be a long-term useful app on its own, but only for evaluation to see if it works with your phone, before you buy the full version. If you need more time to evaluate it please see the Help page.If it doesn't work with your phone, sorry for the hassle, and we'll try to add compatibility with more models in the future.--- SPRINT CUSTOMERS: Please use the in-app upgrade feature if you would like the Pro version.--- LEGAL ---This software must be used in accordance with any service agreements from your phone provider. See Terms and Conditions in the app for details.--- ABOUT THE DEVELOPER ---SVTP is a family business using technology for development projects in Africa. This app actually came out of research on providing Internet through mobiles phones in Africa. Profits from this app support more development projects in the area of technology and solar power for Africa. Thanks for your support!", "devmail": "hotspot@svtp.com", "devprivacyurl": "N.A.", "devurl": "https://svtp.com/android/wifihotspot/wifi_help.php&sa=D&usg=AFQjCNEAv5t93GziLzWpPn61Gv6UziFCUg", "id": "com.svtechpartners.wifihotspotdemo", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.svtechpartners.wifihotspot"], "name": "Wifi Hotspot & USB Tether Lite", "price": 0.0, "rating": [[" 4 ", 504], [" 2 ", 223], [" 5 ", 2801], [" 1 ", 1330], [" 3 ", 371]], "reviews": [["Keep up the good works", " This app does the trick very well on my Virgin Mobile Rise by Kyocera. I don't have to search for a signal or go to libraries I just have to be at my house without a router or no service providers come to my address to install. I want by THIS APP as a PRO version but that version only shows up on the computer no on the phone. Any reason why please let know "], ["This app is the olny one that has worked so far and is pure ...", " This app is the olny one that has worked so far and is pure no ads its simple and just flat out amazing woulnt find a better one out there espicaly for older gen phones this is the app for you "], ["Lite version works great", " Excellent app. Easy to use and works like it should. Pro version needs to be compatible with all the phones that were able to use the Lite version successfully, though. Don't understand that ordeal. "], ["Awesome! (until Jelly Bean)", " Seriously, this app was awesome with Gingerbread and Ice Cream Sandwich. So easy, didn't require root, and I could share on car rides. I recently updated my Galaxy S2 to the latest available JB version for my phone and later discovered that this app doesn't work on this OS version. I can't go back so I hope they can fix it. "], ["Works on Sprint with Kyocera Hydro", " Haven't found another app that works completely. PdaNet+ starts the hotspot, but doesn't allow connections correctly. "], ["Virgin mobile", " After app after app I finally found a app that works for my phone. Then after the 5 min trail the upgrade isn't compatible with my phone. Creators please elaborate on this. I was so ready to spend the money. "]], "screenCount": 2, "similar": ["og.android.tether", "com.USB", "com.stt.mobilehotspot", "com.wifi.hotspot", "com.foxfi", "com.manchinc.android.mhotspot", "com.foxfi.key", "net.snclab.wifitetherrouter", "kr.co.core.technology.wifi.hotspot", "com.taiseiko.tetherWidget", "com.majedev.superbeam", "kr.core.technology.wifi.hotspot", "hr.t.ht.hotspot", "com.mstream.easytether_beta", "net.szym.barnacle", "share.hotspot.myfi"], "size": "445k", "totalReviewers": 5229, "version": "2013.06.10.0.d"}, {"appId": "com.wifi.hotspot", "category": "Communication", "company": "InnodroApps", "contentRating": "Everyone", "description": "You can enable the embedded Portable Wifi HotSpot with this app. This is a shortcut tool. * Some users report Samsung S2 won't work with this app, but S3 works. If you use S2, please don't download this app.* Call the embedded wifi ththering (Wifi Hotspot) settings, it can save some steps than traditional operations.* Share your Internet to other device via wifi connection.* App2SD support*Some countries' wireless carrier will charge for the tether service. But some carriers won't do it. Please ask the call center of your wireless operator if you have this issue. *You may wait for a while due to download the FAQ web data from the server.", "devmail": "service@innodroidapps.com", "devprivacyurl": "N.A.", "devurl": "http://droidapplication.blogspot.com/&sa=D&usg=AFQjCNEJH4boCc-ddY0hjyX7MtYSELoSnw", "id": "com.wifi.hotspot", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.wifi.hotspot.Pro"], "name": "WiFi HotSpot / WiFi Tether", "price": 0.0, "rating": [[" 2 ", 187], [" 5 ", 3452], [" 1 ", 1552], [" 3 ", 372], [" 4 ", 657]], "reviews": [["Great app", " I was away from my desk one day and i needed access to the internet and quick. An associate of mine suggested i try this app. I was very skeptical because i needed this to really work. So i did and i must say THANKS for getting me out of a jam. This app really works. I use it a lot and it doesn't hurt my data plan one bit. "], ["Sprint Galaxy S3", " I'm really impressed. Works flawlessly. Thanks SO much dev. (Here's a kooky idea, if it's not working on your phone DON'T simply b@#$! about it & give a crummy review, POST your phone make. Duh.) "], ["Why bother", " No functionality of its own- simply displays an advertisement & is a different way of turning on the built-in hotspot (which is carrier locked) "], ["Help plz", " I only gave it 2 stars because it clearly does work...I've seen it work for someone else's phone. But unfortunately, when I open the app of my phone, (LG Spectrum, Android system 4.0), and I click on \"wi-fi tethering\", it only shows the UNHIGHLIGHTED option for mobile broadband...I'd definitely would love to have this work for my phone!! Plz get back to me abt what I just might've done wrong! "], ["This is awesome", " Love it makes me happy use it on xbox full wifi connection ots fast n let friends use it its great!! "], ["Ads; not as short a shortcut as other shortcuts", " Other tethering shortcuts offer one-click access and no ads; why use this? "]], "screenCount": 3, "similar": ["com.USB", "com.manchinc.android.mhotspot", "com.USB.Pro", "kr.co.core.technology.wifi.hotspot", "com.datapacket.Pro", "com.apptosd.lite", "com.bosscellular.wifi.boost", "com.HomeButton", "net.szym.barnacle", "com.apptosd.pro", "share.hotspot.myfi", "com.majedev.superbeam", "com.stt.mobilehotspot", "com.foxfi", "kr.core.technology.wifi.hotspot", "com.QuickText.Lite", "com.svtechpartners.wifihotspot", "com.mstream.easytether_beta", "com.datapacket.Lite", "com.app2phone.lite", "com.svtechpartners.wifihotspotdemo", "com.bluetooth.Lite", "primiprog.waw", "com.QuickUninstall", "com.QuickText.Pro", "og.android.tether", "net.snclab.wifitetherrouter", "com.taiseiko.tetherWidget", "com.bluetooth.Pro", "com.LockMyApps.Pro", "com.QuickUninstallPro2"], "size": "235k", "totalReviewers": 6220, "version": "2.3"}, {"appId": "com.youmail.android.vvm", "category": "Communication", "company": "YouMail, Inc", "contentRating": "Low Maturity", "description": "Join millions of other users on YouMail Visual Voicemail Plus! YouMail is more powerful and more fun than any other Android visual voicemail. And it's FREE!KEY FEATURES- Scroll and play voice messages on any device: Android phone, Android tablet, computer, or e-mail account. - Visual caller ID: see caller photos, name, and city and state, even when they're not in your address book - whether they left a message or just hung up.- Smart greetings: wow callers, automatically greeting them by name, or with a pre-recorded greeting from the YouMail greetings community. - Caller ditching: unwanted callers are sent to voicemail automatically, where they hear \"this number is out of service\" and can't leave a message!- Total ownership: easily save important messages forever, neatly organized in folders, and share them on twitter or facebook.- Easy contact backup and sync with facebook: access your contacts on any device.- High Quality Human-edited voicemail to text transcription: save time by simply reading your voicemail within the app or by e-mail, without ever having to listen to it. Premium Read-It Plan required.NOTES- Major US Carriers supported (including AT&T, Verizon, T-Mobile, Sprint). Sorry, doesn't work with pre-paid plans, such as T-mobile Flex-Pay, Simple Mobile, Family Mobile, and Virgin Mobile, and for most Metro PCS and Cricket users.- Requires you to forward your unanswered calls to YouMail. To return to your old voicemail at any time, use \"menu\", \"preferences\", \"accounts\", and \"forward to carrier\" (or simply \"google\" cancel YouMail for instructions).- It's possible for carriers to drop your call forwarding. To reactivate YouMail, just use \"menu\", \"preferences\", \"accounts\", and \"forward to YouMail\".- It's possible for carriers to fail to forward your calls to YouMail correctly (where YouMail won't find your mailbox or will ask for callers to enter the mailbox number). In that case, please contact support@youmail.com and we will try to give you another access number that may not have the problem. But it may be you live in an area where you're out of luck and would have to buy YouMail Pro to solve the problem.- High Quality Human edited voicemail-to-text transcription requires a subscription, but YouMail Visual Voicemail Plus is still free to use if you do not buy a transcription plan. - By using YouMail you agree to the YouMail terms of service: http://www.youmail.com/termsofuse.html-Customer Support Please email us at AndroidHelp@YouMail.com or go within the App, tap on Menu, and tap on Help. Leaving negative reviews with vague comments will not help us fix the app. We listen to our users, what's wrong, and fix all that we can with every new release. Help us help you! Email us at AndroidHelp@YouMail.com", "devmail": "androidhelp@youmail.com", "devprivacyurl": "http://www.youmail.com/home/corp/privacy&sa=D&usg=AFQjCNFJhjTbjJhCGfAEmgKAnkoHwNVBMg", "devurl": "http://www.youmail.com&sa=D&usg=AFQjCNE9HK7_byE2fgV5KHa1mDNoPEehIQ", "id": "com.youmail.android.vvm", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.youmail.callerid"], "name": "YouMail Visual Voicemail", "price": 0.0, "rating": [[" 5 ", 13586], [" 4 ", 4742], [" 1 ", 1726], [" 2 ", 480], [" 3 ", 968]], "reviews": [["What the what??", " \"This permission allows the app to record audio at any time without your confirmation\".. Yea, no I'm good. "], ["not even one star", " for ditched callers, it rings 2x n goes to voicemail, they can leave messages, the greetings don't work. what a waste of my time. "], ["Pretty good BUT......", " A LITTLE TRICKY TO GET SET UP BUT I THINK I LIKE IT. Will review again later. Revised. Works when it works.too many people are telling me that are getting no greeting at all & can't leave a message. Seems it can't work if I'm on another call and not also on Wi-Fi. Would love to have a fix for this but need to uninstall. Missing too many calls, costing me money. "], ["Love it", " I love not having to listen to 10 voicemails to listen to the last one. It works great I had a problem with static sound and they helped fix it good customer service "], ["Read The Privacy Policy 1st", " I was going to use this app until the privacy policy states you may use our personal information for 3rd party marketing research and sales. I also read that you store all voicemail data and that by using any part of your service subjects all personal information to become public. Apparently people havent read this or your ratings would be much lower. No thanks. My voicemails are meant to be private, not for you or other agencies to freely listen to and use for research! "], ["Love It!", " Went from an iphone to a note 2, so I was upset when I realized I had lost my visual voicemail, I downloaded a few options and this was and is by far the BEST one! I definitely recommend it "]], "screenCount": 7, "similar": ["lifeisbetteron.com", "com.rogers.vvm", "com.vzw.vvm.androidclient", "com.freedompop.vvm", "com.moviuscorp.cricketvvm", "com.metropcs.vvm", "com.phonefusion.voicemailplus.and", "com.moviuscorp.openmobilepr", "com.att.mobile.android.vvm", "com.voxsci.app", "com.fonyou.mercury", "com.hullomail.messaging.android", "com.moviuscorp.cellcomvvm.com", "com.bestitguys.BetterYouMailPro", "com.mizmowireless.vvm", "com.google.android.apps.googlevoice"], "size": "4.6M", "totalReviewers": 21502, "version": "3.7.40.02"}, {"appId": "com.p1.chompsms.emoji", "category": "Communication", "company": "Delicious Inc.", "contentRating": "Everyone", "description": "This is an add-on to the chompSMS application that allows you to easily insert emoji icons into your messages. Choose from over 800 of them!!!*** Now supports Apple iOS 6 emoji icons ***Once installed, how do I access the emoji icons in chompSMS?* Use the (+) button in the chompSMS application when composing a message.* Use the [+Add] button in Quick Reply & Quick Compose. Note: When sending emoji icons, the receiving party typically needs a smartphone device in order to see them, otherwise they will just see empty square icons.", "devmail": "google@chompsms.com", "devprivacyurl": "N.A.", "devurl": "http://chompsms.com&sa=D&usg=AFQjCNHwhE-vnnZGeuLhopeiSJeEx-WvkA", "id": "com.p1.chompsms.emoji", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.p1.chompsms.themes", "com.p1.chompsms"], "name": "chomp SMS emoji add-on", "price": 0.0, "rating": [[" 2 ", 283], [" 1 ", 944], [" 3 ", 738], [" 5 ", 5830], [" 4 ", 1289]], "reviews": [["Fix!", " This does a good job with having the new emojis and all but this '>_>' and this '=-o' and several others aren't emojis correct them please I don't want to look like an ediot when trying to send emojis to friends and they receive those instead "], ["Used to like it..now sucks!!", " When I send them to other smart phones...all they get is punctuation. When they r sent to me...that's all I get also. What's the point In having it??? Rate will go up if fixed!! "], ["Great try", " But I'm getting force close when dealing with mms... a few other minor issues. But mainly the mms. Would definitely be a 5 star app without these issues. (Note 2) "], ["It wont tell me set it as my keybord !!! And is it avalibe ...", " It wont tell me set it as my keybord !!! And is it avalibe on a nexua 7 ?????? If it is thumbes up if it isn't thumbes down if you can see the smiled thumbs up \u00ee\ufffd\u2022\u00ee\ufffd\u2022\u00ee\ufffd\u2022\u00ee\ufffd\u2022\u00ee\ufffd\u2022 "], ["Tmobile iphone problems", " It would be five stars if it didnt break emoji convos into like 3 messages and there is a issue with viewing emojis from tmobile iphones, it shows up stars. So if this is fixed it would be five stars! Please and thankyou! I really want to view emojis from my friends with tmobile. "], ["There are a lot of iPhone users and Android users that can't see some ...", " There are a lot of iPhone users and Android users that can't see some of my emojis like the smiles and kissy face the simple ones that have changed. Please fix! "]], "screenCount": 2, "similar": ["bazinga.emoticon", "com.emojiworld", "com.handcent.plugin.emoji", "com.ninja.sms", "com.jb.gosms", "com.jb.gosmspro.theme.iphone", "com.tmnlab.autoresponder", "com.textra.emoji", "com.easyandroid.free.mms", "com.androidsx.smileys", "com.jb.gosms.widget", "com.contapps.android.emojis", "com.google.android.talk", "com.textra", "com.plantpurple.emojidom", "com.jb.gosmspro.theme.icecream", "com.handcent.nextsms", "ru.vsms"], "size": "9.6M", "totalReviewers": 9084, "version": "1.4"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtaeab.json_merged.json b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtaeab.json_merged.json new file mode 100644 index 0000000..f9af2a8 --- /dev/null +++ b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtaeab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "mobi.androidcloud.app.ptt.client", "category": "Communication", "company": "TiKL Inc", "contentRating": "Low Maturity", "description": "\u00e2\u02dc\u2026 Over 25 million users worldwide and counting\u00e2\u02dc\u2026 Named \"Top Developer\" by Google.\u00e2\u02dc\u2026 Featured in the book \"Amazing Android Apps for Dummies\"\u00e2\u02dc\u2026 Top communication/social app for years\u00e2\u02dc\u2026\u00c2\u00a0Completely FREE. No hidden fee or ads.Instantly speak to or text one or many friends at once with the touch of a button. No setup needed, just have them in your address book or as Facebook friends. Fast and simple - TiKL turns your phone into the ultimate Push To Talk (PTT) Walkie Talkie with instant messenger capability.\u00e2\u02dc\u2026 Quick one-on-one/group voice push-to-talk calls.\u00e2\u02dc\u2026 Lightning fast chat with delivery confirmation.\u00e2\u02dc\u2026 Uses data connection only. No voice minutes or SMS used for TiKL calls or chats.\u00e2\u02dc\u2026 Works across carriers and Android/iPhone/iPad/iPod Touch.\u00e2\u02dc\u2026 Connects on WiFi, 3G, 4G, EDGE and GPRS.\u00e2\u02dc\u2026 Create widgets by long pressing any blank space on your home screen.\u00e2\u02dc\u2026 What if their device is off? No worries. TiKL automatically delivers your messages the moment it is turned on.We are on Facebook and Twitter:http://www.tikl.mobihttp://www.facebook.com/TiKL.TouchToTalkhttp://twitter.com/TiKLTouchToTalkTo ensure that you do not miss any incoming TiKL calls or chats, please launch the app at least once after installing/upgrading it.If things don't work after updating, please uninstall and reinstall.", "devmail": "tikl.mobi@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://www.tikl.mobi&sa=D&usg=AFQjCNGupamc_eLPS-cRmUHk3fRFQwGerw", "id": "mobi.androidcloud.app.ptt.client", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "TiKL Touch Talk Walkie Talkie", "price": 0.0, "rating": [[" 5 ", 90834], [" 2 ", 3868], [" 3 ", 14854], [" 4 ", 33544], [" 1 ", 6370]], "reviews": [["Excellent/Brilliant", " I've recommended this app to all my friends n employers (past/present) ..... Best thing sence sliced bread, lol...... I've been thru 3 phones n each time the first app I go for is the TiKl talk app is far more superior.... It's the Miami Heat of push to talk apps .... Great job !!! Consider this 20 extra stars.... "], ["Like the app", " I like this app not the best yet and could use some work like being able to turn the notification off, bring able to resend message that don't go tru. also my phone deletes messages on oit's own. better archiveing for incoming voice message do if i miss one i can replay it "], ["Can't use with daughter", " I would rate this 5 stars but my daughter can't download this on her Galaxy phone. that was the only reason I wanted it was to keep in contact with her. "], ["Doesn't work.", " It just says TIKL is optimizing, and won't ever open into the program anymore. "], ["Worked for over 7yrs", " It now consumes too much power. If it gets fixed ill get it again "], ["Horrible app", " Only works some times and if you miss someone you miss them no way to replay the message and you can't pick anyone in your list and no way to put it on mute "]], "screenCount": 5, "similar": ["com.kakao.talk", "jp.naver.line.android", "org.mozilla.firefox", "com.keechat.client", "com.talkray.client", "com.loudtalks", "com.google.android.talk", "com.vomessenger.client", "com.android.chrome", "com.antivirus", "com.google.android.gm", "cl.nextel", "com.facebook.orca", "com.rebelvox.voxer", "com.viber.voip", "com.whatsapp", "com.apdroid.tabtalk", "com.tencent.mm", "com.skype.raider"], "size": "2.2M", "totalReviewers": 149470, "version": "2.19"}, {"appId": "com.yahoo.mobile.client.android.imvideo", "category": "Communication", "company": "Yahoo", "contentRating": "Medium Maturity", "description": "This plug-in enables voice and video calls in the Yahoo! Messenger app********* IMPORTANT *********1. This is not a launchable app on its own, you need to install Yahoo! Messenger to enable the call features2. To call, press the menu button in a Messenger conversation and tap the voice or video option3. Video is only supported on Android OS 2.2+ (except for MyTouch 4G & EVO 4G where OS 2.3+ is required)4. Yahoo! Messenger 1.5 and higher 5. The other user needs to use Yahoo! Messenger for Android, iPhone or Windows PCVideo calling is in beta. We are aware of incoming call volume issues and we will be addressing those soon. Help us improve the product by providing feedback and specific failed scenarios with device information to: androidimfeedback@yahoo.com. Thanks!", "devmail": "androidimfeedback@yahoo.com", "devprivacyurl": "N.A.", "devurl": "http://mobile.yahoo.com/messenger/android&sa=D&usg=AFQjCNEOro2as1alpt31wQNl1yP8Wl-rbw", "id": "com.yahoo.mobile.client.android.imvideo", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.yahoo.mobile.client.android.fantasyfootball", "com.yahoo.mobile.client.android.search", "com.yahoo.mobile.client.android.fantasybaseball", "com.yahoo.connectedtv.yremote", "com.yahoo.mobile.client.android.fantasybasketball", "com.yahoo.mobile.client.android.yahoo", "com.yahoo.mobile.client.android.weather", "com.yahoo.mobile.client.android.flickr", "com.yahoo.mobile.client.android.finance", "com.yahoo.mobile.client.android.mail", "com.yahoo.mobile.client.android.im", "com.yahoo.cricket.ui"], "name": "Yahoo Messenger Plug-in", "price": 0.0, "rating": [[" 4 ", 18236], [" 2 ", 3809], [" 5 ", 62143], [" 1 ", 9968], [" 3 ", 10133]], "reviews": [["App doesn't work most of the time on my Android", " Sometimes, (not often) the voice call feature works, but then it hangs up on you in the middle of the conversation and you have to hope you can call the person back. Text messages sent or received sometimes take a day to arrive. I can't post this unless I give it at least 1 star, but this app doesn't even deserve that. If it gets fixed I'll update my review. "], ["Unable to use video chat/call", " i have tested extensively on different HW. The video chat does not work between android and windows OS versions. Is there work in progress to fix this issue? RR "], ["not compatible with the galaxy tab.", " it is nice to know the glitch has been fixed, but i can't install. The update to use it. You fixed one issue just to create new one.issue "], ["Camera issues with galaxy tab 7.7 and Does not let you type whilst watching ...", " Camera issues with galaxy tab 7.7 and Does not let you type whilst watching cam\tEven though you state the camera orientation issue has been sorted I am still seeing an issue with the Samsung galaxy tab 7.7. I am always on my side no matter whether I hold the tablet in landscape on portrait mode. Also some times you can't chat on voice but need to text chat while viewing cam. I please make this possible "], ["What just happened?", " I tried to accept an incoming video request and not only would it not work on my Verizon Galaxy S 3 but when I didn't reject the request it kept ringing even after I logged out of Messenger until I rebooted the phone. "], ["What makes it worse", " Is that I can't uninstall any yahoo apps even though i'm done trying them so they just keep turning themselves on and eating on my ram. I can ofcourse work around it but shouldn't have to. A big thanks to HTC for adding all this bloat and making your phones the hardest to root "]], "screenCount": 2, "similar": ["com.kakao.talk", "cn.msn.messenger", "com.synchronica.im", "com.nimbuzz", "com.wHotmailLiveMessenger", "com.protrade.sportacular", "com.spartanbits.gochat.yahoomessenger", "com.ebuddy.android", "com.beejive.im.yahoo", "com.facebook.orca", "com.whatsapp", "im.mercury.android", "com.intonow", "com.chikka.gero", "net.daum.android.air", "com.catfiz", "com.skype.raider", "kik.android"], "size": "6.0M", "totalReviewers": 104289, "version": "1.6.0"}, {"appId": "com.moplus.gvphone", "category": "Communication", "company": "Mo+", "contentRating": "Low Maturity", "description": "With your Google Talk/Voice account, you can call and text your GTalk friends and any number in the US and Canada for FREE! Wherever you go, as long as you have internet access, free phone calls and texting (to North America) are right at your fingertips!Why you should choose Mo+:- Free. All the services of voice calls and texting are as FREE as you believe!- Always online. Call, chat and get connected with your GTalk friends, wherever you go.- High-quality voice calls. The services provided by Mo+ include high-quality voice calls which can enable you to chat with your friends just like face to face.- Easy to use. Start calling or texting with minimum tap.More features coming soon... Stay tuned!Keywords:mo+, moplus, message, messenger, phone, talk, chat, mobile, SMS, voice, dial, communication, social", "devmail": "info@mopl.us", "devprivacyurl": "N.A.", "devurl": "http://mopl.us&sa=D&usg=AFQjCNEurZNufclxUAQbAKUYSqv3yRzH5w", "id": "com.moplus.gvphone", "install": "100,000 - 500,000", "moreFromDev": ["com.moplus.moplusapp"], "name": "PHONE for Google Voice & GTalk", "price": 0.0, "rating": [[" 1 ", 605], [" 5 ", 13535], [" 4 ", 2805], [" 2 ", 330], [" 3 ", 1026]], "reviews": [["Missing Voice mail, Cant change status", " Good app with clean interface. But missing two important features: 1- You cant access your GV Voice Mail 2- You cant change your status it's either Available or Busy with \"mo+ ... free calls\" status Moved to talkatone "], ["Love it but....", " Awesome! But doesnt seem to hold calls to well also has a delay in call responses..hate having to repeat myself other than that its what i needed regarding businesses and getting in contact with clients asap. Overall its definitely worth the down load and its freeeeee! :) "], ["My phone is now complete.", " Finally, an app to call over wifi! This is absolutely terrific for many reasons. Just think for 10 seconds and you'll find some great uses for it. Now all those pesky cell phone companies have something to worry about! :) "], ["Decent. Call quality could be better", " Sometimes the calls aren't very clear. Texts go right through. Not bad "], ["Good but needs lots of improvement", " The app could be a lot helpful sometimes and sometimes its just irritating. There's no volume control and volume control on my device, headset or Bluetooth won't work on it so I hear crazily loud voice from the other end. Also, network has to be really good to enjoy it otherwise there will be lots of waiting time for response. Overall I rate the app slightly above average. "], ["Good app with caveat", " Doesn't work very well over 3G. Calls are delayed 3-5 seconds. However, it works very well over wifi and serves it's intended purpose very well. For a free app it is fantastic. "]], "screenCount": 5, "similar": ["hu.xilard.voiceplus", "jp.naver.line.android", "org.mozilla.firefox", "com.facebook.orca", "larry.zou.colorfullife", "net.init0.android.liveware.extension.gtalknotifier", "com.google.android.talk", "com.android.chrome", "com.kakao.talk", "com.alpha.chatxmpp", "com.talkatone.android", "com.viber.voip", "com.whatsapp", "com.skymobius.vtok", "com.google.android.apps.googlevoice", "com.skype.raider"], "size": "8.8M", "totalReviewers": 18301, "version": "1.0.6"}, {"appId": "com.sec.chaton", "category": "Communication", "company": "Samsung Electronics Ltd.", "contentRating": "Medium Maturity", "description": "ChatON is a global mobile messenger for various platform users in the world.ChatON is installed on Samsung smart phones on over 300 million devices, (Galaxy Note3, Galaxy S4, Galaxy S3, Galaxy Note2, Galaxy Camera). ChatON is being serviced in 237 countries in 67 languages on 9 platforms including Android, iOS, and the web. ChatON has been downloaded over 130 million times by 130 million users, which now can be accessed simply with a phone number. With a Samsung account, users can enjoy ChatON on smart phones, tablets, and computers. ChatON features free messaging, free voice/video calls, sending handwritten messages, sharing location/videos/images on PostON, and useful live tips, which is the best social service to communicate with friends in 237 countries around the world. Start now!\u00e2\u02dc\u2026 Are anicons free?- ChatON provides all anicons for free. Express yourself to friends or groups of friends and share your life with them using various anicons!\u00e2\u02dc\u2026 Can I communicate with non-ChatON users?- Yes, ChatON supports the function of SMS/MMS integration so you can send and receive messages with non-ChatON users. (Only in specific countries)* SMS/MMS functions may not work by device or carrier.* ChatON SMS/MMS version offers the best performance on Samsung Galaxy S3, S4 and Galaxy Note 2, 3.(with Android ICS or higher OS version installed)* If you install other SMS applications(i.e. Facebook messenger, Hangout, Go SMS, and etc.) on your device which has ChatON SMS/MMS version, text messages received as SMS or MMS might be displayed abnormally. In this case, please choose not to get notifications about SMS through other applications in 'Settings' of each service. \u00e2\u02dc\u2026 I lost my phone?- Don't worry. We've saved all your buddies and chatting history within the past 15 days. Chat with the same buddies and you can even check chatting history on ChatON Web version (web.samsungchaton.com)\u00e2\u02dc\u2026 Can I translate messages in ChatON?- Chat with friends speaking other languages using the Auto translation function. (To and from Korean, Chinese, Japanese, English / From German, Russian, French, Spanish, Italian, and Portuguese to English, and vice versa)\u00e2\u02dc\u2026 Can I use ChatON on smart phones and tablets?-You can enjoy ChatON on smart phones, tablets, and PCs(up to 5 devices) by signing in with a Samsung account.", "devmail": "chaton@samsung.com", "devprivacyurl": "N.A.", "devurl": "http://www.chaton.com&sa=D&usg=AFQjCNG8wUti7vYKlVic7E6pCslC4PnBEQ", "id": "com.sec.chaton", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.sec.spp.push"], "name": "ChatON", "price": 0.0, "rating": [[" 2 ", 4028], [" 3 ", 11102], [" 1 ", 17946], [" 5 ", 69259], [" 4 ", 17457]], "reviews": [["Still Useless & NOT Even Wanted", " I don't use it, no one I know uses it. I think it's a waist of space and memory and still think the permissions is outrageous. Please for the love of it stop updating this useless app no one wants. "], ["Worst...", " Wtf is happening man? I cant use it without updating it.msges are reaching very late.so how can we use it rather than whatsapp or we chat?? Sorry there is no option for 0 stars so I give 1. "], ["Senseless Bloatware", " I understand you guys make this stuff in hopes that we will love it. But you might want to consider allowing your preinstalled apps to be deleted. This is the reason why I will be rooting this pos phone because of all the bloat. Maybe if you allowed your bloat to be uninstalled you would have a lot less rooting going on. And I'm not worried about killing my \"warranty\" had this phone for a week and had issues and was not covered by your so called warranty. Cant wait to upgrade back to HTC. "], ["Don't want it", " Why do Samsung insist on installing a load of second rate software? It's cluttet I don't want. It's annoying that it keeps updating. It's ugly too. Please let me uninstall and I might get another Samsung device... "], ["Still a waste of memory", " Don't use it, don't want it, can't remove it. No one i know uses it. Grr. I'd give it 0 stars if that was an option. "], ["PLEASE allow uninstall", " For thos of us who do NOT use this app nor want to why do we keep needing to update I would LOVE an option to uninstall and free up space on My phone as I would much rather use the space for a app I prefer to use PLEASE! !!!!!! "]], "screenCount": 8, "similar": ["jp.naver.line.android", "com.kakao.talk", "com.handmark.friendcaster.chat", "com.nimbuzz", "com.google.android.talk", "com.spartancoders.gtok", "com.android.chrome", "com.google.android.gm", "com.androidsx.smileys", "com.facebook.orca", "com.viber.voip", "com.whatsapp", "com.bbm", "com.tencent.mm", "com.skype.raider", "kik.android"], "size": "Varies with device", "totalReviewers": 119792, "version": "Varies with device"}, {"appId": "com.connectivityapps.hotmail", "category": "Communication", "company": "Connectivity Apps", "contentRating": "Low Maturity", "description": "Hotmail Connect gives you easy access to your mail - everywhere! This app is always synchronized and notifies you when new mails arrive. If you have tips or comments - please send me an email!", "devmail": "connectivity.apps@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.connectivityapps.hotmail", "install": "100,000 - 500,000", "moreFromDev": ["com.connectivityapps.outlook"], "name": "Hotmail Connect", "price": 0.0, "rating": [[" 4 ", 91], [" 1 ", 45], [" 5 ", 214], [" 3 ", 33], [" 2 ", 19]], "reviews": [["you should put a button to empty inbox.. because it's hard when we want ...", " you should put a button to empty inbox.. because it's hard when we want to delete to many messages. Everything else pretty ok. "], ["2 thumbs up!!!", " Even though I've only had this installed or a day, I have to say that I really like the ability to access my Hotmail account and have it updated on my S4 w/out having to switch everything over to a different email account. "], ["Does what it says :-) works well", " Works very well and very fast . Keep up the good work guys :-) "], ["Multiple Accounts", " Had an old version of this that was ace as i could have multiple accounts. Either this app assumes you only have one email address or i am missing something. "], ["Rarely works", " Not a real app, it just hijacks the hotmail website. But mostly it just displays webpage not loaded screen with a banner add. "], ["Pfft", " Falls down at start, after inputting all details how are you supposed to start the app no ok button, dont bother. "]], "screenCount": 3, "similar": ["org.mozilla.firefox", "com.dreamstep.wWindowsLiveMSN", "cn.msn.messenger", "jp.tech4u.inspmode", "com.wHotmailLiveMessenger", "com.outlook.Z7", "jp.co.nttdocomo.carriermail", "com.bludroid.blaze", "com.blustudio.mails", "net.pocketmob.hotquick", "com.app.inboxproforhotmail", "com.mobiletecnoapps.multiplemails", "com.hotmailliveemailnumber2", "com.dreamstep.wSimpleHotmailClient", "com.blustudio.email", "com.womboidsystems.HotmailToOutlook2013"], "size": "553k", "totalReviewers": 402, "version": "2.3"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtafaa.json_merged.json b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtafaa.json_merged.json new file mode 100644 index 0000000..0bbdb99 --- /dev/null +++ b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtafaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.foxfi2", "category": "Communication", "company": "FoxFi Soft", "contentRating": "Everyone", "description": "This is only a renewed listing of FoxFi (with PdaNet). Please do not install this if you already have FoxFi or PdaNet installed because this one would be exactly the same. Please only install this if you couldn't find the original FoxFi or PdaNet app in Play Store.Because FoxFi and PdaNet share your phone's data connection with computers or tablets without paying a tether plan, some carriers such as Sprint or AT&T have removed our app from Play Store. They can no longer do that legally due to the latest FCC tether rules.The original listings, each with close to 5 million downloads, can be view in your web browser at http://play.google.com/store/apps/details?id=com.pdanet andhttp://play.google.com/store/apps/details?id=com.foxfiTo purchase the full version, make sure to use the \"Purchase\" button inside the app. There have been \"fake\" apps by scammers in the Play Store that claim to be the full version.", "devmail": "foxfi1@foxfi.com", "devprivacyurl": "N.A.", "devurl": "http://foxfi.com&sa=D&usg=AFQjCNG9DJ8W1H7VyJtW6iz0uikXxthq9w", "id": "com.foxfi2", "install": "100,000 - 500,000", "moreFromDev": "None", "name": "FoxFi (Sprint/AT&T only)", "price": 0.0, "rating": [[" 4 ", 51], [" 2 ", 23], [" 1 ", 188], [" 3 ", 33], [" 5 ", 248]], "reviews": [["Works! Sprint - Note 2", " Get the tablet version of pdanet & install on tablet- get Sprint version of Foxfi & install on phone. I used the \"forget\" option for the tablet's prior WiFi connection so I was not connected via WiFi & UNpaired on both the tablet & phone, the prior Bluetooth connection. Go into tablet, select option for bluetooth instructions, follow it. Go to phone & enable Bluetooth, go back to tablet & enable the scan. It popped up a window on each device, verify & hit ok. Then use \"connect\" from tablet & presto! "], ["So sad...", " This worked for about a day (if you count only being able to use Bluetooth as working). I would gladly pay the money for the pro version if I knew it would actually work. Hot spot doesn't work and prompts me to call at&t and USB doesn't work. I can connect to the internet for only 30 seconds at a time but you can't really do anything in 30 seconds. I'm disappointed that by reading these comments, it's obvious multitudes of people are having issues. Please fix and you can have my money "], ["Works on nexus on sprint", " Bluetooth and USB connect work. WiFi tether does not. Our opens up the sprint WiFi tether app. Would love if this was fixed. If Wi-Fi tether is fixed I'll buy, until then it's not as much a great value "], ["Automatically shuts off hotspot", " It lasts 7 seconds and then the hotspot shuts off saying my plan doesn't have hotspot. Sprint galaxy s4 "], ["Doesn't work for me", " I have a virgin mobile phone and I know they use sprint towers for service but I can never connect my laptop to the wifi hotspot this little app provides. Id prefer the wifi hotspot instead of using 3g cuz 3g is slow as hell around here "], ["Great App", " Main feature works great. Disappointed second feature of reviewing and sending text via tethered CPU is not supported with recent update. "]], "screenCount": 2, "similar": ["com.svtechpartners.wifihotspotdemo", "com.pdanet.tablet2", "com.foxfi", "com.manchinc.android.mhotspot", "com.redbug", "com.foxfi.key", "uk.co.jads.android.netsharer", "com.pdanet.tablet", "com.mstream.e2t", "kr.core.technology.wifi.hotspot", "com.opengarden.android.MeshClient", "com.zipwhip.devicecarbon.sprint", "com.faveset.klink_blue", "com.mstream.easytether_polyclef", "com.redbug2", "hm.orz.chaos114.android.tethersetting", "com.wifi.hotspot", "com.sprint.trs"], "size": "203k", "totalReviewers": 543, "version": "2.13"}, {"appId": "com.comcast.hsf", "category": "Communication", "company": "Comcast Cable Corporation, LLC", "contentRating": "Low Maturity", "description": "The XFINITY WiFi application makes it easy to locate thousands of XFINITY WiFi Hotspots. Features: \u00e2\u02dc\u2026 Map view \u00e2\u02dc\u2026 List View \u00e2\u02dc\u2026 \"Near Me\" locates all nearby XFINITY WiFi hotspots \u00e2\u02dc\u2026 Driving directions \u00e2\u02dc\u2026 Create and save a list of your favorite hotspots for easy reference XFINITY WiFi Hotspots: Tens of thousands of XFINITY WiFi hotspots are available in multiple US cities, including Philadelphia, New York, Boston, Washington DC, San Francisco, and San Jose, with more locations added frequently.", "devmail": "N.A.", "devprivacyurl": "http://www.comcast.com/wifi/wifiapp_privacy&sa=D&usg=AFQjCNFEjdXvo_uidDFY8X7Zu28YDc1rJg", "devurl": "http://www.comcast.com/wifi&sa=D&usg=AFQjCNHRy2EIpgyrEv-PT9QJeT8bpiZS2g", "id": "com.comcast.hsf", "install": "100,000 - 500,000", "moreFromDev": ["com.comcast", "com.comcast.tvsampler", "com.comcast.cvs.android"], "name": "XFINITY WiFi", "price": 0.0, "rating": [[" 5 ", 309], [" 4 ", 68], [" 3 ", 53], [" 2 ", 28], [" 1 ", 177]], "reviews": [["not worth it", " not what I expected, app does not function as promised. get it right Comcast, I pay you all too much every month to have you design this poor app. try again "], ["Lack of outdoor hotspots", " This application has all the means to be grate, only misses the most important outdoors. Make them available and you'll get the five stars. "], ["Good idea,", " Poor execution. Sitting at an Xfinity WiFi hotspot and it shows the nearest one 1/2 mile away. So far in the ten minutes I've had it, I can point out 20 spots that aren't on the map, and another 50 that are wrong. "], ["Hit or Miss... if you're lucky", " This app will only work if you allow GPS to be turned on. You can't manually search and get results. Also, right after download, it told me a new database was available and would take an additional 18.6 MB. Doesn't that defeat the purpose of the first download? Why was this app not updated so that upon initial d/l the new database was included? This app is a giant clusterf*ck and is hit or miss. That's too bad I was excited to take xfinity with me but instead .... uninstalling! "], ["Works great.", " I was surprised when the first Xfinity WiFi showed up on my tablet, now they have expanded all around my town. Comcast became so much worth the money with those strong hotspots. Wish they would get it working at my college campus. "], ["Pretty Much Worthless", " My tablet does not have mobile data, it is wireless only. If I am out somewhere and want to connect my tablet to a wireless hotspot, this app will not show me a previously stored map with hotspots, it tries to connect to the internet in order to figure out where I can get an internet connection... then it pops an error dialog box that says, \"No connection.\" Well Du-uh! You idiots, find me a connection based upon what you know from when it last downloaded a database! THEN I will have a connection! What is the point of downloading an 18 MB database if you are not going to use it when you need it? I have to use my mobile phone's 3G data connection to run the app in order to find an xfinity hotspot so I go over to the hotspot and connect the tablet. What is the point of this app? I could just as well set up a tethered connection to my phone and forget about Xfinity. (Most monthly phone plans are now data unlimited.) "]], "screenCount": 3, "similar": ["com.svtechpartners.wifihotspotdemo", "com.majedev.superbeam", "com.stt.mobilehotspot", "com.wifi.hotspot", "com.foxfi", "com.manchinc.android.mhotspot", "og.android.tether", "net.snclab.wifitetherrouter", "kr.co.core.technology.wifi.hotspot", "com.taiseiko.tetherWidget", "kr.core.technology.wifi.hotspot", "net.comcast.ottclient", "com.svtechpartners.wifihotspot", "com.wefi.wefi", "net.szym.barnacle"], "size": "20M", "totalReviewers": 635, "version": "1.0.3"}, {"appId": "com.adn37.omegleclientlite", "category": "Communication", "company": "Ad37", "contentRating": "Medium Maturity", "description": "Talking to strangers has never been easier. Chat with a person picked randomly from thousands of users on Omegle.com web site. Conversations are totally anonymous. Simple, fast and clean interface, for the best mobile Omegle experience!This is the lite version, ad-supported. No limitation.New:- Random chat with common interests- Spy mode- Captcha reduction systemFeatures:- Random chat in standard mode- Random chat with common interests- Spy mode- Real Omegle look (and night and day themes)- Share conversation online with your friends on Facebook, Twitter, email... and save to your SD card.- Browse web links sent by strangers without leaving the app- Rotate your screen, it's fun!- Fill Omegle captcha directly in application- Stay connected while app is in the background- Analyze network problems with the embedded Connectivity Wizard.If you wish to report a bug, please use about menu in the app. Feedback is welcome.Requires permission to write to SD card in order to save conversations, when you wish to do so.For those with device memory problems: if there is not enough memory left, please shutdown other apps or reboot your phone. If you have connectivity problems, please try via WiFi. Thank you.App does not support video chat at the moment.", "devmail": "omegle.android@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://omegleandroid.blogspot.com/&sa=D&usg=AFQjCNG9L52Pzafyalp_xK8jo3vfS1bN-A", "id": "com.adn37.omegleclientlite", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.adn37.omegleclient"], "name": "Omegle Android FREE", "price": 0.0, "rating": [[" 5 ", 2634], [" 4 ", 894], [" 3 ", 875], [" 1 ", 1242], [" 2 ", 402]], "reviews": [["To many Captcha", " I have to complete 3 or 4 Captcha in a row before I can use it. If the conversation ends sometimes I have to do it over again. I get lucky one on awhile and don't get asked for a couple of conversations then it will make me do a bunch of them again "], ["Nooo", " All the people I have talked to on here were either asking if I was ho*ny,if I had kik,to talk dirty,to get on cam.its the same people! Beware! There is a 22 year old from chicago who will ask you to get on cam.and even if you tell her no she still does it. There has only been like 3 nice people I have talked to. "], ["Make users more happy", " Need to find out who's promoting other websites and advertising them because it's annoying, and u should create categories. Like girls looking for boys, boys looking for girls, girls looking for girls and boys looking for boys. And what ages there looking for, example:14-16. That would also be a better thing and make people happier. "], ["Cool app", " If u get past the pervs! I was talking to this girl from uk n we got disconnected sux! She was the first person that actually had a convo with me! Good app tho "], ["Pervs", " Pretty good app but there's a lot of pervs. I'd like it if I had a nice clean convo but no every guy asks if you want to see his cock "], ["Spy mode", " Needs fixed cuz I was gonna say hi to pewdiepie and it disconnect on me ... NOT COOL! I give it 3 stars fix the spy mode and ill give it 5 stars "]], "screenCount": 7, "similar": ["com.uc.browser.hd", "com.ndcubed.Omegler", "com.jiubang.browser", "android.androidVNC", "com.google.android.talk", "com.bosscellular.curtis", "com.android.chrome", "com.opera.browser", "org.mozilla.firefox", "com.mx.browser", "com.foba.omegle", "us.textr.Anonytext", "com.opera.mini.android", "com.moobila.appriva.av", "com.UCMobile.intl", "org.frosty.fromegle"], "size": "439k", "totalReviewers": 6047, "version": "1.27"}, {"appId": "it.medieval.blueftp", "category": "Communication", "company": "Medieval Software", "contentRating": "Everyone", "description": "Use your smartphone to browse, explore and manage files of any Bluetooth ready device, using File Transfer Profile (FTP) and Object Push Profile (OPP): you can also receive files and send contacts!GUIDE> http://help.medieval.it (by Absolutely Android)FEATURES>* Custom security manager for incoming BT connections: only authorized devices can connect, if you accept. If you refuse, no access is granted on your servers: personal data files and privacy are safe against hacker, nerd, geek and guru (enanched Bluetooth server security is disabled by default)* 3rd party applications can open (or pick) files from sdcard using this package like attachment, music, pictures or any multimedia file (no external intents are supported for performance purpose)* Support for legacy 2.0 and AES (128, 192 and 256 bit) encryption (both pack and unpack) of Zip files (like WinZIP or WinRAR) - keep private document secure using a long pass to protect it* Enhanced all-in-one app with the fastest file browser ever seen (you can verify by yourself, test it now)* Professional, clean and fast UI where you can customize any aspect of the file viewer. Customizable user interface in order to best fit your needs (expert only)* Thumbnails for APK, audio, video, image (also inside archive files: Zip, GZip, TAR) - thumb picture (miniature) not stored on cell phone memory* It can connect to new and old cellphone: nokia, samsung, lg, sony (Android does not support infrared IR pan)* Search files also inside Zip, GZ, Tar (advanced searching inside archive can take double time to complete)* Improved contact send function in order to manipulate telephone numbers on generated VCARD (vcf) files* Cut, copy, move, paste, delete multiple items using the integrated explorer of this application* You can full unhide (or hide) hidden media (both smartphone and sd memory)* OBEX layer (obexftp and obexopp) entirely developed by Medieval Software* Compress, uncompress and extract Zip (encrypt with password), GZip, Tar* Cleaner program settings view using shortcut icons pane* Sharing: you can share a single file or an entire path* Powerful bookmark feature with precise sorting* Contact send screen supports contacts groups* Test and check archive integrity (deflate)* Desktop folders shortcuts* Calculate MD5 and CRC32* Power saving management* Streaming service* No root required* Multi language* Multiselect* Home folder* File sort* Open asFreeware with AD (free software) - You can now remove advertising from this application by purchasing \"Medieval Licensing System\" on the Android Market!NOTE - SDPD (uuid port route) may not work on Android 1.5 and 1.6 so friend services could not reach you!---FAQ> Why \"Bluetooth File Transfer\" requires the contact read permissions?A. In order to send your contacts over Bluetooth, if you wish, for example to your car-kit or to another smartphone. Open main menu, select Send contacts item, put a check beside the contacts you would like to send and finally press Send button.", "devmail": "admin@medieval.it", "devprivacyurl": "N.A.", "devurl": "http://www.medieval.it&sa=D&usg=AFQjCNG5g7dJQsYZGJQC9KIxht04qzj32g", "id": "it.medieval.blueftp", "install": "10,000,000 - 50,000,000", "moreFromDev": ["it.medieval.castle", "it.medieval.dualfm_xt", "it.medieval.license"], "name": "Bluetooth File Transfer", "price": 0.0, "rating": [[" 4 ", 26203], [" 2 ", 3076], [" 5 ", 85617], [" 3 ", 11316], [" 1 ", 5658]], "reviews": [["Waste of my time", " I tried to transfer files both to PC and tablet. Both gave messages that files were ttansferred succesfully but no files moved, only empty shells. "], ["Works well", " Seems to be limited to internal sd only. I have three sd's, so I need to be able to see all SD's on my ASUS Transformer TF300T. Is this going to happen? "], ["Works but not robust", " Works well for transferring files from my phone to my tab, but it is not very robust. Doing other things while transferring sometimes kill the transfers and it doesn't exit cleanly, leaving hung transfer progressbar. Haven't found better anyways, as long as you know its limitations it is ok. "], ["Very poor app...", " When i connect to any other bluetooth device it only shows the folder name not the inner content....plzzz give me any solution....for which i'll give u 5 star..plz... "], ["Need improvements", " 1)title bar +status bar +THIER ADVERTICEMENT SPACE = Together they carries a lot of space so hardly there is place for displaying files 2) one canot cancel requesting while requesting for FTP connection is going on app wont respond & the only measure left is to switch of bluetooth and again turn it on 3)no option to hide the annoying pinch zoom button 4)both in list&thumbnail views name of the files canont read , are unreadably small 5)multiple launguage option is useless 6) ES file manager is better "], ["Very handy", " File transfer easily over BT. Never had issues with this app. Too bad BT doesn't support this functionality out of the box on all phones I've seen. "]], "screenCount": 8, "similar": ["jp.naver.line.android", "org.mozilla.firefox", "com.vvmaster.android.bluetoothreconnector", "cz.rozkovec.android", "com.chirag.whatsappBluetooth", "com.bluetooth.Lite", "com.antivirus", "org.joa.zipperplus", "com.sonymobile.smartconnect.collins", "com.floriandraschbacher.fastfiletransfer", "com.viber.voip", "com.iodroidapps.btaf", "com.whatsapp", "org.myklos.btautoconnect", "it.vanini.ottavio.android.utility.bt", "com.skype.raider"], "size": "2.0M", "totalReviewers": 131870, "version": "5.32"}, {"appId": "com.verizon.messaging.vzmsgs", "category": "Communication", "company": "Verizon Wireless", "contentRating": "Low Maturity", "description": "Take Texting to a new level and stay connected across all your devices with Verizon Messages! \u00e2\u20ac\u00a2\tMulti-device messaging \u00e2\u20ac\u201c Move your conversation across devices uninterrupted\u00e2\u20ac\u00a2\tPersonalize conversations \u00e2\u20ac\u201c Customize images, notifications, font sizes, signatures and much more\u00e2\u20ac\u00a2\tAward Winning \u00e2\u20ac\u201c \u00e2\u20ac\u0153Best of Show\u00e2\u20ac\ufffd at CTIA 2013 in Emerging Technology category\u00e2\u20ac\u00a2\tShare locations \u00e2\u20ac\u201c Use Glympse\u00c2\u00ae to share your real-time location with others, or view multiple friends\u00e2\u20ac\u2122 locations on a single map screen\u00e2\u20ac\u00a2\tContent Finder \u00e2\u20ac\u201c Easily search through your messages with this exclusive featureKeeping your conversations going has never been easier\u00e2\u20ac\u00a2\tLocate, attach and send or receive pictures, audio clips, texts and more from your tablet and the web using your Verizon wireless phone number\u00e2\u20ac\u00a2\tExperience seamless transitions from device to device\u00e2\u20ac\u00a2\tStay connected with family and friends by sending messages to international numbers \u00e2\u20ac\u00a2\tUse Wi-Fi to send and receive messages on your tablet or web browser if you are out of the country or outside of Verizon coverage\u00e2\u20ac\u00a2\tUp to 90 days of messages are synced between all devices and the webPersonalize your Messages:\u00e2\u20ac\u00a2\tExpress yourself in pictures: create a postcard or enhance pictures using any combination of the collage, caption and sketch features.\u00e2\u20ac\u00a2\tShare real-time locations: Use Glympse\u00c2\u00ae to share your real-time location with others, or view multiple friends\u00e2\u20ac\u2122 locations on a single map\u00e2\u20ac\u00a2\tSend a voice or audio message - just press and hold to record, then release to send. \u00e2\u20ac\u00a2\tSend texts, personalized pictures, voice messages and Glympses\u00c2\u00ae to friends on any networkMake your messaging app as unique as you: \u00e2\u20ac\u00a2\tUse an auto-reply message when you\u00e2\u20ac\u2122re away from your phone or to avoid distraction when driving. \u00e2\u20ac\u00a2\tChoose from a variety of emojis to send to your friends and family\u00e2\u20ac\u00a2\tPersonalize your messages with signatures or a personal quote\u00e2\u20ac\u00a2\tGet creative and personalize your notifications, conversation bubbles and background colors, font sizes, and more\u00e2\u20ac\u00a2\tView and reply to your messages without opening the Verizon Messages app or even unlocking your phone Enjoy many other useful features:\u00e2\u20ac\u00a2\tSave and retrieve your text and multimedia messages using an SD card, or restore your messages from online. \u00e2\u20ac\u00a2\tBrowse your shared message content to find photos, videos, web links, locations and contact info.\u00e2\u20ac\u00a2\tSearch recipient information and message content to find important messages\u00e2\u20ac\u00a2\tQuickly preview web links without leaving the conversation\u00e2\u20ac\u00a2\tMute a conversation to silence notifications\u00e2\u20ac\u00a2\tReport spam in one easy stepBusiness customers can continue using Verizon Messages on their Android smartphones to send and receive messages without the Integrated Messaging service. For the best messaging experience, install one SMS/MMS messaging app on your device. Running multiple SMS/MMS messaging applications on your phone may impact performance, such as causing notifications to disappear, disrupting the group conversation experience, and altering message timestamps.Need Help? Visit our Support Pages at http://support.verizonwireless.com/clc/features/data_services/verizon-messages.html.Your download and use of the Verizon Messages App and Integrated Messaging Service will be billed according to your messaging and data plans. \u00e2\u20ac\u00a2 The same rate will be charged per message per recipient regardless of whether you send your message from your mobile phone, tablet, PC, laptop, or other device. \u00e2\u20ac\u00a2 Group messages and messages with attachments will be charged at the MMS rate. \u00e2\u20ac\u00a2 Data usage charges apply when using preview, location, and search functions, and for the synchronization of messages among your devices. View the complete Terms & Conditions at http://support.verizonwireless.com/terms/products/verizon-messages.html \u00e2\u20ac\u0153Verizon Messages is intended only for users with Verizon Wireless phone service. To sync messages with a tablet or the web, you must use your Verizon Wireless phone number.\u00e2\u20ac\ufffd", "devmail": "VerizonMessages@VerizonWireless.com", "devprivacyurl": "https://www.verizonwireless.com/privacy&sa=D&usg=AFQjCNHpKRVLb-9k3XldHlKc9qWWrFC1oA", "devurl": "http://verizonwireless.com/vzmessages&sa=D&usg=AFQjCNFf6tp83Zmzsm9AUoPqJXZ_BU9AsQ", "id": "com.verizon.messaging.vzmsgs", "install": "500,000 - 1,000,000", "moreFromDev": "None", "name": "Verizon Messages", "price": 0.0, "rating": [[" 5 ", 4805], [" 2 ", 377], [" 4 ", 1974], [" 1 ", 636], [" 3 ", 778]], "reviews": [["Great app just two complaints", " My only complaints are no texting over wifi on my phone and no way to resend message easily if it fails the first time "], ["Good... Kind of", " The application does not use push notifications. So when you get a message you may not necessarily get it for over 12 hours later. I recommend it if you needed messaging application on more than just your phone, but if you're using it for just fun and rely on notification I do not suggest it. "], ["So far not bad.", " More customization would be cool but being a branded app I won't hold my breath. "], ["Yay", " It does everything right "], ["Great except for one things", " Using the ultra. I love everything about the app except one super irritating thing. The menu button is in a crazy place.. Right below the space bar. Anytime I miss the space bar or any of the bottom buttons it brings up the menu and I'm into the third screen before I catch that I hit it. Way to irritating for me to keep using. Maybe I'll try later. Great app otherwise. "], ["Wonderful, Life saver", " This is the best app. Ever. My phone stopped working & all my texts disappeared, even the important ones I locked. Verizon said no way to retrieve any of them to my dismay. They sent me a replacement phone. That night, I was sending a text. A screen on this app asked me if I wanted to recovery my texts to this phone. Lo and behold this app surprisingly brought my text back!!! I must have installed this on my broken phone & didn't realize how great it was. "]], "screenCount": 7, "similar": ["com.contapps.android.messaging", "com.jb.gosms.messagecounter", "com.asurion.android.verizon.vms", "com.apdroid.tabtalk", "com.vzw.hss.myverizon", "com.vznavigator.SCHI545", "com.p1.chompsms", "com.vznavigator.ADR6410LVW", "com.funapps.smshub", "com.fusionone.android.sync.baclient", "com.vznavigator.DROIDX", "com.vznavigator.SCHI535", "com.vznavigator.Generic", "com.talkatone.android", "com.glidetalk.glideapp", "com.textmeinc.textme", "com.gdacarv.app.mensagensparacelular", "com.vzw.accessories", "com.vzw.hss.myverizonged", "jp.naver.line.android", "com.vzw.vvm.androidclient", "com.ani.apps.sms.messages.collection", "com.vcast.mediamanager", "com.jb.gosms", "com.mysms.android.sms", "com.ThumbFly.FastestSms", "com.extradea.vk", "com.vzwcorp.mcs.MobileMediaStore", "com.vznavigator.SCHI415", "com.vzw.hss.myverizontabletlte", "com.vznavigator.VS9504G", "com.icq.mobile.client"], "size": "Varies with device", "totalReviewers": 8570, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtafab.json_merged.json b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtafab.json_merged.json new file mode 100644 index 0000000..82e04d1 --- /dev/null +++ b/mergedJsonFiles/Top Free in Communication - Android Apps on Google Play.html_ids.txtafab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.moplus.moplusapp", "category": "Communication", "company": "Mo+", "contentRating": "Low Maturity", "description": "This is a beta version of Mo+ for Android, free calls and texting app. Your feedback is very important to us. Please email us directly if you have any problems or requests. Thank you!With Mo+, you can call or text any number in the US or Canada totally free! It's the app that changes your life! Wherever you go, as long as you have internet access, free phone calls and texting (to North America) are right at your fingertips!Why you should choose Mo+:- Free. All the services of voice calls and texting are as FREE as you believe!- High-quality voice calls. The services provided by Mo+ include high-quality voice calls which can enable you to chat with your friends just like face to face.- Personalization. Set your favorite wallpapers and make your own personalized phone app!- Easy to use. Start calling or texting with minimum tap.More features coming soon... Stay tuned!Keywords:mo+, moplus, message, messenger, phone, talk, chat, mobile, SMS, voice, dial, communication, social", "devmail": "info@mopl.us", "devprivacyurl": "http://mopl.us/privacy%2520policy.html&sa=D&usg=AFQjCNF-4EwylHXQhT2MvahnpXuLSxcFNQ", "devurl": "http://mopl.us&sa=D&usg=AFQjCNEurZNufclxUAQbAKUYSqv3yRzH5w", "id": "com.moplus.moplusapp", "install": "100,000 - 500,000", "moreFromDev": ["com.moplus.gvphone"], "name": "FREE Calls & Text by Mo+ Beta", "price": 0.0, "rating": [[" 5 ", 5509], [" 3 ", 496], [" 4 ", 1054], [" 2 ", 116], [" 1 ", 251]], "reviews": [["Eh, its ok.", " I can make calls, though slightly delayed. Cant text at all, just keep getting an error. Galaxy S3. "], ["Won't work", " Won't dial to make a call and when I call the new number it provides for my service, it asks me for a pin number. How do I acquire a pin number? Trying to see if I can contact support to see if I'm doing anything wrong, but I don't see how to contact them. "], ["Needs more feature", " Runs smoother than talkatone considering beta only but still lacking because no way people can receive and send pics. Needs to allow some level of ringtone and wallpaper customization. I cannot tell who's trying to call me. There's no way to receive incoming call. Let us remove the signature and put our own "], ["Pretty good", " App works quite well but I have it 3 out of 5 due to the time delay between me and my caller. I often end up talking over them and it makes me sound unprofessional. "], ["Want to enjoy", " I was trying to love the application but timing irritates me... calls ends after pulling away from ear and freezes app.. and notifications comes late sometimes I love the interface and would really appreciate new update and I'll proudly really download until bugs are fixed uninstalling "], ["Its good.", " So far I'm liking it. Almost everything works quite well. The only thing I'd like to mention is the picture mail. It half works. I installed this on my tablet and tested it by calling and texting to my phone and back. I can receive a pic message with this but when i send a pic it doesn't get received. "]], "screenCount": 5, "similar": ["jp.naver.line.android", "com.kakao.talk", "com.talkray.client", "com.rebtel.android", "com.gvoip", "com.talkatone.android", "com.icall.android", "com.fondora", "org.netTalk.smartphone", "com.textmeinc.textme", "com.viber.voip", "com.maaii.maaii", "com.yuilop", "com.fring", "com.gogii.textplus", "com.pinger.ppa"], "size": "9.8M", "totalReviewers": 7426, "version": "1.0.5"}, {"appId": "com.contapps.android", "category": "Communication", "company": "Contacts Plus team", "contentRating": "Low Maturity", "description": "Contacts+ is your everyday contacts & dialer app, powered with text messaging, WhatsApp, Facebook, Twitter and much more - all in one place.With Contacts+ you can send free and regular text messages without switching apps, auto-sync beautiful pics to your contacts from Facebook, and get birthday reminders so you\u00e2\u20ac\u2122ll never forget a birthday again! Contacts+ is the place to connect, however you want, with the people you care about!Features:\u00e2\u02dc\u2026 Beautiful contacts design\u00e2\u02dc\u2026 Integrated Dialer, Call log and Messages list (swipe left/right)\u00e2\u02dc\u2026 Light / Dark themes\u00e2\u02dc\u2026 Groups & favorites contacts display\u00e2\u02dc\u2026 Grid / List contacts view\u00e2\u02dc\u2026 Smart contacts prioritization by Frequency or sort by A-Z / Recents\u00e2\u02dc\u2026 Send FREE & regular text messages to your contacts from one place\u00e2\u02dc\u2026 View contacts messages history (thread) in their profiles\u00e2\u02dc\u2026 Whatsapp, Facebook, Twitter, Linkedin & Foursquare integrated in your contacts\u00e2\u02dc\u2026 Navigate to your contacts addresses from their profiles\u00e2\u02dc\u2026 Auto pictures and birthdays sync with Facebook, including cover photos\u00e2\u02dc\u2026 Auto pictures sync with Google+\u00e2\u02dc\u2026 Merge duplicate contacts (supports most devices)\u00e2\u02dc\u2026 Contacts widget\u00e2\u02dc\u2026 Birthdays reminders\u00e2\u02dc\u2026 Fast T9 & Gesture search by names, numbers, emails and company\u00e2\u02dc\u2026 Quick call - press & hold a contact pic to call from your main contacts screen\u00e2\u02dc\u2026 Speed dial_____________CONTACT US:We\u00e2\u20ac\u2122re always happy to get your feedback and answer any questions at: info@contactspls.comFacebook: facebook.com/contactsplsTwitter: twitter.com/contactspluswww.contactspls.com * Contacts Plus uses Wi-Fi / data to send free text messages to other Contacts+ users. Carrier charges may apply", "devmail": "info@contactspls.com", "devprivacyurl": "http://contactspls.com/privacy&sa=D&usg=AFQjCNHdPrnKzen4IHq-FhHFEluZy0aXYg", "devurl": "http://www.contactspls.com&sa=D&usg=AFQjCNEGrSt3CIrEJu0rYzRYFf8AvSMceg", "id": "com.contapps.android", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.contapps.android.call_log", "com.contapps.android.dialer", "com.contapps.android.messaging", "com.contapps.android.emojis", "com.contapps.android.old", "com.contapps.android.merger", "com.contapps.android.widget"], "name": "Contacts +", "price": 0.0, "rating": [[" 2 ", 1108], [" 3 ", 3362], [" 5 ", 24881], [" 1 ", 1570], [" 4 ", 9433]], "reviews": [["It's a Great Contacts Manager but...", " it would have been better for me, if it had a dual sim support for sending sms, even so the app has a very simple and clean interface, it's easy to maneuver in. and that it can integrate with my contacts seamlessly is also great so overall I still thank you guys for making this app. "], ["make phone slow", " i have 512 mmb ram. 482 accessible . its making my phone slow. and take a huge ram. please fix this n i'll give 5 star plz add green theme or olive or glass theme "], ["Fantastic", " What a fantastic app! So many clever features! Such a simple idea, it's kind of surprising there hasn't been something this good before now. It did keep trying to merge two contacts that are different people with exactly the same name, but I eventually convinced it to stop. If that's the biggest inconvenience with such a great app I have no complaints. "], ["Small issue", " Really cool app easy to use great interface and even the themes are nice .. I've been having some serious problems recently in conversations tab all the threads sometimes suddenly just disappear .. then I have to restart my phone to retrieve them all .. I was planning to give a five star rating but then gave three stars cz this problem just gets on my nerves its been happening alot recently. . Secondly when I send sms to a group it sends to individual contacts separately .. "], ["It's a great app!", " I love this app, it's convenient and the holo theme is very pretty. If i may suggest adding 'Line' to the social media apps supported it would really help a lot since many of my friends prefer to use Line instead of whatsapp... also if the profile pictures could also include photos from whatsapp/line, not only facebook, that would also improve the app... thanks for the great product! :):) "], ["does not send SMS now", " it is really frustrating now. the app is not sending sms as soon as I send it. I have to restart my phone and then it sends sms :/ kindly look into it "]], "screenCount": 24, "similar": ["com.jbapps.contact.theme.iphone", "com.dw.contacts.free", "com.jiubang.gopim", "com.vladlee.quickcontacts", "pixelrush.xphonefree", "com.phoneBook", "com.gmail.yuyang226.contactswidget", "net.studiofly.android.ringo", "com.jbapps.contact", "intelgeen.rocketdial.trail", "com.vcmdev.android.people", "com.needom.simcontacts", "br.livroandroid.widget.contatos", "com.modoohut.dialer", "com.gau.go.launcherex.gowidget.contactwidget", "com.miruker.qcontact"], "size": "11M", "totalReviewers": 40354, "version": "3.19.3"}, {"appId": "com.vonage.TimeToCall", "category": "Communication", "company": "Vonage", "contentRating": "Low Maturity", "description": "With Vonage Mobile\u00c2\u00ae, you can place high-quality free calls, send free text messages, share photos and video chat with other Vonage Mobile users worldwide over Wi-Fi and 3G/4G.* Free Video Calling and Video MessagingGet great video call quality for face-to-face time with friends and loved ones with free video calling to other Vonage Mobile users worldwide. Video calling is supported on Android OS versions 2.3 and above.And now, if someone misses your phone call, or you just want to show someone they\u00e2\u20ac\u2122re missed, you can leave a Video Message. Record a video in app to leave as a message or select a pre-recorded video from your phone. Videos are limited to 60 seconds.International CallsWith Vonage Mobile you can make international calls to phone numbers worldwide at ultra-low calling rates. On average, Vonage Mobile saves you 70% on calls to other countries when compared with other major mobile carriers, and costs 30% less than Skype\u00e2\u201e\u00a2.**Remember to use Vonage Mobile over Wi-Fi when traveling internationally to stay in touch for less. And, if you need to add calling credit at any time, it\u00e2\u20ac\u2122s easy. Just buy in the app, directly from your GooglePlay account.Find out what\u00e2\u20ac\u2122s happening with Vonage Mobile: \u00e2\u20ac\u00a2 Learn more at http://www.vonagemobile.com \u00e2\u20ac\u00a2 Like us on Facebook at http://facebook.com/vonage\u00e2\u20ac\u00a2 Follow us on Twitter at http://twitter.com/vonage\u00e2\u20ac\u00a2 Need help? Visit http://vonagemobile.com/support Legal:*Data rates may apply**Based on per-minute rates to the top 50 countries called. Comparison reflects published rates of leading mobile carriers in markets representing the majority of Android users. http://www.vonage.com/corporate/press_patents.php", "devmail": "vonagemobilesupport@vonage.com", "devprivacyurl": "http://www.vonagemobile.com/privacy&sa=D&usg=AFQjCNFvt-3VE-NUmwzkOIiB-Ifs5x1kcQ", "devurl": "http://www.vonagemobile.com&sa=D&usg=AFQjCNFnXLrX2u0qpMf8wSn8hYUv6n7L1A", "id": "com.vonage.TimeToCall", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.vonage.MobileExtension"], "name": "Vonage Mobile\u00c2\u00ae Call Video Text", "price": 0.0, "rating": [[" 1 ", 998], [" 4 ", 1657], [" 3 ", 819], [" 2 ", 349], [" 5 ", 7136]], "reviews": [["Needs Auto rotate", " App works well, but it is lacking auto rotate into landscape mode. What's the point of having it on my tablet if I have to hold it in portrait mode only. I would give it a higher rating if this was added to this app. Will be looking for a different app because of this. "], ["Loved it. Now it's useless. [Verizon android commando]", " What happened? Can't send or receive any messages since 12 or 8 hours ago ( early morning 26Nov) right now? Useless. "], ["Why GPS? Needs widget and better volume", " Why does Vontage need to know my precise location? At most WiFi should suffice. Also the speaker volume is not very loud. It is only slightly louder than the ear piece, and no where near as loud as the phone is capable of. Otherwise, it works great... but I would like a widget that allows me to one click dial a contact. Decreased to two stars due to call quality. Listening is fine, but talk quality is insufficient. Listeners report that they cannot understand me. One described it as sounding like a jet airplane half called him. "], ["Kit Kat crash fix", " App is good. If the app is crashing for you in kit kat do the following: Go to android settings -> \"more\" under wireless & networks -> mobile networks -> access point names -> choose the preselected button (likely T-Mobile GPRS) -> APN Protocol -> Switch it to IPv4/IPv6. Basically TMobile is IPV6 only for certain devices (nexus 5, note 3) and Vonage uses IPv4. This will fix the issue. "], ["Sound quality was really bad", " Call quality was bad either on WiFi or 4g. The international phone call is painfully unbearable. Their rate is higher but poor quality. "], ["Perfect & Magnificent", " I seldom review application BUT vonage has the right to get the nod from us. I tested our Note 2 , Galaxy S3 & Galaxy S2 with Tango, Skype, Viber & the winner is VONAGE, much clear & simple layout. "]], "screenCount": 5, "similar": ["com.kakao.talk", "jp.naver.line.android", "com.talkray.client", "com.imo.android.imoim", "com.fring", "com.icall.android", "com.moplus.moplusapp", "com.textmeinc.textme", "com.viber.voip", "com.maaii.maaii", "com.yuilop", "com.talkatone.android", "com.tencent.mm", "ru.mail", "com.skype.raider", "com.pinger.ppa"], "size": "10M", "totalReviewers": 10959, "version": "2.3.1"}, {"appId": "com.yuilop", "category": "Communication", "company": "yuilop", "contentRating": "Low Maturity", "description": "\u00e2\u02dc\u2026 Turn your smartphone or Android device into a phone in the cloud\u00e2\u02dc\u2026 Now with free, unlimited U.S. national calling and SMS. No credits or cash required!\u00e2\u02dc\u2026 Call, SMS, group chat, IM for FREE to any number worldwide\u00e2\u02dc\u2026 Use it to contact anyone, even if they don\u00e2\u20ac\u2122t have the app Other cool stuff:\u00e2\u02dc\u2026 Get a real mobile number that follows you across devices (Look no SIM!)\u00e2\u02dc\u2026 Share pictures, location, emoticons, emoji and smilies\u00e2\u02dc\u2026 Call and text even when you don't have cell coverage (VoIP & IM)\u00e2\u02dc\u2026 Great for travel\u00e2\u02dc\u2026 Save money by not paying for cell minutes for calls and texts WHAT'S MAKES YUILOP SPECIAL?\u00e2\u02dc\u2026 Let's you make free calls and SMS, even to friends and family who have not installed the app\u00e2\u02dc\u2026 Most users report a higher quality connection than with other services\u00e2\u02dc\u2026 We care about safety. yuilop is fully encrypted and don't give away your info to third parties\u00e2\u02dc\u2026 #1 App in Germany with over 5 million people, Best Mobile App 2013 in SpainHOW DOES IT WORK?Yuilop is an over-the-top (OTT), VoIP application, which means as long as you have a connection to the internet, through a data plan or WiFi, yuilop can send or receive your calls and SMS for free.When calling or texting someone who does not have yuilop outside the U.S., yuilop uses credits instead of cash. yuilop credits are easy to earn:\u00e2\u02dc\u2026 Join yuilop\u00e2\u02dc\u2026 Invite a friend who joins yuilop\u00e2\u02dc\u2026 Receive SMS to your yuilop number (yuilop.me)\u00e2\u02dc\u2026 Receive chat messages from other yuilop users\u00e2\u02dc\u2026 Participate in activities on the offer wall", "devmail": "support@yuilop.com", "devprivacyurl": "http://yuilop.com/intl/privacy&sa=D&usg=AFQjCNEXhBoSe269jmtotjUxxr8pNCloEw", "devurl": "http://www.yuilop.com/&sa=D&usg=AFQjCNEzmEvtv-S0kDoAmi8jumUeNI7qtA", "id": "com.yuilop", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "yuilop: Free Calls & Free SMS", "price": 0.0, "rating": [[" 2 ", 2159], [" 5 ", 39124], [" 1 ", 4960], [" 4 ", 14098], [" 3 ", 6610]], "reviews": [["Free calls..where?", " App gives only 5 credits (=2 min. talktime in india) ! This is just sh*t as i thought the app would allow us to make free calls unlimited times . "], ["No calls or sms", " It wont let me make outgoing calls, because it wont connect even though i have a strong wifi connection. Also, i can't recieve sms messages and my partiy don't receive mine. PLEASE FIX IMMEDIATELY! "], ["BEST CALLING APP EVER", " Really great quality, i dont have to pay, (unless its international but i already have 10 credits) i recommend it a lot, this app trips over text me, text now, viber, oto, textplus, and even google voice, the only thing i dont like is that i cant send pictures or videos "], ["I gave 5 stars", " It really work.... No mins thanks I love this app Try people "], ["GlaxyS4", " Why i can't receive more than 40 messages on my youilop num from other numbers please please please solve this problem otherwise youilop is the best app I ever use love it when this problem will be solved I'll 100% give 5 stars "], ["Can be the best", " Yuilop is the fastest, smoothest text app I have tried. Now the problem and it is most likely in my settings, when I enter a number to call, Yuilop gives me a dial tone for maybe one second then cuts completely off, I have not been able to make a single call. Any help would be appreciated. "]], "screenCount": 6, "similar": ["jp.naver.line.android", "com.kakao.talk", "com.talkray.client", "com.textmeinc.textme", "com.talkatone.android", "com.mysms.android.sms", "com.jb.gosms", "com.viber.voip", "com.maaii.maaii", "com.wicall", "com.twentyfoursms", "com.fring", "com.handcent.nextsms", "ru.mail", "com.skype.raider", "com.pinger.ppa"], "size": "17M", "totalReviewers": 66951, "version": "1.9.3"}, {"appId": "com.truecaller", "category": "Communication", "company": "truecaller", "contentRating": "Low Maturity", "description": "Truecaller is the world's largest collaborative phone directory that makes it easy to get in touch with people across the globe.Truecaller also shows you who the caller is instantly, blocks unwanted calls and so much more.+25 million users can\u00c2\u00b4t be wrong, jump on the bandwagon!What other says:\"Mobile Magazine recommends Truecaller three years in a row!\"\"Amazing app! Does what it says and now I am protect against spam-callers\"Top App in US, India, Sweden, Norway, Denmark, Lebanon, Kuwait, Jordan and many moreEnjoy the most accurate name and phone number lookup app globally with Caller ID, and it\u00c2\u00b4s FREE!Truecaller enables you to search +950 million phone numbers worldwide, keeps your phone book beautiful and up-to-date by adding your friend\u00e2\u20ac\u2122s latest Facebook and LinkedIn-pictures and birthdays and protects you from spam calls.New countries and numbers are added continuously to Truecaller at no extra cost and we will not stop adding.Features:\u00e2\u20ac\u00a2 Lookup mobile and landline numbers from all over the world.\u00e2\u20ac\u00a2 Caller ID - See who the unknown caller is before answering (Requires 3G or Wifi).\u00e2\u20ac\u00a2 Call Blocker - Block calls from your personal blacklist and block common spam callers thanks to the community blacklist.\u00e2\u20ac\u00a2 Social connected - Connect to your Facebook or LinkedIn account to get your friends latest social status information immediately when they call you.\u00e2\u20ac\u00a2 Update Phonebook - Keep your phonebook up-to-date with your friends latest address info, pictures and much more.\u00e2\u20ac\u00a2 Call log - see all incoming and outgoing calls plus searches made in one single view.PREMIUM:\u00e2\u20ac\u00a2 See who\u00e2\u20ac\u2122s viewed your profile\u00e2\u20ac\u00a2 Ad free\u00e2\u20ac\u00a2 Monthly supply of contact requests Said about Truecaller:GigaOm \u00e2\u20ac\u201c \u00e2\u20ac\u0153Truecaller is an international phone directory of sorts that covers both fixed-line and mobile phones\u00e2\u20ac\ufffdWall Street Journal \u00e2\u20ac\u201c \u00e2\u20ac\u0153Truecaller is in the process of creating a global telephone directory\u00e2\u20ac\ufffdCNET - \u00e2\u20ac\u0153See who's calling you with the Truecaller app for your Android\u00e2\u20ac\ufffdTechCrunch \u00e2\u20ac\u201c \u00e2\u20ac\u0153The advantage of using crowdsourcing as a directory data source is that it can offer better phone number look ups in countries where there are no reliable directory services\u00e2\u20ac\ufffdFor more information, visit the Truecaller FAQ page: www.truecaller.com/faqNote: 3G or WIFI is required for Truecaller Caller ID to work.*Operator charges may applyPermissions:- Approximate location (network-based): Required to provide relevant ads.- Receive/Read your text messages (SMS or MMS): Required to identify the sender.- Full network access: Required to communicate with Truecaller servers and perform searches.- View network and Wi-Fi connections: Required to check if the device has an active connection.- Receive data from Internet: Required to receive push notifications.- Directly call phone numbers: Required to perform calls directly from Truecaller.- Read phone status and identity: Required to detect events like incoming calls, answering calls and ending calls.- Reroute outgoing calls: Required to perform searches during outgoing calls.- Modify phone state: Required to block calls and SMS from spammers.- Modify or delete the contents of your USB storage: Required to save the profile picture together with the ones of the other found people.- Disable your screen lock and prevent device from sleeping: Required to show the Caller Id window during incoming calls and to receive push notifications when the device has the screen locked.- Modify your contacts: Required to save contacts in the phone book.- Read your contacts: Required to check if a number exists in the phone book.- Read/Write call log: Required to read and erase the call log.- Find accounts on the device: Required to receive push notifications.- Control vibration: Required to notify the receipt of new notifications.", "devmail": "support@truecaller.com", "devprivacyurl": "http://www.truecaller.com/privacy-policy/&sa=D&usg=AFQjCNGfRAUtBjwHkdjOQYwmpqaLD8DdLg", "devurl": "http://www.truecaller.com&sa=D&usg=AFQjCNEMBTS7UG5s0CWGvskoJJIDTdp-4g", "id": "com.truecaller", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Truecaller - Caller ID & Block", "price": 0.0, "rating": [[" 2 ", 2694], [" 3 ", 12574], [" 5 ", 134836], [" 4 ", 39568], [" 1 ", 4880]], "reviews": [["Galaxy ACE", " the app is ok and it is working slow nd and it crashes and is not working... please make that error and make it work.. "], ["New virgin", " Very weak old version much better "], ["Good", " Vry nice app "], ["Bakwas", " Time waste "], ["Dont use", " By searching a number for finding the name, I lost 8 rs every time from my sim balance. There's some prob wit app. Also, my wifi was turning on automatic and I was not able to switch off. Even my friends phone was switching off automatically after installing. Take caution. "], ["Bekar", " H :) :) by/ child b. Good night and sweet dreams my phone is dead in the water park at least one of those things that are important for me and you can come in the morning. "]], "screenCount": 7, "similar": ["jp.naver.line.android", "com.flexaspect.android.everycallcontrol", "com.rcplus", "com.mrnumber.blocker", "net.kgmoney.TalkingCallerIDFree", "in.andapps.broadcastreciverdemo", "com.vladlee.easyblacklist", "in.andapps.callerlocationin", "gogolook.callgogolook2", "com.adaffix.cia.glb.android", "com.visinor.phonewarrior", "com.contactive", "com.webascender.callerid", "com.viber.voip", "com.skype.raider", "me.truecontact.free"], "size": "4.9M", "totalReviewers": 194552, "version": "3.32"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json new file mode 100644 index 0000000..409fa3d --- /dev/null +++ b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.netflix.mediaclient", "category": "Entertainment", "company": "Netflix, Inc.", "contentRating": "Low Maturity", "description": "Netflix is the world\u00e2\u20ac\u2122s leading subscription service for watching TV episodes and movies on your phone. This Netflix mobile application delivers the best experience anywhere, anytime. Get the free app as a part of your Netflix membership and you can instantly watch thousands of TV episodes & movies on your phone. If you are not a Netflix member sign up for Netflix and start enjoying immediately on your phone with our one-month free trial. How does Netflix work?\u00e2\u20ac\u00a2 Netflix membership gives you access to unlimited TV shows and movies for one low monthly price. \u00e2\u20ac\u00a2 With the Netflix app you can instantly watch as many TV episodes & movies as you want, as often as you want, anytime you want.\u00e2\u20ac\u00a2 You can Browse a growing selection of thousands of titles, and new episodes that are added regularly. \u00e2\u20ac\u00a2 Search for titles and watch immediately on your phone or on an ever expanding list of supported devices.\u00e2\u20ac\u00a2 Rate your favorite shows and movies and tell us what you like so Netflix can help suggest the best titles for you.\u00e2\u20ac\u00a2 Start watching on one device, and resume watching on another. Check out netflix.com for all the TVs, game consoles, tablets, phones, Blu-ray players and set top boxes on which you can watch Netflix.\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00e2\u201d\u20ac\u00c2\u00a0Netflix 3.0.2\u00c2\u00a0License Agreement\u00c2\u00a0By downloading this application you agree to the Netflix Terms of Use and Privacy Policy, located at\u00c2\u00a0www.netflix.com\u00c2\u00a01-month free Netflix membership offer is available to first time and certain former members and cannot be combined with any other offer. Internet access and valid payment method are required to redeem offer.\u00c2\u00a0 Netflix will begin to bill your payment method for the Netflix membership fee at the end of the free month unless you cancel prior to the end of the first month. Your Netflix membership is a month-to-month subscription that you can cancel at any time. Go to \"Your Account\" on the Netflix website for cancellation instructions. No refund or credit for partial monthly subscription periods. The Netflix service is only available in the country where you originally signed up. A device that streams from Netflix (manufactured and sold separately) and broadband Internet connection are required to watch instantly.For complete terms and conditions, please visit http://www.netflix.com/TermsOfUse. For privacy policy, please visit https://signup.netflix.com/PrivacyPolicy.", "devmail": "N.A.", "devprivacyurl": "https://signup.netflix.com/PrivacyPolicy&sa=D&usg=AFQjCNHUQDSAwCUOgHdMbErllAio05ZlGw", "devurl": "http://www.netflix.com&sa=D&usg=AFQjCNFjg_5OttgorxDtLMvEkg2e2R0_YQ", "id": "com.netflix.mediaclient", "install": "50,000,000 - 100,000,000", "moreFromDev": "None", "name": "Netflix", "price": 0.0, "rating": [[" 4 ", 67707], [" 2 ", 14708], [" 3 ", 26740], [" 5 ", 308747], [" 1 ", 60434]], "reviews": [["Downloading Fails", " I keep downloading the app to my cell phone, which is an android, all it does is either say its downloaded and installed and then not open or say error. I dont know if its my phone or the app. I see no reason why it would not download though. So, If theres any advice to maybe do something differently please let me know. Thank you. "], ["No picture! :-(", " Why is it that none of the movies or shows I click on won't show picture? I have signed out uninstalled the app like twice now but still no picture when I play a movie. The only thing I get is sound and when I jump parts and its buffering I'll see what part it's on. Can someone tell why it's not showing picture I'm not understanding that especially since I pay for this monthly. "], ["No picture.", " I have an android. New-ish phone. This app has worked several times before. It plays the video but only sound. No picture. I have gone through my settings, possibly something I did. Nope. Please fix, then will rate 5 stars. Thank you. "], ["Better and worse.", " Like the new features, like the new rotating Mason screen, but series episode progression no longer works correctly. "], ["Can't select profile", " I have different profiles on my account and the app automatically defaults to the first one. There's no way to be able to choose another profile bc my main one is for kids. I want my profile on my phone. "], ["Buffer", " Hi, is there any way to increase the buffer time? I work in London and the rail line to Peterborough has a lot of tunnels. So I lose signal and then can't watch. Can't I get netflix to buffer 2 minutes ahead for example, to allow time to clear the tunnel and pick up signal again? "]], "screenCount": 13, "similar": ["com.net.WatchMoviesForFree", "com.app.ent.movie", "com.ktighe.mynetflixq", "com.outfit7.talkingtom", "com.nextmobileweb.phoneflix", "com.outfit7.talkinggingerfree", "com.jsondata.www.generic", "com.google.android.play.games", "com.outfit7.talkingnewsfree", "com.peliculaswifi.gratis", "com.gotv.crackle.handset", "com.outfit7.talkingtom2free", "com.white.movietube", "com.imdb.mobile", "net.flixster.android", "com.viki.android"], "size": "13M", "totalReviewers": 478336, "version": "3.0.2"}, {"appId": "com.bitstrips.bitstrips", "category": "Entertainment", "company": "Bitstrips", "contentRating": "Low Maturity", "description": "Share instant comic messages starring you and your friends.\u00e2\u20ac\u00a2 Design cartoon versions of yourself & your friends\u00e2\u20ac\u00a2 Put your friends in hilarious comics where anything can happen\u00e2\u20ac\u00a2 Show how you\u00e2\u20ac\u2122re feeling with cartoon status updates\u00e2\u20ac\u00a2 Choose from 1500+ customizable scenes, plus new ones dailyJoin millions of people around the world using Bitstrips as a more fun and visual way to communicate with friends.", "devmail": "support@bitstrips.com", "devprivacyurl": "http://bitstrips.com/privacy.php&sa=D&usg=AFQjCNGW7i47Fg7xmjyAB7EhzzIDpaZUpA", "devurl": "http://bitstrips.com&sa=D&usg=AFQjCNF2Mb8l0TFVgtO05FP-QrP1f-YRJw", "id": "com.bitstrips.bitstrips", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Bitstrips", "price": 0.0, "rating": [[" 2 ", 6638], [" 1 ", 15486], [" 3 ", 14262], [" 5 ", 68892], [" 4 ", 26663]], "reviews": [["Has only opened once", " *update: still won't open..* Ugh. I've had this ap for a while but was never able to get it to open until yesterday and now it won't let me back in. I already UN and reinstalled. I'm on an LG spectrum. . 5 stars when fixed :/ "], ["Buggy", " I love this app it's very cool. That is when it decides to work, once it has decided that you don't have a good connection it won't work till you restart you're phone (with me at least), in addition to that it always freezes up on me and most images won't load I love the app but this should really get fixed. "], ["Good but needs improvement", " It's a great app but I have to install it and uninstall it everytime I want to make a bitstrip or want to load todays comics because it never loads. I would give it 5 stars if those problems were fixed. "], ["Bad progrming", " When i install it and use it once it works fine. But when i want to use it again it just shows that its loading. But never loads the \"today's comics\" and it doesn't let me in on the other three options either for. I love this app, but i hve to uninstall and reinstall every time i want to use it again. Please fix this bug issue, it's getting on my nerves having to uninstal and reinstall to be able to use it. I use it on my Smartphone. Thanks. "], ["Hilarious comics.I love it! Funny!", " Guys can you fix some typing issues in my Moto Xoom2 unit, I am having cursor problem upon using this app , If I wanted to put some extra words in the comics character, After I type a word and press space to proceed to make a new word the cursor is repetedly move and on and on to previous first letter of the word that I already typed. Please make a review about this bug in the software..Thanks and more power. "], ["And I just got it", " Fix for 5 stars. Slow and need uninstall and install it everytime "]], "screenCount": 4, "similar": ["com.stickers.mystricker", "com.pe.free.memes", "com.gombosdev.smartphoneavatar", "com.froyends.BestOfVines", "com.appsmoment.u158efybitsretuioasmm3hfp", "com.vdowall.usebitstrips", "com.roundwoodstudios.comicstripit", "com.froyends.BestOfBitstrips", "com.magnificentbutterfly.bitstrips", "com.sunnyapps.bitstripsview", "kr.co.withey.galaxypiano", "com.tmarki.comicmaker", "bit.strips.resource", "com.freecomicstrips", "com.amber.moore.sketch", "nl.m17.verticalapp.bitstrips"], "size": "50M", "totalReviewers": 131941, "version": "1.2.1"}, {"appId": "com.hulu.plus", "category": "Entertainment", "company": "Hulu", "contentRating": "Medium Maturity", "description": "Instantly watch current TV shows and acclaimed movies. Anywhere.Download the app to enjoy unlimited instant streaming of current and classic hit TV shows with your Hulu Plus subscription (Subscription Required).New to Hulu Plus? Try it FREE.\u00e2\u20ac\u00a2 Watch any current season episode of Community, Family Guy, Revenge, Glee, and many more popular shows\u00e2\u20ac\u00a2 Enjoy popular kids shows, including SpongeBob SquarePants, Kung Fu Panda, Caillou and many more, ad-free\u00e2\u20ac\u00a2 Catch up on classic series including Lost, Battlestar Galactica and Arrested Development, or explore thousands of critically acclaimed movies\u00e2\u20ac\u00a2 Resume watching from where you left off on your TV or another supported device\u00e2\u20ac\u00a2 Add your favorite videos to your queue for instant access and sharing\u00e2\u20ac\u00a2 Watch over WiFi, 3G, and 4G\u00e2\u20ac\u00a2 Available for $7.99/month with limited advertisingHulu Plus is supported on select Android 2.x phones, as well as most Android 3.1+ and 4.x phones and tablets. Service available in the United States and territories.Please contact us at mobilesupport@hulu.com or 1-888-907-0345 if you are having issues with compatibility of your device.Use of Hulu Plus is subject to the Hulu Plus Terms of Service: hulu.com/terms", "devmail": "mobilesupport@hulu.com", "devprivacyurl": "http://www.hulu.com/privacy&sa=D&usg=AFQjCNF_pOfvbcCLaD1Hf-G4a5JX4km0RQ", "devurl": "http://hulu.com/plus&sa=D&usg=AFQjCNEwmcUMEqVhWMz1HawKCfxwuJYJPw", "id": "com.hulu.plus", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.hulu.plus.jp"], "name": "Hulu Plus", "price": 0.0, "rating": [[" 2 ", 1428], [" 1 ", 7224], [" 4 ", 2712], [" 3 ", 1601], [" 5 ", 9523]], "reviews": [["It keeps telling me that I'm my Internet is to slow", " Okay so after the last two updates I have not been able to stream video on my galaxy tab. I can literally put this tablet down and pick up my dinosaur galaxy s2 and it runs without any problems. It also runs just fine on my I Mac. My Internet is running at 57mps... I know it's not lower 48 lightning fast but easily fast enough to stream. Oh and yes I tried lowering the resolution. "], ["Sons of anarchy", " Is there a way to get this show on hulu I love this app have had a couple problems with it freezing but is doing better I just would like to see this show on here and some newer shows and movies "], ["Doesn't even load", " I wish I could complain about crash reports, but it doesn't load enough for me to do so! Sat here staring at the \"Hulu Plus\" screen for two minutes before deciding that this was FAR too long to have to wait for something to load! My Internet and all other apps are running smoothly. I restarted my phone, and nothing! Would give zero stars if I could. Extremely irritating ESPECIALLY since I pay monthly for Hulu Plus and can't even WATCH IT. I am on a Galaxy S3. FIX THIS soon, or I will be unsubscribing. "], ["Uhhhgggg", " Frustrating. It loads all commercials but shows only a black screen for the actual show. Cannot watch anything. I forced close the app. I logged Out and back in to my hulu plus. I unistalled the app. Reinstalled, signed in. The same thing over and over. Nothing works on my Galaxy Note 3 from hulu. I have ended up down loading apps for each individual network my shows are on and using them. They run beautifully. Uhhhgg "], ["Note 3 screen", " When I play any hulu video it does not fill the whole screen. The top / left and right side of the size the is about a bar size (status bar size) missing needs to stretch a bit more any up coming updates to fix this so I can get full size ? "], ["On my phone it constantly tells me I am out of the country when ...", " On my phone it constantly tells me I am out of the country when I am sitting right in Massachusetts. Other times it works great with no problems. As long as you are willing to restart your device, it will work just fine.\tTake it or leave it "]], "screenCount": 19, "similar": ["com.google.android.apps.androidify", "com.cisi.activities", "air.com.vudu.air.DownloaderTablet", "linuspetren.com.huloid", "com.rhythmnewmedia.tvdotcom", "com.playon.playonapp", "com.google.android.play.games", "net.flixster.android", "com.gotv.crackle.handset", "com.google.android.ytremote", "com.google.android.apps.fiber", "com.playon.playongtvapp", "com.imdb.mobile", "com.fiksu.fma.android", "com.redux.android.hg"], "size": "Varies with device", "totalReviewers": 22488, "version": "Varies with device"}, {"appId": "com.fandango", "category": "Entertainment", "company": "Fandango", "contentRating": "Low Maturity", "description": "Download Fandango Movies \u00e2\u20ac\u201c Times & Tickets, the #1 movie ticketing app and winner of three Webby Awards! Winner: Shopping (Tablets & All Other Devices) Jury AwardWinner: Shopping (Tablets & All Other Devices) People\u00e2\u20ac\u2122s Voice AwardWinner: Entertainment (Handheld Devices) People\u00e2\u20ac\u2122s Voice AwardFandango, the nation\u00e2\u20ac\u2122s leading moviegoer destination, is available as a free app for your Android. Whether browsing from your couch or the local coffee shop, everything you need to make your movie night perfect is at your fingertips. New in This Version 4.7.1\u00e2\u20ac\u00a2Bugs fixes and Usability enhancements4.7\u00e2\u20ac\u00a2Turn on notifications to receive an in-app alert when your saved movies are now playing, receive a reminder 90 minutes before show time and to rate the movies you\u00e2\u20ac\u2122ve seen \u00e2\u20ac\u00a2Bug fixes & improvements to make your app experience even more awesomeApplication Features Browse Movies:\u00e2\u20ac\u00a2Sort movies by start time or distance to theater. Find movies playing within the hour in your area\u00e2\u20ac\u00a2Find out what\u00e2\u20ac\u2122s playing using Voice Search, browse movies by In Theaters and Coming Soon lists, filter by MPAA rating or view by Most Popular and Top Box Office \u00e2\u20ac\u00a2Search to find movies, theaters and performers\u00e2\u20ac\u00a2Save the movies you want to see to your My Movies list and sign up for FanAlerts\u00e2\u201e\u00a2 to be notified by email when they hit your local theater\u00e2\u20ac\u00a2Turn on notifications to receive an in-app alert when your saved movies are now playing, receive a reminder 90 minutes before show time and to rate the movies you\u00e2\u20ac\u2122ve seen \u00e2\u20ac\u00a2View high-quality trailers and movie photos\u00e2\u20ac\u00a2Watch our original video series and view video galleries\u00e2\u20ac\u00a2View the most accurate showtimes; , read fan ratings and reviews, genres, synopses, run times and director and cast lists\u00e2\u20ac\u00a2Read Metacritic reviews that combine movie critics\u00e2\u20ac\u2122 reviews and Metascores\u00c2\u00a9 to apply a grade to each movie\u00e2\u20ac\u00a2Check out Movie Tweets to view the ten most recent tweets posted about a specific filmFind Theaters:\u00e2\u20ac\u00a2Find theaters closest to you using Android phone's GPS feature\u00e2\u20ac\u00a2Add theaters to a Favorites list for faster searching\u00e2\u20ac\u00a2Discover theater amenities such as stadium seating and wheelchair accessibility\u00e2\u20ac\u00a2Connect with Google Maps to find driving directionsPurchase Tickets in a Flash:\u00e2\u20ac\u00a2Buy tickets within the app for 21,000+ screens \u00e2\u20ac\u201c and counting \u00e2\u20ac\u201c more than on any other app! Including all AMC Theatres locations \u00e2\u20ac\u00a2Go straight to the ticket-taker to have your device scanned with Mobile Ticket (Participating theaters only; look for the Mobile Ticket icon)\u00e2\u20ac\u00a2Pick your seat directly from the app with Reserved Seating (Participating theaters only)\u00e2\u20ac\u00a2Create or sync your Fandango account to securely store your credit card or use Fandango gift cards as a payment option\u00e2\u20ac\u00a2Save your theater reward card numbers, apply to applicable orders and earn rewards points (Participating theaters only)\u00e2\u20ac\u00a2Visa Signature account holders - save your card for faster ticket purchasing and access to special offers with TIXPRESS\u00e2\u201e\u00a2 (iPhone only) \u00e2\u20ac\u00a2Give the gift of movies. Now you can purchase Fandango gift cards directly from the appShare + Sync:\u00e2\u20ac\u00a2Sign into your Fandango account to manage Facebook sharing \u00e2\u20ac\u00a2Rate and review movies directly from the app and share with other Fandango users or post to your Facebook wall\u00e2\u20ac\u00a2Sign into your Fandango account to access your saved credit and theater reward card numbers, view purchase history, ticket details, Favorite Theaters and My Movies lists on any deviceHelp us make Fandango even better! Please send detailed feedback and report issues to: androidappcomments@fandango.com.", "devmail": "androidappcomments@fandango.com", "devprivacyurl": "http://www.fandango.com/privacypolicy.aspx&sa=D&usg=AFQjCNGrkfcr4j_lcRBH5GdxlMY0GYBqTQ", "devurl": "http://www.fandango.com/&sa=D&usg=AFQjCNGtE-kK-HTIQo2pyCW3w7LPgPdsDw", "id": "com.fandango", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Fandango Movies", "price": 0.0, "rating": [[" 4 ", 18955], [" 3 ", 3957], [" 5 ", 60934], [" 1 ", 2231], [" 2 ", 1057]], "reviews": [["Good app. Very convenient.", " However, I noticed that and ask for a lot of credit card information. Such information is not convenient while driving and texting to insure you get the latest ticket before it runs out. "], ["Lots of waiting for nothing", " It never acquired my location nor did it give up and let me tell it my zip code. It just presented the spinning thing endlessly. "], ["App is terrible", " Screw you Google for picking this garbage as top developer. This is a good example of how not to make an app. Massive GPS abuse foreground and background. App is essentially a mobile webpage container. The worst kind of offender. Go fook yourself dev team. "], ["Absolute crap!", " Never works anymore. Takes forever to load any page, and just doesn't work about half the time. Don't waste your time with it. "], ["Love it!", " Great app! Love getting tickets so quick and easy. Catching Fire here I come! "], ["Easy and user friendly", " I love the fact that it shows upcoming movies months in advance. Very cool app that offers everything you can want. GS3 "]], "screenCount": 8, "similar": ["com.movies.androidapp", "com.net.WatchMoviesForFree", "com.softcell.hindimovies", "com.grep.lab.fullmovie", "com.peliculaswifi.gratis", "javamovil.movies", "com.stream.phd", "net.flixster.android", "com.sufistudios.videokitter", "com.gotv.crackle.handset", "com.fandango.tablet", "com.aol.mobile.moviefone", "com.hlpth.majorcineplex", "com.picadelic.fxguru", "com.imdb.mobile", "tv.cinetrailer.mobile.b", "com.mooff.mtel.movie_express", "com.viki.android"], "size": "9.3M", "totalReviewers": 87134, "version": "4.7.1"}, {"appId": "net.flixster.android", "category": "Entertainment", "company": "Flixster Inc.", "contentRating": "Low Maturity", "description": "\u00e2\u02dc\u2026 One of the 40 Best Free Android apps for 2011, 4.5/5 stars - PCMag.com\u00e2\u02dc\u2026 \"A terrific app for learning about what movies are playing.\" - PCWorld.comMovies by Flixster. The #1 app for movie reviews, trailers, and showtimes.\u00e2\u0153\u201c Stream and download full-length movies. First movie is on us! (Gift movie offer is valid for US residents only.)\u00e2\u0153\u201c Browse the top box office movies and movies opening soon \u00e2\u0153\u201c Look up showtimes at your favorite theater and buy tickets (from participating theaters)\u00e2\u0153\u201c Get critic reviews from Rotten Tomatoes\u00e2\u0153\u201c Watch high quality trailers\u00e2\u0153\u201c Create your own \"Want to See\" list, rate & review movies\u00e2\u0153\u201c View and manage your Netflix queue\u00e2\u0153\u201c Flixster is completely FREE to use and lets you invite your friends (using Facebook and/or SMS) to get additional gift movies", "devmail": "android@flixster-inc.com", "devprivacyurl": "http://www.flixster.com/site/privacy/&sa=D&usg=AFQjCNEPfohW6nCt3q5x_24ILmYQICx_5g", "devurl": "http://flixster.desk.com/customer/portal/topics/28130-movies-on-android&sa=D&usg=AFQjCNEW99bYOHTZtxwJdk8q-yc3zkd2EA", "id": "net.flixster.android", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Movies by Flixster", "price": 0.0, "rating": [[" 5 ", 329410], [" 4 ", 75598], [" 1 ", 10203], [" 3 ", 15004], [" 2 ", 4720]], "reviews": [["Cool app", " Awesome little app "], ["Got movies I can't watch", " I have waited over a year to try this app again, before I was able to watch it ounce then it didn't work, now the movies I own show on the internet but not on the app so I can't watch no movies at all. WTF, get this fixed "], ["Positive rating", " Only issue is that you cant redeem uv codes through app, you have to go online. Small issue but imreally want that feature. "], ["Still will not play movies", " Even after the new update it still gives me an error and will not play any movies on my HTC One, please fix this issue. After almost a year this is still an issue.....absolutely horrible. "], ["Talk about pi55ing off everyone", " I downloaded to HTC one to watch 6 films I own. All I get is playback is currently unavailable. This issue is with most android devices, why advertise that you can watch on android when you can't. This problem is upsetting too many people which will start everyone wanting to use other services like Google play or other streaming apps. "], ["Where's my movies?", " I have 9 movies (mostly Flixter gift movies), but when I click on \"Movies I Own\", the page is blank. What is the problem here? I need assistance. "]], "screenCount": 22, "similar": ["com.net.WatchMoviesForFree", "com.softcell.hindimovies", "com.grep.lab.fullmovie", "com.peliculaswifi.gratis", "javamovil.movies", "air.com.vudu.air.DownloaderTablet", "com.sufistudios.videokitter", "com.gotv.crackle.handset", "com.aol.mobile.moviefone", "com.hlpth.majorcineplex", "com.picadelic.fxguru", "com.fandango", "com.imdb.mobile", "tv.cinetrailer.mobile.b", "com.netflix.mediaclient", "com.viki.android"], "size": "Varies with device", "totalReviewers": 434935, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaaab.json_merged.json b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaaab.json_merged.json new file mode 100644 index 0000000..921afcb --- /dev/null +++ b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaaab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.outfit7.talkingtom2free", "category": "Entertainment", "company": "Outfit7", "contentRating": "Everyone", "description": "BIGGER, BETTER FUN-NER The original Talking Tom Cat is back - and better than ever. With a no1 on the Google Play in 140 countries and over 500 million downloads, Tom has come a long way! FEATURES: - Talk to Tom: Speak and he repeats what you say in his own hilarious voice. - Play with Tom: Stroke him, poke him, challenge him in an all new mini-game. - Customise Tom: New accessories, new clothes, new outfits. How about Cowboy Tom or Pirate Tom? - Video Tom: record videos of what Tom is doing and send it to your friends or upload on Facebook and YouTube - Cool new location: Tom\u00e2\u20ac\u2122s moved out of his old alley into a cool new apartment. - Fun new actions: Involving exploding bags, pillow smashes and lots of farts! - Free gold: get gold coins for just playing with Tom every day, playing the mini-game and much much more. NEW MINI-GAME: Climb you way into space and collect extra gold coinsNEW ACHIEVEMENTS: Get special achievements for playing with TomThanks to all of our existing fans. To see what Tom is up to, follow Talking Tom on Facebook: http://www.facebook.com/TalkingTom END-USER LICENSE AGREEMENT FOR ANDROID: http://outfit7.com/eula-android/", "devmail": "N.A.", "devprivacyurl": "http://outfit7.com/privacy/&sa=D&usg=AFQjCNEkB7hAP337M83DXxAKRh_h8biGPQ", "devurl": "http://outfit7.com/contact/android/&sa=D&usg=AFQjCNFq0dxCibfbkcdFaRGXWExU5_vJKg", "id": "com.outfit7.talkingtom2free", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.outfit7.talkinglila", "com.outfit7.jigtyfree", "com.outfit7.tomsmessengerfree", "com.outfit7.talkinggina", "com.outfit7.talkinggingerfree", "com.outfit7.talkingbird", "com.outfit7.talkingsantagingerfree", "com.outfit7.talkingrobyfree", "com.outfit7.talkingben", "com.outfit7.talkingtom", "com.outfit7.gingersbirthdayfree", "com.outfit7.tomslovelettersfree", "com.outfit7.talkingnewsfree", "com.outfit7.mytalkingtomfree", "com.outfit7.talkingbenpro", "com.outfit7.angelasvalentinefree", "com.outfit7.tomlovesangelafree", "com.outfit7.talkingsantafree", "com.outfit7.talkingpierrefree", "com.outfit7.talkingangelafree"], "name": "Talking Tom Cat 2 Free", "price": 0.0, "rating": [[" 2 ", 9945], [" 4 ", 73766], [" 1 ", 22278], [" 3 ", 32221], [" 5 ", 482816]], "reviews": [["Sad!", " I also have had Tom Cat forever and my little boy plays with it nearly everyday. Since update it no longer works. I too have tried remove and reinstall. "], ["Ruchi", " Whenever u feel boor or you haven't any work to do. Open this app and enjoy. Its too good to make smile to a child or a young or an old person who's unhappy for that time.......... "], ["Lots of Fun !", " Good fun for children and adults. Like the Record feature too, u can get him having a conversation with you. "], ["It no longer works", " I have attempted to update this app a few times now. I have also uninstalled, and attempted to install again. All attempts have failed, as there is a app file error. It's a shame, as this app always used to make me giggle, and a child I babysit for loves this app. It's a pity that it no longer works anymore "], ["Loved it until it wouldn't update", " I have an HTC Inspire and I've had this app forever and on the most recent update it told me that the package file was invalid I've tried uninstalling and reinstalling it and get the same response package file invalid please fix this "], ["Me", " I don't like talking tom 1 but I would suggest this one it's fun and it's awesome I give big shout out to whoever made this game bless the people that lets have fun people shouldn't stay on your phone all day but this is really fun I do like having fun on phone and It's funny because It repeat your voice and higher and lower pictures "]], "screenCount": 15, "similar": ["com.km.life.realcat", "org.friends.funnybest", "com.google.android.ytremote", "com.gi.talkingpocoyofree", "com.brave.talkingspoony", "com.lily.times.monkey1.all", "com.gi.talkinggarfield", "com.kauf.talking.baum.TalkingJamesSquirrel", "com.google.android.play.games", "com.km.effects.catsounds", "com.scoompa.facechanger", "com.km.life.babyboy"], "size": "Varies with device", "totalReviewers": 621026, "version": "Varies with device"}, {"appId": "com.imdb.mobile", "category": "Entertainment", "company": "IMDb", "contentRating": "Low Maturity", "description": "Search the world's largest collection:\u00c2\u00b7 Over 2 million movie and TV titles\u00c2\u00b7 Over 4 million celebrities, actors, actresses, directors and other crew membersRate:\u00c2\u00b7 Rate movies and TV shows\u00c2\u00b7 Sign in with your IMDb account or your Facebook accountView:\u00c2\u00b7 Movie trailers\u00c2\u00b7 User reviews for movies and TV shows\u00c2\u00b7 Critics reviews for movies and TV shows\u00c2\u00b7 Quotes, trivia and goofs about movies and celebrities\u00c2\u00b7 Your browse and search history on IMDbLook up:\u00c2\u00b7 Movie showtimes at local theaters near you\u00c2\u00b7 TV listings for your local time zone\u00c2\u00b7 Recaps of TV shows from previous night\u00c2\u00b7 Upcoming movies\u00c2\u00b7 Latest entertainment news from hundreds of media outletsNotifications:\u00c2\u00b7 Choose \"notify me\" on titles and names you're interested in to be notified of trailers, photos, showtimes, and news.Explore popular charts:\u00c2\u00b7 Best Picture - award winners\u00c2\u00b7 Top rated movies of all time (IMDb Top 250)\u00c2\u00b7 Most popular movies of the day on IMDb (MOVIEmeter)\u00c2\u00b7 Most popular celebrities of the day on IMDb (STARmeter)\u00c2\u00b7 Lowest rated movies of all time (IMDb Bottom 100)\u00c2\u00b7 Most popular TV shows\u00c2\u00b7 US Box office results\u00c2\u00b7 Celebrity birthdaysAvailability:\u00c2\u00b7 IMDb is available worldwide in English (US/UK), Spanish, German, French, Portuguese, Italian, Japanese, Korean and Chinese. We hope your IMDb experience on your Android phone and Android tablet continues to be entertaining.If you have questions about why we require certain permissions, please see our Android app FAQ page: http://imdb.com/androidfaqGalaxy Note users, if you are having trouble please go to the phone settings, then select \"language and keyboard.\" The language setting will show English, but click to select it and you will see it is not English. Select English.Thank you-IMDb Android team", "devmail": "android@imdb.com", "devprivacyurl": "http://www.imdb.com/privacy&sa=D&usg=AFQjCNHh_QNQt28aDs4Monm6gFqMhEoJSg", "devurl": "http://www.imdb.com&sa=D&usg=AFQjCNH0fn8IICIZWDbw7udwRTqRFM7JTA", "id": "com.imdb.mobile", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "IMDb Movies & TV", "price": 0.0, "rating": [[" 2 ", 3172], [" 3 ", 8990], [" 5 ", 104505], [" 4 ", 29287], [" 1 ", 7488]], "reviews": [["Needs fixing", " This was one of my fav apps but after last update it just crashes. It doesn't open at all. If they fix this I would be glad to change the rating to 5 stars. I really miss this app. "], ["It goes up to 11 stars!", " As a movie buff this is the most used app on my phone! I can't watch a movie without it. IMDB, movies/TV & popcorn "], ["Award List", " I like the app pretty much, it's easy and fast but the problem is there is no award list ! I did my best to find it and no luck so I assumed that there is no award list ! and it was a huge turn down when I just opened it to show someone else the awards a tv show has got. "], ["Not working properly", " After the new update it automatically closes daying IMDB has stopped(galaxy s4).pls fix this..until then 3 stars "], ["Bug or glitch?", " My words don't show up in the search bar. They do get typed in but for some reason they are white and I cannot see what I type. Xperia Ion "], ["A LIL TINY BUG YOU SHOULD FIX", " Awesome app very fast n easy to use app. Just one strange thing is that the info kinda gets swaped from someone else info like wen I saw all the actors in a movie the picture of lets say leonardo di caprio was swaped with joseph gordon levitt picture "]], "screenCount": 16, "similar": ["com.digivive.offdeck", "com.net.WatchMoviesForFree", "com.grep.lab.fullmovie", "pl.wp.programtv", "com.live.indiantv", "com.picadelic.fxguru", "com.lge.tv.remoteapps", "net.flixster.android", "com.gotv.crackle.handset", "com.fandango", "de.tvspielfilm", "com.Rankarthai.TV.Online", "br.livetv", "com.crystalreality.crystaltv", "com.play.live.hqtv", "com.viki.android"], "size": "Varies with device", "totalReviewers": 153442, "version": "Varies with device"}, {"appId": "com.redbox.android.activity", "category": "Entertainment", "company": "Redbox Automated Retail, LLC", "contentRating": "Low Maturity", "description": "Redbox \u00e2\u20ac\u201c Your entertainment destination for movies and games. Find and reserve movies and games with the official Redbox Android app! This app lets you find Redbox kiosks near you, see movie rentals that are available, watch trailers and reserve DVDs and games for pickup.Reserve movies and games: See everything that\u00e2\u20ac\u2122s available at Redbox, or narrow it down to see what's inside your favorite kiosk. Search by genres, too! Once you find the movie or game you're looking for, reserve it on your Android device so it will be waiting for you when you get to the kiosk.Find a Redbox kiosk: Find the closest Redbox location, save your favorites and get directions (with a map!) to any kiosk you want. Email mobile@redbox.com with questions or comments.", "devmail": "mobile@redbox.com", "devprivacyurl": "N.A.", "devurl": "http://www.redbox.com&sa=D&usg=AFQjCNGt-pKT9Smg5RhlPRyqXynpfeZyqA", "id": "com.redbox.android.activity", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Redbox", "price": 0.0, "rating": [[" 2 ", 1606], [" 1 ", 4600], [" 5 ", 16036], [" 3 ", 3017], [" 4 ", 6362]], "reviews": [["Needs to remember user ID and password", " It's frustrating to remember to log in before putting movies in my cart. If your not logged in first you will lose all the movies you selected. This had been going on for a long time. Please figure out a way to remember user name and password. "], ["Confused", " I can't figure this out at all! Where are my list of favorites? How do i reserve a movie? Not happy, sorry "], ["Have to login every time. Does NOT remember user/pwd even when option checked. Want ...", " Have to login every time. Does NOT remember user/pwd even when option checked. Want to see ratings like website.\tPick movie, add to cart, have to login every time and then add movie to cart again, then finally checkout. PLEASE FIX. "], ["No access", " Latest version always states \"We are sorry, something went wrong please try again later\". So I can't use this app for days now. Please fix!! LG Thrill - OS 2.3.3 "], ["Great app.", " Give me opp to rate the movies & have a wish list so I can easily keep better track of my next \"want to see\" list. "], ["Excellent App!", " This app works very well for me on my Samsung Galaxy S4 on the Verizon network. I always use this app before heading out to rent. I find what I want near me, reserve the item(s) I want & have it all set & ready for whenever I want to pick them up. Keep up the great job with this app! "]], "screenCount": 8, "similar": ["com.net.WatchMoviesForFree", "com.softcell.hindimovies", "com.redboxinstant", "com.peliculaswifi.gratis", "javamovil.movies", "net.flixster.android", "com.sufistudios.videokitter", "com.gotv.crackle.handset", "com.aol.mobile.moviefone", "com.hlpth.majorcineplex", "com.picadelic.fxguru", "com.fandango", "com.imdb.mobile", "tv.cinetrailer.mobile.b", "com.netflix.mediaclient", "com.viki.android"], "size": "19M", "totalReviewers": 31621, "version": "4.2"}, {"appId": "mobi.ifunny", "category": "Entertainment", "company": "Flysoft", "contentRating": "Medium Maturity", "description": "Time to add new flavor to everyday life. iFunny is your personal source of fun made to your taste. Install iFunny once and have a daily portion of giggle forever.We only serve the best funny pics and videos to you:- Fresh. What you see on Facebook tomorrow is on iFunny today.- Delicious. Only the finest jokes are picked by our editors. Well, sometimes not without a hint of pepper, if you know what I mean :)- Healthy. Be ready to burn a lot of calories - you will be laughing hard with iFunny.- Home made. You lead the way - create your own works using iFunny Studio.- Good for sharing. Share your best picks with your friends on Facebook, Twitter or at school&work.The party has already started, but there is always a seat for you. Welcome aboard :)P.S. We've got lots of funny jokes about Sex, Temple Run, Angry Birds, Celebrities, Justin Bieber, Boobs, Nude Girls, Boys, Forever Alone, Me Gusta, Chuck Norris, SpongeBob, Megan Fox, Harry Potter, Pokemon, Selena Gomez.If you are looking for Memebase, EpicFail, failblog, Trolls, Photobombs, VeryDemotivational, Smartphowned, Will Ferrel, Censored, Meme, Videos, Rage Comics get iFunny now, and come back everyday!", "devmail": "support@ifunny.mobi", "devprivacyurl": "http://ifunny.mobi/docs/privacy&sa=D&usg=AFQjCNG0RIYWIy5K0-loiBOgcgxYNguqpw", "devurl": "http://ifunny.mobi/&sa=D&usg=AFQjCNGdRkvvmcQlIlb_sjKuUrRRO9OlRA", "id": "mobi.ifunny", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "iFunny :)", "price": 0.0, "rating": [[" 5 ", 36197], [" 3 ", 3800], [" 2 ", 2647], [" 1 ", 7199], [" 4 ", 5465]], "reviews": [["Never freaking works!", " It almost never loads any pictures and I try multiple times a day but never works! It really sucks! Plus I'm sick of the porn, no one does anything about it its been there for awhile, its IFUNNY NOT IPORN! "], ["Bad connection.?", " Everytime i get past 5 pictures ir doesnt let me swipe anymore and i go back and it just says connection timed out -Optimus LG "], ["Ifunny", " This is my most used app.. Its my favorite too. I use it 24/7 and there is always stuff that suits your needs no matter what you like "], ["Bad connection?", " I funny won't load any pictures at all for my droid 4. On the videos for some reason. Even 4g won't load a thing "], ["SOOO MUCH BETTER", " A lot has changed since that whole issue we had in september with you guys \"shuting down\" and no there is more order KEEP IT UP "], ["PLEASE FIX", " I have been using ifunny for three years and it has never done this before. When I go through about 7 pictures, the pictures just stop. Or like I can't gobto the next photo. PLEASE FIX AND THEN I WILL MAKE THIS 5 STARS! "]], "screenCount": 5, "similar": ["com.andromo.dev266299.app250650", "com.gregwhiteapps.howtodrawcartoons", "com.mobo.video.player.pro", "com.breakapps.breakdotcom", "com.stuckpixelinc.funnypics", "tildegame.pokedex", "com.appspot.swisscodemonkeys.jokes", "ru.idaprikol", "com.rm.android.facewarp", "com.outfit7.talkingtom", "com.outfit7.talkingtom2free", "mobi.rage", "com.ninegag.android.app", "com.aura.ringtones.aurapopularfunny", "com.sphinx.lolpics", "com.snickchickapps.kids.cartoons", "com.arabdroidz.alsanafir", "com.kauf.babyrun"], "size": "6.5M", "totalReviewers": 55308, "version": "2.5.2"}, {"appId": "com.activision.callofduty.mobile", "category": "Entertainment", "company": "Activision Publishing, Inc.", "contentRating": "High Maturity", "description": "The Call of Duty\u00c2\u00ae app provides a new mobile experience designed to work hand-in-hand with Call of Duty\u00c2\u00ae: Ghosts and provides several personalized features during and beyond your play sessions.Support: support.activision.comFEATURES:Compete in Call of Duty\u00c2\u00ae Clan Wars- Battle for territory against multiple Clans with locations on the Call of Duty\u00c2\u00ae Clan Wars map tied directly to Call of Duty\u00c2\u00ae: Ghosts multiplayer game modes. Earn exclusive in-game bonuses by dominating your opponents, including additional soldier customization options and bonus multiplayer XP. Each Clan War takes place over a set period of time, giving you multiple opportunities for your Clan to win. Join, Create and Manage a Call of Duty\u00c2\u00ae: Ghosts Clan- Join, create and manage a Call of Duty: Ghosts Clan from the app. Communicate with Clan Members via the app\u00e2\u20ac\u2122s Clan Chat feature to coordinate playtimes and gameplay strategies. The Call of Duty\u00c2\u00ae app also includes a robust Clan Emblem Editor, so Clan Leaders can create and customize their emblem.Experience Call of Duty\u00c2\u00ae: Ghosts On the Go- Stay up to date with all the latest Call of Duty\u00c2\u00ae news and events, and check your career stats, and use the app\u00e2\u20ac\u2122s Rally Up feature to notify friends that you\u00e2\u20ac\u2122re ready to play.With its emphasis on deep game integration, Clan participation, second screen functionality and more, the Call of Duty\u00c2\u00ae app truly adds another dimension to your Call of Duty\u00c2\u00ae: Ghosts multiplayer experience.\u00c2\u00a9 2013 Activision Publishing, Inc. ACTIVISION, CALL OF DUTY, and CALL OF DUTY GHOSTS are trademarks of Activision Publishing, Inc. All other trademarks and trade names are the properties of their respective owners. The Call of Duty App is subject to its Service Agreement, available at http://www.activision.com/privacy/en/tos.html, and privacy policy. ALL FEATURES AND AVAILABILITY ARE SUBJECT TO CHANGE. The Call of Duty App and some of its features may be restricted to certain languages and countries only; features and availability may also differ between countries. Requires a supported Call of Duty: Ghosts game.", "devmail": "CallOfDutyGooglePlayApp@activision.com", "devprivacyurl": "http://www.activision.com/privacy/en/privacy.html&sa=D&usg=AFQjCNEybChLmlg79BaXLueNdzl24SgTyA", "devurl": "http://www.activision.com&sa=D&usg=AFQjCNE3kdv4I9d8EaFbnDxM_ZR9LnrHGg", "id": "com.activision.callofduty.mobile", "install": "500,000 - 1,000,000", "moreFromDev": ["com.activision.skylanders.battlegrounds", "com.activision.skylanders.cloudpatrol", "com.activision.pitfall", "com.activision.callofduty.striketeam", "com.activision.elite", "com.activision.anthology", "com.activision.wipeout", "com.activision.skylanders.lostislands"], "name": "Call of Duty\u00c2\u00ae", "price": 0.0, "rating": [[" 3 ", 807], [" 1 ", 2385], [" 5 ", 3489], [" 4 ", 815], [" 2 ", 645]], "reviews": [["Does not work", " Tried to use it on my S4 and keeps saying I need to play multiplayer before accessing my stats. I hot at least 2 days worth of multiplay....errr\u00c5\u2022rrr?!?!?!? "], ["Nice idea but doesn't work on PS4", " When I try to use the app with my PS4 it says I need to play multiplayer. Im the leader of a clan from black ops 2 called Desync we're 8-0 and I wanna take us to the next level MLGs. Please fix it fast. "], ["Not accessible", " HTC One s: The app keeps telling me that I need to play one multiplayer match top access it and on played more then 500 yet it won't let me into the app It's sad cause I'm a leader of a clan and yet I can't access nothing "], ["Alright accept", " The apparently works on my phone and everything but the only thing is I can't make an emblem for my clan and it's making me angry because I do not like the one that was given to me! This needs to be fixed NOW!! "], ["Plz Fix Asap", " Needs to be fixed for android Lg optimus..character doesnt load headgear. The app resets itself. No stats. Find and join clan doesnt load. Etc.. "], ["Handy but unnecessary", " Works fine on my phone. No loading problems. Only problem i have is why not just add the whole thing into COD elite since it already does this stuff for BO2 and MW3. Or be able to use alter info from an in-game menu. I just dont see the point... "]], "screenCount": 4, "similar": ["com.twoshellko.blops2", "com.spudpickles.ghostradar", "com.kryckter.blackops.pro", "com.andromo.dev63514.app66003", "com.jake.codhelperdonate", "com.kulapps.widgetcod", "com.rmfdev.callfaker", "owesome.apps.codgd", "com.ghost.guide.gamer", "com.techreanimate.ghostrcg", "appinventor.ai_lpirrone2000.Cod_um", "com.bunnyben.ghostsguns", "com.spudpickles.grc", "com.km.pranks.fakecaller", "activision.mw3lwp", "com.salalab.callofdutyghosts", "com.glvangorp.mw3titlesandemblems"], "size": "27M", "totalReviewers": 8141, "version": "1.0.191"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtabaa.json_merged.json b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtabaa.json_merged.json new file mode 100644 index 0000000..e4216bb --- /dev/null +++ b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtabaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.microsoft.xboxone.smartglass", "category": "Entertainment", "company": "Microsoft Corporation", "contentRating": "Everyone", "description": "\"Xbox One SmartGlass is the perfect companion app for your Xbox One, both in your living room and on the go. Connect and control your Xbox One. Stay connected with the games and gamers you like. Add a new dimension to your console entertainment with the mobile device you already own. In the living room:Navigate your Xbox One console using your device\u00e2\u20ac\u2122s keyboard and touchControl your media and set top box with the SmartGlass remote controlBrowse the web on your TV using your mobile deviceEnhance what you are watching or playing with SmartGlass companions Increase performance with faster connections and reliabilityIn the living room and on the go:Search, browse, and pin content to play on your Xbox One console Track achievements, get game help, message friends, and watch game DVR clipsNote:This app requires an Xbox membership to sign in. Available for most Android 4.0+ smartphones, with WVGA screen resolution or higher, plus 7\"\" and 10\"\" Tablets \"", "devmail": "xboxonandroid@microsoft.com", "devprivacyurl": "N.A.", "devurl": "http://support.xbox.com&sa=D&usg=AFQjCNGivT7-o-Xy50uk5_GEcEbsDSuAnQ", "id": "com.microsoft.xboxone.smartglass", "install": "100,000 - 500,000", "moreFromDev": ["com.microsoft.office.onenote", "com.microsoft.rdc.android", "com.microsoft.xboxmusic", "com.microsoft.onx.app", "com.microsoft.Kinectimals", "com.microsoft.skydrive", "com.microsoft.office.lync15", "com.microsoft.xle", "com.microsoft.office.lync", "com.microsoft.switchtowp8", "com.microsoft.wordament", "com.microsoft.office.officehub", "com.microsoft.bing", "com.microsoft.smartglass"], "name": "Xbox One SmartGlass", "price": 0.0, "rating": [[" 5 ", 1125], [" 2 ", 25], [" 4 ", 94], [" 1 ", 76], [" 3 ", 50]], "reviews": [["Galaxy s2", " Compainion mode wont work on my galaxy s2 please sort this not buying ipad when I have an android phone that does the same thing. Stated works on all device's. "], ["Begleiter App funktioniert nicht.", " Smartglass funktioniert auf meinem ASUS Memo Pad HD7, allerdings funktioniert die Begleiter App nicht. Habe schon versucht die One und das Tablet auf englisch oder \u00c3\u2013sterreich zu stellen aber leider ohne Erfolg "], ["Did not live up to expectations", " Xbox smartglass for the 360 was better. They also need to fix the friends area because you can't see what your friends currently are doing. "], ["Very nice, very smooth.", " Im already looking forward to my Xbox One on launch day, but if the SmartGlass experience is anything like the Xbox One is going to be, I'm even more stoked! I had extremely high hopes for SmartGlass integration on the 360, but was disappointed in the lack of developer interest; hopefully the devs embrace this and run with it this gen. "], ["Companion Issues", " I would love to give this a 5* but the companion portion doesn't seem to work and that's what I need this app for. I'll change my rating when the app actually works. "], ["Locked in Portrait Mode.", " I was about to buy the Smart Clip for Xbox One by Nyko. However, this app is fixed to Portrait Mode. I have the app installed on my Nexus 7 and Samsung Galaxy Note 2. Not sure if different Android devices matter. But, I will be using the iPad version exclusively until this is fixed. "]], "screenCount": 12, "similar": ["appinventor.ai_monastucecom.gta5xbox", "com.oldmanshoe.xbox360gallery", "com.diginium.graphics.xbox360.free", "com.adantes.xboxone", "BlueBand.XboxLiveAvatar", "de.android.xboxonecountdown", "com.warting.blogg.wis_majornelson_feed_nu", "ar.com.indiesoftware.xbox.pro", "ar.com.indiesoftware.xbox", "com.Zema.Toxic", "air.xboxonevsps4", "com.halo.companion", "com.zappotvxbox", "BlueBand.XboxLiveAvatarS", "com.andromo.dev85124.app134301", "com.xbox.kinectstarwars", "com.ccn8.minecraftxboxglitches", "com.pokosmoko.gta5x"], "size": "14M", "totalReviewers": 1370, "version": "2.0"}, {"appId": "com.gotv.crackle.handset", "category": "Entertainment", "company": "Crackle", "contentRating": "Medium Maturity", "description": "Watch Movies & TV Shows for FREE on your Android phone and tablet! More than 20 million fans enjoy this award-winning FREE app. Crackle provides great new content every month. No signup, no fees, just hit Movies & TV Shows such as Seinfeld & Pineapple Express available for FREE \u00e2\u20ac\u201c whenever, wherever. Download Crackle to start viewing now.*** AWARDS & HONORS ***- 2013 Emmy Award\u00c2\u00ae nomination for Original Series: Comedians in Cars Getting Coffee- 2013 Webby Award: Best Entertainment Network- Mobile Excellence Award Finalist: 2012- 20 Best Android Apps of 2012 (TechCrunch)Current & Recent Content*** MOVIES ***Hundreds of hit films including Step Brothers, Pineapple Express, Bad Boys, Men in Black, Joe Dirt, Mr. Deeds, Cruel Intentions, Resident Evil, Punisher: War Zone, S.W.A.T., Snatch, Baby Boy and more: all full length, uncut and FREE.*** TV SHOWS ***Thousands of full episodes from television series such as: Seinfeld, The Shield, Rescue Me, Damages, Blue Mountain State, The Jackie Chan Adventures, Sanford and Son, The Three Stooges, Spider-Man and many more.*** ANIME ***Home to the world\u00e2\u20ac\u2122s best Anime. Great movies, 40+ series and 1,000+ episodes including Rurouni Kenshin (Samurai X), Fate/Zero and Magi.*** CRACKLE ORIGINALS ***New movies and series created by Crackle such as Jerry Seinfeld\u00e2\u20ac\u2122s Comedians in Cars Getting Coffee, Chosen, Extraction, Cleaners and more.*** FEATURES ***- Watch full Hollywood movies and TV series- FREE to download app, FREE to play- Unlimited, on-demand viewing- New movies and TV episodes added monthly- Browse Movies, Shows, Watchlists, Most Popular or Genres: action, anime, comedy, crime, horror, music, thriller and sci-fi- Optimized for both phones and tablets - Build and manage your Watchlist for viewing on the app or online at Crackle.com- Stream HQ video via 3G, 4G or Wi-Fi- New Wi-Fi-only option allows you to view content without using data- App works in US, Canada, UK, Australia, Brazil and Latin AmericaInterested in a film or television show but don\u00e2\u20ac\u2122t have the time to watch? With Crackle, you can create your own Watchlist with your favorite Hollywood hits \u00e2\u20ac\u201c then enjoy unlimited, on-demand viewing whenever you want. Plus, check out Crackle\u00e2\u20ac\u2122s own Watchlists, hand-picked by celebrities & critics.\u00e2\u20ac\u0153Crackle\u00e2\u20ac\u00a6 gives you free movies to watch, great TV shows to remember.\u00e2\u20ac\ufffd \u00e2\u20ac\u201c Casey Chan, Gizmodo \u00e2\u20ac\u0153\u00e2\u20ac\u00a6for free\u00e2\u20ac\u00a6That\u00e2\u20ac\u2122s right. You don\u00e2\u20ac\u2122t need to sign up and pay a fee to watch\u00e2\u20ac\u00a6\u00e2\u20ac\ufffd \u00e2\u20ac\u201c Damien Scott, Complex Magazine\u00e2\u20ac\u0153Sony has a real gem on their hands with this app\u00e2\u20ac\u00a6\u00e2\u20ac\ufffd \u00e2\u20ac\u201c Jake Gaecke, Appletell Data charges may apply (unlimited data plan recommended).*** FAQ *** Thanks for everyone\u00e2\u20ac\u2122s feedback and reviews. We are listening and always improving the service.* Movies and television shows updated monthly; titles subject to change. Current content list is available on the app or at www.Crackle.com.* Yes, the app is FREE. To cover our costs we include occasional video ads. Your carrier may charge data fees, so an unlimited data plan and/or viewing over Wi-Fi is recommended.* To use this app, you must be in US, Canada, United Kingdom, Australia, Brazil or Latin America. Crackle requests your location to determine which content to display, and in what language.*** ABOUT CRACKLE ***Crackle is one of the fastest growing digital entertainment networks, offering quality movies and TV series from Columbia Pictures, Tri-Star, Screen Gems, Sony Pictures Classics and more. Crackle is available via web, mobile, gaming systems and set-top boxes. For more information, visit www.Crackle.com. Crackle is a division of Sony Pictures Entertainment.", "devmail": "Android@crackle.com", "devprivacyurl": "N.A.", "devurl": "http://www.crackle.com&sa=D&usg=AFQjCNHqu5x15z5npGSTG3z6_bbdmgN1Ng", "id": "com.gotv.crackle.handset", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Crackle - Movies & TV", "price": 0.0, "rating": [[" 2 ", 4409], [" 3 ", 6853], [" 4 ", 12394], [" 5 ", 38851], [" 1 ", 16938]], "reviews": [["Why won't it work", " I can't get through any movies because after the second commercial break, it stops working and just keeps showing the buffer screen. Please fix "], ["No....", " The app layout is amazing but the poor choise of films an shows was a big let down. If you find something you want to watch after the first ads you get buffering notices constantly. Im uninstalling my phone an my internet work great with streaming films and this ap doesnt do them justice not even worth a star sorry "], ["Ok", " The app is great only problem I have is when its done with commercials the movie starts from the begginig it never resumes were it left of very annoying please fix that problem "], ["This blows", " Had this app last year on a crapy phone and worked great. Now I have a galaxy note got the app and must say. You guys have gone down hill. Can't watch a thing. Right after beginning commercials it says error and can't even restart. Boo I will be deleting. "], ["Worst App Ever!", " I have this app on my smartphone and on my Xbox 360. Now I know at times, with cell phone service, things may not work right. However, my Xbox 360 has wireless and I have no issues using Netflix. But this app is always buffering or it freezes. As I said, when it did it on my phone I didn't complain. But my Xbox 360 has no issues with any other apps or staying connected to the internet. And it does it there too. I would not recommend this app at all to anyone. Yes, it is free (and I didn't even mind the commercials) but as the saying goes, you get what you pay for...since it's free, it's crap! :( "], ["Who complains about a free app honestly", " Great app had trouble when it needed updating but that's my fault for not checking google play other then that awesome don't wine and complain if it doesn't work its free you didn't have it anyway so you've lost nothing but its never given me issues love the movies some are a little dated but a ton of actors we all know and love I use it to go to sleep so it doesn't even matter that I've seen the movie before who doesn't love groundhogs day really "]], "screenCount": 19, "similar": ["com.net.WatchMoviesForFree", "com.app.ent.movie", "com.videotubefree.online", "com.grep.lab.fullmovie", "com.peliculaswifi.gratis", "com.vad.ypwmoviesdroid", "javamovil.movies", "com.softcell.hindimovies", "net.flixster.android", "com.rhythmnewmedia.tvdotcom", "com.Rankarthai.TV.Online", "com.fandango", "com.imdb.mobile", "br.livetv", "com.netflix.mediaclient", "com.viki.android"], "size": "4.3M", "totalReviewers": 79445, "version": "4.0.3"}, {"appId": "com.outfit7.talkingtom", "category": "Entertainment", "company": "Outfit7", "contentRating": "Medium Maturity", "description": "Tom is your pet cat, that responds to your touch and repeats everything you say with a funny voice. You can pet him, poke him or grab his tail. Record your own videos of Tom, save them to your library, share them on YouTube & Facebook or send them by email. \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 HOW TO PLAY \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u0153\u201d Talk to Tom and he will repeat everything you say with a funny voice. \u00e2\u0153\u201d Pet him to make him purr. \u00e2\u0153\u201d Poke his head, belly or feet. \u00e2\u0153\u201d Grab his tail. \u00e2\u0153\u201d Pour a glass of milk for him. \u00e2\u0153\u201d Make Tom scratch the screen. \u00e2\u0153\u201d Make Tom play the cymbals, fart, throw a cake at the screen or try to eat Larry. \u00e2\u0153\u201d Record and share videos on YouTube, Facebook or send them by email or MMS. Enjoy hours of fun and laughter with Tom.END-USER LICENSE AGREEMENT FOR ANDROID:http://outfit7.com/eula-android/", "devmail": "N.A.", "devprivacyurl": "http://outfit7.com/privacy/&sa=D&usg=AFQjCNEkB7hAP337M83DXxAKRh_h8biGPQ", "devurl": "http://outfit7.com/contact/android/&sa=D&usg=AFQjCNFq0dxCibfbkcdFaRGXWExU5_vJKg", "id": "com.outfit7.talkingtom", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.outfit7.talkingrobyfree", "com.outfit7.jigtyfree", "com.outfit7.tomsmessengerfree", "com.outfit7.talkingpierre", "com.outfit7.talkinggingerfree", "com.outfit7.talkingbird", "com.outfit7.talkingsantagingerfree", "com.outfit7.gingersbirthdayfree", "com.outfit7.talkingben", "com.outfit7.talkinggina", "com.outfit7.talkingtom2free", "com.outfit7.tomslovelettersfree", "com.outfit7.talkingnewsfree", "com.outfit7.mytalkingtomfree", "com.outfit7.talkingbenpro", "com.outfit7.angelasvalentinefree", "com.outfit7.tomlovesangelafree", "com.outfit7.talkingsantafree", "com.outfit7.talkingpierrefree", "com.outfit7.talkingangelafree"], "name": "Talking Tom Cat Free", "price": 0.0, "rating": [[" 3 ", 35569], [" 2 ", 9769], [" 1 ", 17048], [" 4 ", 90767], [" 5 ", 412923]], "reviews": [["Hi Tom we can have a great time to do with them", " Hi Mr George Street London and the other day and night and I am a beautiful person who is a bit of a mystery to me that the information you need to sell to make room for a while already. It is in the same place on the top of the preloved department. The only thing that you can get a chance to win a free email address and password for you "], ["Good app but...", " My daughter really likes to play with talking tom but there are far too many advertisements on this app,the ones at the top of the screen ain't so much the problem but the ones that keep showing up across the screen are especially the snail that keeps coming bk every time u click to close it it's ridiculous!! If this is not fixed then I will have to unistall it & just find something else for her to play as it takes all the fun out of it when I have to keep taking it off her every 2mins to sort it out "], ["Talking Tom", " I love talking tom he is so funny and cute in a way I love him I love him I love him !!!!!!!!!!!!!!!!!!!!!!!! I just want to scream AHHHHHH "], ["Download poor", " Just dowbloaded the app and so far it is boring you can only hit him make him drink milk and make vidios and trust me I know this because I yoused to be a moviestar I was a famous background artest "], ["Its fun...", " But you have to pay to do some things. "], ["Good app", " Its very entertaining app I like it its very good app. You also download and have a great fun... "]], "screenCount": 15, "similar": ["com.km.life.realcat", "org.friends.funnybest", "com.google.android.ytremote", "com.gi.talkingpocoyofree", "com.lily.times.monkey1.all", "com.gi.talkinggarfield", "com.kauf.talking.baum.TalkingJamesSquirrel", "com.google.android.play.games", "com.km.effects.catsounds", "com.scoompa.facechanger", "com.km.life.babyboy", "com.smeshariki.kids.game.krosh.free"], "size": "Varies with device", "totalReviewers": 566076, "version": "Varies with device"}, {"appId": "com.outfit7.talkingangelafree", "category": "Entertainment", "company": "Outfit7", "contentRating": "Everyone", "description": "\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 NEW TRIVIA QUIZZES \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026Talking Angela will test your knowledge in the newly added trivia quizzes. To start a quiz, type any of these into the chat window: quiz, give me a quiz, start quiz.Join Talking Angela in Paris, the city of love and style! Wow her and treat her like a princess because let\u00e2\u20ac\u2122s face it, she IS a princess. Chat with her, buy her presents and choose her wardrobe. You can even smile at her or show her your tongue (but that\u00e2\u20ac\u2122s no way to treat a lady)! She is not alone in the city though, you may see a familiar face pop up here and there but in a completely different role! \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 HOW TO PLAY \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u0153\u201d Pet Talking Angela and she will be happy. \u00e2\u0153\u201d Use the \"Gift\" button to buy her drinks, accessories, clothes, makeup etc. \u00e2\u0153\u201d Use the \"Heart\" button and make Angela read you a fortune cookie. \u00e2\u0153\u201d Use the \"Coat hanger\" button to access Angela's wardrobe and change her appearance. \u00e2\u0153\u201d Use the \"Face\" button to open the front camera and communicate with Angela through face gestures (nod or shake your head, smile, yawn or show your tongue). \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 IMPORTANT \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u0153\u201d The \"Face\" button doesn't exist on low-end devices (single core CPU) and on devices without a front facing camera.\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 HOW TO CHAT \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u0153\u201d You can chat with Angela only in ENGLISH. \u00e2\u0153\u201d Press into the text field to start a conversation. \u00e2\u0153\u201d Use the keyboard to type OR use dictation. \u00e2\u0153\u201d Angela will answer with text and voice in English. \u00e2\u0153\u201d Start trivia quizzes by typing any of these commands into the chat window: quiz, give me a quiz, start quiz.\u00e2\u0153\u201d You can talk to Angela about a variety of subjects: love, dating, friends, school, fashion, celebrities, movies, music, TV, books, hobbies, food, travel, pets etc. \u00e2\u0153\u201d Use commands like: sing to me, tell me a joke, buy drink. Enjoy hours of fun with Angela! LEGAL NOTICE: We are collecting anonymized data log files containing details on the usage of the app. More details: http://outfit7.com/privacy/END-USER LICENSE AGREEMENT FOR ANDROID: http://outfit7.com/eula-android/", "devmail": "N.A.", "devprivacyurl": "http://outfit7.com/privacy/&sa=D&usg=AFQjCNEkB7hAP337M83DXxAKRh_h8biGPQ", "devurl": "http://outfit7.com/contact/android/&sa=D&usg=AFQjCNFq0dxCibfbkcdFaRGXWExU5_vJKg", "id": "com.outfit7.talkingangelafree", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.outfit7.tomlovesangelafree", "com.outfit7.talkinggina", "com.outfit7.talkingsantaginger", "com.outfit7.mytalkingtomfree", "com.outfit7.talkingpierrefree", "com.outfit7.talkinglila", "com.outfit7.talkingbird", "com.outfit7.talkingtom2free", "com.outfit7.angelasvalentinefree", "com.outfit7.talkingnewsfree", "com.outfit7.tomslovelettersfree", "com.outfit7.talkingbenpro", "com.outfit7.talkingsantafree", "com.outfit7.talkingrobyfree", "com.outfit7.talkingtom", "com.outfit7.talkinggingerfree", "com.outfit7.jigtyfree", "com.outfit7.talkingsantagingerfree", "com.outfit7.talkingben", "com.outfit7.gingersbirthdayfree", "com.outfit7.tomsmessengerfree", "com.outfit7.talkingnews"], "name": "Talking Angela", "price": 0.0, "rating": [[" 2 ", 3086], [" 5 ", 91706], [" 4 ", 14477], [" 1 ", 8617], [" 3 ", 8252]], "reviews": [["Watch out", " My 5 year old daughter somehow managed to charge my credit card $25 when she played with this app... I have a password on my account and I have no idea how she did it. "], ["Fabulous but annoying", " I enjoy her because she's like a bff but she only talks about what she wants to talk about don't worry though because she changes the subject after lol "], ["Inside...", " Can you add something like her house and she can have boobs and have naked sex with her??? (.) (.) And the naked part domt make it censored please! :) \u00e2\u2122\u00a1\u00e2\u2122\u00a5\u00e2\u2122\u00a1\u00e2\u2122\u00a5 "], ["My Daughter loves it..", " ..though I thought she was about to throw my Nexus when Angela told her she wouldn't be getting any presents from Santa at Christmas.. She was angry.! (maybe an idea to remove that line) Entertaining though. "], ["The games is ok", " The game is a little good a little bad but I think that we should be able to do more stuff with her like bye more make up for her and play games I think we could improve talking Angela could we just a little improvement :( "], ["Stupid", " He new update should be able ro be night or morning it can alao be able to play games with anglea and be able to go to places likeislands meet polar bears fight a grizzly bear babysitting ginger and all that fun stuff and I can't even update this game no more "]], "screenCount": 15, "similar": ["com.km.life.realcat", "org.friends.funnybest", "com.gi.talkingpocoyofree", "com.kauf.talking.babytwins", "com.lily.times.monkey1.all", "com.kauf.talking.baum.TalkingJamesSquirrel", "com.brave.talkingspoony", "com.gi.talkinggarfield", "com.km.life.babyboy", "com.smeshariki.kids.game.krosh.free"], "size": "Varies with device", "totalReviewers": 126138, "version": "Varies with device"}, {"appId": "com.scee.psxandroid", "category": "Entertainment", "company": "Sony Computer Entertainment", "contentRating": "Medium Maturity", "description": "STAY IN THE GAMETake your PlayStation\u00c2\u00ae experience with you on your mobile device with the new PlayStation\u00c2\u00aeApp! Always be ready to game with features that keep you connected to your gaming friends and the games you love to play. Push games from PlayStation\u00c2\u00aeStore to your PS4\u00e2\u201e\u00a2 system and be ready to game at home.With the PlayStation\u00c2\u00aeApp installed on your mobile device, you can:\u00c2\u00b7 See what your friends are playing, compare trophies, and view your profile or recent activity.\u00c2\u00b7 Chat with your friends; receive notifications, game alerts, and invitations, and then use your mobile device as an on-screen keyboard for your PS4\u00e2\u201e\u00a2 system.\u00c2\u00b7 Browse PlayStation\u00c2\u00aeStore, pick-up the latest hit games and add-ons, and then push them to your PS4\u00e2\u201e\u00a2 system so they are ready when you get home.\u00c2\u00b7 Take advantage of the in-app second-screen features, when available, for greater challenges and control.\u00c2\u00b7 Quickly access PlayStation\u00c2\u00ae system guides, manuals, and PlayStation.Blog.A Sony Entertainment Network account and PS4\u00e2\u201e\u00a2 system are required to use all of this application's features.", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://www.playstation.com/support/&sa=D&usg=AFQjCNEpMEEkX4TteHFmF9b60Wr_XyVkyA", "id": "com.scee.psxandroid", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "PlayStation\u00c2\u00aeApp", "price": 0.0, "rating": [[" 3 ", 2541], [" 1 ", 2792], [" 4 ", 3543], [" 2 ", 1288], [" 5 ", 9504]], "reviews": [["Can't Sign In", " I downloaded the Playstation App last night and have been trying unsuccessfully to sign in. I go to the Settings and click Sign In and get taken to a website. I signed in there and was taken back to the App. If I click on anything in the App, it opens that same web page in another tab, then takes me back to the App and I'm still not signed in. I have to give this 1 Star until it actually works for me. "], ["Great app, but didn't work with Chrome on my Droid DNA.", " Didn't work with Chrome installed. Uninstalled Chrome and haven't had issues--aside from now not having Chrome installed. "], ["A bit of latency but it works", " The App works just fine on my Optimus F7 but there is a bit of latency when you try to load certain things but otherwise it's working as intended. Once I get the chance to try the streaming features for the PS4 games I will re write my review. "], ["Needs work", " It is fine but performance could be heavily improved. And maybe a light version of PS Store would be great, I hate it when im redirected to my phone's browser to display Store. I wish I could use it as a Keyboard for my PS3 too, please Sony, make it possible. PS. I've just realise that I can't receive messages from my friends. They receive mines from my phone but I can't receive theirs from their PS3. Please fix it. Sony Ericsson Live Android 4.0.4 "], ["This is application is horrible.", " I'm not even going to ask why? Why would you make an app that refers you back to your own mobile browser which happens to be faster than your app? You sit on a pile of money and just don't get it. The PlayStation app should rival the popularity and usefulness of Facebook what are you guys doing? "], ["Excellent app, just a few tweaks left.", " Currently a little slow at loading some info and pages. But with it just being released, once the bugs are worked out it will br amazing. And then I'll 5 star it. "]], "screenCount": 9, "similar": ["com.wPS4PlayStation4Spot", "com.ps3cheats.app", "com.widget.ps4", "ar.com.indiesoftware.ps3trophies", "com.emulator.fpse", "com.troos.ps4", "com.diginium.graphics.playstation.trophies.free", "ar.com.ps3argentina.trophies", "de.appmine.playstation4", "com.a4981789785117eec1237798a.a66262541a", "air.xboxonevsps4", "com.a11322637125039fb798804b0a.a35895217a", "ca.ps4spot", "com.neko68k.psxmc", "com.oldmanshoe.ps3gallery", "com.torok.ps3trophies"], "size": "1.5M", "totalReviewers": 19668, "version": "1.50.1"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtabab.json_merged.json b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtabab.json_merged.json new file mode 100644 index 0000000..dc83c0b --- /dev/null +++ b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtabab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.scannerradio", "category": "Entertainment", "company": "Gordon Edwards", "contentRating": "Medium Maturity", "description": "Listen to live audio from over 4,100 police and fire scanners, weather radios, and amateur radio repeaters from around the world (primarily in the United States and Australia, with more being added daily) on your phone.Features:* View scanners that are located nearest you, sorted by distance.* View the top 50 scanners that have the most listeners (list updated every 5 minutes).* View list of scanners added most recently (new additions are being added all the time).* Add scanners you listen to the most to your Favorites list for quick access.* Browse the directory of scanners by location or genre (public safety, air traffic, weather, railroad, etc).* Enable notifications to be notified when lots of people (such as over 1000, for example) are listening to any scanner (indicating that something big is happening). You can also be notified when scanners located near you (or specific scanners of your choosing) have more than a certain number of listeners.* Add Scanner Radio widgets and shortcuts to your phone's home screen for quick access (app cannot be installed on SD card to access them).* Add a \"Scanner Radio Favorite\" shortcut to your home screen to launch a scanner feed via an alarm clock app or automation app.* Listen to Broadcastify.com's audio archives to listen to audio that's been archived over the past 30 days. Note: You *must* have an account on Broadcastify.com and purchase their \"Premium Membership\" ($15 for 6 months) in order to access their archives using the app.This is the free version of the app, below are the benefits of purchasing the Pro version (for only $2.99):* The Pro version contains no ads.* The Pro version has the ability to record the audio.* The play button at the top of the directory screens and on the widgets is can be used to start listening.* With the \"Scanner Radio Pro Locale PlgIn\" plug-in is also installed you can have Locale/Tasker launch the app and have one of your Favorites automatically begin playing based on one or more conditions or have the app stop playing. One use for this feature is to have a scanner feed begin playing when your phone connects to a specific Bluetooth device and then have it stop when the connection to that Bluetooth device is no longer present.The audio is provided by volunteers (primarily for Broadcastify.com) using real scanner radios. If you need assistance, please go to http://http://support.gordonedwards.net/Explanation of why various permissions are needed:The \"Phone Calls / Read Phone State\" permission is needed by the app so that it can detect when you're placing a phone call (or when one is being received) so that it can automatically stop the streaming of the audio to prevent it from interfering with the call.The \"Fine (GPS) Location\" and \"Coarse Location\" permissions are required so that the app can determine what scanners are located in your area when you click on \"Near Me\". When you click on \"Near Me\" the app first attempts to determine your location via the network, if that fails the app then tries to determine your location via GPS.The \"Automatically Start at Boot\" permission is required so that a small portion of the app can be started when your phone boots if (and only if) you turn on the notifications feature of the app (that feature is turned off by default).The \"Modify or delete the contents of your USB storage\" and \"Test access to protected storage\" permissions are required in order for the app to support the ability for you to record the audio you're hearing and be able to save it to a location that you can access from your computer.If the audio repeats or the app stays connected for only a short time, try returning to a directory screen in the app, then select \"Settings\" from the menu, then \"Player settings\", and then try changing the \"Streaming method\" setting.Keywords: police scanner, radio scanner, air traffic", "devmail": "android-support@gordonedwards.net", "devprivacyurl": "http://www.privacychoice.org/policy/mobile", "devurl": "http://support.gordonedwards.net&sa=D&usg=AFQjCNEYz8UxQ-zMmbu0aVMv39-EYhFQTQ", "id": "com.scannerradio", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Scanner Radio", "price": 0.0, "rating": [[" 3 ", 6503], [" 1 ", 3258], [" 5 ", 60836], [" 4 ", 18911], [" 2 ", 1683]], "reviews": [["Impressive", " I love the layout and the maneuverability around the app. There really isn't anything too bad about the app. There are some stations that talk others that will rarely say anything. Then there are some like Aurora, CO or Chicago, IL that are off the charts. But overall great app. The only thing annoying is the chirp every once in a while that is very loud and obnoxious, but it's explained in the app why it happens. "], ["Good so far", " Would be better if the if the website producers put chat room back "], ["Won't play local scanner", " The local County scanner which is set up correctly will not play on my phone when it has been working on others. I have uninstalled and reinstalled and still will not work "], ["completely awesome app. must be frustrating answering the same FAQs over and over ...", " completely awesome app. must be frustrating answering the same FAQs over and over again eh Mr. Edwards :) "], ["OK.", " It's kinda fun at times. I wish it could let you focus on just police or just medical/fire. It also seems to have some lag from realtime. "], ["Good to go (update)", " Still 5 stars Update fixed few problems, like audio, and no problems have replace those. Good to go. "]], "screenCount": 6, "similar": ["com.criticalhitsoftware.scanner50", "de.arvidg.onlineradio", "com.dikkar.moodscanner", "radiotime.player", "com.maxxt.pcradio", "com.berobo.android.scanner", "com.audioaddict.di", "net.gordonedwards.scanner_radio_pro_locale_plugin", "com.scannerradio_pro", "tunein.player", "com.clearchannel.iheartradio.controller", "net.gordonedwards.scanner_radio_locale_plugin", "com.pandora.android", "de.radio.android", "com.berobo.android.police.radio.scanner.se", "com.berobo.android.police.scanner.pro", "radioenergy.app", "com.culture.collection.apps.scannerradio3", "es.androideapp.radioEsp"], "size": "Varies with device", "totalReviewers": 91191, "version": "Varies with device"}, {"appId": "com.HBO", "category": "Entertainment", "company": "Home Box Office Inc.", "contentRating": "High Maturity", "description": "Introducing HBO GO\u00c2\u00ae. The streaming service from HBO that lets you enjoy your favorite HBO shows, movies, comedy specials, sports, documentaries \u00e2\u20ac\u201c plus behind-the-scenes extras and more. It\u00e2\u20ac\u2122s every episode of every season of the best of HBO, free with your HBO subscription\u00e2\u20ac\u201dnow available on Android smartphones and tablets! It\u00e2\u20ac\u2122s HBO. Anywhere. Free with your HBO subscription through participating television providers. With the New HBO GO App You Can: \u00e2\u20ac\u00a2 Keep up with your favorites. Watch everything you love about HBO, including HBO original programming, hit movies, sports, comedy and every episode of the best HBO shows, including True Blood\u00c2\u00ae, Game of Thrones\u00c2\u00ae, Boardwalk Empire\u00c2\u00ae, Girls, Veep, Curb Your Enthusiasm\u00c2\u00ae, Entourage\u00c2\u00ae, The Sopranos\u00c2\u00ae, Sex and the City\u00c2\u00ae, The Wire\u00c2\u00ae and more. Plus, get bonus features and special behind-the-scenes extras! \u00e2\u20ac\u00a2 Take it with you: On the run or on the road, never miss a moment of your favorite HBO shows and hit movies with HBO GO on your laptop and select tablets and mobile devices.\u00e2\u20ac\u00a2 Make it your own: Make your HBO GO experience personal. Create a customized Watchlist and catch up on your favorite HBO shows and hit movies at your convenience. If you\u00e2\u20ac\u2122re on the run, resume viewing titles from your Watchlist on your portable device including laptops and select tablets and mobile devices. Also set a Series Pass\u00c2\u00ae to automatically send new episodes of your favorite HBO shows to your Watchlist.\u00e2\u20ac\u00a2 With HBO GO, watch new episodes of your favorite shows and hit movies simultaneously as they premiere on HBO. HBO GO\u00c2\u00ae is only accessible in the US. Minimum 3G connection is required for viewing on mobile devices. Some restrictions may apply for mobile devices. \u00c2\u00a92011 Home Box Office, Inc. All rights reserved. HBO\u00c2\u00ae and related channels and service marks are the property of Home Box Office, Inc.", "devmail": "contacthbogomobile@hbo.com", "devprivacyurl": "http://www.hbogo.com/%23privacy/&sa=D&usg=AFQjCNG1hpJnwV0P3JMGjCO6fiVWnv9YAg", "devurl": "http://www.hbogo.com+&sa=D&usg=AFQjCNH4rnufFWbizWq_S7MYxlYxG5Em3Q", "id": "com.HBO", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "HBO GO", "price": 0.0, "rating": [[" 5 ", 14253], [" 1 ", 6116], [" 2 ", 1306], [" 3 ", 1833], [" 4 ", 3961]], "reviews": [["Doesn't work.", " Not sure if the issue is with Comcast or HBO, but I cannot get this app to login despite having no issues on any other platform. I'll re-rate if this can be fixed. Months later, still doesn't work, even in new Nexus 5. "], ["Awesome with Chromecast update!", " HBO GO was great before. Now it's even more awesome with the Chromecast addition. Don't know what people are complaining about. Works perfectly with my older HTC Rezound AND my 18.4\" Asus P1801-T tablet. Perfectly! "], ["Chromecast should be able to at all the apps so you can see on ...", " Chromecast should be able to at all the apps so you can see on your big screen TV\tChrome cast had this this device will be the best until then is not worth the money do not waste your money on it until they update "], ["Make an experience that actually works.", " I've had so many problems with this app. There is no way to force it to use high quality or hd, videos load very poorly and many a time just stop playing and you can't get them started back. I don't have time to watch all my hbo programming on my tv, I rely on mobile platforms and when I can't use something as basic as this because the application is terrible it really sucks. I used the one on ios before this and while it had terrible reviews it actually worked for me better than this does. Fix it. "], ["HBO Go - Failing on Nexus 10 with new update", " HBO GO is great on ipad, nothing wrong. Then I moved to Nexus 10, and installed it, again, nothing wrong. THEN they update it and now it stutters and is unwatchable, complete trash on my Nexus 10. I have to watch it via browser and even then there is constant buffering issues on a 50bmps AC wifi connection. UPDATE 7/25/13: 4 MONTHS later they finally fixed the stuttering! Finally. UPDATE 8/12/13: Got Nexus 10 update to 4.3 - and now HBO GO is no longer working again, no streaming or anything, just sits stuck at buffering. Waiting on another update hopefully soon. UPDATE 11/21/13: HBO GO now updated to 4.3 support, still has streaming issues but at least works somewhat well enough on the tablet. "], ["Finally works on HTC One!!", " Update: finally works on the HTC one. All content plays as it should. Wish the fix wouldn't have taken so long, but it has been resolved!! At the time if this review, HBO GO does not play anything. You can view the shows you would like to watch, but as soon as you try to watch, the app fails to work no matter what type of connection you phone has (Wi-Fi, 4g, 3g). Epic fail. "]], "screenCount": 11, "similar": ["com.hbo.android.activity", "com.google.android.apps.androidify", "com.tuxera.streambels", "com.viki.android", "com.xfinity.playnow", "com.sm.SlingGuide.Dish", "bg.hbo.hbogo", "com.google.android.play.games", "com.netflix.mediaclient", "com.showtime.showtimeanytime", "com.gotv.crackle.handset", "com.hbo.AriDroidExplicit", "com.google.android.ytremote", "nl.hbo.hbogo", "com.MAXGo", "com.imdb.mobile", "com.hbo.android.app", "hbo.trueblood", "com.clickforbuild.tvonline", "com.directv.dvrscheduler"], "size": "11M", "totalReviewers": 27469, "version": "2.3.03"}, {"appId": "com.outfit7.talkinggingerfree", "category": "Entertainment", "company": "Outfit7", "contentRating": "Everyone", "description": "It's late and little Ginger is getting ready for bed. He needs to shower and dry, brush his teeth and go potty. Will you help him?Every time you get him ready for bed, you unlock a new piece of Ginger's dreams. There are 60 mysterious dreams to be unlocked. Make sure you collect them all. :-)Ginger also repeats everything you say with his cute kitten voice and reacts if you tickle him, poke him or pet him.You can also record videos of Ginger and share them with friends on Facebook & YouTube or send them by email or MMS.PLEASE NOTE: When running the app for the first time you will be required to download additional 6-42 MB to get the best graphics quality for your device.\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 HOW TO PLAY \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u0153\u201d Talk to Ginger and he will repeat.\u00e2\u0153\u201d Poke or tickle him.\u00e2\u0153\u201d Press the toilet paper button to start the mini game.\u00e2\u0153\u201d Press the shower button to wash him.\u00e2\u0153\u201d Press the hair dryer button to dry him.\u00e2\u0153\u201d Press the toothbrush button to brush his teeth.\u00e2\u0153\u201d Press the toothpaste button to get more toothpaste.\u00e2\u0153\u201d Press the timer button to start the 2 minute toothbrush timer.\u00e2\u0153\u201d Press the jigsaw puzzle button to see all the puzzles you've collected.\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 HOW TO GET TOOTHPASTE \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u0153\u201d Every 24 hours roll the Wheel of Fortune and win free toothpaste.\u00e2\u0153\u201d Subscribe to a toothbrush reminder and get 1 free toothpaste per day (you will receive a push notification at 19:00 local time).\u00e2\u0153\u201d Watch a video or choose one of the other ways to earn free toothpaste.\u00e2\u0153\u201d Make an in-app purchase. You can even get an infinite supply of toothpaste and never worry about it again.END-USER LICENSE AGREEMENT FOR ANDROID: http://outfit7.com/eula-android/", "devmail": "N.A.", "devprivacyurl": "http://outfit7.com/privacy/&sa=D&usg=AFQjCNEkB7hAP337M83DXxAKRh_h8biGPQ", "devurl": "http://outfit7.com/contact/android/&sa=D&usg=AFQjCNFq0dxCibfbkcdFaRGXWExU5_vJKg", "id": "com.outfit7.talkinggingerfree", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.outfit7.talkingpierre", "com.outfit7.tomlovesangelafree", "com.outfit7.talkinggina", "com.outfit7.talkingsantaginger", "com.outfit7.mytalkingtomfree", "com.outfit7.talkingpierrefree", "com.outfit7.talkinglila", "com.outfit7.talkingbird", "com.outfit7.talkingtom2free", "com.outfit7.angelasvalentinefree", "com.outfit7.talkingnewsfree", "com.outfit7.tomsmessengerfree", "com.outfit7.talkingbenpro", "com.outfit7.talkingsantafree", "com.outfit7.talkingrobyfree", "com.outfit7.talkingtom", "com.outfit7.jigtyfree", "com.outfit7.talkingsantagingerfree", "com.outfit7.talkingben", "com.outfit7.gingersbirthdayfree", "com.outfit7.tomslovelettersfree", "com.outfit7.talkingnews", "com.outfit7.talkingangelafree"], "name": "Talking Ginger", "price": 0.0, "rating": [[" 3 ", 20632], [" 5 ", 322420], [" 4 ", 49175], [" 1 ", 11118], [" 2 ", 5337]], "reviews": [["Average", " Guys the app works but if u go for my talking Tom u get more exiting things dis is normal. but I recommend to try it for ur wish if u wnt at ur own risk but it's good but not very good 10 out of5 "], ["It helps kids know what to do before bed with ginger...", " This game is so awesome ans cool and fun my bros always find it funny when ginger is all wet and he speeks because he sounds crooked and woinded up so like yeah. My future kids will love this I can't have kids now I am only 10 years old I really love the toilet paper game!!!! x) "], ["Nice app. Thanks for creating it. His cute kitten voice is just awesome. Nice ...", " Nice app. Thanks for creating it. His cute kitten voice is just awesome. Nice work don,keep it up.\tMy daughter likes this app a lot. This is amazing. Thankyou for creating it.This is 5 out of 5.Keep it up. "], ["Fun", " Its very cool and very cool I recommend you to try it You will be addicted.... ;-) "], ["So cute love but.....", " Some times stupid ads pop up but Ginger is so cute you can not get mad at him "], ["Nice app keep it up", " Its vary good app i love it my small brother is only 7 year old so he is crazy for this App i think talking frainds s all app cool but i love most is talking ginger :) "]], "screenCount": 5, "similar": ["com.km.life.realcat", "org.friends.funnybest", "com.gi.talkingpocoyofree", "com.lily.times.monkey1.all", "com.gi.talkinggarfield", "com.kauf.talking.baum.TalkingJamesSquirrel", "com.scoompa.facechanger", "com.km.life.babyboy", "com.smeshariki.kids.game.krosh.free"], "size": "Varies with device", "totalReviewers": 408682, "version": "Varies with device"}, {"appId": "com.avodev.bestvines", "category": "Entertainment", "company": "AVOdev", "contentRating": "Medium Maturity", "description": "Best Vines is the best app to view the funniest and most clever Vines. You can now view the best videos from several Facebook pages directly and easily on your Android device (2.2+).It allows you to view, save and share the best Vines without having to use the Facebook app.Features:- The best Vines on your Android device (2.2+)- View, share, and save videos- Surprise yourself with a random video- Search the collection of best Vines- Fast, and easy navigation- Customizable download folder, auto play and auto replay- Toggle between small and HQ thumbnails and videos to save bandwidth- Slick design, optimized for Android 4.0+, inspired by the official Vine appContents by:- Best Vines- Best Of Vines- Best Of Vine- Funny Vines- 7 Second VideosPermissions:This app requires some permissions to work correctly. You can view those, including why they are needed, below.- WRITE_EXTERNAL_STORAGE: Pictures are being cached and (if shared) stored on your local device.- ACCESS_NETWORK_STATE: We are checking if you have an Internet connection before we fetch data.- INTERNET: Pictures are being downloaded from the Internet.- BILLING: Used for in-app billing services.Credits:All contents are property of their respective owners.This app is in no way endorsed or affiliate with Vine. Vine and the Vine logo are trademarks of Vine Labs, Inc.This (unofficial) Best Vines app is developed by AVOdev, a young startup that develops mobile applications and websites.Refer to the about screen in the app for a more detailed credits listing.Suggestions? Need help? Translations?We are always happy to help you with your problems or listen to your suggestions and feedback, so don't hesitate to contact us. You'll find our email on our website:http://www.avodev.comDisclaimer:All contents are property of their respective owners. AVOdev is not responsible for the contents depicted in the app.", "devmail": "info@avodev.com", "devprivacyurl": "N.A.", "devurl": "http://www.avodev.com&sa=D&usg=AFQjCNHBhvW5NOz8pzzQwoADkuN5d9JHjQ", "id": "com.avodev.bestvines", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.avodev.nedermeme", "com.avodev.eightfact", "com.avodev.nedermemefree"], "name": "Best Vines", "price": 0.0, "rating": [[" 3 ", 747], [" 4 ", 2509], [" 5 ", 9425], [" 2 ", 101], [" 1 ", 218]], "reviews": [["Just the little annoying stuff.", " It's a great app. But, the little annoying things that just annoy you doesn't make it excellent. Like having to start from the beginning of the list when you whatch one vine. "], ["Pretty good. A LOT of scrolling", " Would be good if the main page updated so when a vine fails to load you don't have to scroll to get back where you were "], ["Not as good", " When I got this app it was awesome. I updated my phone to 4.3 and now all the videos are shrunken into little squares. Please fix this. Update 11-7-2013 The videos are now full size and the app is great. "], ["This app has gaven me good times when i was sad.", " Nice enough! "], ["Need a good laugh?", " If you need a good laugh then get this app. All the best are filtered in. I love it! "], ["Videos good never a problem", " I love watching these videos when I'm bored or need a good laugh "]], "screenCount": 5, "similar": ["bestringtones.app", "cinemagia.mobile", "uk.co.appcheatz.vinefollow", "com.froyends.BestOfVines", "com.shutapp.thebestvine", "com.froyends.BestOfVinesSmackCam", "com.scoompa.voicechanger", "com.froyends.BestTwerkVideos", "com.appbuilder.u288217p674960", "com.socialping.lifequotes", "com.outfit7.talkingsantafree", "com.ninegag.android.app", "com.conduit.app_8bd423ed503c49c0a91649647fd32a75.app", "com.twisconapps.vv", "com.wVineVideoViewer", "com.scoompa.talkingfriends"], "size": "875k", "totalReviewers": 13000, "version": "1.4.0"}, {"appId": "com.outfit7.talkingpierrefree", "category": "Entertainment", "company": "Outfit7", "contentRating": "Everyone", "description": "Talking Pierre is in the house! Download Talking Pierre\u00e2\u20ac\u2122s FREE and FUN app and enjoy yourself! He repeats, makes up his own sentences and more!The genuine bonafide talking parrot has many tricks up his sleeve and he\u00e2\u20ac\u2122s ready to have all the fun in the world with you! He repeats after you and makes up new sentences, he rocks it out like a true guitar hero and he dodges those tomatoes like a pro!Enhance the fun by getting the FULL Talking Pierre app which is filled with new animations and responses! *** FEATURES ***Talk to Pierre: He repeats and invents his own sentences!Play with Pierre: Try hitting him with a tomato, listen to him rock out on his guitar and have him throw cutlery at you!Interact with Pierre: Rub his belly, poke him or have him jump the way you want him to!END-USER LICENSE AGREEMENT FOR ANDROID: http://outfit7.com/eula-android/", "devmail": "N.A.", "devprivacyurl": "http://outfit7.com/privacy/&sa=D&usg=AFQjCNEkB7hAP337M83DXxAKRh_h8biGPQ", "devurl": "http://outfit7.com/contact/android/&sa=D&usg=AFQjCNFq0dxCibfbkcdFaRGXWExU5_vJKg", "id": "com.outfit7.talkingpierrefree", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.outfit7.talkingpierre", "com.outfit7.tomlovesangelafree", "com.outfit7.talkinggina", "com.outfit7.talkingsantaginger", "com.outfit7.mytalkingtomfree", "com.outfit7.talkinglila", "com.outfit7.talkingbird", "com.outfit7.talkingtom2free", "com.outfit7.angelasvalentinefree", "com.outfit7.talkingnewsfree", "com.outfit7.tomsmessengerfree", "com.outfit7.talkingbenpro", "com.outfit7.talkingsantafree", "com.outfit7.talkingrobyfree", "com.outfit7.talkingtom", "com.outfit7.talkinggingerfree", "com.outfit7.jigtyfree", "com.outfit7.talkingsantagingerfree", "com.outfit7.talkingben", "com.outfit7.gingersbirthdayfree", "com.outfit7.tomslovelettersfree", "com.outfit7.talkingnews", "com.outfit7.talkingangelafree"], "name": "Talking Pierre the Parrot Free", "price": 0.0, "rating": [[" 1 ", 5700], [" 3 ", 6638], [" 4 ", 11685], [" 5 ", 80654], [" 2 ", 2575]], "reviews": [["Made me pay twice for ad free version", " Why did I have to purchase the upgrade twice? Several months ago I purchased the ad free version, and I had to pay again after you upgraded it with the guitar! I had the ads back again and couldn't use all the features anymore unless I paid again! "], ["Funny but", " Haha tom is making perrie laugh but i like an app that ginger and in it and its free and full versionO:-) "], ["Excellent", " Excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent excellent "], ["Cool", " Cool cool cool cool cool cool cool cool cool cool cool cool cool cool cool cool cool cool Cool cool cool cool cool cool cool cool cool Cool cool cool cool cool cool cool cool cool Cool cool cool cool cool cool cool cool cool Cool cool cool cool cool cool cool cool cool. "], ["It's cool", " It's cool, it's cool. It's cool that tom made perrie look like fool. "], ["Best app", " This app is a great one as it can make speaking easy for kids because it'll make them want to speak further. Also it's fun adults too. Thumbs up for the developer of the app. "]], "screenCount": 15, "similar": ["com.km.life.realcat", "org.friends.funnybest", "com.gi.talkingpocoyofree", "com.km.life.realparrot", "com.lily.times.monkey1.all", "com.kauf.talking.baum.TalkingJamesSquirrel", "com.brave.talkingspoony", "com.km.life.babyboy", "com.smeshariki.kids.game.krosh.free"], "size": "Varies with device", "totalReviewers": 107252, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtacaa.json_merged.json b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtacaa.json_merged.json new file mode 100644 index 0000000..75efd59 --- /dev/null +++ b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtacaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.directv.dvrscheduler", "category": "Entertainment", "company": "DIRECTV, LLC", "contentRating": "Everyone", "description": "The ultimate video experience is just a tap away with the newly redesigned DIRECTV App for Android. Stream live TV anywhere in your home, with select channels available outside your home. Watch hit movies and shows On Demand at home or on the go. Set your DVR to record your favorite shows from anywhere. And now the DIRECTV App even lets you find whatever you want to watch on TV by using just your voice, from anywhere. At home, you can even use your TV screen to display your dialogue and search results. Limited programming available. Additional charges may apply. Available for customers in the USA only. FEATURES- Find what you want to watch on TV just by speaking to the app at home or away from home.- Use your voice to change the channel, record, and play content when you\u00e2\u20ac\u2122re at home. - Watch movies and shows on demand at home or on the go from HBO\u00c2\u00ae, Cinemax\u00c2\u00ae, Starz\u00c2\u00ae, Encore\u00c2\u00ae, and more.- Turn your phone into a portable TV and watch top TV channels live in any room of your home.- Set your DVR to record your favorite shows from anywhere.- Get program descriptions, cast & crew info, photos, recommendations & parental ratings.WATCH- Watch thousands of your favorite shows and movies On Demand right on your phone.- Filter the Guide, Movies, TV Shows and Networks sections to view programs and channels you can watch on your phone.- Set parental controls, and enjoy peace of mind over what your children are watching.BROWSE- Search for programs using just your voice. Speak naturally. Search by title, channel, keyword, actor, genre, time frame, almost anything.- Browse and discover thousands of On Demand titles.- Search for DIRECTV CINEMA movies based on categories.- Search for any television show up to 14 days in advance, view top picks of the week, set your favorite channels, and sort by programs you can watch on your phone.RECORDINGS- Record shows by a single episode or entire series to any DIRECTV DVR in your home.- Add additional time to the start or end of a recording request or select to manually record a channel for a specific amount of time.- Set recordings for DIRECTV CINEMA movies to watch on your home TV any time. Order movies and events without your receiver connected to a phone line.CONTROL- Tap to tune in to any show on your TV from your phone.- Manage your recordings from your playlist and play them back on TV.- Use your Android as a remote control.MORE- Manage your account.- Instant access to Mobile Help Center link for FAQs.- Browsing functionality is available to everyone.- Recording functionality is available to DIRECTV customers with a DVR only.REQUIREMENTS- Compatible with most Android phones running 2.2 or later- DIRECTV customers must have a residential home account registered on the DIRECTV website to watch On Demand content and access recording functionality.- Watching On Demand or select Live TV Streaming channels outside the home requires an active Wi-Fi or Mobile Internet connection. - Available content is based on your current programming package and premium service. Not all content is available to stream at this time.- Live TV Streaming in-home only channels require a Wi-Fi connection to your home network and a DIRECTV Plus\u00c2\u00ae HD DVR (models R22, and HR20 or higher) connected to a broadband Internet connection.- Scheduling a recording requires a Wi-Fi, or Mobile Internet connection and a DIRECTV Plus\u00c2\u00ae DVR or HD DVR. Receivers do not require phone or Internet connection to schedule a recording.- On Demand scheduling requires a DIRECTV Plus\u00c2\u00ae HD DVR (model HR20 or later or R22) connected to the Internet.-Voice TV mode requires an Internet-connected HR24 model or above.Use of the DIRECTV Android Application by DIRECTV customers is subject to DIRECTV's Customer Agreement and Privacy Policy (available on the DIRECTV website).", "devmail": "N.A.", "devprivacyurl": "http://www.directv.com/DTVAPP/content/support/agreements_policies&sa=D&usg=AFQjCNGMfaVC-5k0djbT1eWGZVVD6h_2kA", "devurl": "http://forums.directv.com&sa=D&usg=AFQjCNESod5Ivlh5vCnXKT7RA0_J_FQE-w", "id": "com.directv.dvrscheduler", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.directv.navigator", "com.directv.sundayticket", "com.directv.supercast", "com.directv.barfinder", "com.directv.application.android.go.production"], "name": "DIRECTV", "price": 0.0, "rating": [[" 3 ", 5224], [" 2 ", 2251], [" 1 ", 6576], [" 4 ", 17546], [" 5 ", 39664]], "reviews": [["Broken, again", " Latest update won't allow streaming and continues to crash. "], ["Keeps losing receivers", " Still not fixed in recent update. It keeps saying I'm not on the same network as my receivers even though I am. When I manually add the IP address it works and then a few seconds later it forgets them again. My phone is on wifi and the boxes are plugged into the router via ethernet, but that shouldn't matter since the interfaces are bridged (broadcast packets traverse, and on the same subnet). What's the issue? "], ["Update didn't work.", " 2 versions ago my phone and my tablet would receive live streaming content. The last update did away with live streaming from both of my devices. The new update issue today did not resolve anything for either of my devices. Still not detecting my receivers and still can't use the remote. Get your crap together DIRECTV. Test your software before you roll it out for a second time "], ["This is a lie", " Who said that with Directv you can watch your favorites shows anywhere? The fact is that only a few channels very a few are available for you to watch anywhere in your house if you go outside your network it is gone "], ["Getting There", " Voice search still sucks. Have to enter IP address each time to use feature. Then it doesn't function properly, if at all. I guess this an improvement, though, because prior to last update, it wouldn't even connect to the HR24 DVR on my network! "], ["Needs tons of work! !!", " Why cant we pay our bill???We should be able to change our profile, update our profile and especially pay bills by using this app. What's the point of having an app that doesn't even fulfill all of our need's? These people dont even fix issues or listen to customers...where's the negative 5 star rating? ??? Hello assholes pay attention to ur customers! !! Why can't we pay bills from this application? Wake up "]], "screenCount": 5, "similar": ["com.WiredDFW.DIRECTV.unWiredRemoteLite", "com.cognitial.dtvvoltest", "com.cognitial.dtvshortcuts", "com.xfinity.playnow", "com.sm.SlingGuide.Dish", "org.satremote.android.free", "com.beechwoods.directdroid", "com.WiredDFW.DIRECTV.unWiredRemote", "com.cognitial.directvremotepro", "com.xfinity.tv", "com.lge.tv.remoteapps", "com.Rankarthai.TV.Online", "com.imdb.mobile", "com.hbo.android.app", "com.clickforbuild.tvonline", "com.play.live.hqtv"], "size": "24M", "totalReviewers": 71261, "version": "3.2.006"}, {"appId": "com.outfit7.talkingben", "category": "Entertainment", "company": "Outfit7", "contentRating": "Everyone", "description": "Ben is a retired chemistry professor who likes his quiet comfortable life of eating, drinking and reading newspapers. To make him responsive, you will have to bother him long enough that he will fold his newspaper. Then you can talk to him, poke or tickle him or even have a telephone conversation with him. If you get Ben to his laboratory however, he becomes as happy as a puppy. There you can do chemistry experiments by mixing a combination of two test tubes together and see the hilarious reactions. HINT: Record a funny video of your telephone conversation with Ben and send it to your friends. HOW TO PLAY: - Poke Ben's newspaper to make him fold it. - Then you can talk to Ben and he will repeat. - Poke or slap Ben's face, belly, feet or hands. - Tickle Ben's belly. - Poke or swipe Ben's graduation picture. - Press the phone button and have a conversation with Ben. - Record a funny video of your telephone conversation with Ben. - Press buttons to make Ben eat, drink or belch. - Press the chemistry button to switch Ben to the laboratory. - Mix any two test tubes together and see the hilarious chemical reaction. - Record videos and share them on YouTube, Facebook or send them to your friends and family by email or MMS.END-USER LICENSE AGREEMENT FOR ANDROID: http://outfit7.com/eula-android/", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://outfit7.com/contact/android/&sa=D&usg=AFQjCNFq0dxCibfbkcdFaRGXWExU5_vJKg", "id": "com.outfit7.talkingben", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.outfit7.talkingpierre", "com.outfit7.tomlovesangelafree", "com.outfit7.talkinggina", "com.outfit7.talkingsantaginger", "com.outfit7.mytalkingtomfree", "com.outfit7.talkingpierrefree", "com.outfit7.talkinglila", "com.outfit7.talkingbird", "com.outfit7.talkingtom2free", "com.outfit7.angelasvalentinefree", "com.outfit7.talkingnewsfree", "com.outfit7.tomsmessengerfree", "com.outfit7.talkingbenpro", "com.outfit7.talkingsantafree", "com.outfit7.talkingrobyfree", "com.outfit7.talkingtom", "com.outfit7.talkinggingerfree", "com.outfit7.jigtyfree", "com.outfit7.talkingsantagingerfree", "com.outfit7.gingersbirthdayfree", "com.outfit7.tomslovelettersfree", "com.outfit7.talkingnews", "com.outfit7.talkingangelafree"], "name": "Talking Ben the Dog Free", "price": 0.0, "rating": [[" 2 ", 4905], [" 5 ", 184519], [" 1 ", 10245], [" 3 ", 16412], [" 4 ", 31945]], "reviews": [["Wha? :-\\", " What's the point in downloading this when you can get talking tom? Don't waste time on getting it Overall rating = 5/10 or 50/100 "], ["Great fun!", " This would be a lot more fun if you got more liquid filled tubes daily when you open the app. Nevertheless, my autistic 4 year old son loves him and all of the talking friends. "], ["Much more fun!", " As i say, it's great fun to have a funny dog interact with you, the graphics are too good.Great work done by Outfit7.I now feel to download the team of Talking Friends!But still CAN BE BETTER. "], ["5 starer", " Brill. Its funni when u poke his belly u gotta get it. My bro sed imagine u poked his balls and he had a wee. \u00e2\u2122\u00a5 \u00e2\u02dc\u2026 \u00c2\u00bb \u00e2\u2122\u00a5 this 5 \u00e2\u02dc\u2026 "], ["Absolutly awsome", " I have split my sides this is the funnyest game you got to try it u will not be let down my kids love it they can't stop playin it :-) :-) :-) "], ["Do not know what this means I'm nine not 15", " Hi miyah using my moms phone I love this game so so much it is a super super game!!! "]], "screenCount": 15, "similar": ["com.km.life.realcat", "org.friends.funnybest", "com.gi.talkingpocoyofree", "com.lily.times.monkey1.all", "com.kauf.talking.baum.TalkingJamesSquirrel", "com.brave.talkingspoony", "com.gi.talkinggarfield", "com.km.life.babyboy", "com.smeshariki.kids.game.krosh.free"], "size": "Varies with device", "totalReviewers": 248026, "version": "Varies with device"}, {"appId": "com.sec.everglades", "category": "Entertainment", "company": "Samsung Electronics Co. Ltd", "contentRating": "Low Maturity", "description": "Samsung Hub is the simple way to find, purchase, and enjoy music, movies, books, and games1 on your Samsung devices. Samsung Hub integrates storefront and media player so you never have to leave the app to view your content. Purchase and enjoy all from the same app with the ability to use your favorite Samsung features such as Point to Preview, Air Gesture, Smart Pause and Group Play2.1.\tContent will vary by device and by carrier. 2.\tFeature benefits will vary by device.", "devmail": "shservice@samsung.com", "devprivacyurl": "N.A.", "devurl": "http://content.samsung.com&sa=D&usg=AFQjCNGeew3wAlud4nKs5zixSXLStEOCZw", "id": "com.sec.everglades", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.sec.android.homesync", "com.sec.android.app.samsungapps"], "name": "Samsung Hub", "price": 0.0, "rating": [[" 2 ", 54], [" 5 ", 1522], [" 1 ", 393], [" 4 ", 298], [" 3 ", 176]], "reviews": [["Screwed again - 0 stars", " Lost all my music a few months ago with the update. Now, forced close every time I attempt to use. Says library available offline but it isn't. No matter what I select, plays the same one song and stops. Can't wait till plan is up to get a non-samsung phone. "], ["What update?!?", " Every time I attempt to use this app it says I need to do an important update first. Whenever I go to the app store to update there is no update available. Even tried uninstall and reinstalling. Not acceptable. "], ["Customer service they have none", " I changed my email because someone hacked my email they can't migrate the movies I've purchased, I've been speaking with them for over a month unacceptable "], ["Great app: now unusable.", " Using verizon. Completely unusable. Cant open the app at all. Immediate force close. Found out the issue is on verizons side because of amazons music service? I dont know. Emailed customer service and they told me vaguely about it and immediately closed my ticket. I was a premium member too. Bad app. Horrible customer service. In response to the developer's statement of justification. If you read my review you will see that I had previously expressed my discontent with a ticket submission; to which it was promptly closed without resolving my issue. In short, there is no point in submitting a ticket if it is closed prior to a resolution. "], ["No Video Hub...", " Samsung Hub only installs Learning Hub, all others in install list don't. I have no Video hub so I can't access my purchased movies - please fix - Galaxy S3 GT-I9300 4.1.2 (UK) "], ["Can't access videos at all", " I can't access the videos page. On the home page the videos icon has a red 'N' next to it. When I select it, it prompts me too update but shows 0.00mb file size. "]], "screenCount": 5, "similar": ["com.sdc", "com.samsung.videocloud", "com.samsungimaging.filesharing", "com.samsung.mediahub.rc", "com.samsung.khanacademy", "com.kargo.launcher.musichub", "com.samsung.dockingaudio", "tsst.app.opticalsmarthub", "com.remind4u2.list.sounds.galaxys4", "tv.peel.samsung.app", "com.samsung.mediahub.att", "com.samsung.mediahub.vzw", "com.sdgtl.mediahub.cs", "ru.wellink.nettvsamsung", "com.designfever.smartproject2", "com.samsung.dtl.smartswitchTrial", "com.samsung.dtl.smartswitch", "com.imobilitynow.tracessamsungnote", "com.dayglows.vivid.lite.samsung", "com.samsung.mediahub.sprint", "com.zappotvsamsung", "com.samsung.smartalarm", "com.samsung.mediahub.ics", "com.samsungimaging.connectionmanager", "com.samsung.music", "com.samsung.mediahub.tmo", "com.samsung.mediahub", "com.samsung.app.nxsystem_gtab_en", "com.sdgtl.mediahub.p1.bb"], "size": "8.8M", "totalReviewers": 2443, "version": "13091303.1.00.01"}, {"appId": "com.xfinity.playnow", "category": "Entertainment", "company": "Comcast Interactive Media", "contentRating": "Medium Maturity", "description": "XFINITY subscribers can watch thousands of XFINITY On Demand\u00e2\u201e\u00a2 TV shows and movies anytime, anywhere, even when you are offline. We have now improved the video quality to HD. (Formerly XFINITY\u00e2\u201e\u00a2 TV Player app)XFINITY TV Go lets you:\u00e2\u20ac\u00a2 NEW - Watch your favorite sports, news and kids networks live. \u00e2\u20ac\u00a2 Stream TV shows and movies from premium channels like HBO, Starz, Showtime, Cinemax and cable channels like TNT, TBS, Cartoon Network, A&E, AMC, WETV, Food Network and HGTV \u00e2\u20ac\u00a2 Download TV shows and movies from Showtime, Streampix, Starz, Encore and MoviePlex and watch them when you\u00e2\u20ac\u2122re offline. \u00e2\u20ac\u00a2 Set parental controls for privacy and peace of mind. REQUIREMENTS: \u00e2\u20ac\u00a2 Wi-Fi internet connection for streaming and download of video\u00e2\u20ac\u00a2 Android phone or tablet running Android 2.3 and higher.\u00e2\u20ac\u00a2 XFINITY TV or Comcast Digital Video service. You will also need a subscription to one or more eligible channels to play content. \u00e2\u20ac\u00a2 Comcast ID or Comcast.net email address and password. Streaming and downloading of video is not available internationally.SUPPORT:Get Help Signing-In!\u00e2\u20ac\u00a2 Create a Comcast ID --> https://login.comcast.net/myaccount/create-uid\u00e2\u20ac\u00a2 Look up your Comcast ID --> https://login.comcast.net/myaccount/lookup\u00e2\u20ac\u00a2 Retrieve your Comcast ID Password --> https://login.comcast.net/myaccount/reset*** Follow @XfinityTVApps on Twitter for tips and product information relating to all XFINITY mobile apps. **** Having trouble with the XFINITY TV Go App? Contact our support team via email: xfinity_remote@cable.comcast.com. We cannot respond through the Android Market comment/ratings system but would love to hear from you.**** Explanation of permissions requested:* permission.INTERNET - Access the Internet.* permission.READ_PHONE_STATE - We use the ID of your phone to prevent playback abuse.* permission.ACCESS_WIFI_STATE - We tune playback if you are on WiFi.* permission.ACCESS_NETWORK_STATE - We detect connectivity before allowing playback.* permission.WRITE_EXTERNAL_STORAGE - We cache browse images to your sdcard to save your bandwidth.* permission.WAKE_LOCK - We prevent your device from sleeping during playback.* permission.WRITE_SETTINGS - Used if you enable our advanced brightness and volume controls for use during playback* permission.RECORD_AUDIO - This version includes experimental support for voice-guided navigation", "devmail": "xfinity_tvapp@comcast.com", "devprivacyurl": "http://xfinity.comcast.net/privacy&sa=D&usg=AFQjCNFZQIgAeOf9hTGR0wDZuIqiET9vbA", "devurl": "http://xfinity.comcast.net/learn/mobile-apps/&sa=D&usg=AFQjCNFqw5c0x_s6n9F5DdUr75GbUbTlSA", "id": "com.xfinity.playnow", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.xfinity.streampix", "com.xfinity.anyplay", "com.xfinity.tv", "com.xfinity.storefront"], "name": "XFINITY TV Go (was Player)", "price": 0.0, "rating": [[" 2 ", 865], [" 5 ", 7364], [" 3 ", 1251], [" 4 ", 2983], [" 1 ", 2476]], "reviews": [["Better features than my cable box", " Only thing missing are DVR controls "], ["Let me use my data to stream.", " Works well, would be great to have more offline content. Let me stream using my 4g connection. "], ["Works well", " While I don't like being prompted to rate an app, that's probably my only beef with this one. Works well, and simply. "], ["Umm", " Its nice being able to bring live TV and sports on the go but not when the quality of the stream is unwatchable. "], ["Terrible quality", " I'm using a nexus 4, which works get with YouTube and other streaming video, but this app lags and freezes. "], ["Stupid Comcast", " Worked pretty good before the latest update. Now it stutters every 20 seconds or so. On both my nexus 7 and note 3. Plus a ridiculous amount of commercials. Come on Comcast, catch up to the times and let us buy the channels we want. I literally watch 1 show which I end up streaming it any way. I would love to just pay for that channel. As is I'm thinking about canceling my cable. Its not worth the $. "]], "screenCount": 8, "similar": ["com.wdc.wdremote", "com.rhythmnewmedia.tvdotcom", "com.TWCableTV", "com.comcast.tvsampler", "com.live.indiantv", "com.crystalreality.crystaltv", "com.gotv.crackle.handset", "com.tvshowfavs", "fema.serietv2", "com.lge.tv.remoteapps", "com.Rankarthai.TV.Online", "com.alcanzatech.comcast", "pl.wp.programtv", "com.imdb.mobile", "com.play.live.hqtv", "com.viki.android"], "size": "Varies with device", "totalReviewers": 14939, "version": "Varies with device"}, {"appId": "com.thechive", "category": "Entertainment", "company": "Resignation Media", "contentRating": "High Maturity", "description": "Known as \u00e2\u20ac\u0153Probably the Best Site in the World\u00e2\u20ac\ufffd, theCHIVE now has Probably the Best App in the World. theCHIVE is the world\u00e2\u20ac\u2122s largest photo blog showcasing original galleries of funny photos & videos, epic fails, beautiful girls, groundbreaking photography, and art from all over the world. theCHIVE is a one-stop shop for viral photos and videos that are fresh, hot, funny, beautiful and just plain awesome. Now theCHIVE can be devoured on your Android device for the ultimate quick dose of awesomeness. Here's what you can expect: -All the latest posts from theCHIVE updated in real time -Share your favorites via Facebook,Text or Email -Browse the most popular galleries -Pick your favorite gallery category including art, beautiful, fail, funny, gaming, girls, photobombs, tech and more. -Streaming video \"theCHIVE is the most entertaining website on the internet.\" -James Hibbard, Entertainment Weekly", "devmail": "thechiverules@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://thechive.com&sa=D&usg=AFQjCNH8nPlVi9VbmDghpQzL0cEjRlnsrg", "id": "com.thechive", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "theCHIVE", "price": 0.0, "rating": [[" 1 ", 2566], [" 5 ", 69231], [" 4 ", 14262], [" 2 ", 1549], [" 3 ", 3274]], "reviews": [["Needs fixing", " 1) The comment section now gets spammed, please limit character usage. 2) Captions don't work. 3) Make gifs downloadable. 4) Please make it to where you have to connect to social media (fb, etc) in order to make a comment (just a personal preference). "], ["When are u guys going to fix saving of .gif file", " It's kinda frustrating now. . other apps for chive were way better den urs "], ["FIX CAPTIONS!!!!", " Since the update I can no longer read captions!!! This shouldn't be difficult, seriously change the color of text or background so ppl can actually read the captions. I can't KCCO if your app sucks so bad!!!! "], ["Almost there", " As usual, a few bugs. Exciting the app loops me back to the play store. I also experience auto volume mute which is only curable by complete phone restart. But I do like the new layout and videos actually play now instead of watching Battlefield 4 commercials and then getting a can't play video message. Baby steps, but it's getting better all the time. KCCO "], ["Decent start, needs some tweaks", " Originally I gave this 5 stars, but took 2 back for the following : 1. (Maybe user error) I can't figure out how to share a specific pic. When I go to share a pic, it's the whole album. The unofficial app allowed individual image sharing, & I miss it. 2. Irritating : the add banner at the bottom randomly activates. My fingers don't even need to be close. When the browser opens, my media volume is muted. I either have to close the app, or reboot my phone. Fix these 2 things, & get 5 stars again. "], ["IT'S TOO BAD....", " UPDATE: It's obvious that the chive folks care more about theyre new beers than working on theyre app... And reading and responding to emails. Either way... So long chive... Great while it lasted! The app \"Force Closes\" often during the middle of viewing an album... FREEZES MY MEDIA VOLUME ON MUTE...And... Some pictures get repeated, get repeated, get repeated, get repeated in other albums.... UNINSTALLED!!! "]], "screenCount": 13, "similar": ["hu.tonuzaba.android", "com.fnbox.winkal.android", "com.phantomsys.tchd", "com.outfit7.talkingnewsfree", "com.malarky.chivedroid", "com.famestermedia.collegepoison", "com.megadevs.chiveon", "com.theberry", "com.thechive.chivespy", "com.smsrobot.funpics", "com.appknowledge.chicksofchive", "com.ninegag.android.app", "com.funnysmartphone.imposiblephotoshop", "com.hiv0lt.KCCOpro", "com.reacticons.app", "com.imgur.mobile", "com.sketchbook", "com.housousmobile.clients.factsnchicks"], "size": "Varies with device", "totalReviewers": 90882, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtadaa.json_merged.json b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtadaa.json_merged.json new file mode 100644 index 0000000..e58c7ad --- /dev/null +++ b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtadaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.stylem.wallpapers", "category": "Entertainment", "company": "Stylem Media", "contentRating": "Everyone", "description": "10,000 awesome unique designs. New Backgrounds added daily.Categories: Funny,Cute,Quotes, Sunsets,Beaches,Cars,Girly,Guys,Games,Flowers,Models,Love,Christmas,Military,Money,Sports,City,Scary,Money,New Years,Music,Movies,Animals,Space, ...Set Contact Icons. #1 iPhone Wallpaper app. Uses (but not endorsed by) Flickr API.", "devmail": "apps@stylem.com", "devprivacyurl": "N.A.", "devurl": "http://www.stylem.com&sa=D&usg=AFQjCNFaZqOsDrN-E5dos5UCFuoDWToQOg", "id": "com.stylem.wallpapers", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Backgrounds HD Wallpapers", "price": 0.0, "rating": [[" 3 ", 12048], [" 5 ", 99327], [" 2 ", 3530], [" 4 ", 31382], [" 1 ", 5835]], "reviews": [["...", " Uhhh they don't add any new backgrounds every time I go on its the same ones and they aren't great either. I wouldn't recommend this. "], ["Background on S2", " The last update made my favorite disappear :( Also the wallpaper does not cover my entire screen. I am using Galaxy S2... It was all good before. "], ["I really like this app but over the past few mnths every time i ...", " I really like this app but over the past few mnths every time i dwnload i can only see what appears when the app first opens mytouch 4g slide plz fix "], ["FREAKING AMAZING", " I love this app because the wallpapers in my phone are TERRIBLE so this app is awesome with a great selection!! Thank you sooo much! "], ["\u00e2\u02dc\u2026Read Permission 1st\u00e2\u02dc\u2026\u00e2\u02dc\u2026", " For. Some. Reason I Could Not Finish My Rating. .. So be. Sure to Read ***PERMISSION*** ON ALOT OF APP.'S....YOU ARE GIVING UP MORE THAN YOU THINK, LIKE PRIVACY OF TEXT, YOUR CONTACT LIST, YOUR PERSONAL INFORMATION As well as deleting info. And FULL ACCESS to all Information! ! ! \u00e2\u2122\u00a5Hate to give up such a great application, just asking for too much access. "], ["Poor Quality Wallapers", " There are a lot of poor quality backgrounds made available in this app, and no way to determine which ones are passable / good quality. The JPEG artifacts stand out a mile. "]], "screenCount": 6, "similar": ["com.hdworld.hdwallpaperapp", "com.flikie.wallpapers.hd", "com.dessertapps.app.xperiaplaywallpapers", "com.incredibleapp.wallpapershd", "com.nasthon.wpcasa", "com.accesslane.livewallpaper.balloonsfree", "kr.co.mokey.mokeywallpaper_v3", "com.hanamobiles.background", "com.utilno1.awallpaper", "com.appsilicious.wallpapers", "com.pinquotes", "com.outfit7.talkingtom2free", "com.brainpub.phonedecor", "com.medoli.greathdwallpapers", "com.zembooto.wallpaper.android", "com.kiwilwp.livewallpaper.water", "waterfall3dLive.liveWPcube"], "size": "144k", "totalReviewers": 152122, "version": "2.0.1"}, {"appId": "com.microsoft.smartglass", "category": "Entertainment", "company": "Microsoft Corporation", "contentRating": "Low Maturity", "description": "Xbox SmartGlass lets your phone work with your Xbox 360 console to bring rich, interactive experiences and unique content about what you\u00e2\u20ac\u2122re watching or playing, right to the device that\u00e2\u20ac\u2122s already in your hand. Interact with your favorite TV shows, movies, music, sports, and games, and bring remote control to a whole new level. You can also connect with your Xbox friends, track and compare your achievements, and change up your 3D avatar.Xbox SmartGlass lets you: \u00e2\u20ac\u00a2 Navigate your Xbox 360 with swipe and tap\u00e2\u20ac\u00a2 Use your phone\u00e2\u20ac\u2122s keyboard to type to your Xbox 360\u00e2\u20ac\u00a2 Browse the Internet on your Xbox 360 with full keyboard and zooming\u00e2\u20ac\u00a2 Play, pause, fast forward, rewind, and stop videos and music on your Xbox 360\u00e2\u20ac\u00a2 Search the full Xbox catalog of music, video, and games\u00e2\u20ac\u00a2 Enjoy rich, interactive experiences from select game and entertainment content creators\u00e2\u20ac\u00a2 Track and compare your achievements with your Xbox friends\u00e2\u20ac\u00a2 Change up your 3D avatar\u00e2\u20ac\u00a2 Message your Xbox friends\u00e2\u20ac\u00a2 Edit your Xbox profileNote:This app requires an Xbox membership to sign in. Available for most Android 4.0+ smartphones, with WVGA screen resolution or higher.", "devmail": "xboxonandroid@microsoft.com", "devprivacyurl": "N.A.", "devurl": "http://www.xbox.com/en-US/smartglass&sa=D&usg=AFQjCNHZTVelAZRzr1MtLwZn22qqqZSPEQ", "id": "com.microsoft.smartglass", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.microsoft.office.onenote", "com.microsoft.rdc.android", "com.microsoft.xboxmusic", "com.microsoft.onx.app", "com.microsoft.xboxone.smartglass", "com.microsoft.skydrive", "com.microsoft.office.lync15", "com.microsoft.xle", "com.microsoft.office.lync", "com.microsoft.switchtowp8", "com.microsoft.wordament", "com.microsoft.office.officehub", "com.microsoft.bing", "com.microsoft.Kinectimals"], "name": "Xbox SmartGlass", "price": 0.0, "rating": [[" 5 ", 14658], [" 4 ", 3422], [" 1 ", 2070], [" 2 ", 696], [" 3 ", 1450]], "reviews": [["It sucks!", " Every time I try to connect using my phone or tablet it always says \"can't sign in to Xbox services, please try again\" when clearly I have a good internet connection so I rate this app 1 star, doesn't even deserve that. "], ["Doesn't support Activities in games.", " There's really not any point in this app without Activities. This is the lamest sauce. "], ["Very inventive... But not too good.", " Had the pleasure of using Xbox smartglass for about two minutes and the novelty wears off real quick. It's basically a glorified remote control for the Xbox and that's about it. So think to yourself do I really want to use this, or should I get an actual remote control for the Xbox? Your choice of course. "], ["Not working", " I love xbox. i have this app on an iPad and it works fine! but this version is not detecting capital letters and so wont let me log in. I love the concept and everything and will give 5 stars when this gets fixed "], ["Close but not close enough", " Very useful app for checking to see which friends are online. Would be a lot better if it continued to run in the background allowing friends to message you from Xbox or SmartGlass. A notification when messages are received would also be useful. I would like to see a widget added with friends online,messages ect. "], ["Not bad", " I use this mainly for writing messages more quickly than with the joypad (terrible D-pad)...all the functions work well. It would be nice to receve some notifictions too! "]], "screenCount": 11, "similar": ["appinventor.ai_monastucecom.gta5xbox", "com.halo.companion", "com.diginium.graphics.xbox360.free", "com.emulator.fpse", "de.android.xboxonecountdown", "com.warting.blogg.wis_majornelson_feed_nu", "com.akop.bach", "ar.com.indiesoftware.xbox", "com.outfit7.talkingtom2free", "achievement.more", "air.xboxonevsps4", "droidbean.btcontrollerfull", "com.zappotvxbox", "com.tiger.nds", "ar.com.indiesoftware.xbox.pro", "com.xbox.kinectstarwars", "com.ccn8.minecraftxboxglitches", "com.pokosmoko.gta5x"], "size": "18M", "totalReviewers": 22296, "version": "1.5"}, {"appId": "com.forshared", "category": "Entertainment", "company": "New IT Solutions", "contentRating": "Medium Maturity", "description": "Access, manage and share your files at 4shared with others.Free mobile application 4shared for Android is a convenient and fast way to access your account at 4shared.com, including all documents, photos, music, etc. directly from your Android device whenever you wish to.The convenient public search option allows you to search for and find the file you need within the massive 4shared file database. It\u00e2\u20ac\u2122s also simple to define various search filters (upload time, size, type of file, etc.) to get the best results and add the necessary file to your own account at 4shared.com.With 4shared for Android you can easily copy, move, rename, delete, upload and download any files from your account at 4shared.com on your smartphone or tablet and share them with your colleagues, relatives and friends.4shared for Android enables:\u00e2\u20ac\u00a2 Fast and convenient access to 30,000,000+ files. \u00e2\u20ac\u00a2 User-friendly search within massive 4shared database with an option to instantly add the found files to your account. \u00e2\u20ac\u00a2 A possibility to manage your account at 4shared.com, listen to music and even watch videos directly on your Android device.\u00e2\u20ac\u00a2 Instant sharing of files from your 4shared account via the app.", "devmail": "support@4shared.com", "devprivacyurl": "N.A.", "devurl": "http://4shared.com&sa=D&usg=AFQjCNGuNSb0a3ljhTnntMBQdw1Rq_eWBQ", "id": "com.forshared", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "4shared", "price": 0.0, "rating": [[" 3 ", 31664], [" 4 ", 75694], [" 2 ", 7927], [" 5 ", 289451], [" 1 ", 21368]], "reviews": [["Please fix", " Non of the apps work. I jumped through all the hoops and looked at all of your adds on multiple apps but in the end non of the apps even work. Please fix an ill give better rating "], ["I downloaded and got quik acess...this is really worth while...the only thing is ...", " I downloaded and got quik acess...this is really worth while...the only thing is why can't I find them stored into my phone only thru app "], ["No such file or directory", " I try to download a file and it keeps saying no such file or directory. I have used this app for years and this is the first I am seeing of it. Pleas help fix asap. "], ["Deserve 5*, but..", " Some search items i don't find it in the app .. While appears at the site !! "], ["Good, but majority of files contain adware", " A great app you can get android apps you usually have to pay for, but for free! You just have to be careful as when you looking for an app it may be titled what you are looking for but some people upload fake apps full of adware, devs should monitor this... "], ["Song", " Whenever I go to the app , I can't find my favourite song. I think the app should have all tje song. "]], "screenCount": 7, "similar": ["com.netflix.mediaclient", "tsst.app.opticalsmarthub", "com.bianor.amspersonal", "com.google.android.play.games", "hr.podlanica", "com.shazam.android", "com.outfit7.talkingtom2free", "com.outfit7.tomlovesangelafree", "com.sec.android.allShareControl", "com.outfit7.talkingtom", "mp3music.bt", "com.dlssm.admm", "com.outfit7.talkingben", "com.forshared.pro", "com.forshared.music", "com.soundmobilesystems.android.pocket4shared", "th.co.thinksmart.app.judtemmv", "com.google.android.music"], "size": "Varies with device", "totalReviewers": 426104, "version": "Varies with device"}, {"appId": "com.outfit7.talkingnewsfree", "category": "Entertainment", "company": "Outfit7", "contentRating": "Everyone", "description": "Talking Tom & Ben have become famous TV news personalities! Talk to them and they will repeat what you say in turns. Create & record funny conversations between them.PLEASE NOTE: When running the app for the first time you will be required to download additional 4-15 MB to get the best graphics quality for your device.You can also customize the app by uploading your personal videos! Just press the TV button in the app to record a video with the camera or choose one of your existing videos from your Photos gallery. Once your personal video is in the app, make Tom & Ben comment on the video. And of course you can record the conversation and send the video to all of your friends to see.You can express your creativity with Talking Tom & Ben or ... you can just poke or swipe the screen and watch them tease each other in hilarious ways.\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 HOW TO PLAY \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u0153\u201d Talk to Tom & Ben and they will repeat in turns.\u00e2\u0153\u201d Poke Tom & Ben to make them fall of their chairs.\u00e2\u0153\u201d Swipe Tom & Ben to make them swivel around in their chairs.\u00e2\u0153\u201d Press the dog paw button and Ben will annoy Tom with a boxing glove gun or a toy dart gun.\u00e2\u0153\u201d Press the cat paw button and Tom will annoy Ben with a water pistol, air horn or a toy blow gun. You have to upgrade the app to get these animations.\u00e2\u0153\u201d Press the crossed swords button to make Tom & Ben wrestle.\u00e2\u0153\u201d Press the TV button to customize the videos that are being played on the TV. Record the videos yourself with the camera or choose one of your existing videos in your Photos gallery.\u00e2\u0153\u201d Record videos and share them on YouTube, Facebook or send them by email or MMS.\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 IMPORTANT \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u0153\u201d If you want to see all the animations, you have to buy the full version or complete an offer.\u00e2\u0153\u201d If you want to remove banner ads from the app, you have to buy the full version.\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 EXTRA FEATURE IN PAID APP \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u0153\u201d Switch Child Friendly Mode ON in the settings and remove all the places your toddler can get lost in (video recording, info screen etc.).END-USER LICENSE AGREEMENT FOR ANDROID: http://outfit7.com/eula-android/", "devmail": "N.A.", "devprivacyurl": "http://outfit7.com/privacy/&sa=D&usg=AFQjCNEkB7hAP337M83DXxAKRh_h8biGPQ", "devurl": "http://outfit7.com/contact/android/&sa=D&usg=AFQjCNFq0dxCibfbkcdFaRGXWExU5_vJKg", "id": "com.outfit7.talkingnewsfree", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.outfit7.talkingpierre", "com.outfit7.tomlovesangelafree", "com.outfit7.talkinggina", "com.outfit7.talkingsantaginger", "com.outfit7.mytalkingtomfree", "com.outfit7.talkingpierrefree", "com.outfit7.talkinglila", "com.outfit7.talkingbird", "com.outfit7.talkingtom2free", "com.outfit7.angelasvalentinefree", "com.outfit7.tomsmessengerfree", "com.outfit7.talkingbenpro", "com.outfit7.talkingsantafree", "com.outfit7.talkingrobyfree", "com.outfit7.talkingtom", "com.outfit7.talkinggingerfree", "com.outfit7.jigtyfree", "com.outfit7.talkingsantagingerfree", "com.outfit7.talkingben", "com.outfit7.gingersbirthdayfree", "com.outfit7.tomslovelettersfree", "com.outfit7.talkingnews", "com.outfit7.talkingangelafree"], "name": "Talking Tom & Ben News Free", "price": 0.0, "rating": [[" 2 ", 2297], [" 5 ", 96265], [" 1 ", 6082], [" 3 ", 6537], [" 4 ", 12177]], "reviews": [["Suggestions", " The game is so fun but i have some suggestions which are a little bit more creative and fun i think and i hope u include them neither in the paid games or not: 1. U can plzzz add more actions 2. U are capable of enhancing the quality of the games u make but i dont knw why u dont..i mean the games dont move smoothly. 3. I hope u can add like: to choose tom or ben to zoom at and make a special news and make them hold papers and talk their manager or camera man which are one of the characters like ginger etc. "], ["Awesome", " I love this app it's very cool and funny i love it.... I liked "], ["Cool", " I love the app but the thing that I hate is that it takes up do much space and you have download it again "], ["GREAT!", " I LOVE THIS APP! whenever theres an awkward moment between you and someone else, you just put this on and it makes it sooo much better! :) "], ["thank u for this game", " i love this game it is so fun and this girl ed andi showed it to me but me and her arent friends right now and we will never ne friends again but i still thank her for showing me this game thank u andi and thank anyone that read this it really helps me be happy THANK U ALL love u all!madyson whitmore thank u "], ["The two weeks before the scheduled", " The only thing that is not the intended addressee only a few weeks ago to get the most of my life in the next couple days going well for me realise that the UK and Ireland and I am looking "]], "screenCount": 4, "similar": ["com.km.life.realcat", "org.friends.funnybest", "com.gi.talkingpocoyofree", "com.lily.times.monkey1.all", "com.kauf.talking.baum.TalkingJamesSquirrel", "com.movieworld.tomandjerry", "talking.toy.tyrannosaurus.rex", "com.gi.talkinggarfield", "com.km.life.babyboy"], "size": "9.3M", "totalReviewers": 123358, "version": "1.0.2"}, {"appId": "com.disney.datg.videoplatforms.android.abc", "category": "Entertainment", "company": "ABC Digital", "contentRating": "Low Maturity", "description": "Android 4.4 support coming soon.WATCH ABC is a new way to experience ABC - anytime, anywhere.* Whether you\u00e2\u20ac\u2122re at home or out and about, you can enjoy your favorite ABC TV shows, sports, and local news & weather on select Android devices or computer - LIVE** and ON DEMAND. ABC is the first broadcast network to bring you a Live Stream** of your favorite ABC TV shows and local programming, so you never have to miss a minute of the shows and news you love. Now you can bring ABC along with you, wherever you want to be.* It\u00e2\u20ac\u2122s a special new benefit brought to your local station and participating TV Providers at no additional cost. Just enter your TV Provider account info to log-in and get the WATCH ABC Live Stream.** WATCH ABC is available on select Android devices including: Google Nexus 7, Google Nexus 10, Samsung Galaxy Tab\u00c2\u00ae 2 (7.0), Samsung Galaxy Tab 2 (10.1), Samsung Galaxy Note\u00c2\u00ae 8.0, and Samsung Galaxy Note 10.1Google Nexus 4, HTC One, Samsung Galaxy Note, Samsung Galaxy Note II, Samsung Galaxy S II, Samsung Galaxy S III, Samsung Galaxy S 4 For more information visit: www.WATCHABC.com Currently, WATCH ABC is available in the following cities: Philadelphia, New York City, Chicago, Los Angeles, Raleigh-Durham, Fresno, Houston and San Francisco area. Live Streaming is available within those cities with these TV Providers: AT&T U-verse, Charter, Comcast XFINITY, Cox, Optimum and Verizon FiOS. Go to GETWATCHABC.COM to check availability. U.S. based Internet connection required. Terms of Use: http://disneytermsofuse.com Privacy Policy: http://disneyprivacycenter.com/ *Live video available in Philadelphia, New York City, Chicago, Los Angeles, Raleigh-Durham, Fresno, Houston and San Francisco area only. Must be within your local station\u00e2\u20ac\u2122s viewing area.** Program substitutions may apply. You must verify your participating TV Provider account for access to the WATCH ABC Live Stream in your area. It\u00e2\u20ac\u2122s included with your TV subscription services.", "devmail": "support@abcplayersupport.com", "devprivacyurl": "http://disneyprivacycenter.com/&sa=D&usg=AFQjCNElNkBdmE9INpf9Ap_TxQF7KbEMOg", "devurl": "http://watchabc.go.com/help&sa=D&usg=AFQjCNG8wTKlRKyrHvb8IDQ-GIynVrNwnA", "id": "com.disney.datg.videoplatforms.android.abc", "install": "100,000 - 500,000", "moreFromDev": ["com.disney.datg.videoplatforms.android.abcf"], "name": "WATCH ABC", "price": 0.0, "rating": [[" 5 ", 533], [" 4 ", 131], [" 3 ", 118], [" 2 ", 229], [" 1 ", 838]], "reviews": [["Freezes during commercials.", " Continuously need to exit and restart the app. App will also lose video during the commercials and when the program returns the screen is black and only audio is present. "], ["Won't work", " Error code 303-8. Will not work on my gs3. I don't have a home pc either. I will have to pay to watch these shows through google play. "], ["Galaxy S4 ---App sucks", " Doesn't allow you to watch nothing but the first freaking 3 minutes, if any.. so annoying. "], ["Good but bad", " I keep getting that 300/8 error so it makes it hard to watch a full episode. It also freezes and goes black. There's no point all shows on here do that. "], ["Good but a little buggy", " I love this app but sometimes while I watch an episode, the feed freezes. It will load but after about twenty seconds the video drops out leaving me with a black screen and the dialog. A little disappointing. Other then that, I love being able to catch on my favorite shows that I missed due to work. "], ["New way to watch t.v.", " I love being able to watch shows I miss. The shows are available soon after being aired. Fifth star held back because although I don't mind the commercials, they need to vary them. I get tired of seeing the same ones over and over. "]], "screenCount": 8, "similar": ["com.go.abclocal.wtvd.android.weather", "com.abclocal.wabc.news", "com.abclocal.ktrk.news", "com.fox.now", "com.rhythmnewmedia.tvdotcom", "com.mobitv.client.tv", "com.abclocal.kgo.news", "com.fanfront.jessie", "com.go.abclocal.wabc.android.weather", "com.go.abclocal.wls.android.weather", "com.cbs.app", "com.go.abclocal.kabc.android.weather", "com.xfinity.tv", "com.abclocal.kfsn.news", "com.abclocal.wls.news", "com.abclocal.wpvi.news", "com.dayglows.vivid.lite.samsung", "com.fanfront.livandmaddie", "com.xfinity.playnow", "com.K19media.tv", "com.cw.fullepisodes.android", "com.go.abclocal.wpvi.android.weather", "com.abclocal.kabc.news", "com.abclocal.wabc.alarm", "com.abclocal.wls.alarm", "com.fanfront.prettylittleliars", "com.abclocal.wtvd.news", "com.go.abclocal.ktrk.android.weather", "com.comcast.tvsampler", "com.xfinity.streampix", "com.xfinity.anyplay"], "size": "42M", "totalReviewers": 1849, "version": "2.1.3.3"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtadab.json_merged.json b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtadab.json_merged.json new file mode 100644 index 0000000..61a8728 --- /dev/null +++ b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtadab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.myxer.android", "category": "Entertainment", "company": "Myxer", "contentRating": "Medium Maturity", "description": "- Create custom ringtones from the music stored on your phone, or by recording your voice- Browse, preview, and customize FREE ringtones from Myxer's huge catalog - Cut the precise section of the track you want to set as your ringtone- Select from the most popular song sections as chosen by other Myxer users- Browse millions of free and premium MP3s and download straight to your music player", "devmail": "android@myxer.com", "devprivacyurl": "http://www.myxer.com/privacy&sa=D&usg=AFQjCNFgYuCfYuARNoTLC2tPINeHXk0Tow", "devurl": "http://www.myxer.com&sa=D&usg=AFQjCNH919S5WZuSikQaVm4NgWyqGmp0DA", "id": "com.myxer.android", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.myxer.android.socialradio", "com.myxer.android.unicorn"], "name": "Myxer", "price": 0.0, "rating": [[" 5 ", 25002], [" 3 ", 3069], [" 2 ", 867], [" 1 ", 1733], [" 4 ", 6729]], "reviews": [["Useless", " Making your own ringtone has never been so useless. This app shortens your ringtones no matter how long you create it. I made a 30 second and it was cut in half. There isn't any fade out effects making your ringtones dull. Oh, and it also deletes the ringtones you make anyways. "], ["Okay", " I used to use this app all the time. But nkw when I try to create my own ringtone, it wont even play when I set it as my notification. ): "], ["Am I the only one with this problem?", " When I was using Myxer on my Samsung Dart, the ringtones were good & solid. When I switched over to my Galaxy S2 it stopped workin' properly. Making a ringtone is the easy part. Listening to it is where it screws up. It sounds as if it was a tape being fast forwarded. Poor quality! "], ["Pop up ad for Myxer radio", " I can't even get to the app since the new ad for Myxer radio has been added. Click the X on it and it brings you to Google Play to download it. "], ["Myxer is AWESOME!!!", " I love Myxer! I've never experienced problems. I love creating my own personalized tones and wallpapers! I highly recommend myxer for anyone who wants personalized ringtones of their favorite artist, with the least of hassles. make unique ringtones no 1 elses heard I also like to bility to make my own wallpapers from the pictures I love the most myxer you rock. "], ["Great but...", " This is easily the greatest app I have ever download until I got the Note 2. It keeps force closing on me for some reason. I beg of you gentleman, please fix this soon, I dread the day that I have to wander to the edges of the Earth to find a new app just to make ringtones. I know that you will act upon this injustice with the speed of Great Odin's Raven, and the voracity of a Devil Worm.My kind regards in advance. "]], "screenCount": 4, "similar": ["hu.tonuzaba.android", "com.stylem.wallpapers", "com.google.android.play.games", "com.outfit7.tomlovesangelafree", "com.piviandco.fatbooth", "com.outfit7.talkingtom", "com.outfit7.talkingtom2free", "ringhits.fringtones", "com.scoompa.facechanger", "com.codingcaveman.SoloTrial", "com.bipmo.waterworks.paper.app", "com.imdb.mobile", "com.outfit7.talkingangelafree", "com.herman.ringtone"], "size": "2.1M", "totalReviewers": 37400, "version": "2.19"}, {"appId": "com.cw.fullepisodes.android", "category": "Entertainment", "company": "The CW Network", "contentRating": "Medium Maturity", "description": "The CW Network app brings you the newest way to have your TVNow! Get FREE full-length episodes! Stay connected to your favorite CW Shows when you sign up for the app\u00e2\u20ac\u2122s new push notifications. Stream your favorite CW Network shows like The Vampire Diaries, Arrow, Supernatural, The Carrie Diaries, Hart of Dixie and America\u00e2\u20ac\u2122s Next Top Model, plus the new fall 2013 shows! Features Include:\u00c2\u00a7 FULL EPISODES: Watch the latest full episodes of every primetime show on The CW. Shows are available On Demand, when you want to watch it!\u00c2\u00a7 PUSH NOTIFICATIONS: Stay connected to what you watch by choosing to receive push notifications. Get news and reminders about your favorite shows, like when it\u00e2\u20ac\u2122s about to start and when it\u00e2\u20ac\u2122s available in the app.\u00c2\u00a7 CLIPS: See extended videos, previews for upcoming episodes, behind-the-scenes extras, and cast interviews.\u00c2\u00a7 PHOTOS: Browse extensive photo galleries for lovely episodic and publicity photo stills.\u00c2\u00a7 SCHEDULE: Pinpoint and set reminders for when the newest episodes air on your TV, and watch previews directly from the Schedule page! Internet connection required. Show and episode availability subject to change. Your use is subject to Terms of Use, Mobile User Agreement and Privacy Policy. Please see links below.", "devmail": "cwmobileapps@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://www.cwtv.com&sa=D&usg=AFQjCNHF6VJ1koZ3Cz_KITsTKH6GCcvuJQ", "id": "com.cw.fullepisodes.android", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "The CW Network", "price": 0.0, "rating": [[" 5 ", 12778], [" 2 ", 959], [" 4 ", 4456], [" 3 ", 1756], [" 1 ", 3701]], "reviews": [[":-( .\u00e2\u20ac\u00a6...", " I don't I've it 5 stars bc it plays to many commercials and it keeps replaying them it doesn't go back to the show like someone else mentioned it before I also have to exit to play back the show. Also if I wanted to see so many commercials I would watch it on regular TV! "], ["3.5 Cud B Better", " I like app bcz I can watch my shows I miss but it freezes waaaay too much and continuously replays over n over again back to back if yall all fix these few bugs then its a great app! "], ["Love it!", " This app makes it easy to keep up with CW shows that I miss. Would have given five stars but I absolutely hate the repetitive commercials. "], ["Galaxy s3", " I didnt give it 5 stars bc when it goes to a commercial it plays it over and over and don't go back to the show so I have to exit out of it and go bk in the app and play it thankfully most of the time it picks up where I left off at.. other than that I like it.. I missed my show last night and it was already posted this morning "], ["I don't like the fact that when the commercials come on it replays itself ...", " I don't like the fact that when the commercials come on it replays itself n never goes back to the movie n sometimes freezes, n when I exit it n go back on it leaves off from where I started so I'm practically watching the same thing over n over hoping it will move on but never does if it changes n it goes by better than I'll give it a five I like that app but its those small things that need to be changed or worked on "], ["Love it, but...", " The app works great. There is a show that I'm not able to watch cuz it's Wednesday nights but love that I can watch it on my tablet. The only problem I have is that when it plays a commercial it freezes at the end but it at least remembers where I left off which is great. Will give 5 stars when fixed "]], "screenCount": 8, "similar": ["com.aetn.lifetime.watch", "com.K19media.tv", "com.fox.now", "com.rhythmnewmedia.tvdotcom", "com.playon.playonapp", "com.cbs.app", "com.fanfront.thevampirediaries", "air.cw.carriediaries.ios", "com.gotv.crackle.handset", "com.dev.vampirediaries", "com.disney.datg.videoplatforms.android.abcf", "com.aetn.aetv.watch", "com.isbx.android.vampirediaries", "com.disney.datg.videoplatforms.android.abc", "com.imdb.mobile", "com.viki.android", "com.nbcuni.nbc"], "size": "8.7M", "totalReviewers": 23650, "version": "1.14"}, {"appId": "com.fsp.android.phonetracker", "category": "Entertainment", "company": "Family Safety Production", "contentRating": "Medium Maturity", "description": "Find My Phone is the solution if you want to make sure you know where your phone is at any time. You can also make sure your spouse and kids\u00e2\u20ac\u2122 phones haven\u00e2\u20ac\u2122t been misplaced!How the app works:1) Install the Find My Phone app on your phone2) Create an account 3) Provide the cell # for the person\u00e2\u20ac\u2122s phone you\u00e2\u20ac\u2122d like to 4) We\u00e2\u20ac\u2122ll send a text message to the number, asking for approval (this is required by the cell phone carriers for security)5) As soon as the person receives the text invite and replies yes, you can locate their phone any time you want with the push of a button How do we locate phones?You may have heard of \u00e2\u20ac\u0153triangulation\u00e2\u20ac\ufffd on TV shows such as CSI or Law & Order. This is how the app works in real life, too! Cell phone companies have the location of a cell phone, as they know its distance from a cell phone tower. We buy this secure data from the cell phone companies and display it to you on our mapTrack any Android phone or iPhone or free with our app:If the people you would like to track have either an Android phone or iPhone, you can track the phone directly through the app for free. However, the app needs to be installed on both your phone and the phone of the person you want to locate.Upgrade available for other types of phones:If you, your family member(s) or friend(s) are not using a smartphone, we only provide 3 locations for free (afterwards, you can upgrade to a $4.99 per month premium plan to locate any cell phone an unlimited number of times). This fee is because we have to pay the cell phone companies per location we look up for you.Find My Phone is the most battery safe Android app for lost or stolen phones. Using smarter GPS technology, Find My Phone provides highly accurate locations for lost or stolen devices, and will work on any Android device.Find My Phone can provide navigation to your lost or stolen Android device! Simply use a family member\u00e2\u20ac\u2122s phone \u00e2\u20ac\u201c and locate the missing Droid. As long as the location app is running, you will be able to see the location of your lost or stolen phone, and will be able to launch navigation from within the app. Most common uses:Locating a lost phone, locating a friend, finding a friend, tracking a family member, locating each other on trips, avoid getting lost on trips or events, locating of husband/wife (spouse tracking), locating of children/kids, tracking kids on trips or daily activities such as going to the mall, or just locate someone for fun or get peace of mind.Carriers who support this app:Verizon, T-mobile, Sprint and AT&TPhone devices that support this app:Resarch In Motion (Blackberry), Haier, Huawei, Nokia, Benefon, Fujitsu / Toshiba, Mitsubishi, NEC, Panasonic, Sanyo, Sony Ericsson, Sharp, LG, Samsung, Acer, Asus, BenQ, Foxconn, HTC, Sendo, Apple, Dell, Garmin, Google, Hewlett-Packard, Motorola, Palm, Sonim and moreOS that support this app:Symbian, Palm, Windows Mobile, BlackBerry, iOS, Android, Rim, WebOS and all other common OS", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://www.lready.org&sa=D&usg=AFQjCNFrRcCY0VienAu4-4pCMwDBhbN_WQ", "id": "com.fsp.android.phonetracker", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.fsp.android.c", "com.fsp.android.h", "com.fsp.android.friendlocator"], "name": "Find My Phone", "price": 0.0, "rating": [[" 4 ", 8171], [" 5 ", 23919], [" 3 ", 2342], [" 1 ", 1354], [" 2 ", 616]], "reviews": [["Galaxy S4. Incorrect addresses.", " Updated the App & now it's much worse! Does not give correct locations. My phone is with me & it says I'm several miles away. The criminals site shows NOTHING! When I first downloaded the app it showed several. Terrible, horrible! "], ["excellent!!!", " not only does it find your phone it also helps you keep in touch with your family and friends you can let them know where you are or you cannot. and the world we live in today, this app is great because it's also a security app because you can tell your family where you were last. a huge plus in my book you can also use it just as a messaging system. I'm trying to get my friends on so that we can use this as a status report without having to take the time to make a phone call or text. "], ["Battery Usage!", " I've only noticed this very recently. If I'm below ground (e.g. bottom floor of the library) this app uses a ridiculous amount of my battery. This app drained my battery nearly 20% over the course of 3 hours due to background activity and I had to disable it. It was using more power than all other phone functions combined! What's the use of this app if I have to have it disabled all the time? "], ["Great", " This is a handy app & a great idea. The only thing I would like to be able to do is put a photo to the admin member on my phone , which it doesn't seem to allow me to do. "], ["Very good app", " It works well I would recommend this product to anyone who has children. If they had a faster update (when they to find someone's location it takes five minute to refresh a location) if you can get ur product down to thirty seconds it will be great. "], ["Even works for a newbie", " This is my first smart phone, a Samsung 4G. I have no experience with this kind of stuff but this really helps me in planning things with my wife. She can see me and I can see her so that we don't have to deal with the whole WHEN WILL YOU BE HOME thing. Also, if I need to surprise her all I have to do is turn off my gps at my phone. One star is lost because it will sometimes have a delay (no biggie) and my wife will sometimes get unwanted text messages from the system. "]], "screenCount": 2, "similar": ["com.toss.hereyo4", "com.appspot.swisscodemonkeys.steam", "com.remind4u2.list.sounds.galaxys4", "com.remind4u2.list.sounds.nokialumia", "com.dikkar.moodscanner", "com.socialzoid.symbolsboard.free", "com.qiniuwubi.oldphone.ringtone", "com.musicvideos.diafoni", "com.outfit7.talkingtom2free", "com.dokdoapps.mybabyphone", "com.scoompa.facechanger", "com.medidev.calltrack", "com.foxdroid.autotextbbmessenger", "com.osmar2013.drawingfun", "com.foxdroid.autotextbbandroid", "com.nb.mood.scan"], "size": "8.5M", "totalReviewers": 36402, "version": "6.0.2"}, {"appId": "tv.twitch.android.viewer", "category": "Entertainment", "company": "Twitch", "contentRating": "Medium Maturity", "description": "Twitch is the world\u00e2\u20ac\u2122s leading video platform and community for gamers where more than 45 million gamers gather every month to watch and interact around the games they love. We are leading a revolution in video game culture, turning gameplay into an immersive entertainment media experience.Watch your favorite streams over both 3G/4G and WiFi networks, and switch between different quality levels to optimize channels based on your connection.WHAT THE PRESS ARE SAYING:CBS News - \u00e2\u20ac\u0153For a video game lover, like myself, the site is addictive. Not only do I get to see games that I'm interested in before deciding to buy, but also get to watch how other people play.\u00e2\u20ac\ufffdMashable - \"If you\u00e2\u20ac\u2122re ditching cable, there are many alternative content destinations online. If you\u00e2\u20ac\u2122re a gamer, one of those is probably TwitchTV.\"PC World - \u00e2\u20ac\u0153The quality and selection simply blow most of the other live-streaming apps out of the water when it comes to game-specific channels.\"", "devmail": "android@twitch.tv", "devprivacyurl": "N.A.", "devurl": "http://www.twitch.tv&sa=D&usg=AFQjCNH1OweG2E7PoYH1jB7U9ghQ4OdzxA", "id": "tv.twitch.android.viewer", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Twitch", "price": 0.0, "rating": [[" 5 ", 24269], [" 2 ", 3132], [" 1 ", 8949], [" 4 ", 5802], [" 3 ", 4114]], "reviews": [["Video not working now..", " After chat update video loads less then 10% of the time.. when it does it is just the ad then it dies. Chat is huge and there is no way to turn it off. So much FAIL. "], ["Get wat u need.", " My only issue is if u tap too quickly it loads the third party games into the spot where u tapped and forces u to the browser which is incredibly annoying. I really don't want your stupid third party games Twitch. Otherwise a perfect app. "], ["No full screen anymore", " It used to be great but with the latest update that added chat that takes up 3/4 of the screen. Would love an update that makes chat optional "], ["Good but...", " Very good app, however its stops and start so often I lose interest And I know its not my internet speed! Fix this and I would add the last two star. "], ["Lot of work to be done....", " Was able to open a twitch url in my browser but it doesnt ask to load the app instead. Couldnt put in that same url into the app, which would be nice. Also only plays \"mobile\" streams, which is pointless. If my browser can play it, why not the ntive app. Largely useless for now. Cant login with facebook and when creating an account with an existing username, it tells you then wipes all the fields. Downranking this app even more. "], ["Like it a lot!", " Chat has never really been that important to me, but I'm digging this update a lot! Good job guys! "]], "screenCount": 5, "similar": ["de.tvspielfilm", "pl.jarock", "com.spb.tv.am", "com.scs.twitchalert.free", "com.androidsk.tvprogram", "com.streamchecker", "tv.estreams.myshowdown", "com.Rankarthai.TV.Online", "com.lge.tv.remoteapps", "com.examples.gg", "tv.justin", "com.imdb.mobile", "com.mobileroadie.app_2385", "lol.tv", "com.play.live.hqtv", "com.viki.android"], "size": "899k", "totalReviewers": 46266, "version": "2.0.0"}, {"appId": "com.pt.wshhp", "category": "Entertainment", "company": "Worldstar LLC", "contentRating": "Everyone", "description": "WorldstarHipHop's Official Android App. Worldstarhiphop.com selected by BET for two years running as the best website for hip hop fans around the world. The site includes exclusive interviews, music video premieres, celebrity gossip and outrageous user footage.", "devmail": "appledev@worldstarhiphop.com", "devprivacyurl": "http://www.worldstarhiphop.com&sa=D&usg=AFQjCNFnb7st-cpVZgrwVl_ilVbI5Ujq7A", "devurl": "http://www.worldstarhiphop.com&sa=D&usg=AFQjCNFnb7st-cpVZgrwVl_ilVbI5Ujq7A", "id": "com.pt.wshhp", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Worldstarhiphop", "price": 0.0, "rating": [[" 3 ", 455], [" 2 ", 273], [" 4 ", 822], [" 5 ", 4238], [" 1 ", 646]], "reviews": [["Too many timeouts", " I've had this app for awhile and ill give it five stars, BUT the videos stop every 1:16 to 1:30. Maybe an UPDATE for once will help. World Star is cool but their app fails me. "], ["Does not load!", " This app is ok but it does not load the videos on the timeline fast enough... Decent when it comes to watching the videos but other than that it takes forever to scroll and load vids "], ["Terrible", " Videos take so long to load. And once you get half way through, it freezes up. I love WSHH, but this app is garbage. Please fix. "], ["UNFREEZE!!", " Please Fix this Excellent App...Steady Freezing Is such a Burden!! "], ["Needs work", " The ability to make and view comments could make this a 5 star app, that & fixing the major glitches i.e. not being able to see entire fight comps. This app is VERY neglected and it shows "], ["Stop Updating!!", " This app was the greatest and yes,some of the updates helped the appearance and has improved my experience. But it has completely messed up my video feed. Can't watch videos past the 5 minute mark "]], "screenCount": 5, "similar": ["appinventor.ai_yglup81.ParentalAdvisory", "com.limpenghoe.hiphopandhiphopdance", "com.mego.magicfinger", "com.andromo.dev22529.app190470", "com.fsp.android.phonetracker", "com.kargo.launcher.xxl", "com.photon.filnobep", "com.ismaker.android.simsimi", "com.google.android.apps.androidify", "com.cjenm.android.mnet.audition", "com.outfit7.talkingtom2free", "com.digidust.elokence.akinator.paid", "com.ninegag.android.app", "com.kauf.talking.mytalkingbabymusicstar", "com.sketchbook", "com.snaplion.humble"], "size": "2.7M", "totalReviewers": 6434, "version": "1.1"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json new file mode 100644 index 0000000..eb0b307 --- /dev/null +++ b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.outfit7.gingersbirthdayfree", "category": "Entertainment", "company": "Outfit7", "contentRating": "Everyone", "description": "Talking Ginger is turning 5 and it's time for the best birthday party ever - with awesome food, fun games and a happy little kitten. And yes, you're invited! Pick from a variety of yummy snacks to feed Ginger and make his tummy happy. Grab a party whistle and blow it until you\u00e2\u20ac\u2122re out of breath. And what\u00e2\u20ac\u2122s a good birthday party without a huge cake, right? Help Ginger blow out all the pesky little candles now! Every time you feed Ginger, make some noise with the party whistle and blow all the candles out, you unlock new puzzle pieces of Ginger's birthday party memories. There are 40 jigsaw puzzles to unlock (with more to come!), so you better get started fast. ;) HOW TO PLAY - Talk to Ginger and he will repeat. - Poke or swipe Ginger to see his funny reactions. - Blow out the candles on the birthday cake. Great mini game! - Feed him with snacks. - Blow the party whistle. - Press the jigsaw puzzle button to see all the images you've collected. - You can even scatter the puzzle pieces and put them back together. - Press the feeding button to eat with Ginger. HOW TO GET SNACKS - Every 24 hours roll the Wheel of Fortune and win free snacks. - Subscribe to a feeding reminder and get free snacks (you will receive a push notification). - Watch a video or choose one of the other ways to earn free snacks. - Make an in-app purchase. You can even get an infinite supply of snacks and never worry about it again.END-USER LICENSE AGREEMENT FOR ANDROID: http://outfit7.com/eula-android/", "devmail": "N.A.", "devprivacyurl": "http://outfit7.com/privacy/&sa=D&usg=AFQjCNEkB7hAP337M83DXxAKRh_h8biGPQ", "devurl": "http://outfit7.com/contact/android/&sa=D&usg=AFQjCNFq0dxCibfbkcdFaRGXWExU5_vJKg", "id": "com.outfit7.gingersbirthdayfree", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.outfit7.talkingrobyfree", "com.outfit7.tomsmessengerfree", "com.outfit7.talkinggina", "com.outfit7.talkinggingerfree", "com.outfit7.jigtyfree", "com.outfit7.talkingsantagingerfree", "com.outfit7.talkingtom2free", "com.outfit7.talkingben", "com.outfit7.talkingtom", "com.outfit7.talkingsantaginger", "com.outfit7.tomslovelettersfree", "com.outfit7.talkingnewsfree", "com.outfit7.mytalkingtomfree", "com.outfit7.talkingbenpro", "com.outfit7.angelasvalentinefree", "com.outfit7.tomlovesangelafree", "com.outfit7.talkingnews", "com.outfit7.talkingsantafree", "com.outfit7.talkingpierrefree", "com.outfit7.talkingangelafree"], "name": "Ginger's Birthday", "price": 0.0, "rating": [[" 2 ", 919], [" 3 ", 2496], [" 4 ", 4301], [" 5 ", 39297], [" 1 ", 2543]], "reviews": [["Cool and cute", " This is a fun game ,i love ginger he is sooooooooo cute! Thanks for making this game:3 "], ["Nice for charming", " It charms small one so we get benefited instead of lisyening to their cries "], ["The worst game it will not even let me get it", " I hate it my cuz had it and i hated it do your self a faver and dont get it ^_^ "], ["Good", " Yo yo yo yo yo yo yo yo yo yo yo yo yo yo yo yo yo yo good good good good good good good good good good good game game game "], ["Hate it", " I hate every app with ginger in it suuuuuuuuuuuuuuuuuuucks he acts cute but love him 2 act it out were he belongs hell P.S. the devil adours fat stinky useless ugly cats.even an app of taking pictures of a apes butt is better. "], ["Made from devil", " My mom said that it is made from the devil all of these stupid dumb cat games even angela Outfit 7 u suck I hate I hate I hate soooooooo much! "]], "screenCount": 15, "similar": ["org.friends.funnybest", "com.droidstoneTalkingCat2", "com.gi.talkingpocoyofree", "com.brave.talkingspoony", "com.tapblaze.jinxytalkingcat", "com.kauf.talking.baum.TalkingJamesSquirrel", "com.sixits.talkingskeleton2012", "com.red.dino", "com.scoompa.facechanger", "com.km.life.babyboy", "com.laugh.talking.husky", "com.smeshariki.kids.game.krosh.free"], "size": "Varies with device", "totalReviewers": 49556, "version": "Varies with device"}, {"appId": "com.sm.SlingGuide.Dish", "category": "Entertainment", "company": "DISH Network LLC", "contentRating": "Medium Maturity", "description": "Take your TV with you. With the DISH Anywhere, you can watch the same TV you get at home on your Android device. Enjoy your favorite live or recorded programs anytime, anywhere. Also, manage your home television with a full-featured DVR manager and a searchable program guide. This is a must-have app for DISH Subscribers. Now with thousands of On Demand movies and TV shows from HBO, Cinemax, Epix, and many more networks! Features: Watch your TV* Take your TV with you- and enjoy watching all of your favorite sports, news, TV shows, and movies from your Hopper with Sling, Hopper, ViP\u00e2\u201e\u00a2 922 Slingloaded\u00e2\u201e\u00a2 DVR or ViP\u00e2\u201e\u00a2 722 or 722k DVR with the Sling\u00c2\u00ae Adapter accessory on your Android device. -Integrated user interface makes it fast and easy to find the shows and movies you want to watch. Schedule DVR Recordings - Schedule DVR recordings from anywhere. - One-touch recording- simply choose to record one event, all events, or only new events. Browse and Search the Program Guide and On Demand Titles- Search the program guide up to 9 days in advance. - Search for shows by title, genre, network, keyword, or actor. - View graphics and posters of your favorite shows and movies. Manage your DVR Library** - Set recording priorities. - Manage recording conflicts. - Delete shows you\u00e2\u20ac\u2122ve already watched. - View and adjust your recording schedule. DISH Anywhere requires an online DISH account and is compatible with the following DISH Network receiver models: 512, 522, 625, 612, 622, 722, 722k, 922, Hopper, Hopper with Sling. *Requires high-speed Internet connection to a Hopper with Sling or ViP\u00e2\u201e\u00a2 922 Slingloaded\u00e2\u201e\u00a2 DVR, or a ViP\u00e2\u201e\u00a2 722, ViP722k or Hopper DVR with Sling Adapter accessory. **Requires high-speed Internet connection to one of the following receiver models: ViP612, ViP622, ViP 722, ViP722k, ViP 922, Hopper, Hopper with Sling.", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://www.dishnetwork.com/&sa=D&usg=AFQjCNGSL1KiBTCzEDpU8lp_zu9S52ZeGQ", "id": "com.sm.SlingGuide.Dish", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "DISH Anywhere", "price": 0.0, "rating": [[" 2 ", 729], [" 3 ", 1310], [" 4 ", 3280], [" 5 ", 13171], [" 1 ", 2364]], "reviews": [["Does not work for galaxy II", " It will let you navigate the movies and shows but when you try to watch it restarts the program...wonder if they used the same contractor as the us gov. "], ["Doesn't work on Samsung galaxy 2 tab", " If you try to watch anything, it looks like it's loading, but then the app restarts. I can see whats on or recorded, just can't watch. I do have the slingboxl "], ["Great app", " Love this app. use it all the time. Wish I could just pay for programming over the internet and lose the high cost tv which we don't use as much "], ["Works like a charm", " Using either a MS Surface Pro or Samsung Tab 10.1 every feature works every time. I can even stream live TV from my Hopper with Sling in HD while sitting in the doctors waiting room freeing me from the children's programming they have it locked on. At home on wifi it works even better. Very little latency, never bothered with buffering waits. Over the top feature is the variable sized remote that works, and functions, just like the non-virtual remote provided with the system. Suggested improvement...add support for subtitles for noisier places like the aforementioned waiting room full of children watching Spongebob Squarepants. "], ["Simply fabulous", " I have been a dish customer for years. I love how they are so ahead of their time. I had directv before dish and although dish doesn't have all the channels directv has their technology makes it up. Love this app, love dish, happy customer. "], ["Only Works Well When At Home", " This app is neat but is only functional at home over my wireless router. Does not work well remotely regardless of how great my internet connection is. New development. Inexplicably will no longer pay dvr or on demand shows. Crashes often. "]], "screenCount": 12, "similar": ["com.netflix.mediaclient", "com.wdc.wdremote", "com.munch.app", "com.t20.cricket", "org.satremote.android.free", "com.univision", "com.clickforbuild.tvonline", "com.gotv.crackle.handset", "com.xfinity.tv", "com.Rankarthai.TV.Online", "com.lge.tv.remoteapps", "air.com.dishtv.AndroidZEECommercial", "com.slingmedia.slingPlayer", "com.crystalreality.crystaltv", "com.imdb.mobile", "com.viki.android"], "size": "Varies with device", "totalReviewers": 20854, "version": "Varies with device"}, {"appId": "com.xfinity.tv", "category": "Entertainment", "company": "Comcast Interactive Media", "contentRating": "Everyone", "description": "Find your favorite shows and movies, control your TV, and schedule DVR recordings\u00e2\u20ac\u201dall with the XFINITY TV app. The XFINITY TV app puts a world of entertainment right at your fingertips!Find what to watch using a few taps:- Browse TV listings customized to your area- Browse an On Demand library featuring thousands of titles- Search TV listings and On Demand for any show or movie- Filter content by genre, network, HD, free and much moreControl your TV and DVR:- Conveniently change channels right from the app- Tune directly to On Demand programs to watch on your TV- Schedule DVR recordings of your favorite shows, series, and moviesRequirements:- Internet connection (Wi-Fi or 3G)- Compatible cable/set-top box (for TV and DVR control). Please see http://customer.comcast.com/help-and-support/xfinity-apps/eligible-cable-boxes-cable-tv-app/ for more details.- Comcast ID or Comcast.net Email Address (and Password)- Some restrictions may apply. Not available in all areas.Initial Setup Notes:Please be at home with your TV and cable boxes turned on. Messages will appear on your TV screen to help you name your boxes for easier identification and control.Compatibility and Known Issues:- Xfinity TV app supports most Android handsets running Android 2.2 and higher.- Xfinity TV app supports the Motorola Xoom tablet running Android v3.1 and later. Other Honeycomb v3.x tablets with a 1280x800 resolution should work. We will certify the application on additional tablets soon.- Xfinity TV app may work on other Android devices not listed above but it has not been designed or optimized for them. They are currently unsupported.- Xfinity TV app currently supports devices that allow more than a 16MB memory limit on applications and will automatically detect the required memory. This includes most devices. However, the AT&T HTC Aria is a notable exception and is not compatible.*Xfinity TV app supports many-but not all-Comcast set top boxes. Specifically, Scientific Atlanta set top boxes are not yet supported. Please see http://customer.comcast.com/help-and-support/xfinity-apps/eligible-cable-boxes-cable-tv-app/ for details about currently supported set top boxes.Having trouble with the Xfinity TV App? Contact our support team via email: xfinity_remote@cable.comcast.com. We cannot respond through the Android Market comment/ratings system but would love to hear from you.", "devmail": "Xfinity_TVApp@comcast.com", "devprivacyurl": "http://xfinity.comcast.net/privacy&sa=D&usg=AFQjCNFZQIgAeOf9hTGR0wDZuIqiET9vbA", "devurl": "http://www.xfinitytv.com/&sa=D&usg=AFQjCNGbBQi9yDRU3xPMr6iaA7Waz0oTfw", "id": "com.xfinity.tv", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.xfinity.streampix", "com.xfinity.anyplay", "com.xfinity.storefront", "com.xfinity.playnow"], "name": "XFINITY TV", "price": 0.0, "rating": [[" 1 ", 4953], [" 5 ", 4602], [" 3 ", 1267], [" 4 ", 1698], [" 2 ", 1155]], "reviews": [["Xfinity Tv", " I like that it changes the channel. The downfall was that when I would On Demand a show for my daughter. Its coming up an another show thats not kids related. And it dont even start playing. It's just on the screen where you suppose to click to watch. That made me not like the app. "], ["Poor customer service", " I would rather give my hard earned money to another media company, Comcast has poor customer service, I sat on hold for a half an hour to get an issue resolved only to the call dropped by them, if you ( Comcast ) want my money fix your customer service "], ["stopped working!!", " this app will no longer change the channel. now it just works as a guide. i uninstalled it and installed it again couple of days later! please fix and i will change the rating!! "], ["Does not work at all", " Samsung Galaxy Note II (T-Mobile US) XFINITY TV app does not work at all. When giving ZIP code it never finds it: \"Uknown error occured\". I repeated more than 20 times, never worked, always failed. I would have put ZERO star if I could have. "], ["I'm impressed", " I actually gave this app a terrible rating two days ago because it wouldn't load because of the four icons below start a new game. In that rating I asked for those to be removed so my games would load. I decided to try the game again even though it hadn't loaded for over a week. When I opened the app it updated and removed those 4 perpetually spinning wheels! Five stars because the developers really care what we think and will make the improvements to get the five stars. "], ["Forced close", " I have nothing but trouble with this application lately Can't get into it I've reported it and nothing I've reported other application problems and was actually answered But XFINITY nothing at all Not very happy "]], "screenCount": 7, "similar": ["com.digivive.offdeck", "com.wdc.wdremote", "com.rhythmnewmedia.tvdotcom", "com.live.indiantv", "com.tvnu.app", "net.micene.minigroup.palimpsests.lite", "com.crystalreality.crystaltv", "com.gotv.crackle.handset", "de.tvspielfilm", "com.lge.tv.remoteapps", "com.Rankarthai.TV.Online", "com.imdb.mobile", "pl.wp.programtv", "com.alcanzatech.comcast", "com.play.live.hqtv", "com.viki.android"], "size": "19M", "totalReviewers": 13675, "version": "1.6.2.001"}, {"appId": "com.macho.stitch.pic.free", "category": "Entertainment", "company": "jumptab", "contentRating": "Low Maturity", "description": "Pic Stitch is the best way to make collages of your photos. Get creative with freeform collages, cutouts, filters, borders, stickers, and text. Your friends will be amazed with what you can create. It's like photoshop with your fingers!Awesome features:* Import photos from your photo gallery, Facebook and Google image search* Simple touch gestures to rotate, resize, flick to delete* Double-tap a photo to edit photo, clip photo, adjust borders* Clip photos by outlining the area you want with your finger* Lots of backgrounds and stickers to choose from!Simple and intuitive touch gestures:- Tap to add photos and move them to front- Resize photos by stretching or pinching them- Rotate them with two fingers- Flick the photo to delete it- Add text in various fonts and colors- Tap-and-hold to move photo to the back of the collage- Double-tap a photo to clip photo, edit photo, add filter effects, or draw! \"Superb!! It's good at editing. And when i'm lazy to upload my pics one by one,i can squeeze everything in one page..\"- Ray Helmi\"Awesome!Simply fantastic!!!! Exactly what I needed!!!!\"- Alexa john.PicCollage is fast, fun and easy. It's the best way to create awesome collages of your friends and favorite stars, with stickers, text, web search!When you're done, share your collages on Facebook, Instagram, Twitter, or email.", "devmail": "jassigullu@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://www.droidsmash.com&sa=D&usg=AFQjCNGYLJ3EEqbky6CVCQxiJx6ceF7iMA", "id": "com.macho.stitch.pic.free", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Pic Stitch", "price": 0.0, "rating": [[" 1 ", 1683], [" 2 ", 140], [" 5 ", 1335], [" 3 ", 187], [" 4 ", 278]], "reviews": [["More ad than app", " I dont usually have a problem with free apps using ads...... but there are so many ads on this app, and in between screens it is not even worth it. Some ads cover the buttons the app needs to function. Waste of my time. "], ["Too much ads", " There are wayyy to much ads! I suggest you all get Photogrid. That is way better. Deleting this app is the best thing I think we all should do, unless you like ads that pop up every second! "], ["Love\u00e2\u2122\u00a5 But TOO MANY ADDS!!!", " I love this app and everything that it comes with (colors, effects, editing choices, ect.) Too many adds tho!! I can't just go and do a quick collage, I have to exit an add after choice I make!! Gets really frustrating after the first 5 times! I understand adds are needed but I would use app more if I could flow through the process w/o being bombarded with 10 popups each time I used it. "], ["Bad app.", " Besides having ads pop up every 2 seconds, there were also ads covering the playing options so I could not post anything. "], ["To many ads!!!", " u can barely post anything with all these ads popping up. I can barely enter a picture without an ad popping up. "], ["Don't waste time", " Force close at every time you save pic and forces two ads on you lmao what a clown app "]], "screenCount": 5, "similar": ["com.magnificentbutterfly.picstitch", "com.ard.drea", "com.neon.magic.keyboard.theme", "com.cardinalblue.piccollage.google", "com.backstone.piccollage", "com.km.draw.photoeffects", "com.ios7.fingerprint.scanner", "com.scoompa.facechanger", "com.jump.picture.story.camera", "com.split.camera.pic.story", "com.picture.editor.effects.free", "com.km.draw.photodraw", "com.keyboard.key.theme", "com.appspot.swisscodemonkeys.bald", "com.picture.stitch.pic.edit", "com.appy.instant.picture.collage.creater", "com.velan.android.picstitchcollage", "com.jassi.picture.collage.creater", "com.love.beauty.text.space", "com.dream.collage.maker", "com.roidapp.photogrid", "com.giago.imgsearch"], "size": "4.9M", "totalReviewers": 3623, "version": "2.0"}, {"appId": "com.roku.remote", "category": "Entertainment", "company": "Roku, Inc.", "contentRating": "Everyone", "description": "Turn your Android device into a control center for your Roku streaming player.Our free app lets you:\u00e2\u20ac\u00a2 Browse and add channels from more than 1,000 Roku channels offered in the Roku Channel Store\u00e2\u20ac\u00a2 Enjoy your Android device's photos, music, and video on your Roku player (Supported on Roku 3, Roku 2, Roku LT, Roku HD (model 2500) and Roku Streaming Stick only)\u00e2\u20ac\u00a2 Quickly launch and rate your Roku channels\u00e2\u20ac\u00a2 Take command of your Roku player with a remote control. Includes instant replay, back and options buttons.\u00e2\u20ac\u00a2 Enter text using you device's keyboard\u00e2\u20ac\u00a2 Name and switch between multiple Roku playersTHIS APP REQUIRES A ROKU PLAYER AND A ROKU ACCOUNT.To get started, you must connect your Android device to the same network as your Roku player. You will be asked to sign-in to your Roku account and connect to your Roku player over your home network.HAVING TROUBLE FINDING YOUR ROKU PLAYER?Note: If the app does not recognize your Roku player (you see a \u00e2\u20ac\u0153Player Not Found\u00e2\u20ac\ufffd message after you sign in), try the going network setup again on your Roku player. This will wake your Roku player on your home network. Then, select \u00e2\u20ac\u0153Try Again\u00e2\u20ac\ufffd in the Roku app.Go to support.roku.com for FAQs. Email us your app feedback and suggestions to feedback@roku.com.", "devmail": "feedback@roku.com", "devprivacyurl": "http://www.roku.com/mobile/privacy&sa=D&usg=AFQjCNHp8c8BGM_88YYjRLq0FMRPWBPBKw", "devurl": "http://www.roku.com&sa=D&usg=AFQjCNFPY05mVZvJc4R_mzSRQFomweMRyg", "id": "com.roku.remote", "install": "500,000 - 1,000,000", "moreFromDev": "None", "name": "Roku", "price": 0.0, "rating": [[" 4 ", 4148], [" 2 ", 212], [" 1 ", 588], [" 5 ", 14374], [" 3 ", 692]], "reviews": [["Works on Note 2 but not Note 3", " The \"Play On\" feature has always worked on my Note 2 ever since the note 2 came out so I don't know why it's made to look like this feature was just added to the note 2????? Now it does not work on the Note 3, get it to work and this app will get 5 stars. "], ["Galaxy note 2", " Video playback doesnt work on my note 2, even though most recent update said it would support it now. 5 star when fixed. As I am a very heavy user "], ["Very cool app", " Smooth, easy to use. Set up was simple. "], ["All functions not working", " Doesn't play video or pictures. Works good as a remote. (EVO Design 4g). "], ["Does what it says on the tin.", " ...better than the regular remote and this app has a super useful interface making searching Netflix a breeze with the keyboard use! Huzzah! A win for my Samsung Galaxy Tab 3! "], ["By far, the most useful app I have.", " Works better than the remote that comes with the Roku! More functionality. The only thing that doesn't work us the MP3 to Roku function, which I would have never thought of anyway. "]], "screenCount": 8, "similar": ["hu.tonuzaba.android", "com.dayglows.vivid.lite", "com.jigawattlabs.rokujuicedemo", "com.exavore.rokumote", "com.mixaimaging.deformerfree", "com.savvybud.rokuremote", "com.dijit.urc", "com.greggreno.rokuremote", "com.jc.jc_roku", "edu.byu.roconnect", "mobi.ifunny", "com.lge.tv.remoteapps", "com.gray", "com.jigawattlabs.rokujuice", "com.outfit7.talkingsantafree", "com.chriskonieczny.rokuremote.ui"], "size": "1.8M", "totalReviewers": 20014, "version": "2.4.0.2089815"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaeab.json_merged.json b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaeab.json_merged.json new file mode 100644 index 0000000..c09e6f9 --- /dev/null +++ b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtaeab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.google.android.play.games", "category": "Entertainment", "company": "Google Inc.", "contentRating": "Everyone", "description": "Google Play Games app is the easiest way for you to discover new games, track achievements and scores, and play with friends around the world. It brings all your gaming on Google Play together in a unified Android experience. KEY FEATURES - Discover great games - Play with your friends, and see what they're playing - Join multiplayer games - Track your achievements - Compare scores with other players", "devmail": "android-apps-support@google.com", "devprivacyurl": "http://www.google.com/policies/privacy&sa=D&usg=AFQjCNE7y6nm7TcHvct7CDJRmWrYBHvMEQ", "devurl": "http://www.google.com/mobile/android/&sa=D&usg=AFQjCNH4TfxMRMgb5Q1OrN5fPkgAv5mrnA", "id": "com.google.android.play.games", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.google.android.gm", "com.google.android.apps.androidify", "com.google.android.voicesearch", "com.google.android.talk", "com.google.android.ears", "com.google.android.tts", "com.google.android.apps.plus", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.android.apps.maps", "com.google.earth", "com.google.android.inputmethod.latin", "com.google.android.apps.books", "com.google.android.apps.translate", "com.google.android.videos", "com.google.android.street", "com.google.android.apps.magazines", "com.google.android.music"], "name": "Google Play Games", "price": 0.0, "rating": [[" 1 ", 2246], [" 5 ", 9556], [" 4 ", 1648], [" 2 ", 387], [" 3 ", 994]], "reviews": [["No cross platform experience", " The only reason I downloaded this is that so that I can transfer my gamecenter achievements from my iPhone to my Xperia Z... I just realised that it is just another gamecenter for android which does not perform as well as the one for iPhone... Otherwise its not crashing in my Xperia z "], ["Great idea", " Please add an option to view others players achievements and score in the leaderboard. Sometimes when it's used, it also opens a Google Play Service named \"ImageMultiThreadedInte...\" which hangs in the background and wont shut automatically. "], ["Great idea, needs work.", " One problem with the app is that I didn't get any G+ achievements until I signed into a game with G+ So now some achievements I have in some games are not recorded in Play Games. Plus it would be nice if their was Facebook Games integration. This app has amazing potential and Google really should pay more attention to this app. "], ["Closes.", " Closes without a force close message. Cyanogenmod 7 htc glacier. Spins the thing, then stops Google you don't know what the hell your doing. It doesn't wor k for any gingerbread "], ["Never opens", " Gets as far as choosing an account then falls over. Not Google's usual quality of offering! "], ["Cloud saves???", " I could have swore they announced this with cloud saves but I've never got it. UI suggest new games with making you jump through a hoop to get to your own games. Also it doesn't make you log into your Google + account when first launched so for many months I wondered why I never got a achievement until I tapped the G+ button on the side of Final Fantasy IV today "]], "screenCount": 12, "similar": ["androidPlatform.plugin.multiwindow.GoogleTranslate", "com.jmsys.earth3d", "com.outfit7.talkinggingerfree", "com.ke.BubbleShooter", "com.outfit7.talkingben", "com.netflix.mediaclient", "com.outfit7.talkingtom", "com.outfit7.talkingtom2free", "com.outfit7.talkingnewsfree", "com.android.chrome", "com.outfit7.tomlovesangelafree", "com.outfit7.talkingsantafree", "com.outfit7.talkingpierrefree", "com.outfit7.talkingangelafree"], "size": "2.0M", "totalReviewers": 14831, "version": "1.1.04"}, {"appId": "com.PrankRiot", "category": "Entertainment", "company": "Lavalsoft", "contentRating": "Everyone", "description": "PrankDial lets you send hilarious prank calls to your friends. Choose for an assortment of over a hundred prank call scenarios! Listen to reactions and share them.", "devmail": "support@prankdial.com", "devprivacyurl": "N.A.", "devurl": "http://www.prankdial.com/&sa=D&usg=AFQjCNF6hflgVdYvlifRPuDjt_WSKNO10A", "id": "com.PrankRiot", "install": "500,000 - 1,000,000", "moreFromDev": "None", "name": "PrankDial", "price": 0.0, "rating": [[" 1 ", 430], [" 2 ", 90], [" 5 ", 1046], [" 3 ", 140], [" 4 ", 177]], "reviews": [["This app is so fun and interesting", " This the best game is because he keeps somebody left the talk about somebody makes you make somebody scared or its like crazy "], ["Glitch or just phone", " I have 3 tokens and it says \"Its too late to send free calls\" so I can't run the app with a pantech burst or its a glitch. Please fix! "], ["Great stuff, but...", " Awesome! They lose points though for the ads and token system. I'd gladly pay for this app if those things would go away "], ["Too late to make free calls", " Doesn't allow me to make free calls. Keeps telling me that \"its too late to make free calls\" even tho I have 2 free calls available. Non rooted Tmobile galaxy s3 updated to latest android os "], ["wack", " it say its to late. after 5days and only 2 calls. if timer would reset I would give 5stars this sucks big time "], ["Doesn't work most times", " Tales tokens..says its too late for calls...redirects you to purchase more tokens. Why purchase more if it's tpo late at 2:30 in the afternoon? I suggest that you dont waste your time. "]], "screenCount": 3, "similar": ["com.lavalsoft.com", "com.madapps.realfakecall", "app.maskmynumber.com", "com.prank.me", "com.km.pranks.ghostcaller", "com.rmfdev.callfaker", "com.prank.fake.funny.call", "com.scoompa.voicechanger", "com.uglypixels.prankpack", "com.kimusoft.voice_changer_chipmunk", "air.pranksterzapp", "com.km.pranks.fakecaller", "com.papp.free.fakecall", "net.excelltech.fakeacallfree2", "com.mobilisedev.gotchacall", "com.mobilisedev.pranknow", "com.mobilisedev.arnoldprank"], "size": "2.9M", "totalReviewers": 1883, "version": "4.1.21"}, {"appId": "com.wwe.universe", "category": "Entertainment", "company": "WWE, Inc.", "contentRating": "Medium Maturity", "description": "Take WWE with you wherever you go - any time, day or night - with the official WWE app for Android.When Monday Night Raw, Wednesday Night Main Event and Friday Night SmackDown are on, the WWE app will take you there live! Just tap the app on your smartphone or tablet for exclusive in-app access to WWE's second-screen companion experience enhanced with content designed exclusively for and synchronized to WWE's weekly broadcasts of Raw, Main Event and SmackDown.At anytime, you can unlock breaking news, a colossal library of WWE videos - current and classic - as well as thousands of photos capturing the action of WWE. Plus, with a slide, swipe or tap of a finger, discover exclusive content found ONLY in the WWE app!The WWE app provides instant access to your favorite WWE Superstars, Divas and Legends. Save and store Superstar profiles for a quick look at extensive career milestones, biographies and social media feeds from their Facebook and Twitter accounts - all directly inside the app.You can now watch new and vintage WWE videos like never before. Want to play a clip on your TV from last night\u00e2\u20ac\u2122s Monday Night Raw or Friday Night SmackDown, or maybe that unforgettable main event match from WrestleMania years ago?And, you can purchase WWE pay-per-views like WrestleMania and SummerSlam and sync your WWE.com pay-per-view purchases for viewing inside the app!The WWE app is your tool to have your voice heard and participate in live WWE programming. Watch Monday Night Raw and Friday Night SmackDown on TV, and bring along your smartphone or tablet for exclusive in-app access to WWE's second-screen companion experience. Sync and enhance your WWE viewing with content designed exclusively for and activated during WWE's weekly broadcasts, including Raw and SmackDown.Disagree with something the Raw General Manager decreed? Think your favorite Superstar deserves a WWE Championship opportunity? Tag up with other members of the WWE Universe to build a virtual community of WWE fans in your area to keep the conversation going after the bell.Meet up with those same WWE Universe members at the next WWE Live Event near you - for which you can find complete details within the WWE app. Access our full schedule of events around the globe, find out which Superstars will be in action, set reminders and even order tickets!Want to outfit yourself like your favorite Superstar? Enjoy the brand-new WWE Shop experience right from your device with easy access to all the official merchandise WWE Shop has to offer.", "devmail": "appfeedback@wwe.com", "devprivacyurl": "http://www.wwe.com/help/generalfaq/privacypolicy/&sa=D&usg=AFQjCNFTpEGUA7WeHNyNWzrQA94V4b3YzA", "devurl": "http://www.wwe.com&sa=D&usg=AFQjCNFL_4r6p_vAR1OVzThvQVqHzT0iHg", "id": "com.wwe.universe", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.wwe.fastlane", "com.wwe.video", "com.wwe.wwemagazine", "com.wwe.rockpocalypse"], "name": "WWE", "price": 0.0, "rating": [[" 4 ", 9491], [" 2 ", 751], [" 5 ", 73777], [" 3 ", 2305], [" 1 ", 2278]], "reviews": [["WWE App Repair", " The WWE App Is Not Working on my Nexas 7 tablet Since August there are some major bugs try to download the app but the app is not working please fix the problems needs to fix soon.? "], ["Best", " Love it! its fast and smooth but if you add total divas so its the best app ever. "], ["Great app", " Loads of exclusive content on this app definitly reccomend and best of all its free "], ["Free holly crap", " i can never watch the matches durnin commercal it never shows it this needs to be fixed other then that its a great app the poll is never on it for matches "], ["Thank you!!!", " Finnaly works on nexus 7 thank you! "], ["Nice...", " Latest update allows it to work on my Nexus 7. Finally! Thanks guys. "]], "screenCount": 6, "similar": ["hu.tonuzaba.android", "com.androblack.wwewallpapers", "com.mani.wweplayer", "com.funbuddy.wwesounds", "com.aitorfl.wweraw13", "com.aitorfl.wwesmackdown13", "com.wwe_tune.act", "com.google.android.play.games", "com.outfit7.talkingtom", "com.outfit7.talkingtom2free", "com.celebrities.wwefannation", "frameworks.wwe1", "com.scoompa.facechanger", "com.masterzone.yes", "com.mrko.wwevideos"], "size": "9.3M", "totalReviewers": 88602, "version": "2.6"}, {"appId": "com.gamestop.powerup", "category": "Entertainment", "company": "GameStop", "contentRating": "Medium Maturity", "description": "Awesome, we knew you\u00e2\u20ac\u2122d find your way to the official GameStop\u00c2\u00ae app. You spoke, we listened and created our app features based on customer feedback, including a lot of features for our PowerUp Rewards\u00e2\u201e\u00a2 members. Want to score PowerUp Rewards points for store check-ins? Check your PowerUp Rewards points on the go and redeem them for in-store coupons? Purchase games, accessories, consoles, and more?\tWell, wait no longer and download the app now. It\u00e2\u20ac\u2122s free!\tThe GameStop App is like having a GameStop store in your pocket! Here are just some of the highlights of what you\u00e2\u20ac\u2122ll have at your fingertips:\t- Full PowerUp Rewards Support: The best loyalty program on the planet for gamers is now mobile. Access and manage all of your important PowerUp Rewards information, including your point balance and your Game Library. Get new offers and discount alerts and redeem your PowerUp Rewards points for available rewards, such as coupons, merchandise and digital items. \t- Rich Information About Games: Discover the latest and greatest games for your favorite platform with detailed information including box art, customer ratings, trailers, videos and screenshots. \t- Barcode Scanning Built In! Next time you are in a GameStop store and want some quick information on a game, whip out your smartphone, fire up your GameStop app, and scan that barcode! You\u00e2\u20ac\u2122ll have immediate access to the latest information including videos and screenshots. \t- Check Store Availability: Want something in a hurry? Quickly check whether the product is available in a store near you and use our Pickup@Store feature to reserve the item for you. We\u00e2\u20ac\u2122ll even give you driving directions so you can get there as fast as possible! \t- In-App Purchases: See something you like? Order it right from the app, and you can choose to have it conveniently shipped to you or reserved for you at your favorite local GameStop store for quick and convenient pickup.\tNot a member of GameStop PowerUp Rewards? You can still experience some of the features in our app but, better yet, join now at a participating store near you. Start scoring points toward amazing rewards from PowerUp Rewards, get exclusive offers and discounts, chances to win once-in-a-lifetime gaming experiences, and lots more.\t\t- Improved scrolling performance\t- Usability tweaks\t- Misc bug fixes\tReminder: in order to access PowerUp functionality (game library, rewards, etc) you must first activate your PowerUp Rewards card on poweruprewards.com\tSome of what\u00e2\u20ac\u2122s new starting in latest version:\t- Redeem your PowerUp Rewards points for available rewards such as coupons, merchandise, and certificates.\t- Want something in a hurry? You can check in-store availability of games and accessories to find it in stock at a store near you, have it reserved for you using our Pickup@Store functionality, and get driving directions with the store locator.\t- Scan the barcode on a game, console, and more to view product details, screenshots, and videos.\t- Easily manage your Game Library from the app and view PowerUp Rewards messages and alerts.", "devmail": "khalidishaq@gamestop.com", "devprivacyurl": "N.A.", "devurl": "http://www.gamestop.com&sa=D&usg=AFQjCNEzLR1PCBJTyxNNe7YuaeATnBSZew", "id": "com.gamestop.powerup", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.gamestop.international"], "name": "GameStop Mobile Android", "price": 0.0, "rating": [[" 1 ", 1097], [" 2 ", 300], [" 5 ", 4020], [" 3 ", 499], [" 4 ", 725]], "reviews": [["5 star but now 2 star...", " at first when i installed this app it was working perfectly but all of a sudden it doesn't wants to open anymore! i wonder why? i've been reading a few reviews around here and a lot of folks are questioning the same question as myself. i think this problem bug it definatly needs to be fixed...please do so!!!! "], ["Poor UI", " Functional, but sloppy. The browser interface is much better and streamlined, but this mobile app gets something done. I know GameStop can make it so much better than it is, and they should. This is being used by a bunch of gamers that spend a ton of money at their stores. "], ["File Size Too Big", " There really is no reason for this app to take up more space on Android devices than it does to iPhone, iPad, and iPod Touch users. Please shrink the file size to 8.4MB like Apple does in their app store. "], ["So buggy", " Nothing loads, always says \"Oops, there was an error, we'll look into it soon.\" It's not my internet connection, that's fine. Hope it gets fixed soon. "], ["Stopped working", " I used this app one time and thought it was great. It let me search for my games, look at my rewards, and even call my local store. However, once I used it, it won't even open. Nothing but a black screen. It's definitely a 5 star app......if they can make it actually work more than once! Any suggestions? "], ["Buggy", " Needs an update to fix. I've had to call customer support twice already to adjust my points because whenever I have to use my phone app to redeem a reward, it does it 4 times. 1 free strategy guide turned into 4 tragedy guides and 40,000 plus points missing. Same thing when I reserve a game to be picked up at the store. I do it once and I receive 4 emails from Gamestop about my request. "]], "screenCount": 6, "similar": ["com.google.android.apps.androidify", "gnu.tapaktangan.android", "com.nextmobileweb.phoneflix", "inediblesoftware.shotgun", "com.tapblaze.jinxytalkingcat", "com.google.android.play.games", "com.fiksu.fma.android", "com.piviandco.agingbooth", "com.korrisoft.voxfx", "jp.co.hangame.hangamelauncher", "com.a1543348284527387cd9967b7a.a82279842a", "com.imdb.mobile", "jp.tekunodo.freedrumpad", "com.netflix.mediaclient", "com.sketchbook"], "size": "12M", "totalReviewers": 6641, "version": "2.10"}, {"appId": "com.tvguidemobile", "category": "Entertainment", "company": "TV Guide", "contentRating": "Low Maturity", "description": "TV Guide\u00e2\u20ac\u2122s new official app for Android is your one-stop, 24/7 TV companion and our best listings guide ever. It makes TV simple again \u00e2\u20ac\u201c anywhere, anytime. Your feedback was instrumental in the creation of many cool new features and we\u00e2\u20ac\u2122re excited for you to see them. Please keep your feedback coming \u00e2\u20ac\u201c what you love, what you don\u00e2\u20ac\u2122t and what you want to see next. Highlights:\u00e2\u20ac\u00a2 Watchlist - your super-personalized TV Guide: Organize your favorite shows, sports teams, movies, and actors and find where you can watch them \u00e2\u20ac\u201c on TV, on demand, streaming and DVD. \u00e2\u20ac\u00a2 Video: Link to watch TV and movies instantly on Crackle, The CW, HBO GO, Hulu Plus, and MAX GO. Watch now, anywhere, anytime.\u00e2\u20ac\u00a2 New Tonight: What's new in prime time with three handy filters:1. All new shows2. Trending \u00e2\u20ac\u201c a social hot list based on what TV Guide users are watching3. Watchlist \u00e2\u20ac\u201c only your favorite shows\u00e2\u20ac\u00a2 Listings: Detailed info about every airing with the ability to:1.\tSet up alerts and never miss a live airing2.\tEasily personalize your Watchlist3.\tFilter by HD-only and favorite channels4.\tCheck-in and share what you're watching with your friends on Facebook, Twitter and more\u00e2\u20ac\u00a2 Exclusive content: The best in breaking news, features, videos and photos, curated by TV Guide's editors\u00e2\u20ac\u00a2 News Watchlist filter: Get news customized just for you\u00e2\u20ac\u00a2 One account: TVGuide.com users can enjoy the convenience of one linked account for TVGuide.com and TV Guide for iPhone, iPad and iPod touch and Android. Set up individual accounts for every member of your family.The app is available for these Android versions only:\u00e2\u20ac\u00a2 Ice Cream Sandwich (4.0.2+) \u00e2\u20ac\u00a2 Jellybean (4.1+)", "devmail": "TVGOLAndroidFeedback2@tvguide.com", "devprivacyurl": "http://legalterms.cbsinteractive.com/privacy&sa=D&usg=AFQjCNHArhgkaUGky2QwenZiOL_q7OjtjA", "devurl": "http://www.tvguide.com/services/help/mobile/&sa=D&usg=AFQjCNHEVX3fXCRXqxybjjtJ-VUu87y6Xg", "id": "com.tvguidemobile", "install": "500,000 - 1,000,000", "moreFromDev": "None", "name": "TV Guide Mobile", "price": 0.0, "rating": [[" 5 ", 1194], [" 3 ", 198], [" 4 ", 423], [" 1 ", 327], [" 2 ", 129]], "reviews": [["Fun", " Lots of fun facts and info on all your favorite shows. "], ["Bad update", " Now it closes every time I try to open it "], ["Fire the person in charge", " Consistently poor app, year after year. No imagination or concern. New update makes bugs. Freezes now. Worst annoying flashing ad's. Cool it. "], ["Great", " Love this app. Fast and easy to use. "], ["Love it", " Great app "], ["What the hell?", " After updating its all crazy. I L\u00e2\u2122\u00a5ved it before the update. "]], "screenCount": 6, "similar": ["com.acrossair.tvguideuk", "com.rhythmnewmedia.tvdotcom", "pl.wp.programtv", "usa.jersey.tvlistings", "net.micene.minigroup.palimpsests.lite", "com.ebroadcast.tvguide.au.free", "com.androidsk.tvprogram", "com.gotv.crackle.handset", "com.xfinity.tv", "sunbreeze.tvguide", "de.stanwood.onair.phonegap", "de.tvspielfilm", "com.imdb.mobile", "com.TWCableTV", "ukfree.jersey.tvguide", "com.viki.android"], "size": "2.9M", "totalReviewers": 2271, "version": "3.0.8"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtafaa.json_merged.json b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtafaa.json_merged.json new file mode 100644 index 0000000..6d32ab1 --- /dev/null +++ b/mergedJsonFiles/Top Free in Entertainment - Android Apps on Google Play.html_ids.txtafaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.ticketmaster.mobile.android.na", "category": "Entertainment", "company": "Ticketmaster L.L.C.", "contentRating": "Low Maturity", "description": "What are you doing tonight? Get the tickets you want on the go with the Ticketmaster app now available for Android! The Ticketmaster app connects you to your favorite events and lets you purchase on the go. Plus: Get mobile alerts about onsales and last-minute tickets for your favorite eventsBrowse and search for more concerts, games, and other events in your areaGet the new Ticketmaster App now and find the fun you\u00e2\u20ac\u2122ve been missing.", "devmail": "mobilefeedback@ticketmaster.com", "devprivacyurl": "N.A.", "devurl": "http://www.ticketmaster.com&sa=D&usg=AFQjCNGQ5PoXxjWiH8Gia1z_ZTMYXfaDyw", "id": "com.ticketmaster.mobile.android.na", "install": "500,000 - 1,000,000", "moreFromDev": ["com.ticketmaster.mobile.android.au", "com.ticketmaster.mobile.android.uk", "com.ticketmaster.mobile.android.ie", "com.ticketmaster.ticketmaster"], "name": "Ticketmaster", "price": 0.0, "rating": [[" 4 ", 196], [" 5 ", 778], [" 2 ", 86], [" 3 ", 97], [" 1 ", 542]], "reviews": [["Focus!", " YOU don't need my EXACT location to look up tickets. YOU are not getting my GPS. Quit f...in' asking. YOU can use my network to look up a ZIP code. Piece of sh... "], ["App does OK... But lacks key features", " For one, if we should need to print tickets, please provide cloud printing capabilities. Also, QR code should be standardized for big events where applicable. "], ["Awful", " Not that I should really expect more from this, since the website is just as bad, but this app can only be described as awful. It's incredibly slow, crashes constantly and sends you to \"partner sites\" to buy tickets, but the sites won't even load because they require Flash. Requiring to scan your music library to get info about which artists you like sounds like a cool concept, but it's such a slow process (and I don't even have nearly as much music on my phone as many of my friends). "], ["Slow start up and unreliable", " The app is awful. It scans your music collection on every start which make starting take a long time. I tried to use this for my tickets to a show and the app was too slow to use. I had to go to the mobile site to get my tickets. This app is a complete failure. For the surcharges ticket master charges they should invest some of that into building a useful app. "], ["Terrible", " What a bloated, poorly designed, and all around terrible app. I can't decide which I despise more: this app or Ticketmaster's exorbitant fees? It takes half an hour to load and re-\"updates\" every time I go to the home screen. It's unusable! All I want to do is tap the icon and quickly access my tickets. That's it. TM should drastically reduce the features on this thing. "], ["Eh. It could be much much better.", " This app could really use a major overhaul. From design to functionality. Though sort of useful when its useful, I really think it could be useful when you least expect it. "]], "screenCount": 5, "similar": ["com.xcr.android.ticketapp", "com.planetgigguiderelease.android", "com.xcr.android.peakseats", "app.ocesa2.activity", "com.stubhub", "appinventor.ai_aapm1000.TG", "com.livenation.mobile.android.na", "com.banamex.views", "com.xcr.android.stubstubtickets", "com.omilen.ticketmaster", "com.apst.ticketsmate", "com.seatgeek.android"], "size": "6.5M", "totalReviewers": 1699, "version": "1.5.1"}, {"appId": "com.aol.mobile.moviefone", "category": "Entertainment", "company": "AOL Inc.", "contentRating": "Low Maturity", "description": "Moviefone is the ultimate app for showtimes, trailers, reviews, exclusive movie clips, and news. What\u00e2\u20ac\u2122s different about Moviefone?\u00e2\u20ac\u00a2Find movies playing right now near you in one tap!\u00e2\u20ac\u00a2Check out local restaurants and bars around your favorite theaters.\u00e2\u20ac\u00a2Beautiful design \u00e2\u20ac\u201c find your showtimes in style. MORE AWESOME FEATURES:\u00e2\u20ac\u00a2View movies in theaters, top box office hits, coming soon, and new on DVD\u00e2\u20ac\u00a2Watch trailers and movie clips in full screen including exclusive \u00e2\u20ac\u0153Unscripted\u00e2\u20ac\ufffd Moviefone Q&A sessions and Six Second Reviews\u00e2\u201e\u00a2\u00e2\u20ac\u00a2Buy tickets on the go to any of our participating theaters\u00e2\u20ac\u00a2Playing Now Near Me \u00e2\u20ac\u201c check out what movies are playing RIGHT NOW in theaters near you\u00e2\u20ac\u00a2Get to the theater easily with our maps feature\u00e2\u20ac\u00a2Find places to eat or grab a drink near any theater\u00e2\u20ac\u00a2Share movie details on Facebook, Twitter, SMS, or by email\u00e2\u20ac\u00a2Get the latest news from 20+ categories for all your favorite movies and actors\u00e2\u20ac\u00a2Save your favorite theaters for quick and easy access to showtimes\u00e2\u20ac\u00a2Sort movies by MPAA rating, title, or actor to find the perfect movie for the kids or date night We hope you love the app as much as we do. As always we appreciate your feedback so please send comments to moviefone.android.fb@teamaol.com.", "devmail": "moviefone.android.fb@teamaol.com", "devprivacyurl": "http://legal.aol.com/MobileTOS&sa=D&usg=AFQjCNG6ZFWrjLy-FeITkdzmktbooB-OuA", "devurl": "http://www.moviefone.com/&sa=D&usg=AFQjCNELv27SzR1m8Vxqd1cX89JU3mIo1A", "id": "com.aol.mobile.moviefone", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.aol.mobile.dailyFinance", "com.aol.on.googletv.moviefone", "com.aol.mobile.aim", "com.aol.on.googletv.huffpostlive", "com.aol.mobile.aolhd", "com.aol.mobile.android.autoblog360", "com.aol.mobile.techcrunch", "com.aol.mobile.aolon", "com.aol.mobile.aolapp", "com.aol.mobile.engadget"], "name": "Moviefone - Movies & Showtimes", "price": 0.0, "rating": [[" 3 ", 1071], [" 4 ", 3211], [" 1 ", 673], [" 5 ", 9265], [" 2 ", 344]], "reviews": [["Thorough, but there are bugs.", " It's always correct, and pretty much anytime I want something to do with a movie, this is what I use. Two things annoy me. One is the constant achievement points; you'd have to be obsessed with no life to win even a gift card. The other is that my location continuously resets to California. I live on the east coast. I correct it all the time, but it always returns to Cali. Please fix this. Seriously, please. It's infuriating. "], ["Very useful app, however the search function doesn't allow the most efficient ...", " Very useful app, however the search function doesn't allow the most efficient theater searches. I would still recommend this app to anyone though. There's just a few minor issues that are momentarily frustrating but not permanently hindering. "], ["So bad!", " Cannot play it fullscreen does not even deserve 1 star. "], ["I miss the old movie phone.", " The update seems to have the goal of using as much data as possible. It was much easier to get to the movie listings I wanted to see with the older version. "], ["Convenient", " I really like this app, especially the film trailers. Much more convenient than calling for movie times. And the showtimes are always accurate in my area. EDIT: Trailers no longer fill the entire screen on my HTC One. The are some options to increase the video size, but it's still too small. Edit 2: The update did not improve small screen size. "], ["Love it!", " Use it before every trip to movies. Don't ever remember it being wrong times/show. Never used purchase feature. Would be nice to have PRICES- Military, senior, matinees, 3D, etc "]], "screenCount": 16, "similar": ["com.net.WatchMoviesForFree", "com.softcell.hindimovies", "com.grep.lab.fullmovie", "com.slacker.aol", "com.peliculaswifi.gratis", "javamovil.movies", "com.mooff.mtel.movie_express", "com.patch.android", "net.flixster.android", "com.sufistudios.videokitter", "com.gotv.crackle.handset", "com.cambio.mobile", "com.hlpth.majorcineplex", "com.picadelic.fxguru", "com.fandango", "com.imdb.mobile", "tv.cinetrailer.mobile.b", "com.stream.phd", "com.viki.android"], "size": "6.7M", "totalReviewers": 14564, "version": "2.0.61.4"}, {"appId": "com.net.WatchMoviesForFree", "category": "Entertainment", "company": "AdNetApps", "contentRating": "Everyone", "description": "The application allows you to find and watch movies on YouTube.Watch free full movies online without downloading or signing up.Features:- A box for movies search.- Most popular movies.- Most recent movies.- Trending movies.- List of last searches.- Movies by genre: Action, Animation, Comedy, Crime, Drama, Romance, Science Fiction.- Movies by language.- English movies, Russian movies, Hindi movies.- Online streaming movies.- Watch the cinema everywhere.- It's free!", "devmail": "adcoms.net@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.net.WatchMoviesForFree", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "watch movies for free", "price": 0.0, "rating": [[" 2 ", 102], [" 5 ", 1058], [" 1 ", 654], [" 3 ", 155], [" 4 ", 225]], "reviews": [["Let's see", " Lets see if this app is good but Ill still give 5 star... feeling hopeful ;) kylie06 "], ["stupid", " they're stupid waste time old weird movies "], ["5??", " Lets see if it is worth five stars "], ["Dev'd", " Very nice "], ["me", " excellent "], ["Kool", " Kool "]], "screenCount": 5, "similar": ["com.adcoms.footballGamesFree", "com.vad.ypwmoviesdroid", "javamovil.movies", "com.LiveTvStreaming", "com.TvShowsFree", "com.fandango", "tv.cinetrailer.mobile.b", "com.SportVideoFree", "com.app.ent.movie", "com.adcoms.cowGame", "com.peliculaswifi.gratis", "com.songsFreeMusic", "com.gotv.crackle.handset", "com.imdb.mobile", "com.viki.android", "com.softcell.hindimovies", "com.NewsVideoFree", "net.flixster.android", "com.picadelic.fxguru", "com.netflix.mediaclient", "com.grep.lab.fullmovie", "com.videotubefree.online", "com.white.movietube", "com.gamesVideoReviews"], "size": "276k", "totalReviewers": 2194, "version": "18.0"}, {"appId": "com.valvesoftware.android.steam.community", "category": "Entertainment", "company": "Valve Corporation", "contentRating": "Medium Maturity", "description": "With the free Steam app for Android, you can participate in the Steam community wherever you go. Chat with your Steam friends, browse community groups and user profiles, read the latest gaming news and stay up to date on unbeatable Steam sales.", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://store.steampowered.com/about/mobile&sa=D&usg=AFQjCNEcVWxGAWloS_Aw3qkJWKV9nFxIzA", "id": "com.valvesoftware.android.steam.community", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Steam", "price": 0.0, "rating": [[" 4 ", 4566], [" 1 ", 2429], [" 2 ", 888], [" 3 ", 2049], [" 5 ", 21360]], "reviews": [["Apparently doesn't want my money", " It needs the option to open to what tab you want it to. It only goes straight to your friends list. When voting in the summer sale, it hardly ever registers that the vote went through. When I touch a flash deal, it won't open or it will open the one next to it since they switch positions when it reloads. When I go to enter my payment information (which it should know based on my account) it doesn't accept any form of payment because I need to \"select a state or province\" even though I did. "], ["It's just a community portal", " All this app does us give you access to community forums and chatting with friends. I believe it has a shopping option, but I have no reason to want to buy games while on the go. The only feature I wanted was the one missing; the option to remote install. I pre-ordered a game that was avaible while I was at work and I wanted it installed for me when I got home. Also Towns is a scam. "], ["Randomly signing in on its own", " It has to have been at least 10 times that I looked at my phone and steam was suddenly running and online for absolutely no reason. So I exit the app and then later that week there it is again! there's a reason I don't want it running, I don't need anything draining my battery if I'm not using it, make it stop doing this "], ["Can't buy games", " When I enter my payment info it keeps saying I need to enter a state, no matter what I put in the field. The mobile site in the browser just keeps taking me back to the login screen. They just lost a sale. On stock Gnex on Vzw running ICS. "], ["Needs work", " You can buy things, add to wishlist, be notified when your wishlisted item goes on sale, and you can chat. You can't hardly browse the workshop and it forgets you're logged in, so if you manage to find something you want you can't subscribe to it. Can't play trailers even though they show up in search results for games because they require flash. Why would an android app require flash, yet not support it? "], ["logout and save password possible?", " Whenever I log out, I will have to type in my username and password all over again. Wouldn't it be better to let me just save my password and logout when I don't want to use it? "]], "screenCount": 5, "similar": ["com.kawasoft.instatube.google.free", "com.vimeo.android.videoapp", "net.siliconuniverse.horoscopo", "com.appspot.swisscodemonkeys.steam", "org.nessuno.steamgifts", "com.outfit7.talkinggingerfree", "com.google.android.play.games", "com.outfit7.talkingben", "com.outfit7.talkingtom", "com.outfit7.talkingtom2free", "com.forshared", "com.repaircomputermontreal.scaryvideo", "com.vbulletin.build_1244", "com.imdb.mobile", "mmedia.Staticon", "GFM.foged.packge"], "size": "685k", "totalReviewers": 31292, "version": "1.0.6"}, {"appId": "com.amctv.thewalkingdead.deadyourself", "category": "Entertainment", "company": "AMC", "contentRating": "Medium Maturity", "description": "Join millions of users from around the world and turn yourself into a photo-realistic Walker zombie from The Walking Dead with the official free app from AMC, now available on Android!Take a photo of yourself or a friend, and then edit your photo using the incredibly realistic zombie eyes, mouths, and props. Share your new portrait on Facebook, Twitter, and the public Walker photo gallery. Don't forget to vote for the most fearsome, the most gruesome, or the most awesome photos in the public Walker Photo Gallery!Supports Ice Cream Sandwich and Jelly Bean.Please note that you must have an active network connection to download all of the 40+ high resolution eyes, mouths, and props. If you have a slow connection, these can sometimes take 2 to 3 minutes to download in full.", "devmail": "hello@thekm.co", "devprivacyurl": "N.A.", "devurl": "http://www.amctv.com/&sa=D&usg=AFQjCNE4YPfkq1ZtLeulq51aA5JthHz-Hg", "id": "com.amctv.thewalkingdead.deadyourself", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.amctv.mobile", "com.amctv.tablet"], "name": "The Walking Dead Dead Yourself", "price": 0.0, "rating": [[" 3 ", 479], [" 1 ", 801], [" 5 ", 5814], [" 4 ", 1010], [" 2 ", 213]], "reviews": [["Forces close", " Can't select and use my own stored photos forces close after i select a photo from my files and everytime I use the camera on the app to take a new photo of myself and attempt to start creating my face it forces close. Please fix! "], ["Log TWD on addicted to it love it solo much!!!", " But plz sum one tell me how do I send in my dead yourself photos to have a chance for it to b aired on the show plz tell me I would really appreciate it so much I've been dying to send in a few of my dead yourself photos I've taken "], ["Really, really. Really....", " The first app was great. We could up load pics off our digital device and edit them. Not on the updated one. Same weak editing scales, and fonts. Come on, this is a multimillion dollar product, and this is the best you have to offer HARDCORE WALKING DEADHEADS? Come on really, really, really? Who's with me on this? So many possibilities and all fall short of PARR (PAR) Nuff said and make mine, Well you know the rest "], ["Wow", " It worked much better than expected. A few of my pics came out looking very realistic. Take the time to match up the best mouth and eyes for your face. Its worth it. My only complaint is that you can't remove all the logos at the bottom for Halloween profile pictures! "], ["Crashes on Galaxy Tab", " Starts up and able to d/l parts, but after it takes a picture, it freezes, and goes back to the camera...reinstalled 3 times with same results "], ["Update the app!!", " Got a new Nexus 5 running Android 4.4 and the app no longer saves the image in the gallery. Says it can't save to local gallery.. Please fix ASAP! --------------- Its a great app, installed on both my Nexus 4 and Nexus 7. But on the Nexus 7 2013 - the camera looks squashed and once you take the photo - the image zooms in quite a bit.. Aside from that - cool app "]], "screenCount": 5, "similar": ["com.motionportrait.VampireBooth", "air.BBCODB", "air.amctv.survival", "com.tyffon.ZombieBooth2", "air.com.amctv.madmeninterview", "hu.tonuzaba.android", "com.piviandco.mixbooth", "com.km.draw.photoeffects", "com.piviandco.fatbooth", "com.motionportrait.ZombieBooth", "com.scoompa.facechanger", "air.com.dottystylecreative.shfa.santafy", "com.lunagames.dancebooth", "air.killing", "air.com.amctv.holidaygame", "encogent.moviemonster", "com.kauf.sticker.baldmustacheboothfunpic", "com.rc.thewalkingdead.soundboard", "com.quiz.movie.trivia.walking.dead.death3", "air.amc.jobinterview6", "com.TheWalkingDeadOnline", "com.piviandco.agingbooth", "air.amc.deadreckoning", "hu.tonuzaba.facechanger"], "size": "8.2M", "totalReviewers": 8317, "version": "2.0.11"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json new file mode 100644 index 0000000..d2a55f5 --- /dev/null +++ b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.king.candycrushsaga", "category": "Casual", "company": "King.com", "contentRating": "Everyone", "description": "Switch and match your way through more than 400 levels in this delicious and addictive puzzle adventure. Ain't it the sweetest game ever? Please note Candy Crush Saga is completely free to play but some in-game items such as extra moves or lives will require payment. The super hit game Candy Crush Saga is now available for Android phones and tablets!------------------------------- Join Tiffi and Mr. Toffee in their epic adventure through a world full of candy. Take on this deliciously sweet saga alone or play with friends to see who can get the highest score! ------------------------------- Candy Crush Saga features: \u00e2\u02dc\u2026 Tasty graphics that will leave you hungry for more \u00e2\u02dc\u2026 Easy and fun to play, but a challenge to fully master \u00e2\u02dc\u2026 Over 400 sweet levels \u00e2\u02dc\u2026 Leaderboards for you and your friends \u00e2\u02dc\u2026 Items to unlock by completing levels \u00e2\u02dc\u2026 Boosters and charms to help with those challenging levels \u00e2\u02dc\u2026 Seamless synchronization with the Facebook version------------------------------- Last, but not least, a big THANK YOU goes out to everyone who has played Candy Crush Saga! Already a fan of Candy Crush Saga? Like us on Facebook or follow us on Twitter for the latest news: facebook.com/CandyCrushSaga twitter.com/CandyCrushSagaBy downloading this game you are agreeing to our terms of service which can be found at http://about.king.com/consumer-terms/terms", "devmail": "ccsmfeedback@king.com", "devprivacyurl": "http://about.king.com/consumer-terms/terms/%23privacy&sa=D&usg=AFQjCNHREQ1mcf3xecBPx_XNcEQfBnYZ9w", "devurl": "http://about.king.com/candy-crush-saga-faqs&sa=D&usg=AFQjCNFoeSkb8lNE6AwhZM0_zL1hKsxf0Q", "id": "com.king.candycrushsaga", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.king.candycrushsagakakao", "com.king.petrescuesaga"], "name": "Candy Crush Saga", "price": 0.0, "rating": [[" 5 ", 1990730], [" 2 ", 54252], [" 1 ", 141048], [" 4 ", 530935], [" 3 ", 168209]], "reviews": [["My opinion", " I have been stuck on the same game for months now and once I think I have it figured out it changes. I have also logged into Candy Crush Rewards, do everything exactly as instructions say and have yet top ten minutes later receive my Rewards. I have purchased xtra Candy and never received. "], ["Candy Crush Saga", " How much longer are we going to have to wait to update on the phone. I am on level 500 and I have to sit at the computer just to play. I see you have updated to level 485 but it does me no good. "], ["Deleted", " I loved this game..... Until level 181; I thought great, finally a game you can progress in without having to pay for boosters, etc..... Until I reached level 181! One month on, game is being deleted. Well done King, I stopped playing Zynga games because you needed cash to progress, now yours are going too! Why does it always have to be about cash? "], ["Fun but has problems", " I enjoy the game but it is frustraiting when you ask friends (fb) for episode unlocks and they take the time of giving you the unlock, then nothing happens in the game... its like you get one out of 3 friends unlock. Definatly feel like the game wants you to buy the level unlocks. My last episode unlock I waited a week for the unlocks. Then fianlly the game decided to give me 3 of 9 friend unlocks I got to the next episode. "], ["Fun game to have", " It's a very fum game and addicting, totally five star worthy. But it keeps crashing on me, (lg motion) and sometimes the application doesn't open unless i restart my phone. "], ["CANDY CRUSH READ!", " WHOEVER IS OVER CANDY CRUSH SAGA PLEASE READ!!!!! WHEN SOMEONE HAS TRIED A SINGLE LEVEL OVER 100 TIMES, THERE SHOULD BE AN OPTION TO PAY .99 TO MOVE ON TO THE NEXT LEVEL. JUST LIKE LIVES. I MEAN COME ON YOU WOULD MAKE MILLIONS. ALMOST EVERYONE I KNOW HAS QUIT CAUSE THEY CANT PASS A LEVEL. WANT THEM BACK PLAYING TO KEEP THIS GAME FAMOUS? THINK OUTSIDE THE BOX BEFORE YOU LOSE ME TO! "]], "screenCount": 15, "similar": ["com.teamlava.bakerystory31", "com.BubbleTeam.JewelsCrush", "com.g6677.android.lpetvet", "com.bfs.papertoss", "com.ea.game.pvz2_row", "com.gameloft.android.ANMP.GloftIAHM", "com.gold_stone_studio.fruitsaga8017", "com.magmamobile.game.Burger", "com.midasplayer.apps.bubblewitch", "com.gamestar.pianoperfect", "com.outfit7.mytalkingtomfree", "me.pou.app", "com.gameloft.android.ANMP.GloftDMHM", "com.g6677.android.phairsalon", "com.game.casual.candymania", "com.ea.game.simpsons4_row"], "size": "Varies with device", "totalReviewers": 2885174, "version": "Varies with device"}, {"appId": "com.outfit7.mytalkingtomfree", "category": "Casual", "company": "Outfit7", "contentRating": "Everyone", "description": "Adopt your very own baby Tom. Feed him, play with him and nurture him!Dress him up any way you like by picking from a wide selection of fur colors, hats and glasses. You can even decorate his home and make it more cozy! Play with Talking Tom like never before and watch as he becomes a part of your everyday life. The original Talking Tom apps have been downloaded over 500 million times and reached no. 1 in 140 countries. FEATURES: - Nurture your very own Tom: Play games with him, feed him his favorite foods, tuck him into bed. - Enjoy life-like emotions: Tom can be happy, hungry, sleepy, bored... his emotions change according to how you play with him. - Unleash your creativity: Create your very own Tom by choosing from 1000\u00e2\u20ac\u2122s of combinations of furs, clothing and furniture. - Get rewards as you progress: Help Tom grow through 9 different stages and 50 levels unlocking new items and coins as you go! - Interact with Tom: Talk and Tom still repeats everything you say. Poke, stroke and tickle him, and watch how he responds. NOTICE: Users can play and access all levels of the app and all features necessary to progress within the game without making any in-app purchases using real money. Gold coins can be earned by playing in-app mini games, liking the app on Facebook and progressing to the next level. Users can also buy gold coins with real money. Some items are locked and available at higher levels of the app. To buy locked items before reaching the appropriate level, users will have to spend more gold coins than if they wait until these items unlock. For more information about in-app purchases using real money please see the End User License Agreement available at http://outfit7.com/eula-android/, section My Talking Tom.END-USER LICENSE AGREEMENT FOR ANDROID: http://outfit7.com/eula-android/", "devmail": "N.A.", "devprivacyurl": "http://outfit7.com/privacy/&sa=D&usg=AFQjCNEkB7hAP337M83DXxAKRh_h8biGPQ", "devurl": "http://outfit7.com/contact/android/&sa=D&usg=AFQjCNFq0dxCibfbkcdFaRGXWExU5_vJKg", "id": "com.outfit7.mytalkingtomfree", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.outfit7.talkingrobyfree", "com.outfit7.talkinggina", "com.outfit7.talkinggingerfree", "com.outfit7.jigtyfree", "com.outfit7.talkingsantagingerfree", "com.outfit7.gingersbirthdayfree", "com.outfit7.talkingben", "com.outfit7.talkingtom", "com.outfit7.talkingtom2free", "com.outfit7.angelasvalentinefree", "com.outfit7.talkingnewsfree", "com.outfit7.tomsmessengerfree", "com.outfit7.tomlovesangelafree", "com.outfit7.talkingsantafree", "com.outfit7.talkingpierrefree", "com.outfit7.talkingangelafree"], "name": "My Talking Tom", "price": 0.0, "rating": [[" 3 ", 2959], [" 1 ", 2869], [" 2 ", 991], [" 5 ", 85105], [" 4 ", 6449]], "reviews": [["Amazing work", " I have now gotten 65 on happy face it has two faces ones happy one isnt time goes quick and i clicked the sad face :):( Its so fun to own this cat which is fun for me My Talking Tom should be number 1 "], ["S4 mini", " Great game, keeps me occupied. Takes the bordem out of my life. Never lags and is very entertaining. Only bad thing is the frequency of ads. Other then that its great! "], ["A fun game!", " Im not jessica im her son and this app is amazing! You actually take care of tom its like pou 5 Stars!! Amazing With the new happy face game Its evan funnier "], ["OSWMMMMMM", " I THO JUST LUUVVVVVVVV THIS GAME THIS GAME BCOZ IT'S JUUSST AMMAZING LUV IT A VERRRRY LOT "], ["Love it!", " OMG! This game is the best. My friend had told me to download this app and so I just tried it. But I loved it like I thought it is the best app ever. I still thank my friend to tell me about this game. And I even thank Outfit7 to make such a lovely game. I love u Tom! But there should be even there such a app for talking Angela too. Please make such an app. It would be very nice if you make it. Please do the needful. And even 100% better than Pou. It should be in the top games list!, "], ["Boring but enjoyable", " It has no excitement. .. its like when u have a really old phone and you play every single ringtone and then just fall asleep from boredom "]], "screenCount": 15, "similar": ["com.naturalmotion.myhorse", "com.mylovelykitty.fredenucci", "com.king.candycrushsaga", "com.g6677.android.lpetvet", "com.bfs.papertoss", "com.ea.game.pvz2_row", "com.gameloft.android.ANMP.GloftIAHM", "com.ea.game.simpsons4_row", "com.magmamobile.game.Burger", "com.gamestar.pianoperfect", "me.pou.app", "com.gameloft.android.ANMP.GloftDMHM", "com.g6677.android.phairsalon", "com.teamlava.bakerystory31", "com.king.petrescuesaga", "air.com.games4girls.TalkingCat"], "size": "34M", "totalReviewers": 98373, "version": "1.1"}, {"appId": "com.king.petrescuesaga", "category": "Casual", "company": "King.com", "contentRating": "Everyone", "description": "Pet Rescue Saga is the new hit puzzle game from the makers of Candy Crush Saga . Match two or more blocks of the same color to clear the level and save the pets. There are hundreds of levels of this great game with amazing features \u00e2\u20ac\u201c sizzling rockets, colourful paint pots, exploding bombs and much more to help you pass the levels and get a high score. Moves are limited so plan them carefully. Your puzzle skills will be tested with hours of block busting fun! *** Downloaded over 150 million times! - Thanks to all our fans ***Please note Pet Rescue Saga is completely free to play but some in-game items such as extra moves or lives will require payment. By downloading this game you are agreeing to our terms of service which can be found at http://about.king.com/consumer-terms/terms------------------------------- Pet Rescue Saga Features:. Eye Catching graphics and colourful gameplay\u00e2\u20ac\u00a2 Quick to learn, but with hours of fun challenges\u00e2\u20ac\u00a2 Lovable pets of all varieties, puppies, bunnies, piglets and many more!\u00e2\u20ac\u00a2 Spectacular boosters and bonus rewards unlocked after many levels\u00e2\u20ac\u00a2 Diamonds, exploding bombs, locked animal cages and much more\u00e2\u20ac\u00a2 An exciting leaderboard for your friends and competitors \u00e2\u20ac\u00a2 Seamless synchronization with the Facebook version------------------------------- Already a fan of Pet Rescue Saga? Like us on Facebook or follow us on Twitter for the latest news: facebook.com/PetRescueSaga twitter.com/PetRescueSagaFrom King, the makers of Candy Crush Saga and Bubble Witch Saga. Play now!", "devmail": "petrescuemobile@support.king.com", "devprivacyurl": "http://about.king.com/consumer-terms/terms/en%23privacy&sa=D&usg=AFQjCNGiMQEOqiOZ_q9OthwFGvbHvhd6gg", "devurl": "http://about.king.com/games/pet-rescue-saga/faq&sa=D&usg=AFQjCNH9g0CRJbBo2YHXEod5_LPA9yJUZw", "id": "com.king.petrescuesaga", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.king.candycrushsaga"], "name": "Pet Rescue Saga", "price": 0.0, "rating": [[" 5 ", 141053], [" 1 ", 10550], [" 3 ", 16578], [" 2 ", 5373], [" 4 ", 35721]], "reviews": [["few things", " should add that we can use hammers recieved by friends. also make it so I can ask friends for tickets and lives for just the people that play this game get request.... also a few other things... would have been a 5 "], ["Can't receive requests", " I really like this game, but requests I get from my facebook friends do not show up in the game. I have tried disconnecting and reconnecting to facebook with no success. Please fix. Other it would have been a 5. "], ["here's an idea..", " Make the ppl (my facebook friends) on my map a link to where i can ask them for a life and/or a ticket to the next trip... so i don't have to wait days for someone I ask to help when 90% of my fb friends dnt play.. make sense? It would really help!! "], ["Absolutely loved this game!! Better than Candy Crush ;-)", " But I can no n longer play now that I have gotten as far as I can, bc I now need tickets to continue playing. Which is such a bummer. I really enjoyed this game. Maybe the makers should change a few things.. **hint hint** "], ["Fix the ticket problem", " I have been waiting on tickets to go further for quite some time the people I'm asking don't even really play it as much as me is there away u can remove it the game is already complicated enough that takes the fun away remove the tickets please I love this game but if I can't play it I will have to remove this game. "], ["Great game challenging", " Would be great if you could buy the whole game as it gets very expensive when you have to keep paying to keep playing. Give us a break guys we don't mind paying a fair price and know you have to make a living but it gets mighty expensive for an hour of play if you don't wait till your time is up and you get given more lives. Would have given you a 5 "]], "screenCount": 14, "similar": ["com.teamlava.bakerystory31", "com.teamlava.petshop", "com.wordsmobile.musichero", "com.ea.game.pvz2_row", "com.bfs.papertoss", "com.g6677.android.lpetvet", "com.gameloft.android.ANMP.GloftIAHM", "com.gold_stone_studio.fruitsaga8017", "com.magmamobile.game.Burger", "com.midasplayer.apps.bubblewitch", "com.gamestar.pianoperfect", "com.outfit7.mytalkingtomfree", "me.pou.app", "com.gameloft.android.ANMP.GloftDMHM", "com.g6677.android.phairsalon", "com.ea.game.simpsons4_row", "com.gameloft.android.ANMP.GloftPEHM"], "size": "47M", "totalReviewers": 209275, "version": "1.7.7.0"}, {"appId": "com.kiloo.subwaysurf", "category": "Arcade & Action", "company": "Kiloo", "contentRating": "Low Maturity", "description": "DASH as fast as you can! DODGE the oncoming trains! Help Jake, Tricky & Fresh escape from the grumpy Inspector and his dog. \u00e2\u02dc\u2026 Grind trains with your cool crew! \u00e2\u02dc\u2026 Colorful and vivid HD graphics! \u00e2\u02dc\u2026 Hoverboard Surfing! \u00e2\u02dc\u2026 Paint powered jetpack! \u00e2\u02dc\u2026 Lightning fast swipe acrobatics! \u00e2\u02dc\u2026 Challenge and help your friends! Join the most daring chase! A Universal App with HD optimized graphics.By Kiloo Games and Sybo Games", "devmail": "support@kiloo.com", "devprivacyurl": "http://kiloo.com/privacy&sa=D&usg=AFQjCNEj3wCe6T-ehD8e35cgybPaMMOqIw", "devurl": "http://www.kiloo.com&sa=D&usg=AFQjCNH83sREXTtbLWeDdJp8XvZ1mYgfSQ", "id": "com.kiloo.subwaysurf", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.kiloo.frisbeeforever"], "name": "Subway Surfers", "price": 0.0, "rating": [[" 5 ", 2039930], [" 4 ", 255342], [" 1 ", 76072], [" 3 ", 82189], [" 2 ", 26875]], "reviews": [["Video wont give keys :(", " Having strange problem since yesterday.... it will say watch video to get 2 free keys but all I get is 100 coins. It shows keys but not getting any since yesterday. Please have a look "], ["I wonder...", " I want to now were all of the trains come from and go to. How do they not hit any thing? "], ["Crazy fun", " I dont think there is any other better game than this.. But i think the characters and the power ups price shud be cheaper.... "], ["Run run run... Get the best game", " Just love this game... I never get tired of running (running as jake :p ). The constant updates of new themes, new skateboards, new characters... Keeps me busy playing :) Thanks developers... A small donation from my side is for sure. Keep up the good work "], ["Good game....", " Subway surfer is my favorite game. ...its not a boring game. ..n I like the graphics of subway sufer...time would fly if v r playing this game. ...should play this game at least once...!! I find it difficult to play this game in the beginning. .afterwards I become an xoert in playing this. .love subway sufer very much. . "], ["Backup data :(", " First of all, I just want to say that I really enjoy this game but I have a problem with it not having an option to backup the progress (like the world tour characters and items) so that in case we need to replace our phones we can simply restore the data by binding the game thru Facebook or something like that. I know there are other ways to do this but I'd rather do it via Facebook coz it's faster that way. :( "]], "screenCount": 15, "similar": ["com.glu.deerhunt2", "com.game.SkaterBoy", "com.rovio.angrybirds", "com.halfbrick.jetpackjoyride", "com.gameloft.android.ANMP.GloftIMHM", "com.imangi.templerun", "com.gameloft.android.ANMP.GloftTBHM", "com.halfbrick.fruitninjafree", "com.rovio.angrybirdsseasons", "com.imangi.templerun2", "com.moistrue.zombiesmasher", "com.bestcoolfungames.antsmasher", "com.rovio.angrybirdsrio", "com.natenai.glowhockey", "com.SummerGames.summer.surfers", "com.mojang.minecraftpe"], "size": "29M", "totalReviewers": 2480408, "version": "1.16.0"}, {"appId": "com.glu.deerhunt2", "category": "Arcade & Action", "company": "Glu Mobile", "contentRating": "Medium Maturity", "description": "Cyber week! 20% extra currency on select items!#1 FREE GAME ON ANDROIDReturn to the wilderness in the most visually stunning FPS hunting simulator on Android!Travel from North America\u00e2\u20ac\u2122s Pacific Northwest to the Savannah of Central Africa in an epic journey to hunt the world\u00e2\u20ac\u2122s most exotic animals!BRAND NEW CLUB HUNTS!Join your friends in global cooperative challenges where teamwork is critical. Work together to complete hunting objectives and collect rewards!EXPLORE A LIVING WORLDImmerse yourself in diverse environments filled with over 100 animal species! Watch out for attacking predators including bears, wolves, and cheetahs! Hunting deer is just the beginning!MAXIMUM FIREPOWEREnjoy endless customization as you perfect your weapons. Upgrade magazines, scopes, stocks, barrels and more! Take hunting to the next level!COLLECT TROPHIESCompete for bragging rights as you bag the biggest animals with Google Play achievements and leaderboards!It\u00e2\u20ac\u2122s open season join the hunt today!Developed for fans of FPS games, Hunting Simulators, and the Deer Hunter franchise. ---------------------------------------------Deer Hunter 2014 is a free to play FPS hunting simulator, but you can choose to pay real money for some extra items.Use of this application is governed by Glu Mobile\u00e2\u20ac\u2122s Terms of Use. Collection and use of personal data are subject to Glu Mobile\u00e2\u20ac\u2122s Privacy Policy. Both policies are available at www.glu.com. Additional terms may also apply.FOLLOW US atTwitter @glumobilefacebook.com/glumobile", "devmail": "androidsupport@glu.com", "devprivacyurl": "http://www.glu.com/privacy&sa=D&usg=AFQjCNF7XANVJOJ3yOzV7ujS46miEuS0Xg", "devurl": "http://www.glu.com/&sa=D&usg=AFQjCNHDErxAXDY3LiFzEj9FdRXoBhcayw", "id": "com.glu.deerhunt2", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.glu.modwarsniper", "com.glu.android.brawler", "com.glu.gladiator", "com.glu.samuzombie2", "com.glu.flcn_new", "com.glu.zamf1", "com.glu.android.deerchal", "com.glu.contractkiller2", "com.glu.android.ck", "com.glu.android.zombsniper", "com.glu.android.gunbros_free", "com.glu.deerhuntnew", "com.glu.android.bugvillage", "com.glu.android.zombsniper_noblood", "com.glu.samuzombie", "com.glu.ewarriors2"], "name": "DEER HUNTER 2014", "price": 0.0, "rating": [[" 5 ", 644621], [" 4 ", 159118], [" 2 ", 9591], [" 3 ", 42153], [" 1 ", 24376]], "reviews": [["Great game, only problem I've had is it stopped giving my gold. None for ...", " Great game, only problem I've had is it stopped giving my gold. None for downloading apps, watching videos don't even get them now at different stages. "], ["Galaxy s 4 active", " When I updated the new turkey hunting, the game stopped working. I cant even open it dosent even register that im trying to open it. Also the guns cost to much unless you spend real money to get them. "], ["Too much wait time between hunts!", " You upgrade with what the game tells you to and still never enough,sucks your money dry and when you upgrade you have to wait 5-10 minutes before you can resume play. Very cheesy to try to get you to pay money. "], ["Fantastic!", " The only real issue is download size, but that can't be helped Very addictive game and is by far the best mobile hunting game available "], ["Do not spend your money!!!!!", " Does not load on Samsung Galaxy Note 3 . keeps crashing and doesnt opening fully glu adv I don't have enough memory sorry glu 3 gigs dedicated just to opening and running programs plus over 90 gigs of memory can this program not keep up with snapdragon. Now new update for turkeys game won't even open. "], ["Great game, but...", " I will never understand a game that forces you to wait to play, unless of course you want to spend real money. "]], "screenCount": 15, "similar": ["com.gameloft.android.ANMP.GloftIMHM", "com.game.SkaterBoy", "com.rovio.angrybirds", "com.halfbrick.jetpackjoyride", "com.tatem.dinhunterhd", "com.kiloo.subwaysurf", "com.gameloft.android.ANMP.GloftTBHM", "com.halfbrick.fruitninjafree", "com.imangi.templerun", "com.rovio.angrybirdsstarwarsii.ads", "com.imangi.templerun2", "com.moistrue.zombiesmasher", "com.bestcoolfungames.antsmasher", "com.rovio.angrybirdsrio", "com.natenai.glowhockey", "com.fgol.HungrySharkEvolution"], "size": "39M", "totalReviewers": 879859, "version": "1.1.3"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaaab.json_merged.json b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaaab.json_merged.json new file mode 100644 index 0000000..3ae6d2e --- /dev/null +++ b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaaab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.xs.findobject", "category": "Brain & Puzzle", "company": "Doodle Mobile Ltd.", "contentRating": "Everyone", "description": "TOP SECRET! FIND OBJECTS IS LIFE-RUININGLY FUN! ! This game is #1 hidden objects game available on Android.Searching for hidden objects is more immersive than ever in Find Objects! Can you find all of the hidden objects? It's like hide and seek with items that seem to be really hard to be found. Peel away at our special scenes with an exclusive parallax scrolling mechanic for a groundbreaking level of immersion. You have to look for things that seem invisible!Game Features:- 150 beautifully designed challenging puzzle levels- 500+ collections of hidden objects to piece together- Eight interesting characters with special abilities- Colorful art, vivid graphics and great music", "devmail": "contact@doodlemobile.com", "devprivacyurl": "N.A.", "devurl": "http://www.doodlemobile.com&sa=D&usg=AFQjCNGCfD-bimxDBPvsv6EZpGaORpMfuQ", "id": "com.xs.findobject", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Find Objects", "price": 0.0, "rating": [[" 5 ", 10421], [" 3 ", 1999], [" 2 ", 591], [" 4 ", 3168], [" 1 ", 1210]], "reviews": [["Could be fun", " Could be fun but it doesn't allow but a few tries before you have to wait (plus no indication how long that wait is). Outside of buying coins there's little chance to continue forward if you don't find the items in the very short alotted time. I eventually just uninstalled out of frustration. "], ["Fun and funny", " This game is fun but too funny. You have to create your own code where butterflies are not insects, but snails are. Go figure. Have never found a dragon!? I don't think English is the creator's first language. But it's just as fun laughing about how inane it is. "], ["Fun in a childish way", " I am well past my childhood years but I still think this is a fun game. If I spy were made for a app this would be the fun cartoon version. "], ["Annoying", " There are a bunch of annoying factors to this game. The cost of the upgrades, powerups or whatever are way to high to even buy with the amount of coins you get while playing. You run out of lives quickly and the only way to get more is to buy them. Once you lose a level, stage whatever they call it you have to start all over from your last checkpoint (every checkpoint is 5 stages). Trying to find the objects is difficult because sometimes the item is not even on the screen. The time runs way too fast! "], ["Its fun", " I really enjoyed this really fun and interesting games I know the lots of other people would enjoy it too this is one of the best games I've ever played. "], ["Good", " Would give this game 5 stars, just some minor details need to be fix. The Time, space in between pics maybe a search arrow. And the game freeze but the time is still running. Other then that its a great game.. "]], "screenCount": 10, "similar": ["com.disney.wheresmywater2_goo", "com.ssc.baby_defence", "com.bigduckgames.flow", "com.easygame.marblelegend", "com.wordsmobile.baseball", "com.julian.fastracing", "com.disney.WMWLite", "logos.quiz.companies.game", "air.com.mobigrow.canyouescape", "com.zeptolab.timetravel.free.google", "com.game.JewelsStar", "com.magmamobile.game.BubbleBlast2", "com.melimots.WordSearch", "com.shootbubble.bubbledexlue", "com.magmamobile.game.HiddenObject", "com.zeptolab.ctr.ads", "air.com.nextdifferencegames.Lost.Hiddenobjects", "com.junerking.dragon", "com.kiragames.unblockmefree", "com.dm.restaurant", "de.lotum.whatsinthefoto.us"], "size": "9.7M", "totalReviewers": 17389, "version": "2.5"}, {"appId": "com.scopely.skeeball", "category": "Arcade & Action", "company": "Scopely - Top Free Apps and Games LLC", "contentRating": "Low Maturity", "description": "***** Welcome to Skee-Ball Arcade\u00e2\u201e\u00a2, the official mobile Skee-Ball\u00c2\u00ae game, where you can challenge friends around the world in this exciting new take on an arcade classic! Download today and receive $4.99 in bonus power ups! *****Combining the fun of classic boardwalk arcade action with stunning new game boards, explosive power ups, and high-stakes tournament competition for both smartphone and tablet players, Skee-Ball Arcade\u00e2\u201e\u00a2 has it all. Awesome features include: \u00e2\u02c6\u0161 Play dozens of games at once with friends and family anywhere in the world!\u00e2\u02c6\u0161 Compete daily in massive tournaments for fabulous prizes!\u00e2\u02c6\u0161 Enjoy several gameplay options through a variety of unique machines, including Galaxy, Basketball, Candy, and Pinball!\u00e2\u02c6\u0161 Connect with friends through Facebook, Twitter or SMS!\u00e2\u02c6\u0161 Chat with buddies via in-game messaging!\u00e2\u02c6\u0161 Amp up your game with countless explosive power ups!\u00e2\u02c6\u0161 Unlock new content by completing in-game achievements!Come play the one and only official Skee-Ball\u00c2\u00ae game, where you can relive the childhood fun of visiting your local arcade from the comfort of your own home, office, or commute. Download today!Like Skee-Ball Arcade\u00e2\u201e\u00a2 on Facebook: www.facebook.com/SkeeBallArcadeFollow Skee-Ball Arcade\u00e2\u201e\u00a2 on Twitter: https://twitter.com/PlaySkeeBallPlease e-mail us at support@scopely.com with any feedback, questions, or concerns!Skee-Ball Arcade\u00e2\u201e\u00a2 uses the send SMS permission to help you find your friends.", "devmail": "apps-android@withbuddies.com", "devprivacyurl": "http://www.withbuddies.com/privacy&sa=D&usg=AFQjCNFekoC2we524yFg3_pa_txGv0eSXw", "devurl": "http://withbuddies.com&sa=D&usg=AFQjCNHbh_D7ZTUhLn2RLg05wT8RjCeWww", "id": "com.scopely.skeeball", "install": "500,000 - 1,000,000", "moreFromDev": ["com.scopely.minigolf.free", "com.scopely.wordwars", "com.scopely.slotsvacation"], "name": "Skee-Ball Arcade", "price": 0.0, "rating": [[" 5 ", 3063], [" 2 ", 63], [" 3 ", 269], [" 4 ", 794], [" 1 ", 138]], "reviews": [["Force closing", " It would be loads of fun if it didn't keep kicking me out "], ["Great", " "], ["U", " U "], ["Skeeball!", " It's getting harder and harder to find arcades these days. It's good to know that Skeeball lives on! "], ["Addictive", " I play games against people I don't even know. It doesn't matter, its just so much fun to play. "], ["Excellent", " Addicting, wish there was more of training on accuracy. Sliding ball hard is easy, however trying to give it a light slide still eludes me "]], "screenCount": 15, "similar": ["com.withbuddies.dice", "com.gameloft.android.ANMP.GloftIMHM", "com.rovio.angrybirds", "com.rovio.BadPiggies", "com.halfbrick.jetpackjoyride", "com.imangi.templerun", "com.gameloft.android.GloftSKEE", "com.glu.deerhunt2", "com.gameloft.android.ANMP.GloftTBHM", "com.fgol.HungrySharkEvolution", "com.halfbrick.fruitninjafree", "com.imangi.templerun2", "com.withbuddies.dice.free", "com.gameloft.android.ANMP.GloftGAHM", "com.wooga.diamonddash", "com.disney.MonstersUniversityFree.goo", "com.rovio.angrybirdsstarwars.ads.iap", "com.gameloft.android.ANMP.GloftJDHM"], "size": "48M", "totalReviewers": 4327, "version": "1.3.0"}, {"appId": "com.gamecircus.songz", "category": "Brain & Puzzle", "company": "Game Circus LLC", "contentRating": "Medium Maturity", "description": "4 PICS 1 SONG gives you the pictures, you guess the song!From Game Circus, the creators of popular android games Coin Dozer and Paplinko, 4 PICS 1 SONG will keep you coming back for more!With four pictures to give you hints, solve the puzzle by figuring out the song title! 4 PICS 1 SONG combines the fun everyone loves from games like 4 Pics 1 Word and SongPop to bring you a new challenge! Packed with popular music from a wide variety of artists, genres, and decades, 4 PICS 1 SONG tests your musical knowledge!The more song puzzles you complete, the more coins you get! If you get stuck trying to name the song, use powerups to give you more hints! Can you name all the songs??Fun, Simple, Addictive - 4 PICS 1 SONG takes picture and song quizzes to a whole new level!Look for updates that include tons of new songs and new features!", "devmail": "support@gamecircus.com", "devprivacyurl": "http://gamecircus.com/index.php", "devurl": "http://gamecircus.com&sa=D&usg=AFQjCNE2jskYlPIWGzo_7uwRLfxPL_4L2Q", "id": "com.gamecircus.songz", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.gamecircus.CookieDozerThanksgiving", "com.gamecircus.Paplinko", "com.gamecircus.PrizeClawSeasons", "com.gamecircus.moviez", "com.gamecircus.HorseFrenzy", "com.gamecircus.CoinDozerSeasons", "com.gamecircus.slotscircus", "com.gamecircus.CoinDozerHalloween", "com.gamecircus.CoinDozerWorld", "com.gamecircus.PrizeClaw", "com.gamecircus.FrogToss"], "name": "4 Pics 1 Song", "price": 0.0, "rating": [[" 2 ", 604], [" 5 ", 21444], [" 3 ", 2875], [" 1 ", 1055], [" 4 ", 9225]], "reviews": [["Ridiculous wait times...", " Overall, a pretty good game. But by level 7 you have to pay 400+ coins or wait 24 hours. Also, you should offer an extra coin or two if you can guess the artist IMO. Decrease the wait time and I'll give 5 stars. "], ["Good game type but boring playing-way.", " The guessing songs' name through pictures game is totally great, but it is still lack of a lot of things. Example: There is no song played when a correct name is guessed;... Still need improving much. "], ["Pretty good", " Not too bad but I cant pass on a puzzle if I cant figure it out. Only other option seems to be purchasing coins. Not good enough to put money into. "], ["It was awsome untill it went slow.iwas reviewing", " My games thtd when I got 5stars.I saw when it was fast as lightning then I liked it.The same when I got out of the house by accident I left it at least one percent.The phone downloaded fast "], ["S2", " Love this game. Keeps me occupied and isn't to easy. Wait between levels could be a little shorter. There is also a slight lag in the beginning of game which is annoying but other than that, great game! "], ["Kinda blah", " Not going to spend $ on game. Would be better if you coukd choose year, genre or class of music. Not great. "]], "screenCount": 5, "similar": ["com.twodboy.worldofgoofull", "com.leftover.CookieDozer", "com.bg.songquiz", "com.whatsthewordanswers", "com.nebo.pics2", "com.brookesiagames.gsguitar", "com.nk.fourpics1m", "com.hillsmobile.guesstheword2", "com.wordtrivia.pics_1_song", "com.grendell.broodhollow", "ru.redspell.whattheword", "quess.song.music.pop.quiz", "com.leftover.CoinDozer", "com.sgg.pics2", "com.disney.WMW", "com.kangaroo.fourpics1song", "com.epicpixel.fourpicsoneword", "sg.vinay.fourpics1songcheatsanswers", "de.lotum.whatsinthefoto.us"], "size": "Varies with device", "totalReviewers": 35203, "version": "Varies with device"}, {"appId": "com.gameloft.android.ANMP.GloftDMHM", "category": "Casual", "company": "Gameloft", "contentRating": "Everyone", "description": "Gru\u00e2\u20ac\u2122s loyal, yellow, gibberish-speaking Minions are ready for their toughest challenge in Despicable Me: Minion Rush. Play as a Minion and compete with others in hilarious, fast-paced challenges in order to impress your boss, (former?) super-villain Gru! Jump, fly, dodge obstacles, collect bananas, be mischievous, and defeat villains to earn the title of Minion of the Year! ALL THE HEART AND HUMOR OF DESPICABLE ME\u00e2\u20ac\u00a2 Enjoy unpredictably hilarious Minion moments \u00e2\u20ac\u00a2 Perform despicable acts through hundreds of missions\u00e2\u20ac\u00a2 Run through iconic locations, which are full of surprises, secrets and tricky obstacles: Gru\u00e2\u20ac\u2122s Lab and Gru\u00e2\u20ac\u2122s Residential Area\u00e2\u20ac\u00a2 Customize your Minion with unique costumes, weapons, and power-ups\u00e2\u20ac\u00a2 Battle Vector and an all-new villain exclusively created for the game AN INNOVATIVE AND ORIGINAL GAME\u00e2\u20ac\u00a2 Encounter secret areas, unique boss fights and amazing power-ups\u00e2\u20ac\u00a2 Experience custom animation and voice overs, and state-of-the-art 3D graphics\u00e2\u20ac\u00a2 Enjoy multiple dynamic camera angles\u00e2\u20ac\u00a2 Engage in various bonus gameplays: \u00e2\u2020\u2019 Destroy things as Mega Minion \u00e2\u2020\u2019 Collect bananas riding the Fluffy Unicorn \u00e2\u2020\u2019 Hang on to Gru\u00e2\u20ac\u2122s Rocket for the ride of your life\u00e2\u20ac\u00a2 Have fun with your friends! See their best scores during your run, send them funny Minion taunts and challenges to show them who\u00e2\u20ac\u2122s going to win Minion of the Year!Note: For optimal performance, we recommend that you have at least 50Mb of free storage available while playing the game and that no apps are running in the background.----Visit our official site at http://www.gameloft.comFollow us on Twitter at http://glft.co/GameloftonTwitter or like us on Facebook at http://facebook.com/Gameloft to get more info about all our upcoming titles.Check out our videos and game trailers on http://www.youtube.com/GameloftDiscover our blog at http://glft.co/Gameloft_Official_Blog for the inside scoop on everything Gameloft.Certain apps allow you to purchase virtual items within the app and may contain third party advertisements that may redirect you to a third party site.Terms of use : http://www.gameloft.com/conditions/", "devmail": "android.support@gameloft.com", "devprivacyurl": "http://www.gameloft.com/privacy-notice/&sa=D&usg=AFQjCNGX3aQPRQ30ew0bAf31IqNsPjF4eQ", "devurl": "http://www.gameloft.com/&sa=D&usg=AFQjCNHB7BDrZOQoKHpqDg0cWjbi25we1A", "id": "com.gameloft.android.ANMP.GloftDMHM", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.gameloft.android.ANMP.GloftRAHM", "com.gameloft.android.ANMP.GloftIMHM", "com.gameloft.android.ANMP.GloftA8HM", "com.gameloft.android.ANMP.GloftMTHM", "com.gameloft.android.ANMP.GloftJDHM", "com.gameloft.android.ANMP.GloftLVMK", "com.gameloft.android.ANMP.GloftPDHM", "com.gameloft.android.ANMP.GloftTBHM", "com.gameloft.android.ANMP.GloftIAHM", "com.gameloft.android.ANMP.GloftGTFM", "com.gameloft.android.ANMP.GloftDMKM", "com.gameloft.android.ANMP.GloftGF2F", "com.gameloft.android.ANMP.GloftGAHM", "com.gameloft.android.ANMP.GloftEPHM", "com.gameloft.android.ANMP.GloftPOHM", "com.gameloft.android.ANMP.GloftB2HM", "com.gameloft.android.ANMP.GloftPEHM", "com.gameloft.android.ANMP.GloftUOHM"], "name": "Despicable Me", "price": 0.0, "rating": [[" 5 ", 1168354], [" 1 ", 59109], [" 3 ", 45507], [" 2 ", 16645], [" 4 ", 158923]], "reviews": [["Fixed FCing", " Fixed the FCing my self, just had to clear the cache... Half a star if you lower prices and even 1 more half a star, if you lower them a little bit more =P "], ["Miniontastic", " Only draw back is updates are on iOS before android. Also everything should have a banana price as well as tokens. Otherwise a great game! "], ["My boyz", " ...yea yea yea ba boi :)- I only left a start out for improvement(s). Great game "], ["My puzzle piece!", " I used 25 tokens for a golden prize pod. I got a puzzle piece but it did not show up. What happened? Please help me get back my puzzle piece! I even have a screenshot of the golden prize pod! "], ["??", " Why it was so strange? First time i played, it nothing happens. But when i lose and want start again it was became very lag so i must exit the game first to makr it didn't but still second time i played it became lag gain. Plss fix it "], ["Only reason I put 4 stars is because it lags a lot on my ...", " Only reason I put 4 stars is because it lags a lot on my Droid Bionic. Other than that its a great game! "]], "screenCount": 15, "similar": ["com.king.candycrushsaga", "com.ea.games.simsfreeplay_row", "com.g6677.android.lpetvet", "com.bfs.papertoss", "com.ea.game.pvz2_row", "minions.despicable", "com.magmamobile.game.Burger", "com.racingSport.DespicMe", "com.gamestar.pianoperfect", "com.outfit7.mytalkingtomfree", "me.pou.app", "com.g6677.android.phairsalon", "com.ea.game.simpsons4_row", "com.king.petrescuesaga"], "size": "20M", "totalReviewers": 1448538, "version": "1.4.0m"}, {"appId": "com.imangi.templerun2", "category": "Arcade & Action", "company": "Imangi Studios", "contentRating": "Low Maturity", "description": "With over 170 million downloads, Temple Run redefined mobile gaming. Now get more of the exhilarating running, jumping, turning and sliding you love in Temple Run 2!Navigate perilous cliffs, zip lines, mines and forests as you try to escape with the cursed idol. How far can you run?!FEATURES\u00e2\u02dc\u2026 Beautiful new graphics\u00e2\u02dc\u2026 Gorgeous new organic environments\u00e2\u02dc\u2026 New obstacles\u00e2\u02dc\u2026 More powerups\u00e2\u02dc\u2026 More achievements\u00e2\u02dc\u2026 Special powers for each character\u00e2\u02dc\u2026 Bigger monkey!!!Become a fan of Temple Run on Facebook:http://www.facebook.com/TempleRunFollow Temple Run on Twitter:https://twitter.com/TempleRun", "devmail": "N.A.", "devprivacyurl": "http://www.imangistudios.com/privacy.html&sa=D&usg=AFQjCNHOj9lQhvY-d778sO06d_7VSgCzww", "devurl": "http://www.imangistudios.com/contact.html&sa=D&usg=AFQjCNHmJGmIKtvMBmjP32ju-nrNezjqDg", "id": "com.imangi.templerun2", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.imangi.templerun"], "name": "Temple Run 2", "price": 0.0, "rating": [[" 1 ", 37770], [" 5 ", 662383], [" 2 ", 12316], [" 3 ", 39257], [" 4 ", 122785]], "reviews": [["Great game but....", " There's a glitch in the game for me. If I collect 2500 coins during a game, I'll only get 1275 coins....what's that about?? =/ "], ["Fix please", " Why do I have to buy Usain bolt to unlock bolt. I don't have 99 c to waste!!!! Overall, it is an average game. Unlike the original temple run, you just can't get the multipliers by completing the objectives but by completing the objectives in a certain level. Ugh! S4 "], ["not support to 3.5\" display", " The last updated version graphically not supported for 3.5\" phones.I like dis game so much.But i didn't play due to dis problem.plz make changes as early as possible plz plz.And reduce infinite run "], ["Addictive!", " Only thing is that to unlock other players are so high to reach! Am just a rookie! I will get the hang of it! "], ["Excellent but it has to go!", " I gave it a 5 star rating...but I am actually not happy with this time eating game. I spend all my free time thinking about playing Temple run and playing temple run. I have to uninstall th is ap so I can be a productive member of society "], ["Just plain awesome!", " Temple Run 2 is a great example of mobile gaming. Amazing graphics (no slow down at all), great audio and top notch game play. This game is a must have. It's the Pringles of mobile games, once you pop the fun don't stop! Download now! "]], "screenCount": 15, "similar": ["com.crazy.game.good.lost.temple", "com.rovio.angrybirds", "com.halfbrick.jetpackjoyride", "com.rovio.angrybirdsrio", "com.glu.deerhunt2", "com.kiloo.subwaysurf", "com.gameloft.android.ANMP.GloftTBHM", "com.halfbrick.fruitninjafree", "com.disney.brave_google", "com.disney.TempleRunOz.goo", "com.retrostylegames.ZombieRHD", "com.game.SkaterBoy", "com.bestcoolfungames.antsmasher", "com.gamesonwheels.templefun", "com.natenai.glowhockey", "com.rovio.angrybirdsseasons"], "size": "38M", "totalReviewers": 874511, "version": "1.5"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtabaa.json_merged.json b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtabaa.json_merged.json new file mode 100644 index 0000000..35ffa83 --- /dev/null +++ b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtabaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "ppl.unity.JuiceCubesBeta", "category": "Brain & Puzzle", "company": "Rovio Stars Ltd.", "contentRating": "Low Maturity", "description": "FREE NEW PUZZLE GAME!The creators of Angry Birds present a delicious NEW puzzle game with tons of fresh and fruity challenges! Connect the cubes and create explosive fruit bombs in 165+ levels filled with pirates, mermaids and other crazy characters!FRESH AND DELICIOUS FEATURES:- Play 165+ deliciously fruity levels filled with challenging puzzles!- Connect multiple juice cubes to create spectacular fruit explosions!- Pack your bags and go island hopping in a sunny tropical paradise!- Meet pirates, mermaids, witches and other wacky characters!- Easy to pick up but difficult to master!- Race your Facebook friends across the islands!- Unlock exciting new islands and crazy characters!- Beat those tough levels with the help of boosters and charms!Juice Cubes also supports tablet devices, so you can connect the cubes on the big screen. Join the fun today!Juice Cubes is part of Rovio Stars, the publishing program from the creators of Angry Birds. Find out more:www.rovio.com/juicecubesBecome a fan on Facebook:facebook.com/JuiceCubesfacebook.com/RovioEntertainmentfacebook.com/PocketPlayLabTerms of Use: http://www.rovio.com/eulaPrivacy Policy: http://www.rovio.com/privacyPLEASE NOTE! Juice Cubes is completely free to play, but some in-game items can be purchased for real money. If you don\u00e2\u20ac\u2122t want to use this feature, please disable in-app purchases.This game may include:- Direct links to social networking websites that are intended for an audience over the age of 13.- Direct links to the internet that can take players away from the game with the potential to browse any web page.- Advertising of Rovio products and also products from select partners.- The option to make in-app purchases. The bill payer should always be consulted beforehand.", "devmail": "support@rovio.com", "devprivacyurl": "http://www.rovio.com/privacy&sa=D&usg=AFQjCNGt5frM4xE8I2NzBoydDHFuFHGA3g", "devurl": "http://www.rovio.com&sa=D&usg=AFQjCNHvjmrRiO9nJs9iqJoCen5OEfYg9Q", "id": "ppl.unity.JuiceCubesBeta", "install": "1,000,000 - 5,000,000", "moreFromDev": ["ppl.unity.lostcubes"], "name": "Juice Cubes", "price": 0.0, "rating": [[" 5 ", 13255], [" 4 ", 2765], [" 3 ", 1307], [" 1 ", 1192], [" 2 ", 587]], "reviews": [["Cool game", " I'd give it a 5, but it keeps disappearing when it's trying to load, when there is no connection. I work in a bldg. where we are blocked from internet and it won't let me play it without internet connection. You fix that and I'll give it a 5 "], ["Force you to buy gold", " I was close to giving this game 4-5 stars, but after you get past level 35, it forces you to either 1. Buy gold to continue 2. Wait 7 hours three different times to find their \"maps\". 3. Invite Facebook friends to continue. This killed it for me I'm moving on to my next game. "], ["Fun game but..", " I like the game its fun but, the 8 hour wait searching for a map piece to unlock the next area sucks. But I guess it's better than using your own money to pay. But in 2 consecutive searches I found a sandal and a rotten apple, seriously?! "], ["Waste of time", " Was good until I got to level 35... This isn't candy crush so why try to make it seem like that... I don't want to ask my friends for help because they're not playing this game. The raffle is just stupid a whole 8 hours at an attempt to get help. Plz. I won't pay to play a game that's suppose to be free.. fix this because I don't think your game will be popular. "], ["Addictive", " Its really good to kill time. If you love Candy Crush But hate it at the same time, you'll love this game! Dont believe me, you'll see. "], ["Juice Cube", " Don't have anything else too give me good to move on. If u are stuck for so long their should be a way to proceed. It says if you get so many hearts you can get gold I am not I like playing the game. But if I can't go any further its worthless to have started it in the first place.help me move on. ..... "]], "screenCount": 15, "similar": ["com.magmamobile.game.Cube", "com.zeptolab.ctr.paid", "com.bestgamesapps.angrybird.bubbleshooter", "com.fivevsthree.android.puzzlecube", "com.dnvgoods.theultimateangrybirdsonlinestrategyguide.AOUIAENEQCVARKLRMD", "air.com.differencegames.cubecrashfreehd", "com.angrybirdsmatchsaganew", "com.rovio.croods", "com.appgame7.friutslegend", "br.com.monsterjuice.monstercube", "com.roviostars.tinythief", "com.zeptolab.ctr.ads", "com.droidhermes.birdjump", "com.kawasoft.gtigon", "com.roviostars.tinythieflite", "rus.Hapman.ZombieRumble", "com.angry.piggy.deluxe.game"], "size": "22M", "totalReviewers": 19106, "version": "1.10.09"}, {"appId": "com.rovio.angrybirds", "category": "Arcade & Action", "company": "Rovio Mobile Ltd.", "contentRating": "Low Maturity", "description": "The survival of the Angry Birds is at stake. Dish out revenge on the greedy pigs who stole their eggs. Use the unique powers of each bird to destroy the pigs\u00e2\u20ac\u2122 defenses. Angry Birds features challenging physics-based gameplay and hours of replay value. Each level requires logic, skill, and force to solve.If you get stuck in the game, you can purchase the Mighty Eagle! Mighty Eagle is a one-time in-app purchase in Angry Birds that gives unlimited use. This phenomenal creature will soar from the skies to wreak havoc and smash the pesky pigs into oblivion. There\u00e2\u20ac\u2122s just one catch: you can only use the aid of Mighty Eagle to pass a level once per hour. Mighty Eagle also includes all new gameplay goals and achievements!In addition to the Mighty Eagle, Angry Birds now has power-ups! Boost your birds\u00e2\u20ac\u2122 abilities and three-star levels to unlock secret content! Angry Birds now has the following amazing power-ups: Sling Scope for laser targeting, King Sling for maximum flinging power, Super Seeds to supersize your birds, and Birdquake to shake pigs\u00e2\u20ac\u2122 defenses to the ground!What's new in 3.4.0 Get ready for 30 extra levels in the new Short Fuse episode \u00e2\u20ac\u201c all set in a piggy laboratory with wacky scientists and crazy potions! NEW SHOCK WAVE POWER FOR BOMB! In the new levels, Bomb creates a powerful circle of electricity and unleashes an almighty blast! NEW LEVELS! 30 brand new levels of explosive fun! Enter the lab to pop those pesky piggy scientists! NEW POWERFUL POTIONS! Experiment with three powerful piggy potions to make those green snout-nosed creatures look even stranger than normal!Terms of Use: http://www.rovio.com/eulaPrivacy Policy: http://www.rovio.com/privacyThis free version of Angry Birds contains third party advertisements. Please see our privacy policy for additional information.This application may require internet connectivity and subsequent data transfer charges may apply.Important Message for ParentsThis game may include:- Direct links to social networking websites that are intended for an audience over the age of 13.- Direct links to the internet that can take players away from the game with the potential to browse any web page.- Advertising of Rovio products and also products from select partners.- The option to make in-app purchases. The bill payer should always be consulted beforehand.", "devmail": "contact@rovio.com", "devprivacyurl": "http://www.rovio.com/privacy&sa=D&usg=AFQjCNGt5frM4xE8I2NzBoydDHFuFHGA3g", "devurl": "http://www.rovio.com&sa=D&usg=AFQjCNHvjmrRiO9nJs9iqJoCen5OEfYg9Q", "id": "com.rovio.angrybirds", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.rovio.angrybirdsspace.ads", "com.rovio.angrybirdsstarwarsii.premium", "com.rovio.BadPiggies", "com.rovio.angrybirdsgocountdown", "com.rovio.croods", "com.rovio.amazingalex.trial", "com.rovio.amazingalex.premium", "com.rovio.angrybirdsseasons", "com.rovio.angrybirdsstarwarsii.ads", "com.rovio.BadPiggiesHD", "com.rovio.angrybirdsfriends", "com.rovio.angrybirdsspace.premium", "com.rovio.angrybirdsspaceHD", "com.rovio.angrybirdsstarwarshd.premium.iap", "com.rovio.angrybirdsrio", "com.rovio.angrybirdsstarwars.ads.iap"], "name": "Angry Birds", "price": 0.0, "rating": [[" 1 ", 79017], [" 4 ", 210192], [" 3 ", 72236], [" 5 ", 1404211], [" 2 ", 26317]], "reviews": [["Great Game", " This game has a lot of components that other developers can learn from. The gameplay is designed well around the touch screen, the powerups are fun to use but aren't mandatory to beat the game, the levels are plenty and all well designed, and the difficulty isn't hard enough that you need to eat Mexican food every day to beat it. "], ["The ultimate best game of all time!", " I'm pretty sure that if I were given a nickel for every minute that I've played any of the Angry Birds games, I'd be a millionaire. Best mobile game franchise of all time! "], ["Very Shocking! Hahahaha XD", " Oh man! Rovio, you've done it again! I just love love love this new update! Bomb's new ability is absolutely electrifying! Come up with more levels and more new abilities for the birds! Keep up the good work! "], ["Drives me crazy but I love it!", " Highly addictive fun. Dont start playing if you have important things to do. "], ["Hours of fun.", " I love playing this game on my Galaxy S4 mini. It runs very good and is great for passing the time. "], ["Pop-Up's Galaxy S2", " I'm about to win at a very hard level when I'm taken to the Play Store and asked if I want to down load Candy Crush. I then hit the back button and have to start the level over from the beginning. This must be Rovio's new way to encourage us to buy the paid version. As if the ad banner that blocks the top right corner of your screen isn't enough they now do this! "]], "screenCount": 15, "similar": ["com.glu.deerhunt2", "com.game.SkaterBoy", "com.fingersoft.benjibananas", "com.halfbrick.jetpackjoyride", "com.gameloft.android.ANMP.GloftIMHM", "com.imangi.templerun", "com.bfs.ninjump", "com.topfreegames.bikeracefreeworld", "com.kiloo.subwaysurf", "com.gameloft.android.ANMP.GloftTBHM", "com.bestcoolfungames.antsmasher", "com.imangi.templerun2", "com.moistrue.zombiesmasher", "com.halfbrick.fruitninjafree", "com.natenai.glowhockey", "com.mojang.minecraftpe"], "size": "43M", "totalReviewers": 1791973, "version": "3.4.0"}, {"appId": "com.fatbatstudio.archery", "category": "Sports Games", "company": "Fat Bat Studio", "contentRating": "Everyone", "description": "Discover this top free archery game with tournament mode, great performance, small install size, and amazing features!- Intuitive and super precise aiming, feels like realistic archery- Multiple archery locations with awesome photorealistic graphics- Great sound, visual and haptic touch effects to complement the real archery feel- Tournament archery mode with 4 preset tournaments you can play with up to 8 human or computer players to figure out who's the best- Tournament Editor, to make your own customized tournaments!- Endless archery ranking mode, beat the highscores with revolutionary checkpoint endless system- Completely free, fully featured realistic archery sports game with tiny install size- Integrated with Immersion tactile effectsIntuitive controls, realistic physics, multiple archery locations and play modes make this one of the best Archery games on mobile.", "devmail": "fatbatstudios@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://fatbatstudio.com/&sa=D&usg=AFQjCNHHa_Azhr3LaHK0xcIdLSIgwyU5dg", "id": "com.fatbatstudio.archery", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.fatbatstudio.witchmatch3"], "name": "Archery Tournament", "price": 0.0, "rating": [[" 4 ", 939], [" 1 ", 368], [" 5 ", 3622], [" 2 ", 149], [" 3 ", 458]], "reviews": [["Great challenge for killing time.", " Addictive app! Fun to play and challenging. Compete against all your friends. "], ["Good game", " As someone who practices archery (though I shoot a compound bow) I was hesitant of this game. But it's actually pretty realistic. I love the shaking, the factors of time with the bow drawn, and wind factors. I haven't been able to go to the range in a long time and this is an entertaining way to hold my archery withdrawal at bay. :) "], ["Way way too difficult.", " First major problem with this game is no matter how steady you keep your finger the crosshairs wander all over the place. When you try and correct it goes way past or will even go a different direction. And then there's just a ridiculously short timer you have to fire within. I shoot a recurve bow and a longbow in real life and it's way easier than this game. Get rid of the stupid timer, have your arrows reset after beating a checkpoint. Make the bow unsteady only after holding it back a while. "], ["About time", " Great game A++++++ only thing needs online multiplayer and tourneys. Also make tourneys a progression style and be able to earn or buy gear!!!!!# great start tho well done "], ["A bit disappointing", " It is quite difficult to control as it is swing all the time. I do not like it. Should similar to the real one. Also the ads are very very annoying. Please get rid of them. Considering uninstalling if this continues. "], ["Out of control commercials", " Would be great if it wouldn't shut down all the time and go to Google Play for other games I'm not interested in. "]], "screenCount": 15, "similar": ["com.virgil.basketball", "com.play.airhockey", "com.gameloft.android.ANMP.GloftR2HM", "com.ioccam.BowmasterTargetRange", "com.forthblue.pool", "com.wordsmobile.nfl", "com.threed.bowling", "com.QBig.QueensArrow", "com.game.basketballshoot", "com.fatbat.airhockeyultimate", "com.wordsmobile.soccerkicks", "net.mobilecraft.realbasketball", "net.mobilecraft.football", "com.clapfootgames.vtt3dfree", "com.fatbat.monsterairhockey", "com.giraffegames.archery2", "com.ea.game.fifa14_row", "com.giraffegames.archery", "com.fatbat.earthwormjoe"], "size": "5.7M", "totalReviewers": 5536, "version": "1.2.1"}, {"appId": "com.wordsmobile.nfl", "category": "Sports Games", "company": "Mouse Games", "contentRating": "Everyone", "description": "Fanatical Football delivers the #1 realistic football experience to date on Android. Pick and lead your team through exhibition and season matches all the way to final victory!Fanatical Football makes you feel the pulse of the NFL season. Build your team and run the show on offense and defense with new and improved touch controls and game modes! Score touchdowns by running, passing, and making big hits on D with intuitive tap and swipe controls. Thanks to immersive graphics and sounds, enjoy revamped crowd and environmental effects, making your Football experience more authentic than ever!Game Features:- Awesome graphics featuring you with incredibly detailed players in the most impressive setting ever seen- Quick Game mode and Championship mode- Build and upgrade your team and equip special power-ups", "devmail": "contact@mouse-games.com", "devprivacyurl": "N.A.", "devurl": "http://mouse-games.com&sa=D&usg=AFQjCNEcuu7wqee2EzgGUi4ZFY8Ye-mO_g", "id": "com.wordsmobile.nfl", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.wordsmobile.soccerkicks"], "name": "Fanatical Football", "price": 0.0, "rating": [[" 4 ", 2934], [" 5 ", 17084], [" 2 ", 546], [" 3 ", 1484], [" 1 ", 1832]], "reviews": [["Good butt...", " The game glitched out on me whenn the guy was receiving he stayed in that position for the rest of the game and also the computer is 2 smart you will juke all the players on my team every play and add more players and teams "], ["Don't wasted your time with this stuff", " I throw a ball literally 20 yards away from my guy and theres and they intercepted it this game deserves 0 star all the way "], ["Great game but like all things could be improved", " The game is a little glitchy but overall a good game. I wish there were more teams and the quarter back could run. Also longer quraters in the season mode please. "], ["Great", " Should add more players and punt returns and punts and stop making the db go back do far on a pass "], ["Good but glitchy", " Fun game but seems to have lots of bugs. In championship mode my game literally doesn't end. I've gone to 13 quarters and when I quit and try to start again it says 5th quarter but has the same score as when I quit. Will have to delete the game and reinstall now. Tackling is stupid hard and pass defense is terrible since your guy never moves. "], ["THIS GAME SUCKS", " I find it funny how you can throw ten million interest but you can't intercept on this game if frigging RIGGED "]], "screenCount": 10, "similar": ["com.master.cooking", "com.fz.play.football.free", "com.ruanshaomin.game", "com.junerking.ninjia", "com.clapfootgames.vtt3dfree", "com.hotheadgames.google.free.bigwinfootball", "com.defence.zhaoming.bolun.game", "eu.nordeus.topeleven.android", "com.forthblue.imp", "net.mobilecraft.football", "com.kingsky.runner", "com.distinctivegames.footballkicks", "com.gameloft.android.ANMP.GloftR3HM", "com.backgammon.activity", "com.virgil.basketball", "com.savvy.mahjong", "com.mousegame.blackjack", "com.doodle.othello", "com.checkers.checkers", "com.forthblue.pool", "com.gameloft.android.ANMP.GloftR2HM", "com.game.basketballshoot", "com.gameloft.android.ANMP.GloftF3HM", "com.bwhale.bwcards.spades", "com.kiwi.chess", "com.threed.bowling", "com.ea.fifaultimate_row", "com.sigames.fmh2013", "com.play.Jewels3", "com.ea.game.fifa14_row", "com.play.Jewels2"], "size": "14M", "totalReviewers": 23880, "version": "1.5"}, {"appId": "com.igg.castleclash", "category": "Arcade & Action", "company": "IGG.COM", "contentRating": "Low Maturity", "description": "\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 Top 5 Game in US and many others!\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 #1 Strategy Game on Android!\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 Raving 4.9+ Stars Rating!Build and battle your way to glory in Castle Clash! With over 10 million clashers worldwide, the heat is on in the most addictive game ever! In a brilliant mix of fast-paced strategy and exciting combat, Castle Clash is a game of epic proportions! Hire legions of powerful Heroes and lead an army of mythical creatures, big and small. Fight to the top and become the world\u00e2\u20ac\u2122s greatest Warlord. Your empire is as strong as your creativity! Now available in French, German, Spanish, Italian, Russian, Chinese, Japanese, Korean, Thai, Indonesian and many more to come. Game Features:\t- Build and upgrade your impenetrable fortress!\t- Create the ultimate army from a dozen wild troops! - Fast-paced, thrilling, and realistic battles!\t- Pit your Heroes against other Players in the Arena!\t- Tap and swipe to cast powerful spells!\t- Free-to-play fantasy strategy.Note: This game requires an internet connection.", "devmail": "help.castle.android@igg.com", "devprivacyurl": "http://igg.com/about/privacy_policy.php&sa=D&usg=AFQjCNEK7UweGx-_zigPnaG0vD2-Xq8L9A", "devurl": "http://www.igg.com&sa=D&usg=AFQjCNGA_jJUpjGciPZaK5kifhX1LrHEVQ", "id": "com.igg.castleclash", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.igg.castleclash_th", "com.igg.bzbee.slotsdeluxe_de", "com.igg.heroes_monsters", "com.igg.castleclash_ru", "com.igg.bzbee.slotsdeluxe", "com.igg.castleclash_it", "com.igg.castleclash_fr", "com.igg.clash_of_lords", "com.igg.dawn_of_darkness", "com.igg.pokerdeluxe", "com.igg.castleclash_es", "com.igg.castleclash_jp", "com.igg.castleclash_kr", "com.igg.castleclash_de", "com.igg.kachingslots", "com.igg.castleclash_tw"], "name": "Castle Clash", "price": 0.0, "rating": [[" 2 ", 3047], [" 4 ", 36942], [" 3 ", 12382], [" 5 ", 604577], [" 1 ", 11319]], "reviews": [["Please increase the drop rate of shards", " It seems like you guys have decreased the rate of shards dropping, and it was hard enough before, but at this rate I'm getting 20shards a day, and that's lucky, my guild mates is get less and I have been putting hours into this game. If you increase it just by a little, I will be greatful. "], ["Me old account is back.!!!", " Now my old account is back I can play it again! Oh thank you IGG. "], ["Game that keeps you playing", " Downloaded because of a different game but now I can't stop playing. Great game "], ["BEST GAME EVAR", " very addictive game , few things that could be looked at. Hero's take a very long time to level. Also if you could make gold mines have a way to tell how much is in it. More ways to spend mana, I almost always am full of mana. And what would be cool is if there could be upgrades to hero's like red shards that make fire the hurts things in the range. Or blue shards that have chance to freeze enemies. Keep up the awesome work. Oh also shards are a pain to get and its kinda annoying. "], ["Growing on me", " I downloaded this for points for another game but decided to try it out and man am I hooked pretty fun to build and attack other people "], ["Fun time waster", " Really addictive game. No need to actually spend real money on it, which is nice, but it obviously would help speed things up if you did. Between fighting in the arena, raiding dungeons, and raiding other people's bases, there's always something to do, even when you have the maximum amount of upgrades going. If you plan on rely getting into this game, don't waste the purple gems they give you initially on speeding up building times or troops. "]], "screenCount": 6, "similar": ["com.gameloft.android.ANMP.GloftIMHM", "com.game.SkaterBoy", "com.supercell.clashofclans", "com.glu.deerhunt2", "com.mojang.minecraftpe", "com.creativemobile.cod", "com.imangi.templerun2", "com.kiloo.subwaysurf", "com.nekki.vector", "com.halfbrick.fruitninjafree", "com.halfbrick.jetpackjoyride", "air.DragonEmpire", "com.hz.game.cd", "com.a2076697457526abd5a001fe5a.a30325271a", "com.rovio.angrybirds", "air.BattleofZombies"], "size": "46M", "totalReviewers": 668267, "version": "1.2.24"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtabab.json_merged.json b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtabab.json_merged.json new file mode 100644 index 0000000..b47f206 --- /dev/null +++ b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtabab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.fingersoft.hillclimb", "category": "Racing", "company": "Fingersoft", "contentRating": "Low Maturity", "description": "One of the most addictive and entertaining physics based driving game ever made for Android! And it's free!Meet Newton Bill, the young aspiring uphill racer. He is about to embark on a journey that takes him to where no ride has ever been before. With little respect to the laws of physics, Newton Bill will not rest until he has conquered the highest hills up on the moon!Face the challenges of unique hill climbing environments with many different cars. Gain bonuses from daring tricks and collect coins to upgrade your car and reach even higher distances. Watch out though - Bill's stout neck is not what it used to be when he was a kid! And his good ol' gasoline crematorium will easily run out of fuel.Features: - 14 different vehicles with unique upgrades (many different vehicles: bike, truck, jeep, tank etc) - Upgradeable parts include engine, suspension, tires and 4WD - 14 stages with levels to reach in each (Countryside, Desert, Arctic and the Moon! +++) - Share your score with a screenshot with your friends! - Cool graphics and smooth physics simulation - Designed to look good on low resolution and high resolution devices (incl. tablets) - Real turbo sound when you upgrade your engine!Like us at Facebook and stay tuned with all new games and updates: http://www.facebook.com/FingersoftWe'd appreciate if you'd report any issues you're having with the game to support@fingersoft.net, please include your device make and model.", "devmail": "support@fingersoft.net", "devprivacyurl": "http://www.fingersoft.net/privacy.html&sa=D&usg=AFQjCNFHKKf1Fg0TLLSNRoFQsFIuieP4RQ", "devurl": "http://www.fingersoft.net&sa=D&usg=AFQjCNEic-IsmAwW3j8cXnAlkPlLm9ZMpw", "id": "com.fingersoft.hillclimb", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.fingersoft.nightvisioncamera", "com.fingersoft.motioncamera", "com.fingersoft.motioncameraadfree", "com.fingersoft.thermalvisioncamera", "com.fingersoft.cartooncameraadfree", "com.fingersoft.cartooncamera", "com.fingersoft.nightvisioncameraadfree", "com.fingersoft.benjibananas"], "name": "Hill Climb Racing", "price": 0.0, "rating": [[" 3 ", 35247], [" 2 ", 7128], [" 1 ", 16824], [" 4 ", 138167], [" 5 ", 721155]], "reviews": [["BEST GAME EVER", " I'd almost say it's better than minecraft! :D but it would be better with more upgrades,levels,and vehicles. I would like to see an ocean and boats. But ONE BIG problem... the game reset when my phone got reset but my other games with email didn't reset so PLZ add email for an account so it will save!!! "], ["Best ever Video game", " I don't play video games but this is something else. Unparalled n best. Most addictive game ever. Pls see as in new update, kiddie express burns n consumes all fuel suddenly n immly. I think there is some technical issue in that. "], ["Great game!", " Simple and addictive game for all ages! The keep releasing updates with new vehicles and venues that make it fun to play every time. You can also play it as much as you want and doesnt require you to bother friends on facebook to get \"lives\" which is awesome! "], ["Ads make it unplayable", " I don't have a 5 in screen. The ads are super invasive making the game infuriating to navigate. I don't even want to play anymore. The game itself is fantastic, but just make an ad free token or paid version or something "], ["Cool", " This game is very fun and addicting! I love it because it has hard obsticles and nevrr gets boring :) great game "], ["Great, amazing but...", " For the people who are complaining about ads, just use airplane mode. There, solved! Don't complain anymore! "]], "screenCount": 20, "similar": ["com.gameloft.android.ANMP.GloftRAHM", "com.zentertain.monster", "com.wordsmobile.speedracing", "com.gameloft.android.ANMP.GloftA7HM", "com.julian.fastracing", "com.game.BMX_Boy", "com.creativemobile.dragracingbe", "com.creativemobile.DragRacing", "com.naturalmotion.csrracing", "com.kabam.ff6android", "com.ansangha.drdriving", "com.creativemobile.dr4x4", "com.pikpok.turbo", "com.ea.games.r3_row", "com.x3m.tx3", "com.polarbit.rthunder2lite"], "size": "15M", "totalReviewers": 918521, "version": "1.12.1"}, {"appId": "com.sergiobarbara.nightvision.camera", "category": "Casual", "company": "Sergio Barbara", "contentRating": "Medium Maturity", "description": "This app lets you see in the dark! Take photos and record video even in low light environments.Ever wanted to take photos or record video but couldn't because there was not enough light? Now you can with this free Night Vision Spy Camera app. You will find this app very useful. It's free!This app also has other cool features like the ability to share your images to Whatsapp, Instagram, Facebook, Twitter, Viber, Tango and other popular social networks! Click on the Share button to do this!", "devmail": "sergiomiguelgualdrapa@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.sergiobarbara.nightvision.camera", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Night Vision Spy Camera", "price": 0.0, "rating": [[" 1 ", 4591], [" 2 ", 943], [" 4 ", 3464], [" 3 ", 2825], [" 5 ", 16315]], "reviews": [["all fake UNLESS....", " you have infared torch as most camaras pickup infared. you can check this by pointing tv remote at your phone camara and push any button on the remote and if you can see it light up on your cam/phone screen the just MOD a torch with ultra bright infared LEDs and point the camara in the same direction as the torch and bingo \u00c2\u00a35 infared camara :) "], ["I love it just make it more fun add things to make it more ...", " I love it just make it more fun add things to make it more fun and silly\tThe best Night camera ever "], ["Doesn't work.", " Just a green screen with some black dots. Can't see anything. Don't waste your time. "], ["Is not a real night vision camera", " This app only adds a green tint to your normal camera functionality. In a completely dark room you can see nothing. "], ["Excellent", " Very good app. But it's kind of difficult to make the color calibration though. No problem and loads immediately. "], ["Only works good with lights on", " The picture was blurry and only worked with lights on. Well let me clarify it worked with the lights off but I couldn't see anything until I turned it on front angle. Very basic and uninstalling "]], "screenCount": 7, "similar": ["com.SpyCameraElite", "air.au.com.metro.DumbWaysToDie", "com.king.candycrushsaga", "com.g6677.android.lpetvet", "com.bfs.papertoss", "com.ea.game.pvz2_row", "com.gameloft.android.ANMP.GloftIAHM", "ringtone.maker.mp3.cutter", "com.teamlava.bakerystory31", "com.magmamobile.game.Burger", "com.gamestar.pianoperfect", "com.outfit7.mytalkingtomfree", "me.pou.app", "com.gameloft.android.ANMP.GloftDMHM", "com.g6677.android.phairsalon", "com.ea.game.simpsons4_row", "com.king.petrescuesaga"], "size": "1.4M", "totalReviewers": 28138, "version": "9.82"}, {"appId": "com.halfbrick.fruitninjafree", "category": "Arcade & Action", "company": "Halfbrick Studios", "contentRating": "Low Maturity", "description": "Fruit Ninja is a juicy action game with squishy, splatty and satisfying fruit carnage! Become the ultimate bringer of sweet, tasty destruction with every single slash!Fruit Ninja features three action-packed gameplay modes - Classic, Zen and the amazing Arcade mode. Your success will also please the wise ninja Sensei, who will accompany your journey with words of wisdom and fun fruit facts. The bonus Dojo section includes unlockable blades, backgrounds, power-ups and more. Our travelling merchant Gutsu and his porky pal Truffles will ensure you always get the best deal possible!Key features:Carve, splatter, and slash your way through piles of colorful fruit in this juicy arcade action gameChoose from three different game modes to play through: Classic, Arcade, and ZenCustomize your experience with unlockable weapons and backgroundsUse Starfruit to boost your arsenal with exhilarating power-ups and never before seen super fruitFruit Ninja is the original and the best slasher on Android. The addictive gameplay will keep you coming back for even higher scores!Fruit Ninja uses your location to show nearby places where you can get free Starfruit. Starting soon you'll be able to visit a nearby retail store and get free Starfruit. Name, address, phone number, phone identifier and other information are not collected or transmitted.****LIKE FRUIT NINJA ON FACEBOOK!http://www.facebook.com/fruitninjaFOLLOW HALFBRICK ON TWITTER!http://www.twitter.com/halfbrick****", "devmail": "support@halfbrick.com", "devprivacyurl": "http://www.halfbrick.com/privacy-policy&sa=D&usg=AFQjCNHmv49uk4TOSy36NQqsI4srgYrtNA", "devurl": "http://www.halfbrick.com/Contact-us/&sa=D&usg=AFQjCNFfepJFtvEwypROoSYjZHOnMjkYDg", "id": "com.halfbrick.fruitninjafree", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.halfbrick.fruitninja", "com.halfbrick.ageofzombies", "com.halfbrick.jetpackjoyride", "com.halfbrick.aozlite", "com.halfbrick.fruitninjapib"], "name": "Fruit Ninja Free", "price": 0.0, "rating": [[" 4 ", 92467], [" 2 ", 14223], [" 5 ", 575732], [" 1 ", 37694], [" 3 ", 42426]], "reviews": [["Addictive game...", " I recently noticed that with each new game, the program takes away the points (or starfruit, used to purchase bombs, etc). For example, I ended one game with 799 star fruit; when I finished the next game, it showed that I had 612 star fruit before it added the new points to my total. "], ["Awesome update!", " Love the new Elite Blades and Backgrounds. This app cab sometime lag but it can be fixable. Also, in the newest update you made an AC/DC reference and for that you rock! "], ["Critically awesom", " So good and juicy, only that when the first match begins (first) it lags in the beggining but eventually going faster. Please do something for that short lagging period of time but still 5 starfruits!! "], ["Read this pls half brick studios", " I can't update its saying unable to store in USB or SD card :/ "], ["Super addictive", " Amazing. A little lag at beginning but then speeds up. Love the AC/DC connection "], ["Used to be cool", " I played it for a long time and made some mad scores and it was so smooth on my phone and now its laggy :S "]], "screenCount": 15, "similar": ["com.glu.deerhunt2", "com.game.SkaterBoy", "com.rovio.angrybirds", "com.mojang.minecraftpe", "com.RunnerGames.game.YooNinja_Lite", "com.gameloft.android.ANMP.GloftIMHM", "com.imangi.templerun", "com.bfs.ninjump", "com.kiloo.subwaysurf", "com.gameloft.android.ANMP.GloftTBHM", "com.bestcoolfungames.antsmasher", "com.rovio.angrybirdsseasons", "com.imangi.templerun2", "com.droidhen.fruit", "com.rovio.angrybirdsrio", "com.natenai.glowhockey"], "size": "Varies with device", "totalReviewers": 762542, "version": "Varies with device"}, {"appId": "com.ea.game.monopolybingo_na", "category": "Cards & Casino", "company": "Electronic Arts Inc", "contentRating": "Everyone", "description": "The beloved world of MONOPOLY meets the friendly, addictive fun of bingo! Take a walk around the MONOPOLY neighborhood, visit themed rooms, and put the \u00e2\u20ac\u0153GO\u00e2\u20ac\ufffd in bingo with collectable tokens and more. Plus, check out our seasonal Fall Feast room with exclusive items for a limited time!YOUR NEW BINGO GETAWAYSkip down the streets of the MONOPOLY neighborhood as you progress through fun, familiar properties with each win. Watch your favorite properties come to life!IMMERSE YOURSELFPlay up to 16 cards at a time on tablet (8 cards on your phone), and get lost in the rich graphics and exclusive game modes you can only get with MONOPOLY Bingo. BIG REWARDSCollect favorite MONOPOLY properties, tokens, and upgrades (like houses and hotels) and own it all!GAME OF CHANCE & CELEBRATIONPlay mini games like Chance scratcher cards, or choose your lucky number with each game and \u00e2\u20ac\u0153GO\u00e2\u20ac\ufffd for a bonus. MONOPOLY Bingo is bingo at its richest!NOTES: This game collects data through the use of EA\u00e2\u20ac\u2122s and third party analytics technology. See End User License Agreement, Terms of Service and Privacy and Cookie Policy for details.EA may retire online features and services after 30 days\u00e2\u20ac\u2122 notice posted on www.ea.com/1/service-updates.", "devmail": "help@eamobile.com", "devprivacyurl": "http://privacy.ea.com/en&sa=D&usg=AFQjCNFAH3dzXJq62z5VrJ29GTVfZLVn_A", "devurl": "http://help.ea.com&sa=D&usg=AFQjCNFWLxldAX-PtgwQfVjqTNAw_2GNRQ", "id": "com.ea.game.monopolybingo_na", "install": "100,000 - 500,000", "moreFromDev": ["com.ea.game.fifa14_na", "com.ea.games.nfs13_na", "com.ea.monopolymillionaire_na", "com.ea.tetrisblitz_na", "com.ea.game.monopolybingo_row", "com.ea.scrabblefree_na", "com.ea.games.simsfreeplay_na", "com.ea.games.r3_na", "com.ea.game.pvz2_na", "com.ea.game.tetris2011_na", "com.ea.game.maddenmobile2014_na", "com.ea.game.simpsons4_na", "com.ea.BejeweledBlitz_na"], "name": "MONOPOLY Bingo", "price": 0.0, "rating": [[" 2 ", 140], [" 3 ", 373], [" 4 ", 970], [" 5 ", 2843], [" 1 ", 452]], "reviews": [["Good until...", " App was a good play until it doubled numbers on cards not giving pay outs and is currently stuck.. exit out of game came back and is still stuck.. fix bugs for 5 stars "], ["Galaxy S4", " I will give this game a 5 when you fix the timing of calling bingo and dabbing your numbers, after a ball is called. Half the time I have the number or a bingo and I don't even get a chance to call it before I see \"Round Over\" Fix this please. Also one day I spent 24 tickets on a bingo game and the game messed up not showing any numbers being called but proceeded anyway. I was forced to exit the room and wasn't refunded my tickets!!!! Your game is quite fun but you still have these few kinks to work out. "], ["This is a fun game... I love it!", " This game is very fun n time consuming... an hour can pass n you wont even know it! Def a must try... "], ["Connection Error!!....WHAT!!", " All been going smooth.... but when I got on a winning streak it tells me connection error... WTF?!?!?! &&& knocks me outta my winnings. What's up with that? I won fair & square,now gimmie my winnings darn it!! NO 5 star from me at this point. Fun ,Fun ,Fun Game if it wasnt for that ^^^^^! "], ["Fix", " Fix these issues I am having with my tickets..I not going to spend real just to play a game. "], ["Crashing", " I so love bingo and monopoly. First time I did work fine but now every time I try to play it when its about to start the bingo game. It crashes completely. I've tried over 10 times and it keeps on crashing and I cant play at all. MUST FIX THIS PROBLEM SOON. "]], "screenCount": 7, "similar": ["com.eamobile.nfsshift_na_wf", "com.kakapo.bingo", "com.popcap.pvz_na", "com.ember.bingoSD", "com.targa.bingo", "air.com.bitrhymes.bingo", "com.dragonplay.wildbingo", "air.com.sgn.bingo.google", "com.etermax.bingocrack.lite", "air.com.buffalo_studios.newflashbingo", "com.c88.bingo.cartoon", "com.eamobile.sims3_na_qwf", "air.com.ea.game.monopolyslots_row", "com.tinidream.bingorun", "com.productmadness.bingomadness", "com.redhotlabs.bingo", "air.com.alisacasino.bingo", "com.eamobile.bejeweled2_na_wf", "jp.gree.jband"], "size": "25M", "totalReviewers": 4778, "version": "1.1.1"}, {"appId": "com.selfawaregames.acecasino", "category": "Cards & Casino", "company": "Big Fish Games", "contentRating": "Medium Maturity", "description": "Get lucky and strike it rich in all your favorite Casino games! Now with Roulette!Big Fish Casino gives you the chance to WIN BIG in Slots, Blackjack, Texas Hold'em Poker, Roulette, and more! Play live with your friends, with all the thrill of Las Vegas! Sit down, relax, have a drink & some chips \u00e2\u20ac\u201c on us. We've got gorgeous games and millions of friendly people to play with for FREE! Download Now! Make a fortune with HUGE Jackpots, Daily Rewards, Slots mini-games, and more! Will you play it safe and hold your cards, or double down and get a lucky ace? Have an adventure like no other in our original Slot Machines! Rock out on our new Wicked Wins slot machine - everybody wins free chips when the pumpkin erupts! Race to the finish line with up to five friends in Super Speed! Fortune awaits those brave enough to enter the Enchanted Cavern\u00e2\u20ac\u00a6 TOP FEATURES: \u00e2\u20ac\u00a2 TONS of Slots, with mini-games you won't find anywhere else! \u00e2\u20ac\u00a2 NEW Social Scatter\u00e2\u201e\u00a2 Slots Games \u00e2\u20ac\u201c everybody wins together! \u00e2\u20ac\u00a2 Daily Reward Games \u00e2\u20ac\u201c win up to 300K FREE CHIPS in the Reward Center! \u00e2\u20ac\u00a2 Play LIVE with your friends! Beat the house in Blackjack or test your skills in Poker! \u00e2\u20ac\u00a2 Customize and strut your stuff with free pets, gifts, and power ups! ---- Discover more from Big Fish Games! ---- Find us at www.bigfishgames.com or follow us @BigFishGames to get the latest on new games and special deals! \u00e2\u20ac\u00a8", "devmail": "N.A.", "devprivacyurl": "http://www.bigfishgames.com/company/privacy.html&sa=D&usg=AFQjCNGjdhoYHXOWxDPYNUp5FBSghMYBvg", "devurl": "http://www.selfawaregames.com/faq&sa=D&usg=AFQjCNE4Qny7HOYRDl2pCe4kWLEhbeaYWg", "id": "com.selfawaregames.acecasino", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Big Fish Casino", "price": 0.0, "rating": [[" 2 ", 590], [" 1 ", 1812], [" 3 ", 1251], [" 5 ", 10102], [" 4 ", 2047]], "reviews": [["Its like gambling,", " Fun games! "], ["Never win", " Have given up all hope of winning anything, much less a jackpot. So tell me big fish-why should I keep buying chips? You have to let people win every once in awhile or you will lose all paying customers! No fun when all you do is lose! "], ["GREEDY GREEDY BIG FISH", " Nothing but losing with this app. Dont waste your REAL money. $99 for 2.5 mill chips lasts you about 20 minutes. "], ["Great Casino Game", " I've played a few casino games and most of them suck. I like the whole concept and layout of the game. I feel so popular when I get a LIKE, it's like running for prom queen all over again. It's like a mini Facebook or better. I really stay on for hours at a time. I don't really do the review thing but when you can keep me entertained for more than 3 hours at a time, you deserve a review. "], ["Please pay me my 20 million chips from the wicked win lottery I won ...", " Please pay me my 20 million chips from the wicked win lottery I won ref.num.131104-001063 .\tPlease take care of business!!! "], ["What happened??????", " Half the games don't show up on the screen. Can't play what I can't see!!!!!! Game is still freezing. Way to many problems after update. "]], "screenCount": 19, "similar": ["com.bigfishgames.android.nawpgoogfree", "com.bigfishgames.kbrooksgoogfull", "com.leftover.CoinDozer", "com.dragonplay.farmcasino", "com.bigfishgames.msshmgooglefree", "com.mw.slotsroyale", "com.mw.rouletteroyale", "com.dragonplay.slotcity", "com.bigfishgames.google.empress1free", "com.diwip.vslots", "com.bigfishgames.tfs2googfree", "com.gsn.android.casino", "com.bigfishgames.google.empress2free", "com.williamsinteractive.jackpotparty", "com.bigfishgames.jltolgooglefree", "air.com.bigfishgames.fairwaysolitaire2.google.full", "jp.gree.jackpot", "com.apostek.SlotMachine", "com.blueshellgames.luckyslots", "com.nurigames.casinolive", "com.bigfishgames.doriangraygoogfull", "com.bigfishgames.shivervhgooglefull", "air.com.playtika.slotomania", "com.bigfishgames.enigmatisgooglefull", "com.cervomedia.spw", "com.bigfishgames.ffarm1googfree", "air.com.slotgalaxy", "air.com.bigfishgames.fairwaysolitaire2.google", "com.bigfishgames.google.advchronfree", "com.bigfishgames.enigmatisgooglefree", "com.bigfishgames.jltolgooglefull", "com.ddi"], "size": "Varies with device", "totalReviewers": 15802, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtacaa.json_merged.json b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtacaa.json_merged.json new file mode 100644 index 0000000..9353b0d --- /dev/null +++ b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtacaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.mobilityware.solitaire", "category": "Cards & Casino", "company": "MobilityWare", "contentRating": "Everyone", "description": "Solitaire by MobilityWare is the #1 Solitaire card game on the iPhone and it's now on Android!If you like Windows Solitaire, you're going to love this app!From MobilityWare, the makers of the most popular free and paid Solitaire game in the iTunes App store on the iPhone, iPod, and iPad. We've always strived to stay true to the classic Solitaire card game (also known as Klondike or Patience), the most popular version of Solitaire! A truly solitary experience! Tired of Solitaire apps that always seem to have the same rough gameplay and grainy graphics? Try this completely custom version of Solitaire tailored for Android devices, from the small screen all the way up to the large screen tablet. MobilityWare's Solitaire has the best game play of any Solitaire in the market. Please take Solitaire for a spin and we think you'll see the difference. What have you got to lose, Solitare is a free download.Solitaire is also known as Patience.FEATURES:- Klondike Solitaire Draw 1 card- Klondike Solitaire Draw 3 cards- Portrait- Landscape- Vegas scoring- Statistics- Tablet support - Honeycomb- Install to SD card - App2SDSolitaire is ad-supported.Also try out our other Solitaire games: Spider Solitaire and FreeCell Solitaire.Please take the time to rate our solitaire game on appbrain.FOLLOW US on Twitter@mobilitywareLIKE US on Facebookhttp://www.facebook.com/mobilityware", "devmail": "support@mobilityware.com", "devprivacyurl": "http://www.mobilityware.com/androideulaprivacy.php&sa=D&usg=AFQjCNGkG7jRr_hze7OVAVawq62QmYMCRA", "devurl": "http://www.mobilityware.com&sa=D&usg=AFQjCNFq-Emh-N1dj1KL5fxeOVea3jaMKw", "id": "com.mobilityware.solitaire", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.mobilityware.freecell", "com.mobilityware.spider"], "name": "Solitaire", "price": 0.0, "rating": [[" 1 ", 3962], [" 4 ", 125963], [" 5 ", 282790], [" 3 ", 29489], [" 2 ", 3481]], "reviews": [["Pop Up Ads?", " Full screen pop up games in the middle of play?? And also nothing like the Windows version. Uninstalled. If I could give negative stars, I would. "], ["Aaaargh!", " Would love to play, except my probe says invalid package. My mom also has a Sony Xperia J and it works done on hers... Go figure! "], ["Works well", " Like that you can get a deal you know can be won. Would rather the ads did not pop exactly where the do - wonder if I am losing time in my game. "], ["Hint system incomplete", " Let me start off by saying this is a good solitaire app. Having said, there is a small issue that may need the devs attention. The game appears to not see all possibilities when issuing a hint. I recently played a game where I was told I had \"no useful moves left\". I not only found a way to keep going WITHOUT using the Undo button, but it led to me winning that hand. "], ["Solitary review", " Great game unlike most of the games on here it doesn't require you to purchase any additional stuff its just what it says a good free game "], ["Very addictive!!", " I can play without having to concentrate while waiting wherever, it is something very familiar since a kid! Never looses it's appeal! "]], "screenCount": 7, "similar": ["com.kmagic.solitaire", "com.leftover.CoinDozer", "com.softick.android.solitaire.klondike", "com.brainium.solitaire", "com.brainium.solitairefree", "com.hapogames.solitaire", "com.magmamobile.game.Solitaire", "com.anoshenko.android.solitaires", "com.tesseractmobile.solitairefreepack", "com.brainium.spiderfree", "com.voldaran.puzzle.graBLOX", "com.magmamobile.game.SpiderSolitaire", "com.gosub60.solfree2", "com.zynga.livepoker", "net.jeu.solitaire", "com.dragonplay.liveholdempro", "com.gameloft.android.ANMP.GloftUOHM"], "size": "8.6M", "totalReviewers": 445685, "version": "2.2.4"}, {"appId": "com.zynga.words", "category": "Brain & Puzzle", "company": "Zynga", "contentRating": "Medium Maturity", "description": "Keep in touch with your friends by playing Words With Friends Free, the #1 mobile game!PLAY the simple word-building game you know and loveCONNECT with your friends through in-game chatINVITE new friends to play instantly through Facebook & Twitter, or with random opponent matchmakingACCESS your games across all your devices_________________________________________ PRAISE FOR WORDS\u00e2\u20ac\u00a2 \"Delightfully addictive.\" \u00e2\u20ac\u201c GeekSugar \u00e2\u20ac\u00a2 \"Social gaming at its finest.\" \u00e2\u20ac\u201c Fox News \u00e2\u20ac\u00a2 \"The premise of \u00e2\u20ac\u02dcWords\u00e2\u20ac\u02dc is simple: you fire it up and are playing a Scrabble-like word game against one of your friends in seconds.\" \u00e2\u20ac\u201c TechCrunch\u00e2\u20ac\u00a2 \"One of the most requested apps that people have waited to see come to Android.\" - Androinica_________________________________________ Already a fan of the game? Like us on Facebook: http://www.facebook.com/WordsWithFriends Follow us on Twitter: http://twitter.com/WordsWFriends Use of this application requires a Facebook or Games With Friends account and is governed by the Zynga Terms of Service. Collection and use of personal data are subject to Zynga's Privacy Policy. Both policies are available in the Application License Agreement below as well as at www.zynga.com. Social Networking Service terms may also apply.", "devmail": "N.A.", "devprivacyurl": "http://m.zynga.com/about/privacy-center/privacy-policy&sa=D&usg=AFQjCNESJyXBeZenALhKWb52N1vHouAd5Q", "devurl": "http://forums.zynga.com/forumdisplay.php", "id": "com.zynga.words", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.zynga.draw2.googleplay.free", "com.zynga.gswf", "com.zynga.scramble.paid", "com.zynga.slots.free", "com.zynga.warofthefallen", "com.zynga.scramble", "com.zynga.digitallegends.respawnables", "com.zynga.zjayakashi", "com.zynga.fatpebble.clayjam", "com.zynga.castlevillelegends", "com.zynga.matching", "com.zynga.hanging", "com.zynga.livepoker", "com.zynga.zrush", "com.zynga.bubblesafari.ent"], "name": "Words With Friends Free", "price": 0.0, "rating": [[" 1 ", 66192], [" 5 ", 808570], [" 3 ", 99502], [" 4 ", 338626], [" 2 ", 42209]], "reviews": [["upgrade = downgrade", " recent upgrade is not good. blends all tiles together. looks like a blob of letters. plus every time I access an existing game NO tiles show up. have to try couple times. about to uninstall! hopefully they added all those missing words with upgrade. sam gal S III "], ["This is a great game to keep up with friends and family across the ...", " This is a great game to keep up with friends and family across the country. I never use the Leaderboard feature but if you are highly competitive it is available. I do not buy any of the cheats either. "], ["Good right now", " Game is running good with the current version. Hope they don't muck it up again "], ["My favorite game!!", " I have played this game consistantly for along time. It never gets old. Some days I don't play, but it's nice that I can jump in where I was at and continue on with my opponents. :) \u00e2\u02dc\u2020 "], ["Great game", " It does not record my move and close my game a few times but i love the word challenge. Could use some work!!! "], ["Removes stats", " Twice now my stats have been erased.like I have never played this game.I have 13 games in play.I think Simone has figured out how to hack this game.and remove people off there leaderboard.which would be know big deal.if tech support new how to fix it.obviously they don't.if you play this game to keep up with your stats.you may loose it all. "]], "screenCount": 9, "similar": ["uk.co.aifactory.chessfree", "com.bigduckgames.flow", "com.magmamobile.game.mousetrap", "com.disney.WMWLite", "logos.quiz.companies.game", "com.disney.WMPLite", "com.zeptolab.timetravel.free.google", "com.game.JewelsStar", "com.Phosphor.Horn.Paid", "com.omgpop.dstfree", "com.magmamobile.game.BubbleBlast2", "com.magmamobile.game.Words", "com.melimots.WordSearch", "com.shootbubble.bubbledexlue", "com.zeptolab.ctr.ads", "com.kiragames.unblockmefree", "de.lotum.whatsinthefoto.us"], "size": "Varies with device", "totalReviewers": 1355099, "version": "Varies with device"}, {"appId": "com.bigduckgames.flow", "category": "Brain & Puzzle", "company": "Big Duck Games LLC", "contentRating": "Everyone", "description": "Flow Free is a simple yet addictive puzzle game.Connect matching colors with pipe to create a flow. Pair all colors, and cover the entire board to solve each puzzle in Flow Free. But watch out, pipes will break if they cross or overlap!Free play through hundreds of levels, or race against the clock in Time Trial mode. Flow Free gameplay ranges from simple and relaxed, to challenging and frenetic, and everywhere in between. How you play is up to you. So, give Flow Free a try, and experience \"mind like water\"!Flow Free features:\u00e2\u02dc\u2026 Over 1,000 free puzzles\u00e2\u02dc\u2026 Free Play and Time Trial modes\u00e2\u02dc\u2026 Clean, colorful graphics\u00e2\u02dc\u2026 Fun sound effectsSpecial thanks to Noodlecake Studios, creators of Super Stickman Golf, for their work on Flow Free!Enjoy.", "devmail": "android@bigduckgames.com", "devprivacyurl": "http://privacy.bigduckgames.com&sa=D&usg=AFQjCNGki_VutaOPVC9zbNkyv743UQR81A", "devurl": "http://www.bigduckgames.com&sa=D&usg=AFQjCNFwDhmI_g-F2pSJttExfkFuh-ATaQ", "id": "com.bigduckgames.flow", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.bigduckgames.fireworksarcade", "com.bigduckgames.sparkart", "com.bigduckgames.flowbridges"], "name": "Flow Free", "price": 0.0, "rating": [[" 4 ", 38524], [" 2 ", 1953], [" 5 ", 166543], [" 3 ", 8873], [" 1 ", 4086]], "reviews": [["Great game.", " Great colors, highly entertaining. The simplicity of the game won't melt your brain which is very compelling. This is my very first review, that's how much i like it. Thanks to the Team. "], ["Good and challenging", " It is a good time waster to fill in time - ran out of hints cause I wasn't aware there was a limit but other than that a great buy "], ["Easy is easy", " The easy levels are very easy however the hard levels are quite challenging and enjoyable "], ["Amazing game", " This game is amazing can play it for hours and I like that the easy levels are easy andbl the hard levels are quite hard I like getting stuck on some cause it makes its a challenge 5 stars defiantly recommend "], ["In one line : \"Flow Is Simply Flawless!\"", " This app is the best casual game on android as of now. This game is a perfect example of the saying \"Better Graphics Does Not Mean Better Games \" 5 Out Of 5 "], ["Y me?????", " FLOW FREE is CRAZY ADDICTIVE...and i hate to use that phrase because its so clich\u00c3\u00a9 but theres no other way to put it. This is casual gaming AT IT BEST. download this game and i PROMISE YOU, you will not be disappointed. simple gameplay that will have you stuck...not because its SO hard but because its INTRUIGING and THATS what casual gaming is about. "]], "screenCount": 5, "similar": ["com.zynga.words", "com.disney.wheresmywater2_goo", "com.magmamobile.game.mousetrap", "com.disney.WMWLite", "com.zeptolab.ctr.ads", "air.com.mobigrow.canyouescape", "com.zeptolab.timetravel.free.google", "com.game.JewelsStar", "com.magmamobile.game.Plumber", "com.omgpop.dstfree", "com.magmamobile.game.BubbleBlast2", "com.melimots.WordSearch", "com.shootbubble.bubbledexlue", "logos.quiz.companies.game", "com.kiragames.unblockmefree", "de.lotum.whatsinthefoto.us"], "size": "5.4M", "totalReviewers": 219979, "version": "2.5"}, {"appId": "com.g6677.android.lpetvet", "category": "Casual", "company": "6677g.com", "contentRating": "Everyone", "description": "There are a lot of cute baby pets and they got sick. Please help me cure these baby pets and make them recover.", "devmail": "app.6677g@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://www.6677g.com&sa=D&usg=AFQjCNFpDifCcAvOOdhLpuw4CV1zo-Hm5A", "id": "com.g6677.android.lpetvet", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.g6677.android.design", "com.g6677.android.footspa", "com.g6677.android.mdoctor", "com.g6677.android.cspa", "com.g6677.android.babycare", "com.g6677.android.pnailspa", "com.g6677.android.princesshs", "com.g6677.android.carwash", "com.g6677.android.beard", "com.g6677.android.fashionsalon", "com.g6677.android.petnail", "com.g6677.android.cdentist", "com.g6677.android.phairsalon", "com.g6677.android.chairsalon", "com.g6677.android.babyspa", "com.g6677.android.princessspas"], "name": "Baby Pet Vet Doctor", "price": 0.0, "rating": [[" 5 ", 9450], [" 4 ", 1086], [" 3 ", 955], [" 1 ", 1461], [" 2 ", 467]], "reviews": [["Daughter loves it!!", " Recommended for children, it is very cute and it teaches kids how to treat a animal right it's one of the best, Free games for kids. Only one problem a lot of ads. But other than that it's sweet cute fun also appropriate for children.. "], ["Awsome", " Awsome "], ["so adorbs !!!", " this game is so cute no one can say no to a game like this and if someone can then they have a dark soul "], ["I love it", " the animals are so cute and it lets the kids learn alot I rated it 5 stars so amazing my child loves it "], ["I love it so much", " The best game ever u need 2 get it or shut up and find a ditch 2 dig "], ["I would give it 5 stars. .. but no", " There's wayyy too many ads and when they pop up and you click the X to ignore IT STILL SENDS YOU SOMEQHERE ELSE! Very frustrating... especially for my kid, not the type of game you can leave your child unattended with, unless you like a whining toddler every 2 minutes they clicked a stupid pop up! "]], "screenCount": 3, "similar": ["com.tabtale.babycareanddressup", "com.teamlava.petshop", "com.king.candycrushsaga", "com.tabtale.babiesplaydoctor", "com.bfs.papertoss", "com.ea.game.pvz2_row", "com.gameloft.android.ANMP.GloftIAHM", "com.magmamobile.game.Burger", "com.tabtale.babyhouse", "com.gameloft.android.ANMP.GloftPEHM", "com.gamestar.pianoperfect", "com.outfit7.mytalkingtomfree", "me.pou.app", "com.gameloft.android.ANMP.GloftDMHM", "com.teamlava.bakerystory31", "com.king.petrescuesaga"], "size": "15M", "totalReviewers": 13419, "version": "1.0.1"}, {"appId": "com.gameloft.android.ANMP.GloftRAHM", "category": "Racing", "company": "Gameloft", "contentRating": "Low Maturity", "description": "GT Racing 2: The Real Car Experience is a true-to-life automotive journey featuring the most prestigious cars in the world!The best-selling franchise is back for free and it's designed to offer an unprecedented level of driving enjoyment, whether playing solo or multiplayer.LEADERSHIP: POSSIBLY THE BEST HANDHELD RACING SIMULATION \u00e2\u20ac\u00a2 The richest handheld racing simulation game this year: 67 licensed cars on 13 tracks, including the real Mazda Raceway Laguna Seca.\u00e2\u20ac\u00a2 A superb collection of real cars from over 30 manufacturers: Mercedes-Benz, Ferrari, Dodge, Nissan, Audi, Ford, and more.\u00e2\u20ac\u00a2 Test your driving skills by completing 1,400 events, including Classic Races, Duels, Knockouts and Overtakes.\u00e2\u20ac\u00a2 28 new challenges each week: improve your driving skills & maybe win a new car for free!AUTHENTICITY: A DEEPER DRIVING SENSATION\u00e2\u20ac\u00a2 The new physics model offers the most realistic car dynamics ever offered in a handheld game.\u00e2\u20ac\u00a2 The sun is not always shining in GT Racing 2: Our tracks have different times of day and weather conditions.\u00e2\u20ac\u00a2 Race your way by choosing from among 4 different cameras, including a breathtaking interior view, and feast your eyes on real car designs!\u00e2\u20ac\u00a2 No repair times or repair costs! We won't make you wait or pay to race in an event again.EXPERIENCE: ENJOY THE RIDE SOLO OR IN MULTIPLAYER\u00e2\u20ac\u00a2 Compete with your friends or with real players from all over the world. Earn the fastest time on each race in multiplayer!\u00e2\u20ac\u00a2 Join teams to play with other drivers and accomplish common goals. \u00e2\u20ac\u00a2 New racer? Turn on Steering & Braking Assistance to get up to speed in a flash!\u00e2\u20ac\u00a2 Veteran driver? Tweak your performance in the garage with tons of custom options!No other games could offer you better realistic racing simulation than GTR2. Download it for free and enjoy the most authentic racing game on the market!For fans of racing games, racing simulation games, rally games, and everything related to cars! This game is free to play._____________________________________________Visit our official site at http://www.gameloft.comFollow us on Twitter at http://glft.co/GameloftonTwitter or like us on Facebook at http://facebook.com/Gameloft to get more info about all our upcoming games.Check out our videos and game trailers on http://www.youtube.com/Gameloft Discover our blog at http://glft.co/Gameloft_Official_Blog for the inside scoop on everything Gameloft._____________________________________________This app allows you to purchase virtual items within the app and may contain third-party advertisements that may redirect you to a third-party site.Terms of use: http://www.gameloft.com/conditions/", "devmail": "android.support@gameloft.com", "devprivacyurl": "http://www.gameloft.com/privacy-notice/&sa=D&usg=AFQjCNGX3aQPRQ30ew0bAf31IqNsPjF4eQ", "devurl": "http://www.gameloft.com/&sa=D&usg=AFQjCNHB7BDrZOQoKHpqDg0cWjbi25we1A", "id": "com.gameloft.android.ANMP.GloftRAHM", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.gameloft.android.ANMP.GloftIMHM", "com.gameloft.android.ANMP.GloftA7HM", "com.gameloft.android.ANMP.GloftMTHM", "com.gameloft.android.ANMP.GloftJDHM", "com.gameloft.android.ANMP.GloftPDHM", "com.gameloft.android.ANMP.GloftA8HM", "com.gameloft.android.ANMP.GloftTBHM", "com.gameloft.android.ANMP.GloftGTHY", "com.gameloft.android.ANMP.GloftIAHM", "com.gameloft.android.ANMP.GloftGTFM", "com.gameloft.android.ANMP.GloftGF2F", "com.gameloft.android.ANMP.GloftGAHM", "com.gameloft.android.ANMP.GloftEPHM", "com.gameloft.android.ANMP.GloftPOHM", "com.gameloft.android.ANMP.GloftDMHM", "com.gameloft.android.ANMP.GloftB2HM", "com.gameloft.android.ANMP.GloftPEHM", "com.gameloft.android.ANMP.GloftUOHM"], "name": "GT Racing 2: The Real Car Exp", "price": 0.0, "rating": [[" 2 ", 1065], [" 1 ", 3736], [" 5 ", 31817], [" 4 ", 5687], [" 3 ", 2474]], "reviews": [["Thanks", " Love it "], ["No calibration", " There is no way to calibrate the controls. I have to hold my phone with a 20% tilt to make it go straight. To make this worse, it's harder to turn one way than the other. Also has forced closed about 5 times since installing 30 minutes ago. Also requested to post on my behalf on Facebook continuously. "], ["Not the same as u show!", " The graphics dont look like u show but they suck and the driving also... u also show cockpit view but it's not there..... really!? "], ["Needs updates", " Gameplay is impossible without spending $. No one is going to spend more than $30 on a mobile platform. $50 is a joke "], ["Best racing game I've played on a phone/tablet. Console like quality.", " Just have to fix the collision sound. It sounds too cheap for a game of this quality. "], ["won't open", " I can't even get past where you enter your name. I click so it opens my keyboard to type my name and when I try to type anything my keyboard disappears. I'm on an HTC one and have not had this problem before "]], "screenCount": 15, "similar": ["com.Sailfish.InfinityRacing", "com.wordsmobile.speedracing", "com.fingersoft.hillclimb", "com.julian.fastracing", "com.creativemobile.dragracingbe", "com.creativemobile.DragRacing", "com.naturalmotion.csrracing", "com.ansangha.drdriving", "com.creativemobile.dr4x4", "com.kabam.ff6android", "com.chi.CarKing", "com.ea.games.r3_row", "com.ea.game.realracing2_OTD_row", "com.pikpok.turbo"], "size": "Varies with device", "totalReviewers": 44779, "version": "1.0.2"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtacab.json_merged.json b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtacab.json_merged.json new file mode 100644 index 0000000..707b006 --- /dev/null +++ b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtacab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.gamecircus.moviez", "category": "Brain & Puzzle", "company": "Game Circus LLC", "contentRating": "Medium Maturity", "description": "From the studio that brought you 4 Pics 1 Song and Coin Dozer now comes 4 PICS 1 MOVIE! Game Circus gives you the four pictures, and you guess the movie title! From the cinema classics to the summer blockbusters and everything in between, we\u00e2\u20ac\u2122ve got your Tinseltown ticket to brain twisting fun! Not a movie buff? No problem! We quiz you on titles, not scenes! If you can solve a logic puzzle, you can play this game! Spend the coins you collect from guessing titles to to give you hints and powerups! Out of coins? Poll your friends using Facebook or Twitter! This fun, brainteaser combo of 4 Pics 1 Word and movie trivia will reel you in and put you right in the middle of the Hollywood scene! Simple and addictive: can YOU name all the flicks? We roll out the red carpet for updates regularly, so check back for even MORE puzzles!", "devmail": "support@gamecircus.com", "devprivacyurl": "http://gamecircus.com/index.php", "devurl": "http://gamecircus.com&sa=D&usg=AFQjCNE2jskYlPIWGzo_7uwRLfxPL_4L2Q", "id": "com.gamecircus.moviez", "install": "100,000 - 500,000", "moreFromDev": ["com.gamecircus.CookieDozerThanksgiving", "com.gamecircus.Paplinko", "com.gamecircus.PrizeClawSeasons", "com.gamecircus.songz", "com.gamecircus.HorseFrenzy", "com.gamecircus.CoinDozerSeasons", "com.gamecircus.slotscircus", "com.gamecircus.CoinDozerHalloween", "com.gamecircus.CoinDozerWorld", "com.gamecircus.PrizeClaw", "com.gamecircus.FrogToss"], "name": "4 Pics 1 Movie!", "price": 0.0, "rating": [[" 4 ", 540], [" 3 ", 199], [" 1 ", 35], [" 5 ", 1556], [" 2 ", 31]], "reviews": [["Not bad", " Its really annoying with the waiting times and ads it takes away the fun but the game itself is great. "], ["Joseph Beever Comment", " Not played it yet but just looking at the pictures it looks really fun and addictive "], ["SOOOO SLOOOOW", " i liked this game but then i realized how freakin slow it is. it is so slow it makes me angry. like violent. "], ["Silly Lock Feature", " After running through the first level pretty quick, I get to the second level to see that it's locked with a clock ticking down. You can wait for the clock to expire or spend coins to unlock right away. You earn some as you go, but I personally hate IAPs and similar gimmicks...rather pay for games that don't have them. "], ["Great Pictures!", " I have now played a few of these '4-pic-1-word' games, & have been confused. This game is VERY smart not only in the use of great pictures, but also in picture placement! You never have to wonder about which word comes first because it's laid out in order. Very helpful! The only reason I could not give this game a full 5 stars is because of the wait time! In some cases it's over 24 hours before you can play the next round! Tacky way to make money, in my opinion. Overall, though, I LOVE IT! "], ["Fun", " Quickly addictive, but not overly time consuming. Fun, leisurely app. "]], "screenCount": 6, "similar": ["com.leftover.CookieDozer", "icomania.guess.word.icon.mania.movie.quiz", "com.whatsthewordanswers", "com.nebo.pics2", "com.digitalclick.emojimovies", "com.randomlogicgames.movies", "net.ultimatequiz.movie", "com.nk.fourpics1m", "com.wordtrivia.pics_1_song", "com.grendell.broodhollow", "com.nextin.fpowmovie", "ru.redspell.whattheword", "quess.song.music.pop.quiz", "com.leftover.CoinDozer", "com.sgg.pics2", "sg.vinay.fourpics1songcheatsanswers", "com.apprope.moviequiz", "com.kangaroo.fourpics1song", "de.lotum.whatsinthefoto.us"], "size": "Varies with device", "totalReviewers": 2361, "version": "Varies with device"}, {"appId": "com.wooga.jelly_splash", "category": "Brain & Puzzle", "company": "Wooga", "contentRating": "Everyone", "description": "Connect colorful lines of Jelly to solve over 100 levels in this compelling puzzle adventure. Why don\u00e2\u20ac\u2122t you jump in and make a big splash in Jelly Land?Jelly Splash is completely free to play but some in-game items such as extra moves or lives will require payment or Facebook connection. You can turn off the payment feature by disabling in-app purchases in your device\u00e2\u20ac\u2122s settings.------------------------------- JELLY SPLASH FEATURES:\u00e2\u20ac\u00a2 Easy to learn, hard to master\u00e2\u20ac\u00a2 Colorful and vivid graphics\u00e2\u20ac\u00a2 No annoying time limits - play at your own pace\u00e2\u20ac\u00a2 Over 100 levels with challenging obstacles \u00e2\u20ac\u00a2 5 unique modes\u00e2\u20ac\u00a2 Leaderboards to compete against your friends through Facebook\u00e2\u20ac\u00a2 Unlock and master the power of Super Jellies\u00e2\u20ac\u00a2 Seamless synchronization with Facebook \u00e2\u20ac\u00a2 Boosters to help you through tough levelsHaving problems? Any suggestions? We would love to hear from you! You can reach us at:http://contact.wooga.com/?game=plaSo join the millions, and match 3 or more Jellies in this puzzle of lines. Crush through this sweet mania by connecting Super Jellies, but be careful of the evil critters \u00e2\u20ac\u201c they aren't candy, they are slime! Compete with your friends for a high score on each of the adventures. Blitz through 100 free levels in this addictive mania now!", "devmail": "customercare-mobile@wooga.net", "devprivacyurl": "http://www.wooga.com/legal/privacy-policy/&sa=D&usg=AFQjCNE2R2E6JtOShsnmymeBcMIFDPF4wQ", "devurl": "http://www.wooga.com&sa=D&usg=AFQjCNHjRou0OLFZcuN7rNxVKb7fYZEgTA", "id": "com.wooga.jelly_splash", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.wooga.diamonddash"], "name": "Jelly Splash", "price": 0.0, "rating": [[" 1 ", 2147], [" 5 ", 26284], [" 3 ", 3564], [" 4 ", 9202], [" 2 ", 1107]], "reviews": [["Ultra cr@p", " Changed review upon discovering you need to pay to get to further levels or get facebook friend to unlock next areas for you. Wud get 5 stars apart from that ploy!!! Sort that out app ppl "], ["Great", " Have to say this is a fun game kills loads of time and you get hooked quickly, great set of graphics, life's abit annoying but would be to easy if you had loads of life's. "], ["Stole my keys", " I of course used friends from fb to acquire keys to move to the next area. When I logged on today my keys had been removed and I've had to go through the annoying process of acquiring keys again. WHY WERE MY KEYS LOST!?!? I was happy to play this game as a change up from pet rescue and candy crush but now I'm quite disappointed and will be returning to those games as I've had 0 issues with them. "], ["Time and FB Samsung 3", " Don't like the fact you have to connect to FB I don't want to play with people I want to just PLAY..... and the half and hour wait for a new life you have to wait two and half hours for full five lives!!! Don't like that at all!!! "], ["Sucked", " I actually liked this game until I bought coins to get to the next level, which cost 70 coins. Now that I need to get to the next level, I have no coins but I'm not sure why when the purchase I made was for 140 coins. So wtf happen to the rest of my coins that I paid for ? Might I add that I tried to get answers from the so called \"support\" and NOTHING ! Good luck "], ["Can be better", " I love the game is interesting and fun BUT I do not like the fact that I HSVE to wait 30 minutes for a life and recently the keys I received from Facebook friends to get to the next level went away preventing me from passing. I don't know if it's a glitch but that's not far and unacceptable please fix. "]], "screenCount": 15, "similar": ["com.ecapycsw.onetouchdrawing", "com.zeptolab.ctr.ads", "jp.naver.SJLGRUSH", "com.bigduckgames.flow", "com.orca.JellyDash", "com.outfit7.jigtyfree", "com.zeptolab.timetravel.free.google", "com.game.JewelsStar", "com.magmamobile.game.Plumber", "com.omgpop.dstfree", "com.magmamobile.game.BubbleBlast2", "com.melimots.WordSearch", "com.shootbubble.bubbledexlue", "com.easygame.marblelegend", "logos.quiz.companies.game", "com.kiragames.unblockmefree"], "size": "Varies with device", "totalReviewers": 42304, "version": "Varies with device"}, {"appId": "com.happymage.google.fashionModelMakeover", "category": "Casual", "company": "Happy Mage", "contentRating": "Low Maturity", "description": "In Fashion Model Makeover, you do professional makeup for your avatar, and make sure she wears the trendiest clothes!This game has been optimized for Arm 6 devices such as Galaxy Y, Galaxy ACE.Start in a model agency, you do a number of modelling jobs to level up: magazine cover, interview, fashion show\u00e2\u20ac\u00a6it\u00e2\u20ac\u2122d be loads of fun to be a model! More items will be unlocked when you reach a new level, so be sure you go shopping from time to time and buy new designer clothes and luxury cosmetics! To recharge your energy, simply go to caf\u00c3\u00a9 or spa! The Tuzki Collection has arrived! Be the first one who gets the limited edition now!** Please note that while the app is free, please be aware that it contains paid content for real money that can be purchased upon users' wish to enhance their gaming experience. You can disable in-app purchases by adjusting your device\u00e2\u20ac\u2122s settings. **", "devmail": "gamesupport@happymage.com", "devprivacyurl": "http://www.happymage.com/privacy-policy-android/&sa=D&usg=AFQjCNG5C8SZqS9rpYw0KpXmxaKJvgRDXg", "devurl": "http://www.happymage.com&sa=D&usg=AFQjCNG6YZdzh8bc0FG9Ph2E32PJWgOjzA", "id": "com.happymage.google.fashionModelMakeover", "install": "100,000 - 500,000", "moreFromDev": ["com.happymage.google.kingdomdefense", "com.happymage.google.monstergemisland", "com.happymage.google.hamsterrun"], "name": "Fashion Model Makeover", "price": 0.0, "rating": [[" 1 ", 64], [" 3 ", 13], [" 5 ", 140], [" 2 ", 18], [" 4 ", 17]], "reviews": [["Love it", " These game is so wonderfull and cool amzing i will keep these game for a long time "], ["Sucks", " This game would be good if it didn't just quit for no reason.! It don't even give u a chance to really play it. It sucks.!!!! "], ["Poor very poor", " It would be a fun game if it would stop shutting off every 20 seconds "], ["stupid game", " it turns off right in the middle of the game and doesn't let me play any more "], ["Aiyanna", " I love this game but i hate this game to i do not love it so more i am going to not play this game no more i hate so bad it turn off on me "], ["Not a great game", " The people are right it ends in 59 min I hate this game PS change your game "]], "screenCount": 15, "similar": ["com.g6677.android.design", "com.crowdstar.covetfashion", "com.xmg.fsb", "com.nuttyapps.fashion.diva.makeover", "com.libiitech.summerfashion", "com.tabtale.fashiongirlsmakeover", "com.gameloft.android.ANMP.GloftFSHM", "com.arthisoft.fashiondollmakeover", "dressup.girl.fashion3", "com.dressup.funkystyle", "com.thirtysixyougames.google.starGirlSingapore", "com.spilgames.fashionpartydressup", "com.sgn.DressUp", "com.Fashion.Dress.Up.Game", "com.teamlava.fashionstory30", "com.g6677.android.fashionsalon"], "size": "16M", "totalReviewers": 252, "version": "1.0.0"}, {"appId": "sts.bc", "category": "Arcade & Action", "company": "Spacetime Games", "contentRating": "Medium Maturity", "description": "LIMITED TIME OFFER! Get 50% more Crystals when you download the game today! Don\u00e2\u20ac\u2122t miss out on these FREE bonus Crystals to quickly build your forces and claim victory over your enemies!Atten-TION! Battle Command! is a futuristic military strategy game for phones and tablets! Take command of a rag-tag fighting force with potential, but in desperate need of your leadership. Build your base, raise your army and go to war against other players in an epic quest for domination. Do you have the skills to become the world\u00e2\u20ac\u2122s next great commander?You\u00e2\u20ac\u2122ll build and battle with an awesome lineup of offensive and defensive units: \u00e2\u20ac\u00a2 Imposing ground forces \u00e2\u20ac\u201cgrenadiers, commandos, spies and more\u00e2\u20ac\u00a2 Powerful vehicles \u00e2\u20ac\u201c assault bikes, jeeps, tanks and more\u00e2\u20ac\u00a2 Awe-inspiring aircraft \u00e2\u20ac\u201c drones, choppers, air strikes and more\u00e2\u20ac\u00a2 Terrifying defensive structures \u00e2\u20ac\u201c gun turrets, mortars, missiles and more If you like builder games, tower defense, real time strategy or fast paced fighting games, you\u00e2\u20ac\u2122ll love Battle Command! ***Other features and fun things about Battle Command!***\u00e2\u20ac\u00a2 Easy to learn, but offers deep strategic gameplay as you level up\u00e2\u20ac\u00a2 Fight other players in PvP mode, play the single player story campaign or spar your own base to test your defenses\u00e2\u20ac\u00a2 Watch and learn how to build stronger defenses through battle replays\u00e2\u20ac\u00a2 Forge an alliance with friends to donate troops and boost reach other\u00e2\u20ac\u2122s resource production\u00e2\u20ac\u00a2 Over 20 different units to unlock and send into battle\u00e2\u20ac\u00a2 Breathtaking graphics and audio that puts you on the battlefield\u00e2\u20ac\u00a2 Optimized for phones and tablets\u00e2\u20ac\u00a2 Sign in with your Google account to play across all your devicesYou may have tried a number of these games, here\u00e2\u20ac\u2122s just a few things that make Battle Command! unique:\u00e2\u20ac\u00a2 Set in a fun, futuristic military world\u00e2\u20ac\u00a2 A tiny download will get you playing faster than any other combat strategy game out there\u00e2\u20ac\u00a2 Friends help you get more resources and build upgrades faster\u00e2\u20ac\u00a2 Battle with a wide variety infantry, vehicles and aircraft \u00e2\u20ac\u201c and you\u00e2\u20ac\u2122ll have a lot of fun calling in airstrikes on your opponents\u00e2\u20ac\u00a2 Another great game from award winning developer Spacetime Games!Check Us Out At:http://www.battlecommandapp.comConnect with other players!Forum: http://www.spacetimestudios.com/forumdisplay.php?148-Battle-CommandFacebook: https://www.facebook.com/battlecommandgameGoogle +: https://plus.google.com/104343462527470688456", "devmail": "support@spacetimestudios.com", "devprivacyurl": "http://www.spacetimestudios.com/content.php", "devurl": "http://spacetimestudios.com&sa=D&usg=AFQjCNGVSS3RbqXhVcEVHN9qOHwcQKK1Rg", "id": "sts.bc", "install": "500,000 - 1,000,000", "moreFromDev": "None", "name": "Battle Command!", "price": 0.0, "rating": [[" 4 ", 876], [" 2 ", 78], [" 5 ", 3233], [" 3 ", 337], [" 1 ", 205]], "reviews": [["Amazing game", " It's the best in its genere, all other apps like this have some unbalanced resources that make buying things with real money look like a deal. This one though, you dont have to spend anything to be on par with others who have spent. "], ["- Zythus", " Hello, To those \"Mature\" adults if your looking for a strategic Commanding game I can certainly recommend you this. Don't judge this Game by the amount of stars I will rate it I have my own reasons. Hope to see you there, Play safe & respectful. "], ["Great strategy game!", " You run out of gems too early so you have to spend real cash (or watch clips a lot) . Other than that, it's a cool game! Definitely addictive! :) "], ["Awesome!", " One ad that pops up occasionally, free to play and so far it runs super smooth! It's these kinds of games I can get behind and spend money to show my support and help. Awesome work! "], ["Excellent strtegy game", " I've been playing several strtegy/base management games and this one is the best. Good graphics, many unit types, logical game rules. And of cause - challenge to destroy and rob bases of fellow players. "], ["Fun but crystals should be a bit easier to gain without buying them.", " Graphics 9 Music 8 Gameplay 8 Lag 1 Speed of play 5 "]], "screenCount": 15, "similar": ["com.gameloft.android.ANMP.GloftTBHM", "sts.al", "com.com2us.kingdomtactics.normal.freefull.google.global.android.common", "com.microids.google.bcnorthvssouthfreemium", "sts.pl", "com.gaijinent.mc2", "com.ember.nationzSD", "com.vbulletin.build_579", "com.coolapps.DeathBattle.en", "com.elevenbitstudios.AnomalyKorea", "sts.sl", "com.gamesinjs.dune2", "com.wargames.gd", "com.gameinsight.battletowersandroid", "com.rubicon.dev.gbwg", "com.hz.game.cd", "com.herocraft.game.ww2", "com.mangopub.pirates", "com.wistone.war2victory.de", "air.com.grand.battle.game.war", "sts.dl", "sts.bd"], "size": "6.7M", "totalReviewers": 4729, "version": "1.0.0.4"}, {"appId": "com.kakapo.freeslots", "category": "Cards & Casino", "company": "Kakapo", "contentRating": "Medium Maturity", "description": "Slots Fever - Free Slots is a totally free Vegas-style slots game with big prizes and special bonus coins you can collect every two hours! New video slot machines and bonus games are added constantly to keep the game exciting. Slots Fever - Free Slots also has a unique tournament mode and lots of chances for free coins and free spins!TOP FEATURES:- Get 200+ free coins every two hours! The higher your level, the more free coins you'll get!- 20+ themed video slot machines with high quality sound and graphics. Each has its own fun bonus game! 2+ new video slot games released every month. - The first slots game with a tournament mode! You get a limited time to spin, and the players with the best scores get fantastic bonuses! - Collect game items when you spin 4/5 of a kind. Sets of 3 items get you 100 coins. Complete all the sets in a theme to play the Great Bonus Game! - Spin up to 40 lines at a time- Pick a nickname and choose from 16 awesome avatars!- Compete for a place on the Leader Board- Make in-app purchasesWHAT PEOPLE ARE SAYING:\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u20ac\u0153It\u00e2\u20ac\u2122s so easy to win! I used to play slotsfree, slotsmania and slot city but the odds are way better in Slots Fever!\u00e2\u20ac\ufffd\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u20ac\u0153I love slots fever, it\u00e2\u20ac\u2122s the best casino slots game!\u00e2\u20ac\ufffd\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u20ac\u0153I play this slots game every single day. There\u00e2\u20ac\u2122s a lot you can get for free and you just keep winning more\u00e2\u20ac\u00a6 way cooler than other slots machines. :)\u00e2\u20ac\ufffdFeatured Games on Slots Fever:Hawaii Holiday - Come to the beach and join the lucky luau complete with hula skirts and plenty of sunshine!Winning Wizard - The power of magic is on your side when you play this wizardry-themed slots machine!Rome - The great ancient civilization is now available as a great video slots machine. Happy Kingdom - Mighty dragons and beautiful princesses are just some of the inhabitants of this luckiest of kingdoms. India Mania - The mystic treasures of India will lead you to fortune in India Mania. PIRATES - Arrrrrr Matey! No one knows how to find treasure (or coins!) like a pirate and this theme has everything pirate from chests of doubloons to skulls and crossbones. Valentine's Day - Feel the love when you play this cute and romantic theme in honor of Valentine's Day.Mall Madness - Shopping fanatics, it's time to head to the Slots Fever mall. You might get a great deal on a big jackpot! Rockin Reindeer - The magic of Christmas will bring you luck year round with cute reindeer, gingerbread men, and more. Fruit Mania \u00e2\u20ac\u201c start your Slots Fever fun on the farm, picking fruit (and winning coins!) to a catchy tune.Ocean Dream \u00e2\u20ac\u201c Go for a swim in the sea with the most adorable ocean creatures to ever appear on a slots machine! Crazy Zoo- Take a trip to see your favorite animals at the zoo, and walk away with big winnings!Coming soon \u00e2\u20ac\u201c new slot machines every month!Have questions or suggestions about Slots Fever \u00e2\u20ac\u201c Free Slots? Like us on Facebook to chat with us and other players! https://www.facebook.com/KakapoGamesOr email your questions to support@kakapo.mobiWhy wait when you could be winning now? Play this awesome video slots game today! Have fun & good luck!", "devmail": "support@kakapo.mobi", "devprivacyurl": "N.A.", "devurl": "http://www.facebook.com/KakapoGames&sa=D&usg=AFQjCNGbmVZWwaRJAg8DXuQkzHlzeCK7Ng", "id": "com.kakapo.freeslots", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.kakapo.slotsfarm", "com.kakapo.slots.australian", "com.kakapo.slots.digisy", "com.kakapo.slotsfb"], "name": "Slots Fever - FREE Slots", "price": 0.0, "rating": [[" 2 ", 148], [" 5 ", 3300], [" 3 ", 465], [" 4 ", 1114], [" 1 ", 316]], "reviews": [["My favorite slot game", " Lots of big wins, many game levels & plentiful bonus. Thanks!!! "], ["Two thums down.", " Game wont give bonus. Nor do they reimburse lost coins. SADD!! "], ["Fun and entertaining", " Serves its purpose. Doesn't get boring. "], ["LOVE IT!!!", " One of my top five. "], ["Fun game", " Fun game to play. Keeps u busy. Eats up your memory. "], ["Ok", " Not too bad.! "]], "screenCount": 8, "similar": ["com.dragonplay.slotcity", "com.apostek.SlotMachine", "com.magmamobile.game.Slots", "com.gamelion.slots", "com.cervomedia.spw", "air.com.slotgalaxy", "wheel.slots.leetcom.com", "com.casinogame.slots", "com.mw.slotsroyale", "air.com.playtika.slotomania", "com.williamsinteractive.jackpotparty", "com.ddi", "com.blueshellgames.luckyslots", "com.scopely.slotsvacation", "jp.gree.jackpot", "air.com.ea.game.monopolyslots_row"], "size": "27M", "totalReviewers": 5343, "version": "1.02"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtadaa.json_merged.json b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtadaa.json_merged.json new file mode 100644 index 0000000..2f0df5e --- /dev/null +++ b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtadaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.skgames.trafficracer", "category": "Racing", "company": "Soner Kara", "contentRating": "Low Maturity", "description": "Traffic Racer is a milestone in the genre of endless arcade racing. Drive your car through highway traffic, earn cash, upgrade your car and buy new ones. Try to be one of the fastest drivers in the global leaderboards.KEY FEATURES- Stunning 3D graphics- Smooth and realistic car handling- 17 different cars to choose from- 4 detailed environments: suburb, desert, snowy and city night- 4 game modes: Endless, Two-Way, Time Trial and Free Ride- Rich types of NPC traffic including trucks, buses and SUVs.- Basic customisation through paint and wheels- Online Leaderboards and AchievementsGAMEPLAY- Tilt or Touch to steer- Touch gas button to accelarate- Touch brake button to slow downTIPS- The faster you go the more scores you get- When driving over 100 kmh, overtake cars closely to get bonus scores and cash- Driving in opposite direction in two-way mode gives extra score and cashTraffic Racer will be updated constantly. Please rate and give your feedback for further improvement of the game.FOLLOW US* http://facebook.com/trafficracergame* http://twitter.com/TrafficRacer* https://plus.google.com/115863800042796476976/", "devmail": "trafficracergame@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://skgames.com/&sa=D&usg=AFQjCNHpchYQFXdEK3k1sAhv3PFnAGFIFQ", "id": "com.skgames.trafficracer", "install": "500,000 - 1,000,000", "moreFromDev": "None", "name": "Traffic Racer", "price": 0.0, "rating": [[" 1 ", 545], [" 5 ", 12890], [" 4 ", 1030], [" 2 ", 116], [" 3 ", 368]], "reviews": [["Great!!", " I don't rate games very often. And I usually get tired of a game after a few days, but this one is just some good classic fun if you have a bit of spare time. "], ["Awsome !!!", " I Love this game -get caught up in hours playing even though I just installed it - quite easy to get addicted - real lots of fun "], ["Could change some things IMO, but pretty good as is.", " Camera angle could be lower to see more cars ahead, even with fully upgraded brakes on the Skyline it's not enough to stop in time if every lane is blocked. Cars merging into you last second gets kind of annoying as well. More cars and customization couldn't hurt, maybe add a suspension upgrade that lowers the cars and gives them less body roll. "], ["Great game!", " This is the best highway racer I've played on a mobile device!... And the car selection is perfect, all of the right cars are in this game... If development continues on the title, I'd love to see more cars added like: RX-7's, Porsches, the R34, etc. Also improve the sound FX by adding Turbo BOV sounds, the rotory sound of the RX-7, backfires from the exhaust, etc... Just the little things that would turn this from a really cool game, into a ridiculously awesome title... "], ["Best Tilting Screen Game Out There", " I hate games that use the screen/phone/tablet to steer or turn. I can't stand the Asphalt games because you sit there turning your phone upside down and the sensitivity is always off. This game actually gets it right. It's not perfect, but it's tolerable and easy enough to actually play. As for the endless running aspect, those are typically my favorite types of games. I enjoy subway surfers but it is too easy and doesn't challenge your reflexes quite like this game. This game actually surprises "], ["Fantastic game", " Simple to learn, hours of fun, and oddly, quite relaxing. Improvements needed: make the distance traveled realistic. If u go full speed on a supra for like 10 min, it says only 3 km driven. Also, maybe allow mph instead of kmh. Also, maybe a motorcycle and some motorcycles moped in traffic. Thank you for making a great fun game! "]], "screenCount": 7, "similar": ["com.wordsmobile.speedracing", "com.droidhen.car3d", "com.tomico.laneracer3d", "air.com.empiregames.A3ddragrace2", "com.ovilex.bussimulator3d", "com.julian.fastracing", "com.awesomecargames.mountainclimbrace_1", "com.creativemobile.DragRacing", "com.infinitedreamfactory.taxiinlondontraffic", "com.virtualinfocom.driftcarrace", "com.flatter.android.highwaymania", "com.polarbit.Getaway", "com.isbgames.bikeracer", "net.mobilecraft.racing", "com.stickystudios.hessracer", "com.touchtao.cityracinggpelite"], "size": "43M", "totalReviewers": 14949, "version": "1.6.5"}, {"appId": "com.kakapo.bingo", "category": "Cards & Casino", "company": "TOPFUN", "contentRating": "Medium Maturity", "description": "The newest, hottest Bingo game has arrived on Android!Bingo Fever is the Bingo game where you can win the most! Compete with players from around the world in special rooms designed like different countries. The high quality images and animation will make you feel like you\u00e2\u20ac\u2122re really there!\u00e2\u02dc\u2026 When you play Bingo Fever we will give you 2000+ coins and 50+ cards to start out.\u00e2\u02dc\u2026 Every day you log in you will get a bonus gift of 15+ cards \u00e2\u20ac\u201c you don\u00e2\u20ac\u2122t want to miss a day!\u00e2\u02dc\u2026 Bingo Fever has a daily lottery. Enter once for free or buy extra chances to win.\u00e2\u02dc\u2026 Play against real people in real time.\u00e2\u02dc\u2026 Compete with rivals from all over the world in Bingo Fever.\u00e2\u02dc\u2026 Play in 9 different Bingo game rooms. We will be rolling out more rooms all the time!\u00e2\u02dc\u2026 Each room has it\u00e2\u20ac\u2122s own kind of scenery\u00e2\u20ac\u00a6 so playing Bingo Fever is a way of traveling!\u00e2\u02dc\u2026 7 types of power-ups let you get rewards and have a higher chance of winning Bingo games.\u00e2\u02dc\u2026 Every room has 12 special collectible items for you to discover. Collect them all to win a big prize!But don\u00e2\u20ac\u2122t take our word for it! Check out what other players have said about our Bingo game:\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u20ac\u0153By far the best bingo game, way better odds than bash or blitz. I won so many times from the instant win power ups\u00e2\u20ac\u00a6 and the 2x coins ones are the best!\u00e2\u20ac\ufffd\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u20ac\u0153This game has really great graphics. Its so beautiful I don\u00e2\u20ac\u2122t want to put it down!\u00e2\u20ac\ufffdHave questions or suggestions about Bingo Fever - Free Bingo Game?Email your questions to support@kakapo.mobi Download Bingo Fever now to start your FREE bingo journey.The best looking art, the most players, and the highest rewards are waiting for you!", "devmail": "shirleyshen608@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.kakapo.bingo", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Bingo Fever - Free Bingo Game", "price": 0.0, "rating": [[" 1 ", 1762], [" 4 ", 2438], [" 2 ", 771], [" 5 ", 19782], [" 3 ", 1618]], "reviews": [["2 hard 2 get cards,coins bages if u accidentally hit the bingo button they ...", " 2 hard 2 get cards,coins bages if u accidentally hit the bingo button they take ur card! There should b a countdown then get it back! But cool game... "], ["Game sucks", " Man I would give it a five if there was anway to buy tickets with coins or the treasure box would give u way more tickets then 1 or 2 once u run out of tickets u can't play anymore even if u un install a the install again. Please fix or I'm un installing game "], ["Game play stupid", " If I spend actual money I want a game that has better graphics (not really important), the odds are not tilted and I know how many items are in each room and the ability to play 4 cards at a time without scrolling. I will continue to check this game out and will re-rate the game later. Unlike most Bingo games, you get more power-ups when you run out, Not this game, If you don't have any of the upper Power-ups you must purchase more SO, I have 30 power-ups but since I didn't have any of the upper power-ups (which I still don't Know which power-ups are the upper power-ups) I had to purchase more before I cold use any of them "], ["Its sad really they have had me receiving 16 daily tickets for a long ...", " Its sad really they have had me receiving 16 daily tickets for a long time I'm level 31 yet I ask for help n they ignore it don't download its a waste you run out of tickets\tNeeds better payouts n power up shuffle option if a power up displays n u don't have it u can't pick one that u do have n u don't get the tickets your suppose to I'm level 31 n it gives me level 16 credits can't afford to play it sucks don't install "], ["when i buy tickets or power up i recieve a strange 39.95 ,19.95, or ...", " when i buy tickets or power up i recieve a strange 39.95 ,19.95, or 29.95\tto my cc i have to call cc company to take it off. will never buy em again "], ["Keeps freezing!!", " I used to love playing this game but lately it keeps freezing me out of the game!! It also doesnt let me use powerplays when ive just bought them!!! Very frustrating please fix bugs.... "]], "screenCount": 7, "similar": ["com.fpinternet.ibingo", "com.ember.bingoSD", "com.targa.bingo", "air.com.bitrhymes.bingo", "com.dragonplay.wildbingo", "com.gsn.android.casino", "com.ea.game.monopolybingo_row", "air.com.sgn.bingo.google", "com.etermax.bingocrack.lite", "air.com.buffalo_studios.newflashbingo", "jp.gree.jband", "com.tinidream.bingorun", "com.productmadness.bingomadness", "com.redhotlabs.bingo", "air.com.alisacasino.bingo", "com.apostek.apps.pocketbingo"], "size": "19M", "totalReviewers": 26371, "version": "1.03"}, {"appId": "com.rovio.angrybirdsstarwarsii.ads", "category": "Arcade & Action", "company": "Rovio Mobile Ltd.", "contentRating": "Low Maturity", "description": "The Force is strong with this one. Get ready for Angry Birds Star Wars II \u00e2\u20ac\u201c the epic follow-up to the #1 smash hit game! Based on the Star Wars movie prequels, use the Force for good against the greedy Pork Federation or choose a much darker path. That\u00e2\u20ac\u2122s right; for the first time ever you can \u00e2\u20ac\u0153Join the Pork Side\u00e2\u20ac\ufffd and play as the fearsome Darth Maul, Emperor Palpatine and many other favorites!JOIN THE PORK SIDE! For the first time ever play as the pigs! Wield Darth Maul\u00e2\u20ac\u2122s double-bladed Lightsaber, or play as Darth Vader, General Grievous and other villains!30+ PLAYABLE CHARACTERS! Our biggest line-up ever of playable characters \u00e2\u20ac\u201c Yoda, pod-racing Anakin, Mace Windu, Jango Fett and many more!TELEPODS! A groundbreaking new way to play! Now teleport your favorite characters into the game by placing your Angry Birds Star Wars Telepods* figures on your device\u00e2\u20ac\u2122s camera! BECOME A JEDI OR SITH MASTER! So many Bird and Pork Side levels to master, plus a bonus reward chapter and a ton of achievements to unlock!SWAP CHARACTERS AS YOU PLAY! Switch characters in the slingshot at any time \u00e2\u20ac\u201c yours to earn or purchase!ToonsTV READY TO GO! The home of the hugely popular Angry Birds Toons animated series, plus many other top-quality videos!Angry Birds Star Wars II also supports tablet devices, so you can unleash the Force on the big screen. May the birds be with you!This free version of Angry Birds Star Wars II is ad-supported.*Availability varies by country. Angry Birds Star Wars Telepods sold separately and are compatible with select mobile devices. See the full list of supported devices from Hasbro: http://www.hasbro.com/starwars/en_US/angry-birds-telepods.cfmImportant Message for ParentsThis game may include:- Direct links to social networking websites that are intended for an audience over the age of 13.- Direct links to the internet that can take players away from the game with the potential to browse any web page.- Advertising of Rovio products and also products from select partners.- The option to make in-app purchases. The bill payer should always be consulted beforehand.", "devmail": "contact@rovio.com", "devprivacyurl": "http://www.rovio.com/privacy&sa=D&usg=AFQjCNGt5frM4xE8I2NzBoydDHFuFHGA3g", "devurl": "http://www.rovio.com&sa=D&usg=AFQjCNHvjmrRiO9nJs9iqJoCen5OEfYg9Q", "id": "com.rovio.angrybirdsstarwarsii.ads", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.rovio.angrybirdsspace.ads", "com.rovio.angrybirds", "com.rovio.BadPiggies", "com.rovio.angrybirdsgocountdown", "com.rovio.BadPiggiesHD", "com.rovio.croods", "com.rovio.amazingalex.premium", "com.rovio.angrybirdsseasons", "com.rovio.amazingalex.trial", "com.rovio.angrybirdsstarwarsii.premium", "com.rovio.angrybirdsfriends", "com.rovio.angrybirdsspace.premium", "com.rovio.angrybirdsspaceHD", "com.rovio.angrybirdsstarwarshd.premium.iap", "com.rovio.angrybirdsrio", "com.rovio.angrybirdsstarwars.ads.iap"], "name": "Angry Birds Star Wars II Free", "price": 0.0, "rating": [[" 4 ", 5976], [" 3 ", 2467], [" 2 ", 863], [" 5 ", 64609], [" 1 ", 2844]], "reviews": [["Awesome but...", " It took me a few hours to complete and I want more levels. Also its hard to get credits and I want permanent darth vader or anakin episode 3 Also id like the daily reward from modt other angry birds Other than that keep Up the good work rovio "], ["unlike any other", " so much fun with totally new concept rovio . i m one of ur million fans . i wish this game should also have the daily reward type thing like all other series have in angry birds. "], ["Fun", " I like how you can be the piggies. Thx for making boba better than jango (Cuz he is). Anyway, great job, best angry birds app so far. Please come out With next update soon, and a Angry Birds Star Wars the Clone Wars. "], ["ANGRY BIRDS STAR WARS 2", " KEEPS GETTING BETTER AND BETTER. CAN'T WAIT UNTIL THE 3RD ONE.AND THEN CLONE WARS (CROSS MY FINGERS) HOPEFULLY. KEEP UP THE GOOD WORK. TAKE CARE!!!!! "], ["Gftdhetggrtrh erg err tr", " The suspense to be in therapy and I don't know if you could help me with my life as we know you sleep I know you I would like a desperate child you are not intimidated by the phone bill for you to know about me to do something about you Ryan your email and I am going out with him and could be in therapy all of a sudden only way I getting "], ["Love it", " Cool very cool but you should make an Indiana Jones version now that would be awesome "]], "screenCount": 15, "similar": ["com.lego.starwars.theyodachronicles", "com.glu.deerhunt2", "com.game.SkaterBoy", "com.fingersoft.benjibananas", "com.halfbrick.jetpackjoyride", "com.gameloft.android.ANMP.GloftIMHM", "com.imangi.templerun", "com.topfreegames.bikeracefreeworld", "com.kiloo.subwaysurf", "com.halfbrick.fruitninjafree", "com.imangi.templerun2", "com.natenai.glowhockey", "com.moistrue.zombiesmasher", "com.bestcoolfungames.antsmasher", "com.academmedia.AngryShooter", "com.fgol.HungrySharkEvolution"], "size": "39M", "totalReviewers": 76759, "version": "1.1.1"}, {"appId": "air.au.com.metro.DumbWaysToDie", "category": "Casual", "company": "Metro Trains", "contentRating": "Medium Maturity", "description": "You've seen the video\u00e2\u20ac\u201dnow the lives of those adorably dumb characters are in your hands.Enjoy 15 hilarious mini-games as you attempt to collect all the charmingly dumb characters for your train station, achieve high scores and unlock the famous music video that started it all.From piranhas and platforms to snakes and level crossings\u00e2\u20ac\u201dtap, swipe, and flick to safely escape a wide range of DUMB WAYS TO DIE.Download the FREE game now and remember, be safe around trains. A message from Metro.GAMEPLAY- Why is his hair on fire? Who cares, just RUN!- Quickly wipe your screen free of puke- Balance that wobbling glue eater- Flick the piranhas out of range of those precious private parts- Swat wasps before it's too late- Best not invite that psycho killer inside- Carefully remove forks from toasters- Help self-taught pilots- Get back from the edge of the platform you fools- Have patience at level crossings- No crossing the tracks! Not even for balloons!- Find true love during hunting season- Duck the bear for a candy shower- Go on, press the red button- And who knew rattlesnakes were so picky about mustard?Be safe around trains and watch the original Webby and Cannes award-winning video at dumbwaystodie.com", "devmail": "metro@metrotrains.com.au", "devprivacyurl": "N.A.", "devurl": "http://dumbwaystodie.com&sa=D&usg=AFQjCNFLCb8DCzvaM-hJep2jkm74Gq-sxg", "id": "air.au.com.metro.DumbWaysToDie", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "Dumb Ways to Die", "price": 0.0, "rating": [[" 5 ", 27677], [" 4 ", 4350], [" 2 ", 751], [" 3 ", 2011], [" 1 ", 2091]], "reviews": [["Wont Install", " Played this on a friends phone and found out that on some devices(including mine) cant plug the holes because of touch screen limitations, I also cant even install the app on my S4 "], ["Impossible levels", " The blood game doesnt work on a HTC one because you can't close more than 2 holes. I also have to force close the app to get out of it "], ["I tried this game on my brothers phone and I did not know what ...", " I tried this game on my brothers phone and I did not know what to do but know I do it is funny but sometimes it's hard because it doesn't let u read the instruction but I like it so I downloaded in my mom's phone hope she don't delete it\tI LOVE THIS GAME IT'S VERY FUNNY "], ["Cant find the word to discribe it", " Its like the best game ever in the bus im a 6th grader i take my phone,and play thus game on my gallexy and like im not bored im just having fun with my friends seeing who has a higher score you should really download this you will be very happy and you wount get bored of it i promise you "], ["Some parts don't work", " Great but the video doesn't work at all and the music only sometimes works. Also I cannot cover more than 2 holes on the moose level due to the limits of my touchscreen "], ["Can't cover holes.", " Great game except I can't cover the 5 holes. It doesn't recognize more then four "]], "screenCount": 15, "similar": ["com.naturalmotion.myhorse", "au.com.metrotrains.notify", "com.wordsmobile.musichero", "com.king.candycrushsaga", "com.ea.game.pvz2_row", "com.bfs.papertoss", "com.g6677.android.lpetvet", "com.gameloft.android.ANMP.GloftIAHM", "com.teamlava.bakerystory31", "com.magmamobile.game.Burger", "com.gamestar.pianoperfect", "com.outfit7.mytalkingtomfree", "me.pou.app", "com.gameloft.android.ANMP.GloftDMHM", "com.g6677.android.phairsalon", "com.ea.game.simpsons4_row", "com.king.petrescuesaga"], "size": "34M", "totalReviewers": 36880, "version": "1.4.1"}, {"appId": "com.marvel.avengersalliance_goo", "category": "Arcade & Action", "company": "Marvel Games", "contentRating": "Low Maturity", "description": "Google Play \u00e2\u201e\u00a2 Store Exclusive for Cyberweek! Get the Transcranial Stimulator for 50% discount! Limited time only!Team up with the Avengers, Spider-Man, and the X-Men, as you begin your mission as an agent of S.H.I.E.L.D. Harness the power of ISO-8 before Dr. Doom, Loki, and the world's most powerful villains beat you to it. Recruit your favorite Marvel Heroes like Thor, Iron Man, Captain America and The Hulk, gear up and Assemble in this new game!***** IMPORTANT*****- Current Marvel: Avengers Alliance Players - this game is a stand-alone app. Game play and stats are not linked with the Facebook or iOS versions.- Internet connection is required to play Avengers Alliance.- Most phones and tables version 4.0 and above are supported.***** GAME FEATURES *****- Stunning graphics and special FX.- Team up with 20+ Marvel Heroes including the Avengers, Wolverine and the X-Men, the Fantastic Four, and more!- 450+ battles including Boss and Epic Boss battles.- 60+ missions and hundreds of quests.- Over 400 in-game items.- Customizable agent and hero stats.- Join forces with friends and send/receive FREE gifts.- Player VS Player (PVP) mode [COMING SOON]- Special Operations (Spec Ops) mode [COMING SOON] By downloading this game, you agree to the Terms Of Use and Privacy Policy.Terms Of Use:http://corporate.disney.go.com/corporate/terms-appapp.htmlPrivacy Policy:http://corporate.disney.go.com/corporate/pp.html", "devmail": "playdommobilesupport@playdom.com", "devprivacyurl": "http://corporate.disney.go.com/corporate/pp_wdig.html&sa=D&usg=AFQjCNEEGKmGUxxsYDCitOo3i-Bgy9SuCw", "devurl": "http://m.support.playdom.com/marvelAn-faq.php&sa=D&usg=AFQjCNHGLnaBXDd_9aynzFoiuSXx2N_DLA", "id": "com.marvel.avengersalliance_goo", "install": "500,000 - 1,000,000", "moreFromDev": ["com.marvel.capinstaller"], "name": "Avengers Alliance", "price": 0.0, "rating": [[" 5 ", 7554], [" 3 ", 1093], [" 2 ", 471], [" 4 ", 2159], [" 1 ", 1271]], "reviews": [["It's a great game.", " There's just one thing..In a future update will there be BLADE?? I BEG YOU ! MARVEL NEVER USES BLADE :-( "], ["No facebook connect", " Its still a decent game, but oh well. People expect too much from a free game. Pvp to be added soon, so thats a plus. I also need allies, feel free to add me no matter your level. Id: daedalos "], ["No fb link...?", " Really? I have it on my iPad and I'm level 133! There is no way in Hell I'm starting over. Fix this for a better rating. That is your number one problem you NEED to fix people! "], ["Add me toshz", " Help me out and ill send gifts! Id: Toshz "], ["No Facebook link?", " Add me: Agent Darc Even though I didn't play on the Facebook version of the game I do have many friends that do. I'm assuming this will come in the future so I'm gonna leave 3 stars here. Game is slow sometimes and some crashes here and there but still playable. All in all once it catches up to its Facebook counterpart 5 stars will be thrown all over the place. "], ["No FB link, runs poorly.", " I use to play the FB game, but quit do to time constraints and thought this would be a good way to play in the airport or what not. Nope! no FB link, this was such an easy way for the company to get people who stopped playing back into playing, with linking a device that is always connected to the internet.... Also, the game runs extremely choppy, it was probably a direct port, not the best. "]], "screenCount": 15, "similar": ["com.gamevil.doz.global", "com.gameloft.android.ANMP.GloftIMHM", "com.avenger", "com.disney.avengers_goo", "com.gameloft.android.ANMP.GloftAMHM", "com.minigames.spiderguy", "com.marvelwoh.wolfy.marvel", "com.nekki.vector", "disney.captainamericalw", "com.redrobot.globaloutbreak", "com.djinnworks.RopeFly.lite", "kemco.wws.einereise", "com.Reinstated.wanking.g_38", "com.zenstudios.MarvelPinball", "com.hz.game.stickswing", "com.gameloft.android.ANMP.GloftTRHM", "com.letitguide.warofheroes", "com.pip.runesofwar.efun.aven"], "size": "14M", "totalReviewers": 12548, "version": "2.00"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtadab.json_merged.json b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtadab.json_merged.json new file mode 100644 index 0000000..1275237 --- /dev/null +++ b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtadab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.game.casual.candymania", "category": "Casual", "company": "Top Casual Game", "contentRating": "Low Maturity", "description": "Candy Mania,Your main goal is to pass the levels and try to get all Stars for each level.How to play:1. Match 3 or more identical Candy to eliminate them!2. Match the Candy until the board transparency,the Candy star will appear.3. Make the Candy Mania down to last line to pass the level.Tips: Eliminate the Candy quickly can get extra scores.Game Features:1. More than 350 levels and 8 pretty scenes in the game, including starry sky,mountains,snow world and so on.2. Match 4 Candy can win the Candy bomb and 1 lighting.3. Match 5 Candy can win color-changing Candy and 2 lightings.4. Eliminate 20 Candy continuous can win 1 lighting.5. The Candy bomb can eliminate the Candy around.6. The Color-changing Candy can eliminate to any other colored Candy.7. The Timing Candy can extend the playing time.8. The lightning Candy can eliminate Candy in one row.9. For the chained Candy, you can eliminate the Candy around to unlock it.10. For the frozen Candy, you can eliminate the Candy around to release it.", "devmail": "googid1031@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.game.casual.candymania", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.game.puzzle.candystar", "com.game.candyblitz"], "name": "Candy Mania", "price": 0.0, "rating": [[" 4 ", 470], [" 1 ", 460], [" 2 ", 148], [" 3 ", 377], [" 5 ", 2296]], "reviews": [["Way to many ads", " This game is full of ads pop up ads during the game.ads on bottom everywhere look ads and no way to get rid of them game play like all games like this just different. Symbols during the game.there are many games like this without all the ads. "], ["Candy mania", " candymania is just like candy crush I love it I love it like I love the way you make me feel I got a bad boy just a minute hey I got a hot be just a minute hey I know you good morning meals only you could love me feel like you do to me I love the way you make me feel "], ["COPY CATS on the low!!!!", " The colors collide with each other they all blend in making it hard to really see which is wht. You guys kinda stole candy crush theme but Candy Crush is awsome. Newayz u should make the colors pop more. You also stole Candy Crush picture becuz ur candies are not even close to the pic u advertise. Maybe since everyone play candy crush you guys figure you will get more people to play if you do somewhat false advertising. Still ok game tho. (Candy Crush Rules) "], ["Ok", " Not a bad game but annoying when an ad pops up n u accidently click it u end up having to restart the level. Uninstalling. "], ["Copy cats!", " This game is EXACTLY LIKE BEJEWLED BLITZ but gave it a girly theme! It took candy crush's picture and doesn't even involve candy "], ["Fun but not so nice", " The game itself is fun, nice graphics and cute music. BUT I didn't know that there was a time limit until i got few ticking clock on the candy and it went to the bottom of the screen, BECAUSE there was an ADVERTISEMENT AT THE BOTTOM.. CAN YOU REMOVE IT PLEASE???? IT IS A DISTRACTION, WE ALL KNOW ABOUT those ads SO PLS JUST TAKE IT OFF. thank you! "]], "screenCount": 8, "similar": ["com.folio3.games.candymonster", "com.BubbleTeam.JewelsCrush", "com.king.candycrushsaga", "com.crazybullgames.happycandyjump", "com.lpdagame.candy2main", "air.com.elextech.happyfarm", "com.momgame.candy", "com.hylands.CandyDeluxePro", "com.midasplayer.apps.bubblewitch", "com.icee.candy.pops.ice.popsicle", "com.king.petrescuesaga", "com.candy.maker.icee.nuttyapps", "com.candycorp.candyisland", "com.gold_stone_studio.fruitsaga8017", "com.vostu.candy", "com.candy.maker.mania.kids"], "size": "5.0M", "totalReviewers": 3751, "version": "12"}, {"appId": "com.teamlava.dragon31", "category": "Casual", "company": "TeamLava Games", "contentRating": "Everyone", "description": "Dragon Story, the #1 FREE dragon game returns with a special Thanksgiving Edition! Download and play now to get in the Thanksgiving spirit and hatch new Dragons, complete with their own habitat! Hatch, raise, and breed dragons of all colors on magical islands! Raise your dragons from babies to epic adults and breed them to discover rare dragons! - COLLECT strong, mysterious, and fun dragons. Each dragon moves with a lively, and sometimes quirky, personality!- EVOLVE your dragons through 4 stages to reach EPIC form!- BREED different colored dragons to raise new hybrid dragons! Can you DISCOVER the rare dragon for each color combination?- GROW magical food for your dragons. Feed them and watch them grow and evolve into epic creatures!- DECORATE your islands with colorful habitats, castle towers, flowers, and more!- Sharp, stunning graphics, animations, and sounds bring your dragons to life.- Invite your Facebook or Storm8 friends to play with you. Gift GOLD and help each other raise dragons!- FREE updates will introduce new colors of dragons and more!Which dragons are your favorite? Mighty Fire Dragons, whimsical Air Dragons, mysterious Magic Dragons and many more await you in Dragon Story!Dragon Story: Thanksgiving is the BEST looking FREE dragon game for your Android device! Please note: Dragon Story: Thanksgiving is an online only game. Your device must have an active internet connection to play.Please note that Dragon Story: Thanksgiving is free to play, but you can purchase in-app items with real money. To disable this feature, go to the Google Play app on your device, tap the Menu button, select Settings > Use password to restrict purchases. Then follow the directions to complete setup. In addition, Dragon Story: Thanksgiving may link to social media services, such as Facebook, and Storm8 will have access to your information through such services.TeamLava, a Storm8 studio, is the #1 Mobile Social Game Developer on Android.Use of this application is governed by the TeamLava Terms of Service. Collection and use of data are subject to TeamLava's Privacy Policy. Both policies are available at\u00c2\u00a0www.teamlava.com/terms\u00c2\u00a0and\u00c2\u00a0www.teamlava.com/privacy", "devmail": "android-dragon-support@teamlava.com", "devprivacyurl": "http://www.teamlava.com/privacy&sa=D&usg=AFQjCNEjsHE2R8j_68lCVav80e9LFzDSlw", "devurl": "http://www.teamlava.com&sa=D&usg=AFQjCNHdEpUC2xoce0crtqLRoHnbMJU-kA", "id": "com.teamlava.dragon31", "install": "100,000 - 500,000", "moreFromDev": ["com.teamlava.restaurantstory31", "com.teamlava.petshop", "com.teamlava.farmstory30", "com.teamlava.farmstory31", "com.teamlava.restaurantstory", "com.teamlava.petshop7", "com.teamlava.dragon", "com.teamlava.nightclubstory", "com.teamlava.fashionstory30", "com.teamlava.bubble", "com.teamlava.fashionstory", "com.teamlava.bakerystory", "com.teamlava.farmstory", "com.teamlava.restaurantstory29", "com.teamlava.citystory", "com.teamlava.bakerystory31"], "name": "Dragon Story: Thanksgiving", "price": 0.0, "rating": [[" 1 ", 279], [" 2 ", 116], [" 3 ", 260], [" 5 ", 2707], [" 4 ", 449]], "reviews": [["Frustrated", " Love this game but always says \"out of sync\" and I lose all the money I just collected and all my habitats atemt with squat for another will uninstall if not fixed soon! "], ["love the dragons but game shuts down", " love the cute dragons but the game shuts down frequently lately so it gets frustrating to accept requests and send gifts. also it's been awfully hard to breed the new cool dragons despite trying different combinations. the new ones also eat too much food. well hopefully the game will be more generous with the breeding outcomes at least. "], ["Love It!", " Only problem is that it shuts down when vsiting too many neighbors. And I wish it would give more variety when crossbreading! I always get the same one and not what the quest says I will get! "], ["Ready to uninstall", " These new versions of Dragon Story are getting worse! Thanksgiving freezes when I play. Can't visit other islands or it freezes my phone. Was not able to breed a single Halloween dragon and hoping that wont be the case for this version. I know many other Android users are having the same problem. PLEASE FIX!! "], ["Fun but need patience", " Wish there were more options for android users Agree that it freezes at times People just need to be more patient with the breeding process - its part of the challenge Please make gold more obtainable! Only ever receive 1 gold gift max a day "], ["cloudfone 430x thrill", " even how u update ur dragon wither it is halooween or thanksgiving dragon story it is always crashing everytime i play but i will give you 4 because im on level 105 now and i really love the game dragon story "]], "screenCount": 15, "similar": ["es.socialpoint.DragonCity", "com.tappocket.dragonvillage", "com.king.candycrushsaga", "com.g6677.android.lpetvet", "com.outfit7.mytalkingtomfree", "com.ea.game.pvz2_row", "com.gameloft.android.ANMP.GloftIAHM", "com.drgstory.guide", "com.magmamobile.game.Burger", "com.playcomo.dragongame", "com.king.petrescuesaga", "com.gamestar.pianoperfect", "com.gameloft.android.ANMP.GloftPDHM", "me.pou.app", "com.gameloft.android.ANMP.GloftDMHM", "com.letitguide.dcguide"], "size": "42M", "totalReviewers": 3811, "version": "1.0.7.7"}, {"appId": "com.webprancer.google.garfieldcookiedozer", "category": "Casual", "company": "Web Prancer", "contentRating": "Low Maturity", "description": "Join Garfield on this yummy take on one of the great coin-operated classics! But this time, instead of coins, he must push piles of scrumptious cookies into the prize bin. Help Garfield use an automatic pushing arm to win delicious cookies, costumes, toys and several collectibles. The objective of the game is deceptively simple! You must push cookies, tokens and various prizes into the collection area by strategically dropping cookies into the mechanism. You only have a limited amount of cookies to spend per day, and objects that fall off the sides of the tray are lost forever. So play smart using plenty of strategy and various special abilities! Collecting cookies and objects allows you to level up and earn unique puzzle pieces, upgrades and power-ups. As you play, you will get a chance to win various bonuses and special prizes in a number of mini games including a lucky spinning wheel and a special slot machine. Complete missions to unlock new costumes and surprise goodies. But remember, luck is only a small part of the challenge: learn where and when to drop your cookies to make physics work for you! Features: - Bright and colorful Garfield graphics - Inspired by the classic arcade favorites: slot machine and coin pusher - Complete missions and trade stamps to collect 31 costumes for Garfield - Level up to collect and put together puzzle pieces to complete various Garfield jigsaw pictures - Collect special plush dolls to activate interesting events - Play the game daily to collect stamp cards to trade for most costumes - Several fun and addictive mini-games to play and enjoy ** Please be aware that this free app contains paid content for real money that can be purchased upon users' wish to enhance their gaming experience. You can disable in-app purchases by adjusting your device\u00e2\u20ac\u2122s settings. **", "devmail": "gamesupport@webprancer.com", "devprivacyurl": "N.A.", "devurl": "http://www.webprancer.com&sa=D&usg=AFQjCNFsjJFCqlZEn6VIX3zX1lMJwuZ5Qw", "id": "com.webprancer.google.garfieldcookiedozer", "install": "100,000 - 500,000", "moreFromDev": ["com.webprancer.google.garfieldpethospital", "com.webprancer.google.GarfieldsDinerHawii", "com.webprancer.google.garfieldDefense", "com.webprancer.google.gdlivewallpaper", "com.webprancer.google.homesweetgarfieldfree", "com.webprancer.google.garfieldCoins", "com.webprancer.google.GarfieldsDiner", "com.webprancer.google.garfieldDefense2", "com.webprancer.google.homesweetgarfield", "com.webprancer.google.garfieldescapelite", "com.webprancer.google.garfieldzombiedefense", "com.webprancer.google.feedgarfield"], "name": "Garfield Cookie Dozer", "price": 0.0, "rating": [[" 4 ", 51], [" 1 ", 27], [" 3 ", 30], [" 5 ", 302], [" 2 ", 8]], "reviews": [["i love ..", " I love the origional, i love this one, great work "], ["Cool", " I love this game I didn't think it would be fun but it is:*) "], ["Great Addicted Games !!", " I love playing all Garfield games made by this developer in my galaxy, but why you don't make for iOs device too? Many apple user love Garfield too dude "], ["Garfield dozer", " I love this game its so much fun I just hate it when it takes so much time to get more cookies other than that its great!!!! "], ["Me", " Me and my samsung galaxy s4 rate it whit a 5 star yay go oh im also 11 years old "], ["Cool", " So cool "]], "screenCount": 15, "similar": ["it.junglestudios.cookieclickers", "com.valorplay.angrycoin", "com.g6677.android.ccookies", "jp.colopl.coin", "com.beantowngameshop.coindozer", "com.auer.coinpushzhcn", "com.degoo.android.cookies", "com.tinytoysinc.android_make_cookiedough", "ru.boomfox.cookieclicker", "com.tabtale.christmasgingerbreadcookiemaker", "jp.colopl.ensokaicoin", "com.g6677.android.cookie", "com.crazycatsmedia.android_make_cookie", "com.mindstormstudios.coinparty.google", "com.fatfreeapps.cookie_bake_free_amz", "com.yesimarobot.CookieDunk"], "size": "25M", "totalReviewers": 418, "version": "1.0.1"}, {"appId": "com.ea.game.tetris2011_na", "category": "Brain & Puzzle", "company": "Electronic Arts Inc", "contentRating": "Everyone", "description": "FREE YOURSELF! Play the world famous Tetris\u00c2\u00ae game you know and love with improved controls and all-new social features.CHECK OUT THESE RADICAL FEATURES:\u00e2\u20ac\u00a2 MARATHON MODE \u00e2\u20ac\u201c We\u00e2\u20ac\u2122ve added all-new controls so you can stack like a pro. Choose between lightning fast One-Touch, classic Swipe controls, or the innovative new Drag-and-Place option to keep clearing those lines.\u00e2\u20ac\u00a2 TETRIS\u00c2\u00ae GALAXY \u00e2\u20ac\u201c Try this new multi-level mode! Clear to the core as you drop each Tetrimino with split-second intensity. And use power-ups to transform the blockade below!\u00e2\u20ac\u00a2 FACEBOOK LEADERBOARDS \u00e2\u20ac\u201c Connect with your friends and brag about high scores on the newsfeed and more. \u00e2\u20ac\u00a2 TETRIS\u00c2\u00ae RANK \u00e2\u20ac\u201c Keep a tally of every line you\u00e2\u20ac\u2122ve ever cleared!\u00e2\u20ac\u00a2 T-CLUB \u00e2\u20ac\u201c Join fellow Tetris\u00c2\u00ae Enthusiasts and gain an advantage with bonus lines and T-Coins. You must be 13+ to play this game.Terms of Use: http://www.ea.com/terms-of-servicePrivacy and Cookie Policy: http://www.ea.com/privacy-policyGame EULA: http://tos.ea.com/legalapp/mobileeula/US/en/GM/Visit https://help.ea.com/ for inquiries. Important Messages for Consumers :Includes in-game advertising.This app collects data through the use of third party ad serving as well as EA\u00e2\u20ac\u2122s and third party analytics technology. See End User License Agreement, Terms of Service and Privacy and Cookie Policy for details.This app allows the player to make in-app purchases. Consult the bill payer before making any in-app purchases.This app contains direct links to social networking sites intended for an audience over 13.This app contains direct links to the Internet.For all countries other than Germany: EA may retire online features and services after 30 days\u00e2\u20ac\u2122 notice posted on www.ea.com/1/service-updates.", "devmail": "help@eamobile.com", "devprivacyurl": "http://privacy.ea.com/en&sa=D&usg=AFQjCNFAH3dzXJq62z5VrJ29GTVfZLVn_A", "devurl": "http://help.ea.com&sa=D&usg=AFQjCNFWLxldAX-PtgwQfVjqTNAw_2GNRQ", "id": "com.ea.game.tetris2011_na", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.ea.game.fifa14_na", "com.ea.games.nfs13_na", "com.ea.monopolymillionaire_na", "com.ea.tetrisblitz_na", "com.ea.scrabblefree_na", "com.ea.games.simsfreeplay_na", "com.ea.games.r3_na", "com.ea.game.tetris2011_row", "com.ea.tetrisblitz_row", "com.ea.game.pvz2_na", "com.ea.game.maddenmobile2014_na", "com.ea.game.simpsons4_na", "com.ea.BejeweledBlitz_na"], "name": "TETRIS\u00c2\u00ae", "price": 0.0, "rating": [[" 1 ", 1670], [" 5 ", 10146], [" 3 ", 1011], [" 4 ", 3087], [" 2 ", 427]], "reviews": [["Awesomeness", " I have been playing Tetris games of all kinds since they were developed! It's the only video game I can play for hours...days and not realize time has passed... I love this game and all its awesomeness! "], ["Meh", " What a letdown. Nothing in this version of the great classic is nearly as good as it deserves. The one finger swipe/tap controls feel unnatural and not precise enough for Tetris and I missed a lot because of it, maybe a two thumbs version could work better. The cheap visuals and cheesy audio is not retro enough to elicit nostalgia and not well designed enough to stand on their own. I would rate it 3/5 if it didn't go out of its way to annoy with poorly placed ads. "], ["Hmmm...?", " Did this update make the game easier? I've trying for God knows how long to finish the 3rd galaxy - Macro LJ in 16 moves to get 5 stars (!@$#ing impossible!) but I could only manage it in 17 moves. Now with this update I already have the max amount of 3 stars and I no longer have a motivating reason to search for that way in 16 moves...happy yet slightly disappointed well on to the next stage! If anyone knows please post. I beg you. LoL "], ["Nothing but ads and annoyances", " This game used to be fun. But now, you're forced to watch a video ad and get bugged for multiple in-game purchases before you can even start. Once you buy an in-game purchase for additional levels and start playing, the game stops itself after a few moves telling you that you've run out of moves and must buy more. I have no problem with ads. There were plenty in the previous version and I would have rated it 5 stars then. But this app is now nearly unusable if you're looking to just have relaxing fun. "], ["80s Memories!!", " Luv luv luv this game! It works great on my phone and I havent had one issue yet! I agree, don't know what problem some are having with their phone. It's not the app. "], ["Horrible", " I hate it. I can't even play on my own, the game is telling me what to do, every move. The advertisements are absolutely annoying. They are at every page and they make you wait before you can skip them. This game is total junk, don't waste your time. "]], "screenCount": 7, "similar": ["com.daunmobi.tetrisgame", "com.sabecz.tetris", "com.cprojekt.termos", "com.popcap.pvz_na", "com.sas.tetris", "com.beyondinfinity.tetrocrate", "com.eamobile.nfsshift_na_wf", "console.games.trs", "com.mobilexsoft.tetris", "com.eamobile.bejeweled2_na_wf", "air.com.ea.game.monopolyslots_na", "com.kidga.quadris", "me.mikegol.stetris", "com.kidga.pentas", "com.catfishbone.game.torus", "com.eamobile.sims3_na_qwf", "com.jaftalks.oldtetris", "com.appmobilegame.tetris", "com.egae.engach"], "size": "35M", "totalReviewers": 16341, "version": "1.3.00"}, {"appId": "com.supercell.hayday", "category": "Casual", "company": "Supercell", "contentRating": "Everyone", "description": "Hay Day is a totally new farming experience with smooth gestural controls lovingly handcrafted for your Android device.PLEASE NOTE! Hay Day is completely free to play, however some game items can also be purchased for real money. If you don't want to use this feature, please disable in-app purchases in your device's settings.Get back to nature and experience the peaceful, simple life of working the land and rearing chickens, pigs, cows and sheep.Make a name for yourself by harvesting crops and building bakeries, sugar mills and dairies that turn your fresh produce into wholesome goods. Trade your goods with your friends at your very own roadside shop and by advertising your products in the newspaper.REVIEWS5/5 \"This game is so awesome and unique! Coolest game I had ever played. Thank you Hay Day!!!!! :)\" 5/5 \"Wish there were more than 5 stars to choose from!\" 5/5 \"Really fun game to play with the family\" 5/5 \"Such a fun and addicting game! The animals and all they do is super cute - never a dull moment!!! Love it\" FEATURES\u00e2\u20ac\u00a2 FREE TO PLAY!\u00e2\u20ac\u00a2 Produce delicious food using natural ingredients from your very own farm\u00e2\u20ac\u00a2 Buy and sell your healthy, farm-fresh produce at the roadside shop\u00e2\u20ac\u00a2 Play and trade with your friends on Google+ and Facebook\u00e2\u20ac\u00a2 Easy, fun touch gestures that mimic real farming activities\u00e2\u20ac\u00a2 Raise and care for funny farm animals with quirky personalities!\u00e2\u20ac\u00a2 Build processing facilities like a sugar mill or a loom\u00e2\u20ac\u00a2 Work the land and improve your farm with different tools\u00e2\u20ac\u00a2 Beautiful animations and sounds. Your farm really feels alive!Having problems? Any suggestions? We would love to hear from you! You can reach us at hayday.android@supercell.netNote: A network connection is required to play Privacy Policy: http://www.supercell.net/privacy-policy/ Terms of Service: http://www.supercell.net/terms-of-service/", "devmail": "hayday.android@supercell.net", "devprivacyurl": "http://www.supercell.net/privacy-policy/&sa=D&usg=AFQjCNE162UdtDT8ylD_gazuKA46Tekurw", "devurl": "http://www.supercell.com&sa=D&usg=AFQjCNEg3VnImYLBS4Bu91fl_n-9CndaSQ", "id": "com.supercell.hayday", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.supercell.clashofclans"], "name": "Hay Day", "price": 0.0, "rating": [[" 2 ", 454], [" 4 ", 4288], [" 5 ", 27086], [" 3 ", 1457], [" 1 ", 994]], "reviews": [["ADDICTIVE!!", " My neice down loaded it hap hazardly along with several other junk apps got rid of all of them except for this one Some how it really caught my eye and i have been playing it since "], ["Waited so long!", " Waited for a long time for this to come from iOS! Only problem is that this game absolutely destroys my battery on Samsung galaxy note 3. Much, much more than any other game... Maybe a bug? "], ["Finally here", " I've been waiting for hay day so ce it was released for iPhone.. Only problem is it keeps losing connection but I'm sure it will be fixed I'm just thankful its here. "], ["Super slow.", " This process takes a while and I wish you didn't have to wait so long for horses. The horses should have more pros "], ["Over heating issue", " This is a very fun and addictive game with great graphic that made me always want to log in to check on my farm progress.. however i think there is some kind of bug, it drains my battery life and the back of my Note 3 is so hot and you can feel it after playing for just 3mins. Please fix this "], ["Gutted", " I love this game on my ipod but I have been waiting for it to come on android. It just says package file invalid :-( please help me and I will give 5 stars cuz it is the best farm game ever "]], "screenCount": 18, "similar": ["com.appeggs.hayday", "frenzy.farm.animal.farmgame", "com.teamlava.farmstory30", "com.herocraft.game.farmfrenzy.freemium", "com.king.candycrushsaga", "air.com.elextech.happyfarm", "com.ea.game.pvz2_row", "com.gameloft.android.ANMP.GloftGF2F", "com.gameloft.android.ANMP.GloftIAHM", "net.kairosoft.android.apart_en", "com.funplus.familyfarm", "com.teamlava.farmstory31", "com.outfit7.mytalkingtomfree", "com.alawar.FarmFrenzy3", "com.gameloft.android.ANMP.GloftDMHM", "com.ea.game.simpsons4_row"], "size": "43M", "totalReviewers": 34279, "version": "1.14.85"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json new file mode 100644 index 0000000..0a6ac12 --- /dev/null +++ b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.imangi.templerun", "category": "Arcade & Action", "company": "Imangi Studios", "contentRating": "Low Maturity", "description": "The addictive mega-hit Temple Run is now out for Android! All your friends are playing it - can you beat their high scores?!You've stolen the cursed idol from the temple, and now you have to run for your life to escape the Evil Demon Monkeys nipping at your heels. Test your reflexes as you race down ancient temple walls and along sheer cliffs. Swipe to turn, jump and slide to avoid obstacles, collect coins and buy power ups, unlock new characters, and see how far you can run! \"In every treasure hunting adventure movie there\u00e2\u20ac\u2122s one scene in which the plucky hero finally gets his hands on the treasure but then has to navigate a maze of booby traps in order to get out alive. Temple Run is this scene and nothing else. And it\u00e2\u20ac\u2122s amazing.\" - SlideToPlay.comREVIEWS\u00e2\u02dc\u2026 \"Most thrilling and fun running game in a while, possibly ever.\" - TheAppera.com\u00e2\u02dc\u2026 \"A fast and frenzied experience.\" - IGN.com\u00e2\u02dc\u2026 \"Very addicting\u00e2\u20ac\u00a6 definitely a very different running game.\" - Appolicious.com\u00e2\u02dc\u2026 Voted by TouchArcade Forums as Game of the Week\u00e2\u02dc\u2026 One of TouchArcade's Best Games of the Month\u00e2\u02dc\u2026 Over 50 MILLION players worldwide!", "devmail": "N.A.", "devprivacyurl": "http://www.imangistudios.com/privacy.html&sa=D&usg=AFQjCNHOj9lQhvY-d778sO06d_7VSgCzww", "devurl": "http://www.imangistudios.com/contact.html&sa=D&usg=AFQjCNHmJGmIKtvMBmjP32ju-nrNezjqDg", "id": "com.imangi.templerun", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.imangi.templerun2"], "name": "Temple Run", "price": 0.0, "rating": [[" 4 ", 184436], [" 3 ", 57303], [" 2 ", 19236], [" 5 ", 1047209], [" 1 ", 42621]], "reviews": [["I like it but...", " I really love this game but only when I played it in my galaxy tab. And when I played this in my galaxy note it doesn't really good as it in my tab. I already set the sensitivity but it still not working well. I hope you can fix it. "], ["Not Happy - Game Restarted", " the game reset after having played it none stop. had 300 game, brought all the add ons and spent money on extra coins to get me futher on in the game. emailed developer and had no response and no money back, want to carry on playing it but whats the point if its gunna do it again. "], ["does not load", " I don't have a problem with the game, but I have a Huawei Ascend Y, and the game downloads... But when I go to launch, it shows for about 40 secs then it closes out... Smh. Please fix this because I really like this game. "], ["Wont let me play :'(", " Wont let me play on my huawei ascend y201 :( it let's me download it but when I try to play it , it trys to load for like 10 secs and in then crashes, I've tryed re-downloading and stuff, PLEASE FIX I really want to play this game, my friend has it and I go over to her house everyday just to play Aha xD so yeah please fix. ... gave it 4 coz its awesome on my friends phone defo would give it 5 if it worked on my phone.. "], ["Don't waste your time.", " Couldn't play this B.S. once, couldn't get past the menu screen without it foreclosing or totally shutting off my phone. Uninstall! "], ["Not made for my Samsung", " The game is addicting. But on my Samsung galaxy there is a lot of lag. it is hard to get any where because if to much if happening the game will not respond and you will die. "]], "screenCount": 15, "similar": ["com.crazy.game.good.lost.temple", "com.rovio.angrybirds", "com.halfbrick.jetpackjoyride", "com.gameloft.android.ANMP.GloftIMHM", "com.rovio.angrybirdsrio", "com.kiloo.subwaysurf", "com.rovio.angrybirdsseasons", "com.halfbrick.fruitninjafree", "com.disney.brave_google", "com.disney.TempleRunOz.goo", "com.retrostylegames.ZombieRHD", "com.game.SkaterBoy", "com.moistrue.zombiesmasher", "com.bestcoolfungames.antsmasher", "com.gamesonwheels.templefun", "com.natenai.glowhockey"], "size": "23M", "totalReviewers": 1350805, "version": "1.0.8"}, {"appId": "com.ea.game.pvz2_na", "category": "Casual", "company": "Electronic Arts Inc", "contentRating": "Low Maturity", "description": "\u00e2\u20ac\u0153Plants vs. Zombies 2 is a must-download.\u00e2\u20ac\ufffd \u00e2\u20ac\u201dCNET\u00e2\u20ac\u0153Not just good, not even just great, but an instant classic.\u00e2\u20ac\ufffd \u00e2\u20ac\u201dNBCNews.com\u00e2\u20ac\u0153An experience that\u00e2\u20ac\u2122s every bit as challenging and rewarding as the original.\u00e2\u20ac\ufffd \u00e2\u20ac\u201dKotakuThe zombies are coming\u00e2\u20ac\u00a6 back. It\u00e2\u20ac\u2122s about time! The sequel to the hit action-strategy adventure brings the fun to tablets and touchscreens. Join Crazy Dave on a crazy adventure where you\u00e2\u20ac\u2122ll meet, greet and defeat legions of zombies from the dawn of time to the end of days. Amass an army of powerful new plants, supercharge them with Plant Food and power up your defenses with amazing new ways to protect your brain. Battle zombies from all worlds in Pi\u00c3\u00b1ata Party to win big prizes. And that's just the beginning! The future holds many mysteries\u00e2\u20ac\u00a6 also zombies. Lots and lots of zombies.Game Features\u00e2\u20ac\u00a2\tMeet powerful new plants that will defend your lawn through time\u00e2\u20ac\u00a2\tGo toe-to-missing-toe with dozens of new zombies\u00e2\u20ac\u00a2\tSupercharge your floral friends with healthy doses of Plant Food\u00e2\u20ac\u00a2\tFire up amazing Finger Powers to pinch, flick and zap zombies\u00e2\u20ac\u00a2\tDefeat brain-teasing challenges that will test your zombie-zapping skills\u00e2\u20ac\u00a2\tTake on zombies from all worlds in Pi\u00c3\u00b1ata Party and win prizes \u00e2\u20ac\u00a2\tGather keys to play valuable side missions\u00e2\u20ac\u00a2\tCollect coins to purchase potent power-ups\u00e2\u20ac\u00a2\tEarn stars to take you to new worlds\u00e2\u20ac\u00a2\tConnect to Game Services to unlock achievements and compete against friends on the leaderboards\u00e2\u20ac\u00a2\tLook out! Zombie chickens!Language Support: English, French, Italian, German, Spanish, Brazilian PortugueseRequirements: \u00e2\u20ac\u00a2\tRequires Android 2.3 (Gingerbread); ARMv7 1.0 Ghz or higher; 1 GB of RAM\u00e2\u20ac\u00a2\tFeatures may vary by mobile deviceDiscover more Plants vs. Zombies excitement:Follow us on twitter.com/PlantsvsZombiesFind us on www.facebook.com/PlantsversusZombiesVisit the snazzy Plants vs. Zombies store to shop for zombie shirts, plush, toys and more.http://www.pvzstore.comMore Apps from PopCap:Bejeweled\u00c2\u00ae 2 \u00e2\u20ac\u201c Match sparkling gems in the world\u00e2\u20ac\u2122s #1 puzzle game.Bejeweled Blitz \u00e2\u20ac\u201c 1 minute of endless fun!Plants vs. Zombies\u00e2\u201e\u00a2 \u00e2\u20ac\u201c Enjoy all the zombie-zapping fun of the hit PC/Mac game \u00e2\u20ac\u201d fully optimized for Android.POPCAP MAKES LIFE FUNFollow us on twitter.com/PopCapFind us on facebook.com/PopCapVisit us at PopCap.comBe the first to know! Get inside EA info on great deals, plus the latest game updates, tips & more\u00e2\u20ac\u00a6Visit us on eamobile.com/androidFollow us on twitter.com/eamobileLike us on facebook.com/eamobileWatch us on youtube.com/eamobilegamesFor more information about the third-party targeted ad serving and analytics technology in this app and data they collect, see End User License Agreement:http://tos.ea.com/legalapp/mobileeula/US/en/GM/\u00c2\u00a92013 Electronic Arts Inc. Plants vs. Zombies is a trademark of Electronic Arts Inc.", "devmail": "N.A.", "devprivacyurl": "http://privacy.ea.com/en&sa=D&usg=AFQjCNFAH3dzXJq62z5VrJ29GTVfZLVn_A", "devurl": "http://support.popcap.com/mobile/android&sa=D&usg=AFQjCNFoNuikbO707Pzc0XI60M3m1w-Xtw", "id": "com.ea.game.pvz2_na", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.ea.game.fifa14_na", "com.ea.games.nfs13_na", "com.ea.games.simsfreeplay_row", "com.ea.tetrisblitz_na", "com.ea.game.pvz2_row", "com.ea.scrabblefree_na", "com.ea.games.simsfreeplay_na", "com.ea.games.r3_na", "com.ea.monopolymillionaire_na", "com.ea.game.monopolyfree_android_bv", "com.ea.game.tetris2011_na", "com.ea.game.maddenmobile2014_na", "com.ea.game.simpsons4_na", "com.ea.game.simpsons4_row", "com.ea.BejeweledBlitz_na"], "name": "Plants vs. Zombies\u00e2\u201e\u00a2 2", "price": 0.0, "rating": [[" 1 ", 2273], [" 5 ", 10546], [" 4 ", 1710], [" 2 ", 738], [" 3 ", 937]], "reviews": [["Game constantly crashes", " Game crashes all the freaking time and it seems like you have to buy everything in order to really enjoy this game. I know this game is free but charging money for every single plant is ridiculous! F*ck you Electronic Arts! "], ["Doesn't load", " First of all, this game is almost impossible if you don't buy boosters. On top of that, aftwr the first 4 or 5 levels, it either freezes my SIII or doesn't load at all. "], ["STOPPED WORKING PLEASE FIX!!", " Pop Cap, this used to be my favorite game, 5 stars, but now it does not get past the loading screen!!! I guess you want everyone to go play candy crush. Please update and fix!!! "], ["More stars if you fix it.....", " I agree with everyone else. Great game but you can only play it once. When you try later to play again it just closes. It also drains the battery worse than any other game I have on my phone. Please fix this. "], ["Fun but...", " The game is great everything you would hope for a sequel. However, plant/ upgrades that once only cost coins on PC now cost real money. You can play without but it gives the feeling of missed experience. Disappointing but understandable as you are playing ad free. Think I would rather see ads then pay real money for plants. "], ["This game is great!", " Im not sure what everone else is saying... i have gotten through the first two worlds without a hitch. I have bought a power up or two. Thats what your coins are for. Which you earn for killing zombies. Game runs great on my samsung galaxy stratosphere 2. Only complaint is the power it takes to play. Even in power save mode i can play for about an hour, before i have to plug it in... "]], "screenCount": 9, "similar": ["com.eamobile.nfsshift_na_wf", "com.popcap.pvz_na", "com.capcom.zombiecafeandroid", "com.yfc.svzpad", "net.netm.app.ZombieBomb", "com.webprancer.google.garfieldzombiedefense", "net.androidresearch.minionzombie", "com.eamobile.bejeweled2_na_wf", "air.com.ea.game.monopolyslots_na", "com.eamobile.sims3_na_qwf", "com.bittales.wackazombie", "com.ss.plantszombiecheat", "org.vv.finddifference.plantsvszombies", "com.williamsandrewe.pumpkinsvszombies", "com.hs.game.zombiedentist", "com.fluik.OfficeZombieGoogleFree", "com.hengtalk.fruitbubble"], "size": "169M", "totalReviewers": 16204, "version": "1.6.257161"}, {"appId": "me.pou.app", "category": "Casual", "company": "Zakeh", "contentRating": "Everyone", "description": "Do you have what it takes to take care of your very own alien pet?! Feed it, clean it, play with it and watch it grow up while leveling up and unlocking different wallpapers and outfits to satisfy your unique taste. How will YOU customize your POU? * Feed and take care of Pou, and watch it grow!* Play Games in the Game Room and collect Coins!* Experiment with Potions at the Lab!* Customize Pou's appearance!* Try out new Outfits, Hats and Eyeglasses!* Customize each room's Wallpaper!* Unlock Achievements and Special items!* Visit and play with your friends!* Talk to Pou and listen back!We're always listening to your suggestions to improve Pou and add new stuff! If you have any issue with the game, just contact us and we will help you! (we can't reply to comments)http://help.pou.me! :)Pou is available in English, French, Spanish, Catalan, Portuguese, Italian, German, Dutch, Danish, Polish, Hungarian, Romanian, Czech, Slovak, Chinese and Arabic.--pou alien virtual pet cute monster toy tamagotchi virtuelles Haustier \u00e3\u0192\ufffd\u00e3\u0192\u00bc\u00e3\u0192\ufffd\u00e3\u0192\u00a3\u00e3\u0192\u00ab\u00e3\u0192\u0161\u00e3\u0192\u0192\u00e3\u0192\u02c6 mascota \u00e8\u2122\u0161\u00e6\u2039\u0178\u00e5\u00ae\u00a0\u00e7\u2030\u00a9 \u00d0\u00b2\u00d0\u00b8\u00d1\u20ac\u00d1\u201a\u00d1\u0192\u00d0\u00b0\u00d0\u00bb\u00d1\u0152\u00d0\u00bd\u00d0\u00be\u00d0\u00b3\u00d0\u00be \u00d0\u00bf\u00d0\u00b8\u00d1\u201a\u00d0\u00be\u00d0\u00bc\u00d1\u2020\u00d0\u00b0 \u00e0\u00b8\u00aa\u00e0\u00b8\u00b1\u00e0\u00b8\u2022\u00e0\u00b8\u00a7\u00e0\u00b9\u0152\u00e0\u00b9\u20ac\u00e0\u00b8\u00a5\u00e0\u00b8\u00b5\u00e0\u00b9\u2030\u00e0\u00b8\u00a2\u00e0\u00b8\u2021\u00e0\u00b9\u20ac\u00e0\u00b8\u00aa\u00e0\u00b8\u00a1\u00e0\u00b8\u00b7\u00e0\u00b8\u00ad\u00e0\u00b8\u2122 \u00ea\u00b0\u20ac\u00ec\u0192\ufffd \u00ec\u2022\u00a0\u00ec\u2122\u201e \u00eb\ufffd\u2122\u00eb\u00ac\u00bc", "devmail": "pouhelp@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://www.pou.me&sa=D&usg=AFQjCNFQ4dtv5CptkKFEk4e_DUmNoCZzog", "id": "me.pou.app", "install": "100,000,000 - 500,000,000", "moreFromDev": "None", "name": "Pou", "price": 0.0, "rating": [[" 4 ", 129196], [" 1 ", 56117], [" 5 ", 1129655], [" 2 ", 19706], [" 3 ", 61829]], "reviews": [["Great game, but...", " too hard to earn coins, and every time I press some sections to buy some things, it exits itself without pressing the home bttn, pls fix "], ["Slightly racist...", " I really do love this game, I l love everything about it except for when you buy a football with the countries on, my country isn't there. I am from WALES, in the UK. You have a great Britain flag, you have the Irish flag, you even have Scotland and England so why not Wales? This is the only fault to this game. Please fix this! Id be so grateful. HarveyHoran_pou "], ["Love it", " I love the mini games. The only problem I have is so little coin for amount of play. Maybe a bonus coin to collect more during a game. Add more clothes, hats, shirts, wigs, overalls.. farming, buying seeds, watering, harvesting, and use it as food. Just a few ideas. Add me: hello_pou_bear "], ["POU!", " BEST GAME EVA what more can i say AND plz like my pou \u00c2\u00abstarship101\u00c2\u00bb and i will like your pou back as i always do but the only thing is the new update the eyeshadow its just it looks weird on it! And sadly its asking me for my email again just after typing it before a month and when i typed in my email it just said hlo new pou and i was level 1 wtf omg but thx to my expert friend she fixed it but it keeps happening to me but now I am 100% fine thx "], ["Great game for all ages!!", " My grandaughters absolutely love this game. However its hard to earn coins in certain games. And the price in the store is ridiculous on somethings. Plz lower them. Other than that my one grandaughter is 3 and can play pou perfectly. Pou is great for all ages!!!! "], ["Love<3 this game", " I think this is awsome although it does get on your nerves after a while like it keeps sending you messages it is good funB-) "]], "screenCount": 20, "similar": ["com.teamlava.bakerystory31", "br.com.tapps.myboo", "com.king.candycrushsaga", "com.ea.games.simsfreeplay_row", "com.g6677.android.lpetvet", "com.bfs.papertoss", "com.ea.game.pvz2_row", "com.gameloft.android.ANMP.GloftIAHM", "com.obama.tamagochi", "com.magmamobile.game.Burger", "com.gamestar.pianoperfect", "com.outfit7.mytalkingtomfree", "com.gameloft.android.ANMP.GloftDMHM", "com.g6677.android.phairsalon", "com.ea.game.simpsons4_row", "com.king.petrescuesaga"], "size": "16M", "totalReviewers": 1396503, "version": "1.4.8"}, {"appId": "com.gamevil.spiritstones.global.free", "category": "Brain & Puzzle", "company": "GAMEVIL Inc.", "contentRating": "Medium Maturity", "description": "Discover the unique Puzzle RPG with a TCG twist!Play for free NOW and connect with players around the world!\"It's a collectible puzzle battler, like many before it, but Spirit Stones has a polish and an art style I really dig. In a genre filled with copycats, aesthetics matter.\" (Kotaku)\"Spirit Stones basically blows the doors off, thanks to dynamic deck-building and habit-forming combat.\" (Gamezebo)\"Spirit Stones is a marriage of styles that just works.\" (148Apps)\"Two well-rounded types of gameplay hugging tightly together.\" (Touch Arcade)________________________________________________\u00e2\u02dc\u2026 EASY TO PLAY. DIFFICULT TO MASTER \u00e2\u02dc\u2026- Simply SWIPE & MATCH tiles of the same color to engage in battle!- Unleash devastating attacks by planning strategic combos!\u00e2\u02dc\u2026 INTENSE GLOBAL PVP \u00e2\u02dc\u2026- Battle the best players around the world each week for generous rewards!- Compete against friends and climb the weekly rankings!\u00e2\u02dc\u2026 RAID THE HELLGATE WITH FRIENDS \u00e2\u02dc\u2026- Put your skills to the test by entering Hellgate!- Play with friends and dive to new depths!\u00e2\u02dc\u2026 BUILD THE ULTIMATE TEAM \u00e2\u02dc\u2026- Collect unique, powerful Heroes & assemble the finest team!- Level-up & evolve your cards for maximum power!- Each card comes equipped with beautifully illustrated artwork!\u00e2\u02dc\u2026 OPTIMIZED FOR TABLETS \u00e2\u02dc\u2026- Play the game in brilliant HD on your Android Tablet!- The best Puzzle Battle game for mobile!________________________________________________Join the community at www.facebook.com/PlaySpiritStonesNEWS & EVENTSWebsite http://www.gamevil.com\u00c2\u00a0Facebook http://facebook.com/gamevil\u00c2\u00a0Twitter http://twitter.com/gamevil\u00c2\u00a0YouTube http://youtube.com/gamevil", "devmail": "contact@gamevilusa.com", "devprivacyurl": "N.A.", "devurl": "http://www.gamevil.com&sa=D&usg=AFQjCNHlVziRMZQwjVJviNb4SXWBOGmf3g", "id": "com.gamevil.spiritstones.global.free", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.gamevil.doz.global", "com.gamevil.cartoonwars.two.global", "com.gamevil.cartoonwars.one.global", "com.gamevil.monster.global", "com.gamevil.zenonia3.global", "com.gamevil.fb2013.global", "com.gamevil.bb2013.global", "com.gamevil.zenonia4.global", "com.gamevil.cartoonwars.gunner.global", "com.gamevil.bb2012.global", "com.gamevil.fishing.global", "com.gamevil.steelcommanders.globalfree", "com.gamevil.punchhero.glo", "com.gamevil.zenonia5.global", "com.gamevil.cartoonwars.blade.global"], "name": "Spirit Stones", "price": 0.0, "rating": [[" 2 ", 425], [" 5 ", 15882], [" 1 ", 1509], [" 3 ", 1364], [" 4 ", 3897]], "reviews": [["Fixed and loving it.", " "], ["Awesome!", " Way cool game, I recommend it to any rpg lover. To me this game is a cross between Pokemon and Yukio except instead of Pokemon there are powerful women and very few men. A unique twist as I said this is an awesome game! "], ["Great game", " "], ["Great game and great service!", " I not only love the game but I love how quickly Gamevil solves problems/issues and treats the end user. Even to the point of giving little \"sorry for the inconvenience\" items to the players who missed a day of play. Thank you! "], ["Crashes", " Installed fine, started up but then crashes at first par tof story before any user interaction is allowed. Sounds and looks like a really good game but unfortunately is currently unplayable. Most recent update did not fix the issue - it made it worse. Game now crashes after a short pause on the \"downloading game data\" screen. "], ["Not bad", " Hey this actually seems pretty good. Haven't really explored the f2p model yet so it could be a horrible rip- off. So far it is lots of fun though :) "]], "screenCount": 15, "similar": ["com.ecapycsw.onetouchdrawing", "air.com.proceduralactivity.soulstcg", "nkoonstar.com.LINEZETA", "com.enterfly.penguin_gloplus", "com.celticspear.matches", "logos.quiz.companies.game", "com.zeptolab.timetravel.free.google", "com.magmamobile.game.Plumber", "com.magmamobile.game.BubbleBlast2", "com.FireproofStudios.TheRoom", "com.tictactoe.wintrino", "com.disney.WMW", "com.miniclip.plagueinc", "com.easygame.marblelegend", "com.com2us.puzzlefamily.up.freefull.google.global.android.common", "com.twodboy.worldofgoofull", "com.kiragames.unblockmefree"], "size": "49M", "totalReviewers": 23077, "version": "1.1.1"}, {"appId": "com.kiwi.westbound", "category": "Casual", "company": "Kiwi, Inc.", "contentRating": "Low Maturity", "description": "Thousands of 5-star ratings! Start your frontier adventure now!Your wagon train has broken down on its way out to Oregon! Now you're stranded in a canyon with a motley crew of settlers. It's time to build a new home and turn it into your own beautiful frontier town! Saddle up your horse and come along!Treasure, mystery, and romance await as you mine the hidden canyon, discover ancient treasures, and establish a booming settlement! But be warned! There are notorious outlaws on the loose!Things you'll be doing in Westbound:\u00e2\u20ac\u00a2 Build a frontier boomtown\u00e2\u20ac\u00a2 Tend your ranch and raise cute animals\u00e2\u20ac\u00a2 Explore for ancient artifacts\u00e2\u20ac\u00a2 Race to find lost treasures\u00e2\u20ac\u00a2 Solve ancient mysteriesBy Kiwi, the makers of top FREE games like Shipwrecked, Monsterama Park, and Brightwood Adventures.DISCLAIMER: This game may be too beautiful to put down!REVIEWS: Please rate Westbound and leave us a review! We love hearing from our fans!IN-APP PAYMENTS: Westbound is free to play but you can buy special items to use in the game.LOG PERMISSION: We use the log permission to debug the game. Help us catch the bugs!", "devmail": "support-wt@kiwiup.com", "devprivacyurl": "http://www.kiwiup.com/privacy&sa=D&usg=AFQjCNHrbiqUye5E-nTAjgUbG1GshpB5Eg", "devurl": "http://www.kiwiup.com&sa=D&usg=AFQjCNEAVIsFmfKJzgG227hTte0UyahtZw", "id": "com.kiwi.westbound", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.kiwi.mysteryestate", "com.kiwi.wabeta", "com.kiwi.animaltownkr", "com.kiwi.shipwrecked", "com.kiwi.monsterplanet", "com.kiwi.lostislandkr", "com.kiwi.enemylines", "com.kiwi.monsterpark"], "name": "Westbound", "price": 0.0, "rating": [[" 3 ", 2143], [" 2 ", 678], [" 4 ", 4398], [" 1 ", 1033], [" 5 ", 21888]], "reviews": [["Not really free...", " This game was fun for about two days, then I was out of pickaxes. I've only been playing for a wk and I've alreadg reached the point where I can't really do anything without a pickax. You do get one pickax when you level up but that takes a very long time when you cant complete tasks. I downloaded all the apps it suggested to earn free pickaxes...but now the only other option it to pay for them. Ridiculous "], ["Great game", " A lot of fun play for hours "], ["Best game in a long time", " Love the game.need more axes though. "], ["Great game. I wish we could earn free axes more frequently, however,I'm addicted to ...", " Great game. I wish we could earn free axes more frequently, however,I'm addicted to this game.\tAewesome! "], ["Very fun but not worth the time", " I really, really like this game, but I have to give it 2 stars since I'm uninstalling it. You have to have pickaxes to advance, but they are so ridiculously hard to come by. You should at least be able to earn a reasonable amount within tne game...without having to dload other games. Until they change that, I am removing it...it's also why I'm only rating it 2 stars. :( "], ["Stupid pickaxe system ruins otherwise fun game.", " This game is pretty fun...until you run out of pickaxes. You have to have pickaxes to explore and to advance in the game. The only way to get more is...to download other games and apps, and put time and money into them, for just one or a few pickaxes each. Seriously? This is stupid. "]], "screenCount": 15, "similar": ["net.kairosoft.android.noujou_en", "com.bpm.highcity", "com.herocraft.game.farmfrenzy.freemium", "com.gameloft.android.ANMP.GloftLBCR", "com.droidhen.game.mcity", "com.naturalmotion.myhorse", "com.sparklingsociety.cityisland", "com.gameloft.android.ANMP.GloftIAHM", "com.gameloft.android.ANMP.GloftGF2F", "com.hg.townsmen7free", "com.funplus.familyfarm", "com.Leviathan.Horses", "com.alawar.FarmFrenzy3", "com.ea.game.simpsons4_row", "com.sparklingsociety.cityislandwinter", "com.disney.nemo"], "size": "Varies with device", "totalReviewers": 30140, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaeab.json_merged.json b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaeab.json_merged.json new file mode 100644 index 0000000..aaa6f4a --- /dev/null +++ b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtaeab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.scopely.slotsvacation", "category": "Cards & Casino", "company": "Scopely - Top Free Apps and Games LLC", "contentRating": "Medium Maturity", "description": "\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 Download Slots Vacation TODAY and get lucky with FREE coins! \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026Kick back at exotic destinations and WIN BIG in this premium resort vacation slots experience with HUGE PAYOUTS, tons of machines and fun mini-games and bonus rounds.In Slots Vacation, you\u00e2\u20ac\u2122ll travel to spectacular beaches, ancient Egypt, underwater paradise and much more through our many Las Vegas casino quality slot machines with beautiful HD vacation graphics, exciting bonus rounds and incredible payouts.Amazing features include:\u00e2\u2013\u00ba FREE coins everyday and after every 4 hours of vacation-themed play!\u00e2\u2013\u00ba Huge variety of authentic Vegas 5-reel slot machines with 30 paylines for maximum wins!\u00e2\u2013\u00ba Powerful boosts that let you actually change reels and help you win massive jackpots!\u00e2\u2013\u00ba Countless chances to win with bonus games, free spins, daily treasure chests, and gifts in new exotic locations!\u00e2\u2013\u00ba Optimized for both Android tablets and phones!Slots Vacation is EASY to play, and easy to win BIG! Play Slots Vacation now and get LUCKY! Best of all, it's FREE!", "devmail": "slotsvacation@foxcubgames.com", "devprivacyurl": "http://www.withbuddies.com/Privacy&sa=D&usg=AFQjCNHQOY8grU3AEJflrn6lQ6QQhFkWPw", "devurl": "http://withbuddies.com&sa=D&usg=AFQjCNHbh_D7ZTUhLn2RLg05wT8RjCeWww", "id": "com.scopely.slotsvacation", "install": "100,000 - 500,000", "moreFromDev": ["com.scopely.minigolf.free", "com.scopely.skeeball", "com.scopely.wordwars"], "name": "Slots Vacation", "price": 0.0, "rating": [[" 2 ", 22], [" 1 ", 44], [" 5 ", 1206], [" 4 ", 226], [" 3 ", 82]], "reviews": [["Its ok", " I'm playing n it says its 30 lines.. Hahaha. My butt!! Doesn't give me a win when its obvious that's a payline. It plays more like a 5 line game. Other than that great graphics and u level up quickly. So that's nice "], ["great game but", " great game but I'm only on level four and guess what, wins have come to a halt. same as all other slots, just desperate to get people to spend money. sort this out and this will be one of the best out there, 3 stars for now but could be and easy 5 real shame "], ["Slots vacation", " Sorry game want even open.don't waste your time.just taking up space "], ["Bug needs fixed", " Games are okay but program does not give credit when you purchase additional boosts or credits. Have sent several messages with no response. DON'T WASTE YOUR MONEY ! "], ["Slots vacations", " This is the best way of passing the time the games are awesome they're generous with bonuses and its just a great ingenious way to have fun "], ["Garbage!", " No complaints until I unlocked the 6th slot machine. I went to play it and it shut down. When I started it back up it had wiped out almost 6,000,000 coins and took away the last 3 machines I had unlocked. What some garbage! "]], "screenCount": 17, "similar": ["com.dragonplay.slotcity", "com.apostek.SlotMachine", "com.magmamobile.game.Slots", "com.gamelion.slots", "com.withbuddies.dice.free", "com.cervomedia.spw", "air.com.slotgalaxy", "wheel.slots.leetcom.com", "com.ddi", "com.withbuddies.dice", "com.casinogame.slots", "com.mw.slotsroyale", "air.com.ea.game.monopolyslots_na", "air.com.playtika.slotomania", "air.com.ea.game.monopolyslots_row", "com.kakapo.freeslots", "jp.gree.jackpot", "com.williamsinteractive.jackpotparty"], "size": "30M", "totalReviewers": 1580, "version": "1.31"}, {"appId": "com.speed.moto", "category": "Arcade & Action", "company": "Racing Studio", "contentRating": "Everyone", "description": "Crazy Moto X is the 1st social 3d motorcycle racing game. Compete with your friends, to see who is the best moto rider! The control is so simple but the experience will be so exciting. # Realtime 3d, run fluently on all devices!# fast paced, accelerate your moto as fast as you can!# 6 different moto, and still more motos are coming! # Realtime social chart. The more friends you play with, the more fun you'll have. Accelerate your moto to full speed, surpass all other vehicles on the road! Crazy Moto X, Go Crazy!", "devmail": "somobifun@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://somobifun.com&sa=D&usg=AFQjCNFl4XFKsBIFySc8JmdVXyTfG9sijg", "id": "com.speed.moto", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Crazy Moto X", "price": 0.0, "rating": [[" 3 ", 199], [" 1 ", 153], [" 5 ", 1431], [" 4 ", 351], [" 2 ", 43]], "reviews": [["Great, but...", " How do you break?!?! Lol I keep hearing about how good breaks are and stuff and Idk how to break! If there were like instructions or tips or mini guidelines or rules, that'd be great!:) other than that, awesome fun game. I get so into it, when I crash, I slap something, either my lap or table or whatever hahaha I really like it!:) "], ["Fun & challenging", " Just started playing it & all the other games I have on my phn have to wait. Its almost like Spy Hunter just without guns. Its a must have for a phn game. Get it & enjoy!!!!! "], ["This game is good.If the prices of the bikes wont so much i would ...", " This game is good.If the prices of the bikes wont so much i would rate 5 but for now only 4 "], ["Completely mad", " Lovely game... da speed kills me. Nice 1 guys "], ["The game is fun nice if you have some time or on a trip ...", " The game is fun nice if you have some time or on a trip it didn't drawn my batter while playing I rate it as fun a three star\tI love playing this game it was a lot of fun but knot to hard I also played a older game like this "], ["I love the speed it's descent kill some time..", " Love the speed it kill time its descent... "]], "screenCount": 15, "similar": ["com.gameloft.android.ANMP.GloftIMHM", "com.topfreegames.bikeracefreeworld", "com.hijack.DeathMoto3D", "com.icloudzone.CrazyGrandpa", "com.sega.CrazyTaxi", "com.loopmobile.motopro2", "Game.SpeedMoto", "com.gamelion.ck", "com.topracing.downhill.moto", "com.recommended.moto", "com.icloudzone.DeathMoto", "com.minifactory.hotmodelbike", "com.g6677.android.cdentist", "com.tektite.androidgames.trrfree", "com.camelgames.mxmotorlite", "com.bgames.android.bikeoff"], "size": "8.2M", "totalReviewers": 2177, "version": "1.0.1"}, {"appId": "com.foranj.farmtown", "category": "Arcade & Action", "company": "foranj", "contentRating": "Low Maturity", "description": "\u00e2\u02dc\u2026 \u00e2\u02dc\u2026 \u00e2\u02dc\u2026 \u00e2\u02dc\u2026 \u00e2\u02dc\u2026Experience the quiet charm of rural life and feel like a real businessman! \u00e2\u02dc\u2026 \u00e2\u02dc\u2026 \u00e2\u02dc\u2026 \u00e2\u02dc\u2026 \u00e2\u02dc\u2026You will have the opportunity to grow a variety of crops, vegetables, fruits and berries. Equip and develop your farm, take care of the cute pets and help your neighbors. Gather resources and open up production to bring your farm to prosperity.But that's not all! In this game you will have ability not only to build your farm - the whole nearby city will depends on your sucess.Enlist the support of your friends, and create your own distribution network, help the development of the city and provides residents with supplies and ... Who knows, maybe it is you who will one day become the mayor of Farm Town! Its a hay day like game.Welcome to the exciting game about the life of a villager near the town ofGroup on Facebook:https://www.facebook.com/pages/Farm-Town-Community/535637296500844", "devmail": "support@foranj.com", "devprivacyurl": "http://foranj.com/privacy&sa=D&usg=AFQjCNHCbT_khPRE0P-1kerE6IhQkpI2dw", "devurl": "http://foranj.com&sa=D&usg=AFQjCNF3AJlvqBpUzzdd6T1WSeFRf49Trg", "id": "com.foranj.farmtown", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Farm Town", "price": 0.0, "rating": [[" 4 ", 1148], [" 3 ", 751], [" 5 ", 4151], [" 1 ", 653], [" 2 ", 336]], "reviews": [["Awesome game after glitches are fixed", " After a slew of recent fixes, the game is very stable and enjoyable. "], ["Nice app but can't play through fb, so you can't get neighbors. I have ...", " Nice app but can't play through fb, so you can't get neighbors. I have many strawberries but the game wont recognize them so I cant fulfill my goals.\tVery nice . "], ["HOW DO WE GET RUBIES.", " I love the game but can you make it easier to cut down trees instead if always using rubies cause I don't wanna buy them. "], ["Ok", " Games looks fun like hay day but writing is just too small for my android razor phone. Make it bigger or zoom in. Gonna have to uninstall sorry. "], ["Awsome", " I like this game I'm a yard switcher an I spend most if my time playing cause I sit around lol "], ["Cool", " It was awesome but.. can you make it easy to cut trees and grasses.. using rubies ... is not prepared to spend it.. "]], "screenCount": 12, "similar": ["com.hg.farminvasionfree", "air.com.FarmgameWarsnew", "app.kilatapp.day", "com.timekiller.farmsimulator", "com.cmdcs.hayday", "com.smarterapps.farmfree", "com.herocraft.game.farmfrenzy", "com.giantssoftware.fs2012", "com.domainname.hayfarm", "com.giantssoftware.fs14", "com.breaktime.MouseTown", "com.arigama.grannysfarm", "com.weebygames.fluff_farmbeta2", "air.kala.FarmWars", "ru.arigama.fairytale", "com.hg.farminvasion"], "size": "38M", "totalReviewers": 7039, "version": "1.29"}, {"appId": "air.com.freshplanet.games.MoviePop", "category": "Casual", "company": "FreshPlanet", "contentRating": "Medium Maturity", "description": "Are you a huge movie fan? Then get the popcorn and turn down the lights! Guess clips from some of your favorite movies and send challenges to your friends! Brought to you by the developers of SongPop, the top social game of 2012!\u00e2\u02dc\u2026 Connect and send challenges with Facebook friends or get matched with other movie fanatics\u00e2\u02dc\u2026 Choose your favorite genre of movies with thousands of titles to play with from classics to today's blockbusters\u00e2\u02dc\u2026 Guess the movie title or actor from clips and see who really knows movies\u00e2\u02dc\u2026 Unlock new playlists featuring more genres, more movie clips - we've got something for everyone \u00e2\u02dc\u2026 Show off your knowledge and unlock challenges to name directors of your favorite moviesFEATURES\u00e2\u2014\u2020 Watch the trailers of your favorite movies on Youtube\u00e2\u2014\u2020 Found a movie you love? Links directly to Google Play\u00e2\u201e\u00a2 store to get it!\u00e2\u2014\u2020 Designed for tablets, supporting all tablets\u00e2\u2014\u2020 Full support for Spanish, Italian, French, German, Simplified Chinese, Dutch, Portuguese, Japanese, Korean, Turkish, and IndonesianAlready a fan of MoviePop? Like us on Facebook : https://www.facebook.com/MoviePopGameFollow us on Twitter : https://twitter.com/playMoviePop", "devmail": "support@freshplanet.com", "devprivacyurl": "http://www.moviepop.net/privacy-policy&sa=D&usg=AFQjCNEnr28zTo7pLzffEoVAvMXZrlyvNw", "devurl": "http://freshplanet.com&sa=D&usg=AFQjCNEYD0HYxeTLO53wmH6qVIxBauL_rA", "id": "air.com.freshplanet.games.MoviePop", "install": "100,000 - 500,000", "moreFromDev": ["air.com.freshplanet.games.WaM", "air.com.freshplanet.games.MoviePopPlus", "air.com.freshplanet.games.SongPopPremium", "air.com.disney.aliceinwonderlandmobile.goo"], "name": "MoviePop", "price": 0.0, "rating": [[" 1 ", 228], [" 3 ", 238], [" 5 ", 6617], [" 4 ", 1591], [" 2 ", 91]], "reviews": [["I really like brainteasers. T. Y .", " Now its a family thing gotta go invite some more! Lol "], ["Would be 5 stars...", " After two games or so the screen goes black and only sound plays, I see the options but nothing else. Please fix this... "], ["Fun and Entertaining just like SongPop", " Update: Might have been fixed, I no longer have problems :-) Only reason I dropped a star is because an ad keeps popping up in the middle of the round that creates a glitch. I can no longer see the video after that. I'm then playing by sound only. "], ["Fun concept, buggy app.", " It would be fun if it could be played. My Galaxy S3 is rock solid otherwise, but in 15 minutes of play I have run into a black screen, a force close, and the video not showing during an entire round (only sound). "], ["Not fair!...", " Hi, Oops something went wrong...over and over and over! I'm sick of reading it! I'm rating this almost a crappy (not crappy when it actually plays) (play it only cause my wife likes it!) app a 1. Please fix the issue! Will rerate once issue stops! Thank you "], ["Good game, lags now and again though.", " I enjoy MoviePop. I seem to be better at it than SongPop, which is odd because I considered myself a music person. Nonetheless, it's an enjoyable game. My only problem is thst the game goes a bit slow sometimes, but maybe that's because I have a lot of other apps on my tablet. "]], "screenCount": 18, "similar": ["com.alegrium.iconpopquiz", "com.welovequiz.moviequiz", "com.june.guessthemovie.paid", "com.crivline.musicGame", "com.gameloft.android.ANMP.GloftIAHM", "com.june.guessthemovie", "com.fatfreeapps.mfmgooglepaid", "com.playink.popcorn.maker", "com.guilardi.eusei", "com.fatfreeapps.mfmgooglefree", "com.guilardi.euseiamusica", "com.gameloft.android.ANMP.GloftEPHM", "com.gameloft.android.ANMP.GloftDMHM", "com.welovequiz.songquiz", "air.OSC.musicBox"], "size": "22M", "totalReviewers": 8765, "version": "1.0.11"}, {"appId": "com.gamehivecorp.bossrace", "category": "Arcade & Action", "company": "Game Hive Corporation", "contentRating": "Everyone", "description": "Welcome to Battle Run Season 2. The multiplayer running game that 3 million players love just got even better.Now you can choose 15 different pets to assist you!Battle Run is like Mario Kart on a 2D platform. You can outrun three other players in real time! If you can\u00e2\u20ac\u2122t run fast enough, use a weapon to take down whomever is in front of you. \u00e0\u00b9\ufffd REAL-TIME MULTIPLAYER Playing with your friends\u00e2\u20ac\u2122 score is boring. Battling with them in real time is awesome. \u00e0\u00b9\ufffd ARSENAL OF WEAPONS Missile, Chainsaw, axe, landmine, meteor, and many more weapons to hurt other players real bad. \u00e0\u00b9\ufffd CUSTOMIZE YOUR LOOK Customize your own set of cloth, hat, glass, mask, or even trailing effect. DRESS UP to look unique in the game! \u00e0\u00b9\ufffd CHOOST YOUR PETSGet instant boost and extra shield with your PETs. All of them are different and unique.\u00e0\u00b9\ufffd PRO LEAGUE Climb up the ranking and be the best possible battle runner in the world!", "devmail": "support@gamehive.com", "devprivacyurl": "N.A.", "devurl": "http://www.facebook.com/BattleRunGame&sa=D&usg=AFQjCNFjqHecW4Z2nDEMzxsEawJAIxZpbw", "id": "com.gamehivecorp.bossrace", "install": "500,000 - 1,000,000", "moreFromDev": ["com.gamehivecorp.kicktheboss2", "com.gamehivecorp.kicktheboss.android", "com.gamehivecorp.kicktheboss2r"], "name": "Battle Run S2", "price": 0.0, "rating": [[" 2 ", 239], [" 4 ", 1189], [" 5 ", 16529], [" 1 ", 914], [" 3 ", 514]], "reviews": [["Rate", " This game is.so adicting I can't stop playing. Totes 5 stars "], ["Awesome", " Awesome game and very addicting only down side is it laggs occasionally and freezes up other then that worth the download and a great way to pass time "], ["Keeps glitching", " I love this game and i always play this with my friends but sometimes whenever the game started , it automatically kicked me back to the home screen . This happens to me and my friends a lot if time. I hope you can fix this . "], ["hhmm", " good game i really enjoy play with the others but i have a lot laggy there.... fix it.. and five stars you will get "], ["Probably the best game now.", " This is so fun to play with friends!!! All they need is a party system so we can stay together and keep playing over and over. Yes this app does crash but not too often. It's really fun!! "], ["Addicting and fun but...", " There are 2 big issues I am experiencing: 1.) Disconnection from a game and 2.) Glitches you really fast across the map. One minor issue is some times it will stay stuck on loading... And not connect you to the game. Overall, this game is very entertaining and just down right addicting. Great job! "]], "screenCount": 5, "similar": ["com.dedalord.runningfred", "com.nekki.stickrun.free", "com.fluik.Streaker", "com.dexati.unicornrun", "com.imangi.templerun", "com.frimastudio.RunAndGun", "no.dirtybit.funrun", "com.disney.brave_google", "com.disney.TempleRunOz.goo", "com.retrostylegames.ZombieRHD", "com.imangi.templerun2", "com.dexati.modirun", "com.pastagames.ro1mobile", "com.firedragonpzy.jumper", "com.mtvn.tmntrooftoprun", "com.f84games.survivalrun"], "size": "36M", "totalReviewers": 19385, "version": "1.5.1"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtafaa.json_merged.json b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtafaa.json_merged.json new file mode 100644 index 0000000..f1b0e0a --- /dev/null +++ b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtafaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "air.com.ea.game.monopolyslots_na", "category": "Cards & Casino", "company": "Electronic Arts Inc", "contentRating": "Medium Maturity", "description": "** Cyber Week Special! Double your fun and get up to TWICE THE COINS with every pack. **MONOPOLY Slots combines big casino-style wins with the beloved world of MONOPOLY. Spin. Win. Go big!Enjoy premium graphic quality and sound effects\u00e2\u20ac\u00a6 faster action with a real-world feel\u00e2\u20ac\u00a6 multi-slot gameplay\u00e2\u20ac\u00a6 mystery wilds\u00e2\u20ac\u00a6 stacked wilds\u00e2\u20ac\u00a6 2X multipliers\u00e2\u20ac\u00a6 free spins\u00e2\u20ac\u00a6 and bonus games that really pay off. Plus, get all the fun that only the MONOPOLY brand can deliver. There are lots of slots games to choose from, but there\u00e2\u20ac\u2122s only one MONOPOLY Slots! FAST, FUN, FREEPlay through a variety of MONOPOLY-themed slot machines. Double your luck with Twins or take it up a notch with 3x5 slots. Celebrate the big payouts while Mr. MONOPOLY cheers you on!MORE WAYS TO WIN BIGPlay bonus mini games to make it rain money or take a Chance to \u00e2\u20ac\u0153Double\u00e2\u20ac\ufffd or \u00e2\u20ac\u0153Quadruple Up\u00e2\u20ac\ufffd! GO WILDER!Score big bonuses with Mystery Wilds, Stacked Wilds, Free Spins, and 2X Multipliers.WANT MORE?Level up to unlock even more FREE slot themes, with new ones added regularly! Don\u00e2\u20ac\u2122t miss the winningest slots game on Google Play!", "devmail": "help@eamobile.com", "devprivacyurl": "http://privacy.ea.com/en&sa=D&usg=AFQjCNFAH3dzXJq62z5VrJ29GTVfZLVn_A", "devurl": "http://help.ea.com&sa=D&usg=AFQjCNFWLxldAX-PtgwQfVjqTNAw_2GNRQ", "id": "air.com.ea.game.monopolyslots_na", "install": "500,000 - 1,000,000", "moreFromDev": ["air.com.playtika.slotomania", "air.com.ea.game.monopolyslots_row"], "name": "MONOPOLY Slots", "price": 0.0, "rating": [[" 2 ", 92], [" 3 ", 226], [" 5 ", 11081], [" 1 ", 288], [" 4 ", 881]], "reviews": [["monopoly", " welp its true its a monopoly for sure on your chips that is. they take them away and want you to spend to play more. :3 briliant actually but right no it is not. "], ["Great game and service", " After playing for a little I won a mini jackpot of 27000 credits. The credits showed up in my total and everything seemed fine. Then the game almost immediately locked up and needed to be closed. After reopening my credits had been taken and I was restored to the original low balance. However after sending a message to EA within hours they restored the correct balance..thank you! "], ["Stars are not registering making level up difficult", " Also Plants vs Zombies 2 still wont load. Get it together EA!! "], ["Fun but has bugs.", " The graphics aren't bad and the gameplay is entertaining. Ihad issues with my coins and diamonds disappearing between log ins. It gets old when you win over 2000 coins, stop log off and come back in a few hours to see you have less coins then what you had before hitting a jackpot. "], ["Lacks features, poor payouts, lack of bonuses", " There are any things wrong with this game. 1. You have to be super high level to get to 30 lines played 2. Bonus money comes every 4 hours but there is never a mega bonus, you get the same few hundred dollars each time 3. Bonuses are almost non existent. It is very rare to get a bonus game. 4. Free spins are almost non existent as well and on the very rare occasion that you get one the spins do not increase your star count towards the next level. 5. Lowest paying slots of all games i have played. "], ["Pitiful wins", " Game it's cool but the win rate ifs awful and when you do win you still lose money almost every single time. I understand slots are like that but a phone game you lose nonstop isn't cool... "]], "screenCount": 7, "similar": ["com.ea.game.fifa14_na", "com.ea.game.monopolybingo_na", "com.ea.monopolymillionaire_na", "wheel.slots.leetcom.com", "com.mw.slotsroyale", "com.eamobile.sims3_na_qwf", "com.ea.game.pvz2_na", "com.ea.game.maddenmobile2014_na", "com.eamobile.bejeweled2_na_wf", "com.dragonplay.slotcity", "com.eamobile.nfsshift_na_wf", "com.popcap.pvz_na", "com.ea.games.nfs13_na", "com.ea.tetrisblitz_na", "com.ea.games.simsfreeplay_na", "com.ea.games.r3_na", "com.williamsinteractive.jackpotparty", "jp.gree.jackpot", "com.magmamobile.game.Slots", "com.gamelion.slots", "com.ddi", "com.ea.game.monopolybingo_row", "com.ea.game.tetris2011_na", "com.scopely.slotsvacation", "com.ea.scrabblefree_na", "com.cervomedia.spw", "com.casinogame.slots", "com.kakapo.freeslots", "com.ea.game.simpsons4_na", "com.ea.BejeweledBlitz_na"], "size": "45M", "totalReviewers": 12568, "version": "1.2.17"}, {"appId": "com.ea.BejeweledBlitz_na", "category": "Brain & Puzzle", "company": "Electronic Arts Inc", "contentRating": "Everyone", "description": "*World's #1 Puzzle Game!*Supports Both Phone and Tablet Devices*New Users Get 100,000 Coins FreeTreat yourself to an exciting take on the world's #1 puzzle game from PopCap! Play for free on your Android as you match and detonate as many gems as you can in 60 action-packed seconds and compete with Facebook friends. Match 3 or more and create cascades of fun with Flame gems, Star gems, and Hypercubes. Add up to three Boosts at a time plus powerful Rare Gems to send your score soaring, and dominate the weekly leaderboards!Game FeaturesBoost your fun with Detonators, Scramblers and Multipliers. Match as fast as you can to earn Blazing Speed and blow gems away.Get a \u00e2\u20ac\u02dcLast Hurrah\u00e2\u20ac\u2122 to pile up points even after your time expires. \u00e2\u20ac\u00a8Feast your eyes and ears on high-definition graphics and sound, optimized for Android devices. \u00e2\u20ac\u00a8Challenge your Facebook friends to beat your best score and dominate the weekly tournament leaderboards. \u00e2\u20ac\u00a8Propel your score into the stratosphere with the power of Rare Gems \u00e2\u20ac\u201d featuring every Rare Gem from the Facebook game. \u00e2\u20ac\u00a8\u00e2\u20ac\u00a8Feeling lucky? Play the Daily Spin each day for your chance to win 1,000,000 FREE coins! \u00e2\u20ac\u00a8\u00e2\u20ac\u00a8Never played before? Use the interactive tutorial to quickly and easily learn how to play.\u00e2\u20ac\u00a8\u00e2\u20ac\u00a8-----------------------------------------------------------------------------------------------------------------AwardsBest Facebook Game \u00e2\u20ac\u201d IGN**Refers to Facebook game, 2009\u00e2\u20ac\u00a8\u00e2\u20ac\u00a8-----------------------------------------------------------------------------------------------------------------We\u00e2\u20ac\u2122re sure you\u00e2\u20ac\u2122re going to love Bejeweled Blitz! Please be sure to rate the game and tell us what you think in our forums at PopCap.com. Your feedback helps us make the games you love even better. POPCAP MAKES LIFE FUN! Visit us at PopCap.com Follow us at twitter.com/PopCap Like us at facebook.com/PopCap------------------------------------------------------------------------------------------------------------------LEGAL:\u00c2\u00a92013 Electronic Arts Inc. Bejeweled and PopCap are trademarks of Electronic Arts Inc.", "devmail": "bejeweledblitzsupport@popcap.com", "devprivacyurl": "http://privacy.ea.com/en&sa=D&usg=AFQjCNFAH3dzXJq62z5VrJ29GTVfZLVn_A", "devurl": "http://Support.popcap.com/bejeweled-blitz-on-android&sa=D&usg=AFQjCNHQzWfHoY_-F4Vpl6NDwXBscofjhw", "id": "com.ea.BejeweledBlitz_na", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.ea.game.fifa14_na", "com.ea.games.nfs13_na", "com.ea.games.r3_na", "com.ea.monopolymillionaire_na", "com.ea.tetrisblitz_na", "com.ea.games.simsfreeplay_na", "com.ea.BejeweledBlitz_row", "com.ea.game.tetris2011_row", "com.ea.game.pvz2_na", "com.ea.game.tetris2011_na", "com.ea.game.maddenmobile2014_na", "com.ea.game.simpsons4_na", "com.ea.scrabblefree_na"], "name": "Bejeweled Blitz", "price": 0.0, "rating": [[" 4 ", 2612], [" 1 ", 973], [" 2 ", 499], [" 3 ", 1155], [" 5 ", 13488]], "reviews": [["But...", " Great game but...once in a while a \"free\" boost appears after you use it one game it charges you for it and no way to cancel since you used it already and its in your boosts. "], ["Grrr", " Every since updated I can never get matches on the free spin!! Also would like more features like from desktop plz. Then ill give it 5stars "], ["Works great but no party mode.", " I really like this app! It's much faster than my laptop, and I can use two thumbs rather than a mouse. But, I'm disappointed that I can't access party mode. If they would fix that, I would change my rating to 5 stars. "], ["Plenty of fun, needs minor tweaks", " This is certainly more fun than most apps that work on my phone, but I'd like to see a couple changes. First, whenever a hint appears, there is no need for it to go away until the player makes a move. Second, there needs to be some sort of confirmation dialogue any time coins are spent. Literally every coin I've spent ever was by mistake. "], ["Spam", " This is a great app except that you cannot turn off push notifications. Therefore, there is no way to stop this app from constantly spamming your phone with unwanted notifications even when you're not playing the game. So, instead of enjoying this app, I have to uninstall it. "], ["Meh", " A cheap little cash grab. No real depth like the other bejewelled games had with different modes, and stats. This is just a game to kill time while on the can. Deleting your highscore once a week is just an artifical way for prolonging game play. "]], "screenCount": 7, "similar": ["com.zynga.words", "com.disney.wheresmywater2_goo", "com.popcap.pvz_na", "com.ecapycsw.onetouchdrawing", "com.disney.WMWLite", "logos.quiz.companies.game", "com.zeptolab.timetravel.free.google", "com.icegame.candyblitz", "com.magmamobile.game.Plumber", "com.omgpop.dstfree", "com.eamobile.bejeweled2_row_wf", "air.com.ea.game.monopolyslots_na", "com.disney.wheresmymickeyfree_goo", "com.game.JewelsStar", "com.linkdesks.jewelhunter", "com.eamobile.sims3_na_qwf", "com.kiragames.unblockmefree", "com.eamobile.bejeweled2_na_wf", "com.eamobile.nfsshift_na_wf"], "size": "49M", "totalReviewers": 18727, "version": "1.3.7"}, {"appId": "com.halfbrick.jetpackjoyride", "category": "Arcade & Action", "company": "Halfbrick Studios", "contentRating": "Low Maturity", "description": "You're going for a ride - from the creators of FRUIT NINJA! One of the hottest mobile games in the world is now available free on Google Play!** Winner ** - Pocket Gamer - Best Action/Arcade Game 2012- Pocket Gamer - Overall Game of the Year 2012 - Gamasutra Mobile Game of 2011 - Game Revolution Best Mobile Game 2011 ****Suit up with a selection of the coolest jetpacks ever made and take to the skies as Barry Steakfries, the lovable hero on a one-way trip to adventure! From the creators of the worldwide phenomenon Fruit Ninja comes the action-packed Jetpack Joyride, Halfbrick's most anticipated Android game ever!****\"Jetpack Joyride is, quite simply, an amazing game.\" -- IntoMobile\"Like all the best mobile games, Jetpack Joyride is criminally simple.\" -- Kotaku\u00e2\u20ac\u0153A miracle, by all accounts.\u00e2\u20ac\ufffd - PocketGamer****Join Barry as he breaks in to a secret laboratory to commandeer the experimental jetpacks from the clutches of science evildoers. After lift-off, simply touch the screen to ascend and release to descend, raining bullets, bubbles, rainbows and lasers downwards as you fly towards higher and higher scores!You'll start off with the legendary Machine Gun Jetpack to scatter the evil scientists of Legitimate Research, but throughout each game you'll collect coins and complete missions to earn cash and buy new gear in The Stash! Pick your favorite jetpack, snazzy outfit and stock up on items then get back out there!Get a boost of speed and power using the Lil' Stomper, Profit Bird and Crazy Freaking Teleporter, just a selection of the vehicles pickups available - all playable with one touch controls.Stay alive, get funky and lose yourself in Jetpack Joyride. There's so much to see and do, all the time in the world and more than enough jetpacks! As always, Barry Steakfries will provide!****LIKE JETPACK JOYRIDE ON FACEBOOK!http://www.facebook.com/jetpackjoyrideFOLLOW HALFBRICK ON TWITTER!http://www.twitter.com/halfbrick****Due to technical limitations, any device with 1000Mhz or less will be unable to run Jetpack Joyride. Halfbrick endeavors to support the lowest OS possible to provide as many people as we can, the opportunity to enjoy our games. Currently, we support OS v2.2 and above!Devices we do not support include:HTC Wildfire SHuawei M865Samsung Galaxy MiniLG Optimus OneHTC myTouch 3G SlideHTC ExplorerZTE X500Samsung ReplenishLG AllySamsung DartSamsung Galaxy Y Duos", "devmail": "support@halfbrick.com", "devprivacyurl": "http://www.halfbrick.com/pp&sa=D&usg=AFQjCNHUij7WMQoiG1NkfUoKOocbMBhEuQ", "devurl": "http://www.halfbrick.com/our-games/jetpack-joyride/&sa=D&usg=AFQjCNExP1V3LdOE0to08xc8WrZVuaG_eQ", "id": "com.halfbrick.jetpackjoyride", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.halfbrick.fruitninja", "com.halfbrick.ageofzombies", "com.halfbrick.fruitninjapib", "com.halfbrick.aozlite", "com.halfbrick.fruitninjafree"], "name": "Jetpack Joyride", "price": 0.0, "rating": [[" 3 ", 18784], [" 1 ", 24036], [" 5 ", 323670], [" 4 ", 40482], [" 2 ", 7155]], "reviews": [["The man and his gadgets on the go who can and can't stop him?", " Its fun and addicting "], ["Its a fun endless runner that can waste your battery life", " Please halfbrick add new vehicles like a unicorn that kinda works like a jetpack,you ride it and it runs on the ground and when you touch the screen you can start to fly up depending on how long you hold down your finger and you can call it princess sparkles or princess rainbow and if you have flash equipped he sits in front of you on its head "], ["All over a good game", " Its a great game that I play when I get bore from studies and all those useless games such as subway surfers ,temple run etc. My sister loves to play this game Over all an excellent game "], ["Easily best ios/android game", " All there is to say is that this is my favorite game to play on a phone or tablet. Halfback has been great working with me when I has issues and all in all halfbrick has made jetpack joyride THE REVOLUTIONARY MOBILE GAME that started smartphone gaming on a path to rival the console market. It's that good. "], ["Excellent game but", " Not much to play after a minute or so as no new levels.. Also player movements don't keep up with game speed. "], ["Great game but..", " The game is really fun but it still has some bugs in it. I lost my coin generator thing and i was -*,*** amount in coins and had to earn those back before i could gain any more. It would be nice if that was fixed. "]], "screenCount": 18, "similar": ["com.gameloft.android.ANMP.GloftIMHM", "com.game.SkaterBoy", "com.rovio.angrybirds", "com.mojang.minecraftpe", "com.imangi.templerun", "com.imangi.templerun2", "com.kiloo.subwaysurf", "com.gameloft.android.ANMP.GloftTBHM", "com.bestcoolfungames.antsmasher", "com.rovio.angrybirdsseasons", "com.glu.deerhunt2", "com.moistrue.zombiesmasher", "com.fingersoft.benjibananas", "com.rovio.angrybirdsrio", "com.natenai.glowhockey", "com.fgol.HungrySharkEvolution"], "size": "43M", "totalReviewers": 414127, "version": "1.5.3"}, {"appId": "com.icemochi.wordsearch", "category": "Brain & Puzzle", "company": "IceMochi", "contentRating": "Everyone", "description": "Get ready for WORD SEARCH PUZZLES - the top FREE word search game from IceMochi!Increase your vocabulary and have fun doing it with this addictive word search game.\u00e2\u02dc\u2026 Different themes and categories for your different moods!\u00e2\u20ac\u00a8\u00e2\u20ac\u00a8\u00e2\u02dc\u2026 Stretch your vocabulary with a \"Vocab Challenge\" puzzle or two!\u00e2\u02dc\u2026 Infinite, unlimited play with random puzzles! \u00e2\u20ac\u00a8\u00e2\u02dc\u2026 Replay categories to beat your own high-score!\u00e2\u02dc\u2026 Tablet supportForget the pen and paper - You'll never run out of puzzles with WORD SEARCH PUZZLES!WARNING: Playing this game may challenge your brain and improve your brain power \u00e2\u02dc\u00ba", "devmail": "support@icemochi.com", "devprivacyurl": "http://www.icemochi.com/privacy/&sa=D&usg=AFQjCNH0xZe3m3dGCrfmh8woSIxMdVi96Q", "devurl": "http://www.icemochi.com&sa=D&usg=AFQjCNEmCVJaelc_MV8fTc_De2BpOPArLw", "id": "com.icemochi.wordsearch", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.icemochi.sudoku", "com.icemochi.therope", "com.icemochi.wordhoard", "com.icemochi.logoquiz"], "name": "Word Search Puzzles", "price": 0.0, "rating": [[" 3 ", 2214], [" 4 ", 7249], [" 2 ", 274], [" 1 ", 351], [" 5 ", 27376]], "reviews": [["No dragon game request please", " Ever since I rated you with a five, I have this play dragon game request come up every time I play another puzzle. I don't mind your flashy little advertisements at the bottom but I don't like the complete interuption. So now I rate a 1. "], ["Surprised", " Downloaded to advance in another game but soon became addicted to this game. Would have given 5 stars if it would somehow disable mt screen blackout. "], ["Can't turn off notification", " Even though I have turned them off in the settings, they still keep coming. Not worth keeping if a game is going to wake me up. Uninstalling. "], ["Good game!!!", " Love the word search but it could use more words... all the level puzzles have the same words so its no challenge for me after the first one... other than that good game n great time passer "], ["Good", " I enjoy the puzzles and supply of variations but is it just me or do others have a hard time earning more than one star? I didn't notice any rules or exclusive ways to earn rewards so I assume timing is everything. I have completed all puzzles played (about 15) in less than two minutes and never seem to earn more than one star. I realize this is a small complaint to have but I finished one in 35 seconds and got only 75% of a full star...sigh. "], ["Simply amazing", " Like every other cross word except ir's amazing. I love it! Im usually not the crossword type of person but this will definitely wake you up in the morning and and once you play it, you can't stop! "]], "screenCount": 8, "similar": ["com.zynga.words", "com.magmamobile.game.Words", "com.nrs.wordSearch", "com.craigahart.android.wordgame", "com.wordsearchnew", "com.igoldtech.an.wordswipe", "com.rhs.wordhero", "more.funner.software.wordsearchfun", "com.virtuesoft.wordsearch", "com.melimots.WordSearch", "com.etermax.wordcrack.lite", "words.gui.android", "in.spicelabs.wordgame.screens", "com.hapogames.guessword", "com.oktomo.wordsearch", "de.lotum.whatsinthefoto.us"], "size": "1.6M", "totalReviewers": 37464, "version": "2.0.2"}, {"appId": "com.leftover.CoinDozer", "category": "Cards & Casino", "company": "Game Circus LLC", "contentRating": "Everyone", "description": "Step right up, ladies and gents, for the virtual version of the addictive arcade penny pusher you\u00e2\u20ac\u2122ve spent hours playing at the carnival! One of most-played free games of all time, Coin Dozer puts the fun in your hands. Drop gold coins onto the dozer to push piles of cash and prises your way\u00e2\u20ac\u201ddon\u00e2\u20ac\u2122t forget the special coins to help you out! Be careful, though: don\u00e2\u20ac\u2122t doze your prizes off the side! Each prize line you complete unlocks a unique bonus to help you get even MORE prizes and coins!That\u00e2\u20ac\u2122s not all! Watch out for the puzzle pieces! Each piece gets you closer to completing a unique scene, with a special reward when you finish! Unlock them all and try other Game Circus titles to see the whole carnival! If you run out of coins, no worries: more will fill your virtual pocketsCoin Dozer includes:- Impressive 3D graphics- 44 Prizes to collect- Amazingly realistic physics- Special coins and prizes- Multiple puzzles- Special effectsWe\u00e2\u20ac\u2122ve got more updates and new features coming soon! Download today!Also get other free Game Circus original games like \"Paplinko\" and \u00e2\u20ac\u0153Prize Claw\u00e2\u20ac\ufffd!", "devmail": "support@gamecircus.com", "devprivacyurl": "http://gamecircus.com/index.php", "devurl": "http://www.gamecircus.com&sa=D&usg=AFQjCNE0zdFzj4NMLGyh-SrG5S-mmJPB0w", "id": "com.leftover.CoinDozer", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.leftover.CookieDozer"], "name": "Coin Dozer", "price": 0.0, "rating": [[" 3 ", 25896], [" 4 ", 75374], [" 5 ", 362468], [" 2 ", 6156], [" 1 ", 13542]], "reviews": [["Samsung Galaxy s3", " very fun game but every time there is an update I lose the level I'm on very aggravating and annoying I was on level 20 something and had to start back at 1.. On my last phone I was on level 119 and had to start back at 1, when I got this phone..next time I have to start over with an update I will uninstall and not reinstall on my phone...I used to recommend this game but not anymore... "], ["Needs more puzzles", " Please put more carnival puzzles in, I've got more coins than I could shake a stick at and nothing more to collect, I was addicted to this game right up until the carnival puzzles finished and now it's not played, please update it with more puzzles!!!!! "], ["Fantastic addictive", " Would defo have given this 5 stars if not for all the adds it can be annoying but apart from that this game is brilliant and so much fun defo play it you won't put it down "], ["Amazing", " This game is amazing nothing wrong about it what so ever apart from when my coins hit the fire now that is when I get annoyed but overall it is an cointastic game. "], ["Needs more puzzles", " Started out addicted to the game and now that I am over 65, 000 coins with no puzzles to complete or new prizes to collect I'm getting bored. Was hoping the update would be more exciting but it was nothing more than a few color and graphic changes...woohoo :/ "], ["Nice, simple, addictive!", " Good game to play when you're bored and easy to get free coins too though the free coins option. The coin regen is good to avoid you getting too addicted! "]], "screenCount": 5, "similar": ["com.aemobile.games.coinmania", "com.gamecircus.CookieDozerThanksgiving", "com.gamecircus.PrizeClawSeasons", "com.gamecircus.songz", "com.gamecircus.CoinDozerHalloween", "com.mw.rouletteroyale", "com.kingdom.coins", "com.gamecircus.slotscircus", "com.nubee.coinpirates", "air.com.slotgalaxy", "com.gamecircus.HorseFrenzy", "com.gamecircus.CoinDozerSeasons", "com.grendell.broodhollow", "com.droidhen.game.poker", "jp.gree.jackpot", "com.apostek.SlotMachine", "com.dragonplay.slotcity", "com.dragonplay.liveholdempro", "com.mobilityware.solitaire", "com.zynga.livepoker", "com.gameloft.android.ANMP.GloftUOHM", "com.nubee.coinzombies", "com.kmagic.solitaire", "com.gamecircus.Paplinko", "com.gamecircus.moviez", "com.droidhen.game.coin", "com.gamecircus.CoinDozerWorld", "com.gamecircus.PrizeClaw", "com.gamecircus.FrogToss"], "size": "Varies with device", "totalReviewers": 483436, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtafab.json_merged.json b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtafab.json_merged.json new file mode 100644 index 0000000..555a057 --- /dev/null +++ b/mergedJsonFiles/Top Free in Games - Android Apps on Google Play.html_ids.txtafab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.doodlejoy.studio.kidsdoojoy", "category": "Casual", "company": "Doodle Joy Studio", "contentRating": "Everyone", "description": "Kids Doodle, the BEST android drawing app for kids! Kids Doodle is particularly designed for kids with super easy-to-use painting on photo or canvas. It has endless bright colors and 24 beautiful brushes, such as glow, neon, rainbow, crayon and sketchy, etc.App supports an unique \"movie\" mode, which can play back kid's artwork like a small film. Children love it so much!The built-in gallery stores both kids drawing picture and drawing procedure. Kids can continue their drawing whenever they want, or \"movie\" their previous masterpiece anytime they would love. \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 This is the best kids doodle game yet! If you are thinking about getting it and your not sure, well I say definitely get it for kids! So fun!! :) \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 My 8, 6, 4 yrs old kids love it. They even want me to put there drawing in facebook, which usually my kids don't like any drawing of theirs put in facebook. I give it a five great job! \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 Words cant describe its awesome. I can edit pictures now! \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 My kids love it as they can draw anything with the bright colours and we guess each others pics so we play as a family. \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026APP FEATURES:* paint on canvas or photo* 18 brushes, such as glow, rainbow, crayon, spray, ribbon, various brush.* bright colors* built-in art gallery stores both doodle and doodle animation.* \"movie\" mode to play back the drawing like a little film.* undo, redo* Shake phone to clear painting. Turn on/off it via menu.* share doodle via Facebook, twitter, gmail, picasa, etc.----\"Kids Doodle\" has iPad version as well. You can search \"Bejoy Mobile\" on AppStore to find it.If you want a more powerful doodle app for your kids, you may try our PaintJoy http://bit.ly/paintjoy", "devmail": "doodle.joy.studio@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.doodlejoy.studio.kidsdoojoy", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.doodlejoy.colorbook.v4", "com.doodlejoy.colorbook.zoo", "com.doodlejoy.studio.kaleidomagic.pro", "com.doodlejoy.colorbook.bonny1", "com.doodlejoy.colorbook.s1", "com.doodlejoy.studio.sketcherguru", "com.doodlejoy.colorbook.princess", "com.doodlejoy.colorbook.v3", "com.doodlejoy.studio.paintjoy.pro", "com.doodlejoy.colorbook.xmas2", "com.doodlejoy.studio.kaleidoo", "com.doodlejoy.studio.kaleidomagic", "com.doodlejoy.studio.kidsdoodle.pro", "com.doodlejoy.colorbook.v2", "com.doodlejoy.colorbook.xmas", "com.doodlejoy.studio.doodleworld"], "name": "Kids Doodle - Color & Draw", "price": 0.0, "rating": [[" 2 ", 582], [" 1 ", 961], [" 3 ", 3045], [" 5 ", 25796], [" 4 ", 8573]], "reviews": [["Beautiful colors", " I love the design possibilities that this offers due to the many pencil types. I would like the option to choose the color I want rather than have it do it for me. I would also like to see some shapes or nice items to color rather than the coloring books with spaces that are too small to stay in the lines due to my 3 x 5 screen. But I totally love this app. Oh n please keep the wood pattern. I like it. "], ["Sweet colors and designs", " I love to play the game and it really makes me happy when ever i get bored i play it and i am imedietly happy "], ["Short n Sweet", " I would strongly recommend this app. It isnt the best thing you could possibly download, but it provides a lazy sort of entertainment for when you just need a distraction or a time waster. Brill :-) "], ["Fun for all", " I like to doodle like we all do Good for any age an for boredom is good "], ["My daughter loves it!", " I only let her on the phone for about a half hour a day and this takes up most of that time! Never freezes or gives any problems, annoying pop ups but that's expected for a free game. Five stars from us.! "], ["Fun!!!", " My daughter loves loves loves this app and it works without internet connection "]], "screenCount": 11, "similar": ["com.tabtale.babycareanddressup", "com.g6677.android.petspasalon", "com.g6677.android.mdoctor", "com.doodletoy", "com.SketchEffectsPhotoDrawPad", "com.underwater.kidsballoon", "kidgames.coloring.pages", "com.g6677.android.chairsalon", "com.giantmonster.funaddictingbestgames.yummyburgerkids", "com.g6677.android.dcp", "com.g6677.android.petnail", "com.underwater.lilcar", "com.g6677.android.phairsalon", "com.flyingmesh.glow", "com.g6677.android.footspa", "com.tabtale.babyhousechores"], "size": "5.4M", "totalReviewers": 38957, "version": "1.6.1"}, {"appId": "com.disney.wheresmywater2_goo", "category": "Brain & Puzzle", "company": "Disney", "contentRating": "Low Maturity", "description": "Get ready to join Swampy, Allie, and Cranky on their NEXT exciting adventure!The sequel to the most addicting physics-based puzzler from Disney has finally arrived. Where\u00e2\u20ac\u2122s My Water? 2 launches with three brand new locations including the Sewer, the Soap Factory, the Beach. Best of all, the puzzles are all free! Cut through dirt, and guide fresh water, purple water, and steam to help Swampy and his friends!Key Features:\u00e2\u20ac\u00a2 Play 100+ levels and challenges with a brand new look in the Gator universe featuring Swampy, Allie, Cranky, and Mystery Duck!\u00e2\u20ac\u00a2 Introducing \u00e2\u20ac\u02dcChallenge Modes\u00e2\u20ac\u2122 to replay the levels in explosive new ways! \u00e2\u20ac\u00a2 Dig as fast as you can and get as many duckies as possible in \u00e2\u20ac\u02dcDuck Rush\u00e2\u20ac\u2122 levels!\u00e2\u20ac\u00a2 \u00e2\u20ac\u02dcTri-ducking\u00e2\u20ac\u2122 is now faster, better and more fun with boosts, such as Vacuum, Dropper, and Absorber! Small fees may be required for these additional boosts.\u00e2\u20ac\u00a2 Connect through Facebook and see if you can beat your pals on the adventure!\u00e2\u20ac\u00a2 Experience fun mechanics that are uniquely designed for each character!\u00e2\u20ac\u00a2 Complete achievements and earn special themed duckies such as gladiator-duckie, astronaut-duckie, hula-duckie, and many more!\u00e2\u20ac\u00a2 Stuck on a level? Use hints to help you solve the puzzles!Become a fan on www.facebook.com/wheresmywater or visit us on Twitter @Swampythegator to receive exclusive news and game tips from the Gator community!Where\u00e2\u20ac\u2122s My Water? is a multiple Game of the Year award-winning puzzle game. The Where's My... franchise has received hundreds of millions of downloads to date. Check out Where\u00e2\u20ac\u2122s My Mickey? and Where's My Perry? for more refreshing water-physics fun!Terms of Use: http://disneytermsofuse.com/", "devmail": "disneymobilegames@mailwc.custhelp.com", "devprivacyurl": "http://corporate.disney.go.com/corporate/pp.html&sa=D&usg=AFQjCNEXlaturw0GaM0S7VRI_yQ0oYqWQQ", "devurl": "http://disneyinteractivestudios.custhelp.com&sa=D&usg=AFQjCNGAS2Ze5AhUyd8dy2vPdNb37HbCtQ", "id": "com.disney.wheresmywater2_goo", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.disney.PirateWars", "com.disney.WMPLite", "com.disney.TempleRunOz.goo", "com.disney.toystorysmashitfree_goo", "com.disney.MonstersUniversityFree.goo", "com.disney.stackrabbit_goo", "com.disney.brave_google", "com.disney.WheresMyHoliday_GOO", "com.disney.WMP", "com.disney.WMW", "com.disney.wreckitralph", "com.disney.wheresmymickeyfree_goo", "com.disney.WMWLite", "com.disney.disneyinfinityaction_goo", "com.disney.nemo"], "name": "Where's My Water? 2", "price": 0.0, "rating": [[" 4 ", 6844], [" 5 ", 49634], [" 1 ", 9164], [" 3 ", 4425], [" 2 ", 2043]], "reviews": [["Lies", " You get more levels free it seeems than you payfor and been saying more levels for ages and nothing. Also got the daily bonus level on a locked level that dont exist yet so xant play it what a scam "], ["RIP OFF!!!", " While I like the game, I paid for the extra levels and there were more levels coming soon. They still aren't here, yet there is a where's my water2. Should give us what we paid for before releasing a new game. Will not be buying anything related to these games again. "], ["Great Game!", " When are the more levels available? I bought the key to play the game but it's not going beyond level 45! Why??? Sad . . .:'( Waiting . . . "], ["Fun, but..... keys...", " Love the game, but hate the idea of having to buy keys or bug my friends on Facebook. How many more times would I need to buy keys in the future too?? Or is this a one time deal? I'd like to know how many times I'll be investing in this if Disney has the game fully functioning already. "], ["Original was better.", " While I still enjoy the gameplay, it seems like I spend more time between levels going from screen to screen and clicking next or ok, than I actually spend playing the game. Same gameplay as original, now with more garbage filler & spam. I think I'll go play through the original again. "], ["Nic.game.. Mst play", " Hey guyz its a nic game.. U mst gve it a try... I enjoyed a lot... Bt i am unable to play after 30 th level. Asking for keys. What does this key means?? Please anyone can help?? "]], "screenCount": 15, "similar": ["com.dropboxusercontent.dl.wheresmywater2walthrough", "com.bigduckgames.flow", "com.xs.findobject", "com.zeptolab.ctr.ads", "air.com.mobigrow.canyouescape", "com.zeptolab.timetravel.free.google", "com.game.JewelsStar", "com.magmamobile.game.Plumber", "com.omgpop.dstfree", "com.magmamobile.game.BubbleBlast2", "com.melimots.WordSearch", "com.shootbubble.bubbledexlue", "com.easygame.marblelegend", "logos.quiz.companies.game", "air.com.disney.aliceinwonderlandmobile.goo", "com.kiragames.unblockmefree", "de.lotum.whatsinthefoto.us"], "size": "46M", "totalReviewers": 72110, "version": "1.0.2"}, {"appId": "com.g6677.android.babyspa", "category": "Casual", "company": "6677g.com", "contentRating": "Everyone", "description": "There are a lot of cute babies.They are going to be dressed up, have a SPA and go to the hair salon!How cute they are!", "devmail": "app.6677g@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://www.6677g.com&sa=D&usg=AFQjCNFpDifCcAvOOdhLpuw4CV1zo-Hm5A", "id": "com.g6677.android.babyspa", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.g6677.android.design", "com.g6677.android.mdoctor", "com.g6677.android.princesshs", "com.g6677.android.cspa", "com.g6677.android.lpetvet", "com.g6677.android.babycare", "com.g6677.android.pnailspa", "com.g6677.android.cbaby", "com.g6677.android.carwash", "com.g6677.android.beard", "com.g6677.android.footspa", "com.g6677.android.petnail", "com.g6677.android.cdentist", "com.g6677.android.phairsalon", "com.g6677.android.chairsalon", "com.g6677.android.fashionsalon", "com.g6677.android.princessspas"], "name": "Baby Spa & Hair Salon", "price": 0.0, "rating": [[" 1 ", 448], [" 5 ", 3394], [" 2 ", 173], [" 3 ", 388], [" 4 ", 393]], "reviews": [["Fun", " I like the way we can get creative and model to see if it can make your hair look good. Love that we can use more than one color.Unlike other boring waste of time games. "], ["This good and cool :-P", " Just to good and excellent "], ["LOVE THIS SITE IT IS RARE", " MAKE A BABY HAIR SALON 2 "], ["Best", " Sejujurlah sayang,aku x mengapa,biar smua jlas x berbeda,jika nnti aku yg hrus pergi,ku terima walau skt hati... "], ["Cool", " I love games that have little kids in them cause kids are so cute and sweet "], ["Coool", " Love it specially when I cut hairs, hehehe KINDLE your the best "]], "screenCount": 3, "similar": ["com.tabtale.babycareanddressup", "com.libiitech.monsterhairsalon", "com.king.candycrushsaga", "com.tabtale.babiesplaydoctor", "com.bfs.papertoss", "com.ea.game.pvz2_row", "com.gameloft.android.ANMP.GloftIAHM", "com.magmamobile.game.Burger", "com.tabtale.babyhouse", "com.gamestar.pianoperfect", "com.outfit7.mytalkingtomfree", "me.pou.app", "com.gameloft.android.ANMP.GloftDMHM", "com.teamlava.bakerystory31", "com.king.petrescuesaga"], "size": "12M", "totalReviewers": 4796, "version": "1.0.1"}, {"appId": "com.wargames.gd", "category": "Arcade & Action", "company": "War Games", "contentRating": "Medium Maturity", "description": "Mystic droid army invaded our planet. As a commander, you need to hold the last line of defense. Now, all forces are waiting for your orders! Place towers in perfect defense formation and let\u00e2\u20ac\u2122s swipe them out!> Raid in the Galaxy! Fight the Droids Force!> 36 power-ups ---- build your own army!> From earth to deep space ---- 80+ challenges to go!> Machine gun, Cannon, Laser, Rocket ---- On your mark!> Spider mine, Power chip, Death impulse ---- Air raid, EMP, Shield, and more!> Ultra high quality graphics & gorgeous Sounds!", "devmail": "wargames.feedback@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://www.wargames.com&sa=D&usg=AFQjCNG1XKdNOxPJx1LSo1IjG4A7Cp8ZJQ", "id": "com.wargames.gd", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Galaxy Defense", "price": 0.0, "rating": [[" 4 ", 3956], [" 2 ", 385], [" 5 ", 11476], [" 1 ", 821], [" 3 ", 1436]], "reviews": [["xis clean cheez craving begin ma nov can blitz fan mix x football vin ...", " xis clean cheez craving begin ma nov can blitz fan mix x football vin n lox ss htc ken max ff heal b\thtc cjk nbc nsA feb h nov dec jd kayaks ash fab'hu ken vex volcanic z hex g logic sank luv jgj kfc gab hex nab j mtv h "], ["So far super good", " I'm only through the first levels but I really like this game thanks for creating it so I can waste a few hours on this game n feel busy doing something halfway productive :) "], ["Horrible", " They only give you a certain amount of alloy to build a little amount in the beginning to battle a huge horde of enemies and it seems impossible to get 3 stars with out having to pay for coins or crystals. This game is too dependent on buying coins and very hard in the early levels when you only have one upgrade for only one tower I am not happy with this game. It looked fun and the first stage was. But the second stage is too dependent on coins for upgrades I mean there isn't an upgrade for damage "], ["Awesome!", " Its awesome. Stop complaining you need to spend money. Its a strategy game. Learn how to upgrade the right things at the right time with what you earn. Be strategic. Best game on my phone "], ["Great game", " Its difficult but if you play , you see how and what you need to do to win . Strategy "], ["This game is addictive! You have to defend your base from evil robot aliens ...", " This game is addictive! You have to defend your base from evil robot aliens t rying to destroy mankind, but otherthan that no spoilers!\tI love this game so much. It's addictive. And you just got to keep playing it!!! "]], "screenCount": 6, "similar": ["smpxg.mythdefense_free", "com.magicwach.rdefense", "goodteamstudio.defence.lite.en", "com.com2us.defensetechnica.normal.freefull.google.global.android.common", "gts.td2.am.full", "com.magicwach.rdefense_free", "com.nova.root", "com.com2us.towerdefense.normal.freefull.google.global.android.common", "com.sncompany.newtowergoogleglobal", "com.dreamstudio.epicdefense", "de.android.games.nexusdefense", "com.gameinsight.battletowersandroid", "com.catstudio.zombiewar1", "com.hz.game.cd", "com.hz.game.ld", "net.hexage.defense"], "size": "15M", "totalReviewers": 18074, "version": "1.1.1"}, {"appId": "com.creativemobile.DragRacing", "category": "Racing", "company": "Creative Mobile", "contentRating": "Everyone", "description": "- Drive 50+ officially licensed cars, from hot hatches to american muscle and 1000HP supercars- Buy your dream car, install performance upgrades and show your skills in 1/4 or 1/2 mile races- Challenge millions of players online: race 1 on 1, drive your opponent's car, or participate in real-time 10-player races in Pro LeagueLOTS OF CARS:Would you pick an iconic Skyline GT-R, a classic 69' Mustang, or a brand new BMW M3 as your ultimate driving machine? Do you dream about seeing 1000+ HP exotics pushed to the limit on a drag strip? This game includes virtually every sports car for you to enjoy.UNLIMITED DEPTH:Do you think racing in a straight line is easy? Try to find the right balance between power and grip while staying in your class. Add nitrous oxide for more fun, but don't push the button too early. Go deeper and adjust gear ratios to shave off precious milliseconds. Think you can challenge a world record or win 10 tournaments in a row? Welcome aboard.COMPETITIVE MULTIPLAYER:Racing on your own may be fun enough, but the ultimate challenge is in the \"Online\" section. Go head-to-head against your friends or random racers, beat them while driving their own cars, or race against 9 players at once in real-time competitions. Join a team to exchange tunes, discuss strategy and share your achievements.TRY THIS ONE:- Drag Racing: Bike Edition - the long-awaited extension with 17 sportbikes, brand new game modes, upgrades and WHEELIES!***REVIEWS IN THE PRESS:Named among 10 best Android games of 2011 by NY Times blog!\"With so many cars to choose from, a virtually unlimited pool of opponents, and so many parts to upgrade, we think you'll love it.\" - Jaymar Cabebe, CNET.com \"Mega-addictive and with bags of longevity to boot. Drag racing is a well-conceived, well executed racer that\u00e2\u20ac\u2122ll keep petrolheads coming back for more.\" - Michael Brook, Life of Android ***TIPS:0. Updating the game- Your cars and money are saved on your device. DO NOT EVER uninstall the game before updating, or you will lose ALL of your stuff.1. Racing- Launch and shift when the dashboard indicator turns blue or green - If there is too much wheelspin, you are not going anywhere - watch the orange indicator on your dashboard - Once you learn how to drive properly, ignore the lights and find your own winning strategy - Nitrous is more effective on underpowered cars with lots of grip. Timing is crucial!2. Cars and upgrades- Test drive before you buy a car!- The more your car costs, the tougher opposition you'll face both offline and online- Upgrades count towards increasing car cost/level, while tuning doesn't- Keep your car cost just under your level cap to get an advantage- Adjusting gear ratios (Garage -> Upgrade -> Tune) is costly, but lets you achieve times that are impossible on stock settings3. Game modes and winnings- Race against beginner/amateur AI to get some quick cash and build your car- Defeat bosses and unlock achievements for extra RP- Go online and race against others to earn maximum cash/RP- If your car isn't ready for online races, earn some cash in \"Drivers Battle\"- For the ultimate challenge, race against top players in Pro League4. Misc- Like http://facebook.com/DragRacingGame for news and strategy- Visit the official forums: http://www.dragracingforum.net- Try playing with vibration on (enable it in the \"Settings\" menu)!- If the game runs slow on your phone, use the task manager to kill unnecessary background tasks- XPERIA PLAY Optimized", "devmail": "support@creative-mobile.com", "devprivacyurl": "http://creative-mobile.com/nitro-nation-drag-racing-privacy-policy/&sa=D&usg=AFQjCNGj5aVwAkdkQS53UIUk0qoJYCyMvw", "devurl": "http://creative-mobile.com/game/drag-racing/&sa=D&usg=AFQjCNE50bV8CUiiISY3uFK_bYYxjczS4A", "id": "com.creativemobile.DragRacing", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.creativemobile.pixitgame", "com.creativemobile.cod", "com.creativemobile.n2o", "com.creativemobile.dragracingbe", "com.creativemobile.dr4x4", "com.creativemobile.tanks", "com.creativemobile.bb3d", "com.creativemobile.badblood", "com.creativemobile.digger.free"], "name": "Drag Racing", "price": 0.0, "rating": [[" 4 ", 137852], [" 5 ", 703900], [" 2 ", 14970], [" 1 ", 35896], [" 3 ", 48866]], "reviews": [["HATE IT HATE IT HATE IT", " So in the space of a day or so, Creative Mobile has released Nitro Nation to a few anointed souls, and have demolished their other fine Drag Racing game. Bored out of my mind. Totally horrible. At least they should have left their original game intact until Nitro Nation gets out its many bugs and quirks. Terrible timing on their part. "], ["Cool racing game", " I like this game so much But it's so difficult when you reach level 6,7,8 But most off all it's great game and put too high Rp's.... "], ["I wanna know why I can't pull up my profile from the recent times ...", " I wanna know why I can't pull up my profile from the recent times I've played! Every time I go to play I have to start all over again and its startin to upset me! "], ["Very happy to hang out", " Excellent game ...everything feature is good...the free RP is working...finally...this is the best game for racing lovers both online and offline "], ["So totally righteous", " So real I feel like im in the drivers seat... \"momma im goin fast!\" "], ["Me", " This is by far the most exciting drag race game to date , the only thing it needs is bracket racing. That would make it complete. Hats off! "]], "screenCount": 18, "similar": ["com.creativem.pearldiver", "com.polarbit.rthunder2lite", "com.sas.basketball", "com.creativem.kolobokfull", "com.kabam.ff6android", "com.creativem.geneticsfull", "com.creativem.geneticsadfree", "com.gameloft.android.ANMP.GloftRAHM", "com.zentertain.monster", "com.gameloft.android.ANMP.GloftA7HM", "com.fingersoft.hillclimb", "eu.dreamup.speedracingultimatefree", "com.ea.games.r3_row", "com.naturalmotion.csrracing", "com.ansangha.drdriving", "com.gameloft.android.ANMP.GloftGTFM", "com.game.BMX_Boy", "com.wordsmobile.speedracing", "com.creatstudio.mushroomwars", "com.julian.fastracing", "com.creativem.overkill", "com.pikpok.turbo", "com.x3m.tx3"], "size": "25M", "totalReviewers": 941484, "version": "1.6.10"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json new file mode 100644 index 0000000..77f42cf --- /dev/null +++ b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.herman.ringtone", "category": "Media & Video", "company": "Big Bang INC.", "contentRating": "Everyone", "description": "Ringtone Maker is free app creates ringtone, alarms, and notifications from MP3, WAV,AAC/MP4, 3GPP/AMR files you load onto your phone through the SD card or that you purchase through the Amazon MP3 store. Unlike many Android apps that use the Menu keys to store some software functions, most of Ringtone Maker's controls are out on the interface and all respond to touch. You can set the start and ending notes by sliding arrows along the timeline, by pressing Start and End to record the point, or by typing in time stamps.Ringtone Maker is the best ringtone creator on Market, an enhancement of Ringdroid, with addition of features like fading in/out for MP3, adjusting volume, and share by e-mail. You can even also copy, cut and paste with the latest version.Features:Copy, cut and paste.Fade in/out for mp3.Adjust volume for mp3.Preview the Ringtone files and assign to contact.View a scrollable waveform representation of the audio file at 5 zoom levels.Set starting and ending points for a clip within the audio file, using an optional touch interface.Play the selected portion of the audio, including an indicator cursor and auto scrolling of the waveform.Play anywhere else by tapping the screen.Save the clipped audio as a new audio file and mark it as Music, Ringtone, Alarm, or Notification.Record a new audio clip to edit.Delete audio (with confirmation alert).Assign a Ringtone directly to a contact, you can also re-assign or delete the Ringtone from contact.Sort by Tracks, Albums, Artists.Manage contact Ringtone.File formatsSupported file formats right now include:MP3AAC/MP4 (including unprotected iTunes music)WAV3GPP/AMR (this is the format used when you record sounds directly on the handset)Tips:Copy audio files to your SD card using a USB cable, or get MP3s using the Amazon MP3 application.Tap anywhere on the waveform to start playing at that position.While playing, tap the word Start or End to quickly set the start and end markers to the current playback time.Use the jog wheel for more precise adjustments.Press copy menu while editing files, then you can paste it to current file, or any other files of same type.Music in clipboard will be paste to adjacency of end markers.If bitrate is not match, you can also paste together, but the new waveform looks weird. That\u00e2\u20ac\u2122s doesn\u00e2\u20ac\u2122t affect the sound quality of new music file.Keywords:MP3, WAV, AAC/MP4, 3GPP/AMR,Ringtone, Music, Alarm,Fade,e-mail,Media,Player,Free, editor, cutter, adjust volume, Copy, Cut, PasteRingtone save path:Ringtone: sdcard/ringtonesNotification: sdcard/notificationsAlarm: sdcard/alarmsMusic: sdcard/musicTwitter: ringtone_makerFacebook: ringtone.android@gmail.comFrequently Asked Questions:https://ringtone-maker.appspot.com/FAQ.htmlExplanation for the permissions:android.permission.INTERNET android.permission.READ_PHONE_STATEandroid.premission.ACCESS_NETWORK_STATEAD company need read phone state and network state to display and improve there AD quality. android.permission.READ_CONTACTSandroid.permission.WRITE_CONTACTSAfter you create the ringtone, there is a choice to assign it to your contact. If you choose this option, the Ringtone Maker need to read your contact data and show them in the list, then you can assign the new ringtone to somebody.Ringtone Maker will not collect your contact information. If you still have concern, please using ringPod. It's same as \"Ringtone Maker\", but without ask for CONTACT permission.https://market.android.com/details?id=com.hermanjulie.ringpodandroid.permission.WRITE_SETTINGSandroid.permission.WRITE_EXTERNAL_STORAGEAfter you save a new Ringtone, the APP need rights to write it to your SD card.Ringdroid and RingsExtended source code:http://code.google.com/p/ringdroid/http://code.google.com/p/apps-for-android/SoundRecorder:https://android.googlesource.com/platform/packages/apps/SoundRecorder/Apache License, Version 2.0http://www.apache.org/licenses/LICENSE-2.0.html", "devmail": "msnqqmsn@gmail.com", "devprivacyurl": "https://ringtone-maker.appspot.com/FAQ.html&sa=D&usg=AFQjCNFjXRRCiCD8cyPGxGGNDPBoYRtz2w", "devurl": "https://ringtone-maker.appspot.com/FAQ.html&sa=D&usg=AFQjCNFjXRRCiCD8cyPGxGGNDPBoYRtz2w", "id": "com.herman.ringtone", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Ringtone Maker", "price": 0.0, "rating": [[" 3 ", 4175], [" 5 ", 53874], [" 2 ", 1292], [" 1 ", 3578], [" 4 ", 11586]], "reviews": [["Great app to quickly make ringtones", " It is like a mini audio studio in your hands. I wish there was an option to loop to hear as it sounds as the phone is ringing. An option to move the start marker more quickly would be cool too. If it's a long song, it can take long. "], ["Best Ringtone Making App", " This is the best app for making Ringtones those of you who complain about not being able to assign contacts ringtones learn how to use android or go back to iPhones the option is in your contact app "], ["Great ringtone maker", " Best ringtone creator on Android to date. People complaining about making specific contact ringtones really need to learn how to use android better or go back to your casual iPhone. It has it right on the menu when you create it -.- I would rate 5 but after I finish making an Alarm tone, it creates it but goes to right back to the music selection. I use an HTC One X+ and I can't set alarms from my ringtone selection, so I make both ringtones and alarms. "], ["No clue", " Is there a how to button on this app? I'm an old guy and need help with these things. I'll be happy to give an honest review if I knew how to use the damned thing. I definitely like the idea. "], ["Amazing!!!", " Tell ya what that's some neat stuff there boys! easily make your own ringtone and customize it to be as long or short as you want. Great job! "], ["Almost Perfect", " I just downloaded this app on to my Droid Razr Mini. It is flipping awesome, I love using some of my favorite songs as ringtones and the quality is clear and great. The only problem is that when I am editing, the fade or volume adjustments do not seem to apply so I cannot hear what the final product will be like. I'm a perfectionist so this poses a slight problem for me but this is a great app especially if you want to hear some of your favorite songs as your ringtone. Awesome app overall. "]], "screenCount": 15, "similar": ["com.media.moviestudio", "com.hermanjulie.ringpod", "yong.app.videoeditor", "com.real.RealPlayer", "com.myboyfriendisageek.videocatcher.demo", "com.ringdroid", "com.acr.tubevideodownloader", "com.xcs.mp3cutter", "com.mxtech.videoplayer.ad", "com.xzPopular", "com.google.android.youtube", "com.nilam.ring.droid", "com.bell.brain0", "com.bbs.mostpopularringtones", "com.videofx", "com.beka.tools.mp3cutter", "com.vimtec.ringeditor"], "size": "Varies with device", "totalReviewers": 74505, "version": "Varies with device"}, {"appId": "com.mxtech.videoplayer.ad", "category": "Media & Video", "company": "J2 Interactive", "contentRating": "Everyone", "description": "MX Player - The best way to enjoy your movies.a) HARDWARE ACCELERATION - Hardware acceleration can be applied to more videos with the help of new H/W decoder.b) MULTI-CORE DECODING - MX Player is the first Android video player which supports multi-core decoding. Test result proved that dual-core device\u00e2\u20ac\u2122s performance is up to 70% better than single-core devices.c) PINCH TO ZOOM - Zoom in and out with ease by pinching and swiping across screen.d) SUBTITLE SCROLL - Subtitles can be scrolled to move back and forth faster.e) KIDS LOCK - Keep your kids entertained without having to worry that they can make calls or touch other apps. (plugin required)Subtitle formats:- DVD, DVB, SSA/ASS Subtitle tracks.- SubStation Alpha(.ssa/.ass) with full styling.- SAMI(.smi) with ruby tag support.- SubRip(.srt)- MicroDVD(.sub/.txt)- SubViewer2.0(.sub)- MPL2(.mpl/.txt)- PowerDivX(.psb/.txt)- TMPlayer(.txt)******About \"System Tools - display system-level alerts\" permission: This is useful to block any accidental key entries while you are watching videos. This input block function will make sure that you can watch videos without interruption.******If you are facing \"package file is invalid\" error, please install it again from product home page (https://sites.google.com/site/mxvpen/download)******", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://sites.google.com/site/mxvpen&sa=D&usg=AFQjCNEGMT94LxW9kz38yNgQesyEQjuZjQ", "id": "com.mxtech.videoplayer.ad", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.mxtech.ffmpeg.v5te", "com.mxtech.videoplayer.pro", "com.mxtech.ffmpeg.v7_vfpv3d16", "com.mxtech.ffmpeg.x86", "com.mxtech.ffmpeg.mips32r2", "com.mxtech.ffmpeg.v6", "com.mxtech.ffmpeg.v6_vfp", "com.mxtech.ffmpeg.x86_sse2", "com.mxtech.logcollector", "com.mxtech.ffmpeg.v7_neon", "com.mxtech.kidslock"], "name": "MX Player", "price": 0.0, "rating": [[" 4 ", 72668], [" 2 ", 6868], [" 5 ", 457524], [" 1 ", 14656], [" 3 ", 22348]], "reviews": [["Not quite perfect", " The combo of HTC one (4.3) and hw+ codec induces FC across all videos I have tried so far. The same HTC with jb 4.2 and hw+ worked just fine "], ["Hiccups here an their but it getting their", " CONS 1 Way too touch sensitive when scrolling a song cause I accidently press a song then wanting to scroll up/down an \"ff\" or \"rw\" a song. 2 Still have issue witch songs that have a High Pitch and 320 kbps. Pros 1 UI great 2 Few good function NEEDS 1 Double tap a song on ether playlist, folder, album... 2 Long press before \"ff\" or \"rw\" a song. "], ["It doesn't allow me", " To play only one in one folder. It plays all of files in one folder continuously. It doesn't offer user authority to fix options. However this function is basic on player..... So i recommend MePlayer. "], ["Good :))", " Its really good but my problem is when I'm playing a mp4 which is 100kb+ and I forward it to example 30mins, the player will auto close. Overall its really nice, it can play all of my videos. "], ["Good", " The player is cool, but hd videos 1080 lag on my Sony sgp321 (quadcore). What can I do to solve the problem? "], ["Very good", " It plays all of my videos regardless of format with great video quality. It will play .srt subtitles but not sub/idx subtitles which is a major disappointment to me since my DVD ripper automatically rips them to a separate file. "]], "screenCount": 8, "similar": ["com.real.RealPlayer", "com.app.truong531developer.player", "com.myboyfriendisageek.videocatcher.demo", "com.vlcforandroid.vlcdirectprofree", "com.issess.flashplayer", "air.br.com.bitlabs.FLVPlayer", "com.zgz.supervideo", "com.acr.tubevideodownloader", "air.br.com.bitlabs.SWFPlayer", "com.google.android.youtube", "com.freevideoplayer.cogsoul.full", "com.andy.flash", "com.elift.hdplayer", "org.videolan.vlc.betav7neon", "me.abitno.vplayer.t", "com.mine.videoplayer"], "size": "7.8M", "totalReviewers": 574064, "version": "1.7.20"}, {"appId": "com.google.android.youtube", "category": "Media & Video", "company": "Google Inc.", "contentRating": "Medium Maturity", "description": "YouTube your way. Get the official YouTube app for Android. Instantly become the DJ, learn Kung Fu and easily share with friends. Catch up on your favorite videos and playlists from around the world on the couch, in the kitchen or on the go.Features:* Enjoy \u00e2\u20ac\u0153what to watch\u00e2\u20ac\ufffd recommendations* Find videos and channels with voice search and instant search suggestions* Subscribe to your favorite channels for easy access from the guide* Sign-in to access your playlists and \u00e2\u20ac\u0153watch later\u00e2\u20ac\ufffd list* Share videos via Google+, E-mail, Facebook and Twitter", "devmail": "N.A.", "devprivacyurl": "http://www.google.com/policies/privacy&sa=D&usg=AFQjCNE7y6nm7TcHvct7CDJRmWrYBHvMEQ", "devurl": "http://www.google.com/support/youtube/bin/topic.py", "id": "com.google.android.youtube", "install": "500,000,000 - 1,000,000,000", "moreFromDev": ["com.google.android.gm", "com.google.android.ytremote", "com.google.android.voicesearch", "com.google.android.talk", "com.google.android.play.games", "com.google.android.tts", "com.google.android.apps.plus", "com.google.android.googlequicksearchbox", "com.google.android.apps.maps", "com.google.earth", "com.google.android.inputmethod.latin", "com.google.android.apps.books", "com.google.android.apps.translate", "com.google.android.videos", "com.google.android.street", "com.google.android.apps.magazines", "com.google.android.music"], "name": "YouTube", "price": 0.0, "rating": [[" 1 ", 295441], [" 5 ", 1205092], [" 3 ", 158046], [" 4 ", 297823], [" 2 ", 82887]], "reviews": [["Hmmm", " Doesn't start half of the time--have to press the home button just so my screen doesn't freeze up... Update: it still happens often..I usually have to force stop the ap so I can use it. If not it will sit on the same screen frozen.. "], ["Yay", " The last version had a bug in which some of the videos wouldn't play in high quality and the app would force close. I updated and they fixed that bug. 5 stars for youtube now "], ["Great Update", " Finally i can use my bluetooth headset to watch my youtube.thanks! "], ["Great", " Love it! "], ["YouTube", " Update s not good know asking ages I'm 32 years old and I can't watch any movie cause the age limit plz take it off so I can watch my movies then i'll rate it a five "], ["Great update!", " Works a lot better now after Android 4.3 update. The app is smoother and quicker to respond. Still a little bit of lag before each video starts, but that isn't too noticeable. Great app. "]], "screenCount": 12, "similar": ["Nextvid.mobile.player", "com.netplayed.app.peliculas", "com.youtuberepeatfree", "com.myboyfriendisageek.videocatcher.demo", "com.acr.tubevideodownloader", "com.android.chrome", "com.mxtech.videoplayer.ad", "jp.co.asbit.pvstar", "com.sibers.mobile.badoink", "com.real.RealPlayer", "com.MediaConverter", "jp.mmasashi.turnWiFiOnAndEnjoyYouTube", "com.soludens.movieview", "com.beka.tools.mp3cutter", "com.herman.ringtone"], "size": "Varies with device", "totalReviewers": 2039289, "version": "Varies with device"}, {"appId": "com.utorrent.client", "category": "Media & Video", "company": "BitTorrent, Inc.", "contentRating": "Everyone", "description": "Find torrents and download them directly to your phone or tablet, with the official \u00c2\u00b5Torrent\u00c2\u00ae App (uTorrent App) for Android. Brought to you by the team that invented the BitTorrent protocol, this handy Android torrent app lets you torrent media wherever you are.Discover torrents and download them to your smartphone or tablet, subscribe to RSS feeds, play content, and more. The first generation of this powerful new Android torrent download app is made to be simple, fast, and free. That means no speed limits, and no size limits on mobile downloads. And unlike most torrenting clients, \u00c2\u00b5Torrent includes the very latest in core torrenting technology, continuously updated by dedicated core engineers to maximize performance.To get the best performance and avoid running up your data charges on mobile downloads, we recommend taking advantage of Wifi-only mode whenever possible.Features:Simple content search and discoveryFor Android phones and tabletsFast, easy and free mobile downloadsNo speed or size limits on mobile downloadsWifi-only mode now availableDownload torrentsPlay mediaManage torrent downloadsAccess exclusive content from featured artistsSubscribe to RSS feedsMake your Android devices so much more funLooking for answers to frequently asked questions (FAQ) or a guide to get started? Visit this page: http://bit.ly/ZoImSBSupport and feedback? utandroid@utorrent.com, or visit the uTorrent mobile forum at http://bit.ly/11I26UTLike us on Facebook: http://www.facebook.com/utorrentFollow us on Twitter: http://twitter.com/utorrentBy downloading or using this app, you agree to the Terms of Use (http://www.bittorrent.com/legal/terms-of-use) and Privacy Policy (http://www.bittorrent.com/legal/privacy)Here\u00e2\u20ac\u2122s what the press are saying:\u00e2\u02dc\u2026 TheNextWeb \u00e2\u20ac\u0153...Android users have it pretty good.\u00e2\u20ac\ufffd \u00e2\u02dc\u2026 Android Community \u00e2\u20ac\u0153This [wifi-only feature] is definitely a great feature for users of the app, and let\u00e2\u20ac\u2122s be honest, the app was pretty awesome as it was.\u00e2\u20ac\ufffd User reviews:\u00e2\u02dc\u2026 \u00e2\u20ac\u0153Finally an original torrent engine for Android. Great job guys great app too.\u00e2\u20ac\ufffd\u00e2\u02dc\u2026 \u00e2\u20ac\u0153Well done application! Works like its supposed to. Thank you for a great experience!\u00e2\u20ac\ufffd \u00e2\u02dc\u2026 \u00e2\u20ac\u0153Absolute awesomeness..\u00e2\u20ac\ufffd\u00e2\u02dc\u2026 \u00e2\u20ac\u0153Updated and my torrents are downloading ridiculously fast. Great so far. :D\u00e2\u20ac\ufffd\u00e2\u02dc\u2026 \u00e2\u20ac\u0153The best day of my LIFE!\u00e2\u20ac\ufffd Thanks, Mom ;)Brought to you by the uTorrent Mobile team--Light. Limitless. \u00c2\u00b5Torrent\u00c2\u00ae for Android.Your feedback is very important to us. Please email us directly if you have any problems or requests. Thank you in advance.Looking for a remote control for your uTorrent client on your home computer? Check out uTorrent Remote for Android: http://bit.ly/TZrpvgKeywords: mobile downloads, android torrent, torrent android, torrent for android, mobile torrent, bittorrent, mTorrent, tTorrent, aTorrent, utorrent, torrent movies rights free, public domain mp4 mobile movies, m torrent, t torrent, u torrent, bit torrent, a torrent, adownloader, a downloader, bitorrent, utorent, torent, \u00ce\u00bcTorrent, \u00d0\u00bf\u00d0\u00be\u00d1\u201a\u00d0\u00be\u00d0\u00ba, \u00d0\u00bf\u00d0\u00b5\u00d1\u20ac\u00d0\u00b5\u00d0\u00bd, \u00d1\ufffd\u00d0\u00ba\u00d0\u00b0\u00d1\u2021\u00d0\u00b0\u00d1\u201a\u00d1\u0152 \u00d1\u201a\u00d0\u00be\u00d1\u20ac\u00d1\u20ac\u00d0\u00b5\u00d0\u00bd\u00d1\u201a, download music clearbits, download torrents, download mobile movies, find torrents, microtorrent, micro torrent, utorrent mobile, youtorrent, you torrent, limitless torrent, uptorrent, up torrent", "devmail": "utandroid@utorrent.com", "devprivacyurl": "http://www.utorrent.com/legal/privacy&sa=D&usg=AFQjCNEPGjjSTgM6Gr9vG0x9v16-THfb_w", "devurl": "http://www.utorrent.com/utorrent-android&sa=D&usg=AFQjCNE7xSf4gQOIkwgCQIvtAw4OVOmT6g", "id": "com.utorrent.client", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.utorrent.client.pro", "com.utorrent.web"], "name": "\u00c2\u00b5Torrent\u00c2\u00ae - Torrent App", "price": 0.0, "rating": [[" 5 ", 42117], [" 3 ", 4304], [" 2 ", 1751], [" 1 ", 4888], [" 4 ", 8625]], "reviews": [["Need more details", " It's not fun to see only downloaded percent. It's would be better if we can see trackers and peer list. "], ["It was great... but no longer working", " It was a lovely and insanely wonderful app, but now it's no longer working, the download rate just stays at 0 kbp:(...sad for days! "], ["Crashes", " Rubbish! It had potential but like many of the reviewers here it worked and in my case it worked for 1 day only. It seems once you log off and then later restart the app adverts come up and bang it now crashes every single time. Many here have upgraded to pro to find same issue so goodbye torrent app I say...you are deleted! "], ["Was good", " Works good for a while bought pro version worked for few days now crashes everytime I open uninstalled and reinstalled still crashes everytime I open it please fix "], ["Good app but...", " Uses way too many resources. Apps take forever to open with this in the background. It would be nice if you could limit the resources given to this app so it would ruin performance of the phone "], ["It crashes on KitKat and locks the phone up", " This worked great on Jelly Bean 4.3 and I thought upgrading to Kit Kat caused it so I went back to Jellybean and installed nothing else and it still crashes and causes the screen to go black. "]], "screenCount": 16, "similar": ["com.bittorrent.android.btremote", "com.myboyfriendisageek.videocatcher.demo", "com.mxtech.videoplayer.ad", "com.vuze.android.remote", "com.acr.tubevideodownloader", "com.themodularmind.torrentmovies", "com.google.android.youtube", "abrc.mf.td", "com.mobilityflow.tvp", "com.mobilityflow.torrent.beta", "air.kkbesttop", "com.bittorrent.client.pro", "com.ks.dfmhd", "com.bittorrent.client", "com.google.android.videos", "com.golrazo.tsearch", "com.mobilityflow.torrent", "hu.tagsoft.ttorrent.lite", "com.bittorrent.sync", "com.herman.ringtone"], "size": "7.4M", "totalReviewers": 61685, "version": "1.19"}, {"appId": "com.kii.safe", "category": "Media & Video", "company": "KeepSafe", "contentRating": "Everyone", "description": "Selected pictures vanish from your photo gallery, and stay locked behind an easy-to-use PIN pad. With KeepSafe, only you can see your hidden pictures. Privacy made easy! \u00e2\u02dc\u017e KeepSafe empowers you to control photo and video access. It\u00e2\u20ac\u2122s that simple \u00e2\u02dc\u0153 Show only what you want seen. Hiding pictures and videos with KeepSafe on Android gives you control of who sees what. Your public gallery remains available to your friends, family, and coworkers. Take control of your privacy! Problems? Wait! Contact us at support@getkeepsafe.com before leaving a bad review. We fix all issues immediately. We're quick to respond and fix any problems. KeepSafe is better than others bacause: * KeepSafe's photo locker hides pictures in a secret gallery without limits and has pro features for free. It is also the best app to hide video out there.KeepSafe has the best privacy features on Android: * Hide Photos & Videos * Easy-to-use PIN pad access * Folders * Un-hide pictures and videos from KeepSafe as you like * Add pictures from Facebook app to KeepSafe * Share pictures from KeepSafe * Safe Send - show pictures to friends for a limited time * Rotate and zoom features * Multi-select feature for fast hiding, un-hiding, sharing * Full-screen viewing * Free slideshow feature * Disappears from 'recent apps' list * KeepSafe is a secret app, a simple secret box for your content. What users say: \"This is brilliant! Super easy to hide videos and photos. Much better than vault free! Just the best photo locker out there.\" *** Special features *** Safe Send: A new way to send your personal pictures to friends for a limitedtime. Stay in full control! You choose how long your friends can see pictures you share with Safe Send. It's like Snapchat but KeepSafe Safe Send works with everyone, they don't need KeepSafe. Fake Pin: Make your KeepSafe more secure. Protection against people who force you to open KeepSafe. Choose a second PIN that opens a fake KeepSafe where you can put pictures you are ok for others to see. No one knows you have a real KeepSafe PIN. Great! How do I KeepSafe? ================= 1. Select pictures and videos 2. Press hide 3. DONE! FAQ === Q: How do I unhide pictures and videos? A: 1. Open KeepSafe and select images and videos 2. In the bottom bar, press 'Unhide' 3. Confirm the unhide action Q: How does KeepSafe work?A: KeepSafe provides you with a locked gallery that lives on your phone. Q: Does this app hide videos? A: Yes, we support single video hiding and multiple videos. There is also no limit to how many videos you can hide. Q: Where are my pictures after I un-hide them? A: Your pictures will be in the same location as before they were hidden. Q: How can I retrieve my PIN? A: Open KeepSafe, then long-press on the KeepSafe logo to request your PIN\u00e2\u20ac\u00a6 easy! Q: Are my hidden pictures stored online? A: No! KeepSafe only stores pictures in a secret box on your Android phone. Q: Does KeepSafe support .wmv video playback? A: No, KeepSafe does not play back .wmv videos. Q: How many pictures can I hide in KeepSafe? A: As many as you want. A secret box without limits. Q: Is this similar to applying a gallery lock? A: No, it isn't. KeepSafe is a special gallery that locks your pictures but you place them in there. Q: Can KeepSafe lock videos? A: Yes, if you place videos into KeepSafe, they are locked behind a PIN pad Q: Can I take pictures out of this secret vault? A: Yes, you can unhide pictures with only a couple of clicks.Links:- Press kit: http://bit.ly/XGGKCJ", "devmail": "support@getkeepsafe.com", "devprivacyurl": "http://www.getkeepsafe.com/privacy.php&sa=D&usg=AFQjCNE9M7wi3VL3Y7jGSYzxtEvOXOXShA", "devurl": "http://www.getkeepsafe.com&sa=D&usg=AFQjCNF7TvXJjFjlnoA71ZmClEiDvZiwOg", "id": "com.kii.safe", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Hide pictures - KeepSafe Vault", "price": 0.0, "rating": [[" 2 ", 3273], [" 5 ", 587482], [" 3 ", 16362], [" 1 ", 8473], [" 4 ", 85865]], "reviews": [["Keep my private pics hidden", " Great app for keeping those pictures that are only ment for you. "], ["Love it! But...", " Could you at some point update to Holo UI? This app is great but it doesn't look like an android app! Just saying, I'm big fan of well designed apps, and I believe that with some Holo redesign, your app could be much better looking and simpler too :) "], ["Amazing app. Perfect", " Perfect safe, exactly what I was looking for. I would download this again. "], ["Change app cover!", " Well this app is very great, I think its one of the best out there for doing what it does. But you guys have to add a feature so that when you look at it on screen before opening that the user should be able to rename the app name and the design of the app, but when you open it it would be the same. So please add this, and it would be awesome. "], ["Good, could be better.", " Works fine. It Needs better security for the free version. "], ["Lack of organising in folders.", " Its ok but when I put pictures in a folder I cannot organise them and the last pic always shows first rather than the first pic. "]], "screenCount": 7, "similar": ["yong.app.videoeditor", "com.handyapps.videolocker", "com.xvideostudio.videoeditor", "com.jun.shop_image_editing_engver", "com.facebookphotossave", "com.handyapps.photoLocker", "com.mxtech.videoplayer.ad", "com.keepsafe.sms", "com.google.android.youtube", "com.androvid", "com.goseet.VidTrim", "com.theronrogers.vaultyfree", "com.thinkyeah.galleryvault", "com.jun.shop_image_editing", "com.smartanuj.hideitpro", "com.theronrogers.vaultypro", "com.colure.app.privacygallery"], "size": "Varies with device", "totalReviewers": 701455, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaaab.json_merged.json b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaaab.json_merged.json new file mode 100644 index 0000000..edba03f --- /dev/null +++ b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaaab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "co.happybits.anyvideo.kik", "category": "Media & Video", "company": "Happy Bits Co.", "contentRating": "Low Maturity", "description": "Kik video to your friends on Kik Messenger!Send videos of any size -- it's super-quick. And sending videos on Kik is absolutely FREE! :)So, you love chatting with people on Kik and can\u00e2\u20ac\u2122t wait to send them cool videos, quickly, and for free? Well, with Video Kik you can send ANY video of ANY length on- yup, you guessed it! - Kik Messenger! How can you join the hundreds of thousands of happy Kiksters sending videos fast, free and super-easy? Download Video Kik!Top Features of Video Kik:- Record a video of any length with the built-in camera - Instantly send video to any phone using Kik Messenger - Works with all modern phones- Gallery of all the videos you\u00e2\u20ac\u2122ve sent AND received- ***NOW AVAILABLE: Choose any video from your Gallery for MAJORITY SAMSUNG devices! Others are coming soon!We all love watching videos of our kids being cute and videos of their tantrums, videos of cats and videos of cats riding vacuum cleaners, vacation videos of ziplining or your turbulent helicopter tour, videos from your favorite concert or a video of the rain that cancelled what would\u00e2\u20ac\u2122ve been your favorite concert...and now, with Video Kik, you can easily and quickly share these videos FOR FREE with all your friends on Kik!Use Video Kik to privately share videos of any length with anyone on any device. It's absolutely free! Send videos of anything you can imagine all privately! No need to worry about accidentally beaming your video to the whole of the interwebs...with Video Kik you can send videos privately, easily and without worrying about where it\u00e2\u20ac\u2122ll end up.Here are just some ideas for how you can use Video Kik as your video mms. Use it to: - send videos of sporting event highlights, be it a close-up video of a winning penalty Kik ;) at your kid\u00e2\u20ac\u2122s soccer game or a video of a view from the nosebleed seats at your favorite team\u00e2\u20ac\u2122s championship game- send video of you cooking: a \u00e2\u20ac\u0153how to\u00e2\u20ac\ufffd video on making gnocci, or a \u00e2\u20ac\u0153how not to\u00e2\u20ac\ufffd video that shows your attempts at tossing pizza dough (which ended up on the ceiling)- send video of those funny moments with friends, after all, what better way to relive those memories than straight from a video on your Kik Messenger?Did we mention that sending AND receiving videos of any length is FREE with Video Kik? You know how they say there\u00e2\u20ac\u2122s no such thing as a free lunch? Well, this is an exception. Video Kik is free and awesome - so, eat up!What do our users love about Video Kik?Privacy: They love using Video Kik to privately send videos of their kids!Ease: It just takes a few clicks to record a video or upload a video from your gallery and share it within conversations on Kik.Who knew it could be so easy to share videos on Kik?All-in-one: Your videos can be recorded, sent, received and stored all with Kik and Video Kik. It is a seamless process from having a conversation on Kik to recording a video to sharing a video and then growing your gallery of videos. Gallery: Do you like to watch vids you got - and recorded - over and over? Now you can! Your sent and received videos show up right in the app. It's so easy to relive your favorite moments with your favorite people. And best of all sending videos with Video Kik is absolutely free!There are lots of reasons to record and send videos using Video Kik app. You love watching videos and recording videos - you love chatting with old and new friends on Kik and you love stuff that\u00e2\u20ac\u2122s free, easy and quick to use...you will love Video Kik! Record and share ANY video of ANY length with ANYone, and it won\u00e2\u20ac\u2122t cost you ANY money! Check out Video Kik, have fun and let us know how much you love it!CONTACT USWeb: www.anyvideo.coEmail: kik@anyvideo.coVideo Kik was made with love by Happy Bits Co. We have no association with the makers of Kik Messenger.", "devmail": "playkik@anyvideo.co", "devprivacyurl": "N.A.", "devurl": "http://www.anyvideo.co&sa=D&usg=AFQjCNExHkwn9ym9AIQ0JQE5b6RxF9kZJA", "id": "co.happybits.anyvideo.kik", "install": "500,000 - 1,000,000", "moreFromDev": ["co.happybits.anyvideo.fbm", "co.happybits.anyvideo"], "name": "Video Kik", "price": 0.0, "rating": [[" 3 ", 208], [" 2 ", 127], [" 4 ", 263], [" 5 ", 1243], [" 1 ", 426]], "reviews": [["Don't work, please help", " Plz help it keep saying to install app so I can watch it , I have install it but I still can see videos that my friend send me, I have updated but still can't watch vids. It keep saying install but I have install it.. "], ["The new update sucks!", " This app was working fine until the update now I cant even send videos on kik that I habe already stored!... everything was fune until the update >:[ "], ["Keeps saying stopped working", " Everytime i go to click select video Or click on anything it wilp frease an then tell me dat it stopped working "], ["Free video messaging!", " Great add-on to kik. Love being able to send videos for free. "], ["Irritated!", " The updates are not helping at all! Everytime I try to open the app, it says \"unfortunately, video kik has stopped working.\" I have tried uninstalling and reinstalling multiple times but it still acts the same. I\"m so close to uninstalling for good. Please fix this because I really loved this app. Please fix. "], ["<3", " I busted a nut just seeing how good this app Is. I love it! "]], "screenCount": 10, "similar": ["com.media.moviestudio", "com.movisoft.videoeditor", "yong.app.videoeditor", "com.goseet.VidTrim", "com.xvideostudio.videoeditor", "com.wevideo.mobile.android", "roman10.media.converter", "com.acr.tubevideodownloader", "com.androvid", "se.outputstream.recorderforkik", "com.elift.hdplayer", "com.videofx", "com.topapploft.free.videoeditor", "com.catflow.andromedia", "com.zoonapp.free.videoeditor", "kik.android"], "size": "3.0M", "totalReviewers": 2267, "version": "1.1.3"}, {"appId": "com.acr.tubevideodownloader", "category": "Media & Video", "company": "MobilDev", "contentRating": "Everyone", "description": "Tube Video Downloader is the best app to download videos online from Internet to your Android phone. You can download and save videos in different formats as FLV, MP4, 3GP, MOV, WMV, MKV, etc. This application DOES NOT DOWNLOAD VIDEOS FROM YOUTUBE because of the Terms of service.It automatically detects links from the Web browser, so you do not need to copy and paste them in the app.Features- Download videos in parallel parts to increase and accelerate the download speed- Resume paused or broken downloads if it is supported by the website.- Pause, delete, cancel and restart downloads- Support for large file videos (over 2 GB)- Support different formats: MP4, 3GP, FLV, MOV, WMV, MKV, etc.- Run in background- Several videos may be downloaded simultaneously or in queue- Automatically detects the links from your Web browser- Open videos with your favorite media player- Support many languages: English, French, Spanish, etc.* This application does NOT work for videos from YouTube because of Google policy. IT CAN NOT DOWNLOAD VIDEOS FROM YOUTUBE.* WATCH NEXT VIDEO to learn how to use this app: http://youtu.be/lJv27gYlF-4Tags: tube video downloader pro videos streaming online video internet mate movie films rtsp", "devmail": "albertonce@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.acr.tubevideodownloader", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.acr.spraycan", "com.acr.pingtotal", "com.acr.shellterminalemulator", "com.acr.cameramagiceffects", "com.acr.minigun", "com.acr.rootchecker", "com.acr.sdfilemanager", "com.acr.hideallfiles", "com.acr.rootfilemanager", "com.acr.flashlighthdled", "com.acr.androiddownloadmanager", "com.acr.encryptfilefree", "com.acr.screenshothd", "com.acr.crackedscreen", "com.acr.magicphotoeffects", "com.acr.photoeditorstudio"], "name": "Tube Video Downloader", "price": 0.0, "rating": [[" 3 ", 3045], [" 5 ", 22540], [" 2 ", 1146], [" 4 ", 4733], [" 1 ", 8842]], "reviews": [["Can't even load", " When I opened the application, the screen on my phone turned black. I tried several times but to no avail. Please get this fixed. "], ["It's true", " It really is the best app for downloads. I've had this app for MONTHS, ever since I purchased my new phone and found difficulties downloading certain files from certain places. But this is great. I highly recommend it. 6 stars =) "], ["Sucked", " When I downloaded it nothing showed up pretty crappy think whoever created this app needs to review it and make some changes "], ["Can't DL in Background", " Please make it downloadable in background. Everytime I download videos and minimize it and when i open this app again, my downloads were all gone and it will ask me again to save and download it again! Please fix it as soon as possible and I will give you a ratings of 5 Star. For now I will uninstall this and when this problem was fix I will install this again Thanks! "], ["Virtually useless", " Doesn't download vids from YouTube OR Vimeo. So you have to hope that someone posted the vid you're looking for somewhere else... Good luck with that! "], ["Samsung Galaxy Grand", " This is pretty good! Im happy that I can finally download videos to my phone! But the problem is It stucked at somehow and I need to stop it and download it again from 0%! Fix it please! I would recommend this to my friend once its fixed! But its still good! "]], "screenCount": 4, "similar": ["com.ibestapp.iapp", "com.linktosoftware.ytd", "com.real.RealPlayer", "com.myboyfriendisageek.videocatcher.demo", "com.xellentapps.videotube", "com.myboyfriendisageek.videocatcher", "jp.co.asbit.pvstar", "com.google.android.youtube", "com.sibers.mobile.badoink", "com.clipflickdownloader.free", "com.elift.hdplayer", "jp.heartcorporation.freevideodownloaderplus", "com.jmtapps.firevideo", "com.mxtech.videoplayer.ad", "com.ne.hdv", "com.beka.tools.mp3cutter"], "size": "360k", "totalReviewers": 40306, "version": "1.0.7"}, {"appId": "com.disney.disneyinfinityaction_goo", "category": "Media & Video", "company": "Disney", "contentRating": "Everyone", "description": "USE THE POWER OF IMAGINATION TO BRING DISNEY INFINITY CHARACTERS TO LIFE! CREATE YOUR OWN MOVIES STARRING JACK SKELLINGTON, MR. INCREDIBLE, SULLEY, JACK SPARROW AND YOU! \u00e2\u20ac\u00a2 Make movies with Jack Skellington, Mr. Incredible, Sulley, and Captain Jack Sparrow!\u00e2\u20ac\u00a2 Discover unique animations and use them in the Movie Maker to create your own movies!\u00e2\u20ac\u00a2 Over 30 FREE animations to use in videos - flex muscles with Mr. Incredible, sword fight with Jack Sparrow, or scare a friend with Sulley!\u00e2\u20ac\u00a2 Use props in your videos like the Tron disc or Buzz Lightyear\u00e2\u20ac\u2122s Jet Pack!Share the movies you create! Save to device, post on Facebook, post to YouTube, or send over email.For a chance to have your video featured on the Disney Infinity Facebook page, send your movie and a caption to actionapp@disneyinfinity.comMEET THE CHARACTERS HERE AND CHECK OUT DISNEY INFINITY ON Xbox 360\u00c2\u00ae, PS3\u00e2\u201e\u00a2, Wii\u00e2\u201e\u00a2, Wii U\u00e2\u201e\u00a2, and Nintendo 3DS\u00e2\u201e\u00a2AVAILABLE NOW!Visit www.disney.com/infinity for more information.Terms of Use: http://disneytermsofuse.com/", "devmail": "disneymobilepublishing@gmail.com", "devprivacyurl": "http://corporate.disney.go.com/corporate/pp.html&sa=D&usg=AFQjCNEXlaturw0GaM0S7VRI_yQ0oYqWQQ", "devurl": "http://www.Disney.com&sa=D&usg=AFQjCNGGwuFXlLfnAFxeJCLmGsEivGJUBw", "id": "com.disney.disneyinfinityaction_goo", "install": "500,000 - 1,000,000", "moreFromDev": ["com.disney.PirateWars", "com.disney.wheresmywater2_goo", "com.disney.WMPLite", "com.disney.WheresMyHoliday_GOO", "com.disney.toystorysmashitfree_goo", "com.disney.MonstersUniversityFree.goo", "com.disney.stackrabbit_goo", "com.disney.brave_google", "com.disney.ltmb", "com.disney.WMP", "com.disney.WMW", "com.disney.wreckitralph", "com.disney.wheresmymickeyfree_goo", "com.disney.TempleRunOz.goo", "com.disney.WMWLite", "com.disney.nemo"], "name": "Disney Infinity: Action!", "price": 0.0, "rating": [[" 1 ", 1128], [" 4 ", 683], [" 5 ", 5124], [" 2 ", 258], [" 3 ", 474]], "reviews": [["Server error while loading", " Can't get past this \"SERVER ERROR try again later\" message. Been trying for 5 days now. "], ["Couldn\"t film an action", " It's pretty heavy and could not film an action, they are also pretty big "], ["Bad copy of fx guru", " Bad previews, slow response time, effects are not mind blowing. It's good for little kids. "], ["Cool super cool", " Well Bh hrvatska the best way to go to our website at terms of the most important things that are available on the phone and a also at the top of the best price online for free. The only thing that you get the best way to get the best way to get the best way to get the best way to get the latest version of your order and your friends to come and see if you want to be a part of the people who are looking forwards to be a good boy who is very odd to be a problem in that area for the next few weeks and I am lo "], ["I real like the game so good i like it all so play it ...", " I real like the game so good i like it all so play it because it is sick\tThanks if you playing the game. "], ["Stops loading", " When I opened the app, it starts loading and stops when it says \"Server Error, cannot connect to server. Please try again in a few minutes\". I waited and opened the app again and it did the same, and my Wi-fi is open and connected. Please fix this and when you fixed this please REPLY. "]], "screenCount": 15, "similar": ["com.htstudio.cinderella.app", "com.htmovie.princat", "com.appsaddicts.disneyprincesscamera", "bizomobile.actionmovie.free", "appinventor.ai_brettpenzer123.Disney_Finished_Version", "com.creacionescalientes.DisneyJuniorVideos", "com.htstudio.jasmine.app", "com.htstudio.rapunzel.app", "com.disneyapp9.app", "com.htstudio.mulan.app", "com.moviesnow.hollywood", "com.htstudio.aurora.app", "com.htstudio.pocahontas.app", "com.htstudio.belle.app", "com.htstudio.tiana.app", "air.com.disney.aliceinwonderlandmobile.goo"], "size": "269M", "totalReviewers": 7667, "version": "1.0.1"}, {"appId": "com.google.android.videos", "category": "Media & Video", "company": "Google Inc.", "contentRating": "Everyone", "description": "Google Play Movies & TV allows you to watch movies and TV shows purchased on Google Play.You can stream instantly on your Android phone or tablet, or download so you can watch from anywhere, even when you\u00e2\u20ac\u2122re not connected. Also, get quick access to your personal video collection, including those taken on your phone or tablet.Learn more about Google Play Movies & TV at http://play.google.com/about/moviesNote: TV shows are currently available in the United States only.", "devmail": "N.A.", "devprivacyurl": "http://www.google.com/policies/privacy&sa=D&usg=AFQjCNE7y6nm7TcHvct7CDJRmWrYBHvMEQ", "devurl": "http://support.google.com/googleplay&sa=D&usg=AFQjCNFpLSCgMaZkO-fYhPT1Sbz4Bn_47A", "id": "com.google.android.videos", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.google.android.gm", "com.google.android.voicesearch", "com.google.android.talk", "com.google.android.play.games", "com.google.android.tts", "com.google.android.apps.plus", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.android.apps.maps", "com.google.earth", "com.google.android.apps.books", "com.google.android.apps.translate", "com.google.android.street", "com.google.android.apps.magazines", "com.google.android.music"], "name": "Google Play Movies & TV", "price": 0.0, "rating": [[" 4 ", 9075], [" 2 ", 3276], [" 1 ", 24216], [" 5 ", 35969], [" 3 ", 6988]], "reviews": [["Still few things to go...", " Works well, however, it does not play HD movies on non-Nexus devices. Also I'm not sure why you cannot change language of the movie. I don't watch movies in local language, I just want English for both Audio and CC. It should not be hard, you already have English for all of your movies! "], ["? Lower resolution screen gets better HD ?", " I downloaded the same HD movie on my Nexus 4 and my Transformer Infinity...but the download on my Nexus 4 is twice the size...and actually HD. It seems like no matter what I do, Google Play forces me to download SD on the higher resolution device. What???? Please fix. Update: 1 month later and it is still the same result. I paid for HD. Why are you forcing me to download a version that I didn't pay for? "], ["OK, but please allow streaming to TV", " Google Play is OK, but do not like the fact you are unable to stream from Android device to TV over wifi. I can do it with a host of other players, but Googles proprietary encrypted files won't play in anything other than their own player. Such a shame or I'd buy more from them. "], ["Very disappointed with this app expected more since they now have chrome cast You ...", " Very disappointed with this app expected more since they now have chrome cast\tYou need to fix the ability to download and watch HD movies on my 2014 galaxy note 10.1 and also with this application you should be able to see all the movies and videos you have on your SD card I have chrome cast and have no way to play the movies I have recorded through the Google Play Movies so please fix those two things will make this app great "], ["amyrichie63@Gmail.com", " I would rate this a 5 but yesterday it quick working. I now get a 110 error. I was told by Google that my device has to be updated to jellybean 4.1.1 in order to work. Now I can't watch my down loaded on my Samsung galaxy note any more. What a waste of money. Have purchased over 109 movie's. Very disappointed Google. Please fix.now I can't watch any of my downloaded movies on my acer and my Toshiba. Both are androids. Says I now need an internet connection in order to watch my down loaded movies. What the.. "], ["For a movie app, I expect more", " I LOVE my Google Play movies, but the fact that I can't connect my phone to a TV to save bandwidth at my house is unacceptable. Netflix works fine, so why does Google give me trouble when I pay them money for it to work? Not happy. "]], "screenCount": 12, "similar": ["com.media.moviestudio", "com.netplayed.app.peliculas", "com.spb.tv.am", "com.myboyfriendisageek.videocatcher.demo", "net.cj.cjhv.gs.tving", "tv.peel.samsung.app", "com.musaqil.tv", "com.android.chrome", "ru.ivi.client", "com.mxtech.videoplayer.ad", "ru.more.play", "com.ks.dfmhd", "com.PandoraTV", "com.tvzavr.android.player.free", "com.imdb.mobile", "com.soludens.movieview", "com.acr.tubevideodownloader"], "size": "Varies with device", "totalReviewers": 79524, "version": "Varies with device"}, {"appId": "com.smartanuj.hideitpro", "category": "Media & Video", "company": "Anuj Tenani", "contentRating": "Everyone", "description": "Hide Pictures ,Videos, Applications, Messages , Calls in your phone. COMPLETELY FREE and UNLIMITED version.Now in apple AppStore too. Follow the link below or search Hide it Pro in the App Storehttp://itunes.apple.com/us/app/hide-it-pro/id523488488?ls=1&mt=8Like us ? Hit the +1 button. -- What our users say. --\"Wow , nobody can guess where my secret stash is , Thanks hide it pro\" - Betty\"This should come with the phone. Awesome...\" - Alex Wright\"Now i can give my phone to the kids without worrying them seeing something they shouldn't. Must Have App\" - Katherine-- About the app --The app is cleverly disguised as \"Audio Manager\" in the App Drawer.Disguises itself as a Audio Manager app which can be used to turn the volumes up and down. but if you Long press on the Audio Manager title the actual Hide It Pro app will launch, which is basically your secret vault of pics/videos/messages/apps etc.-- Features in Detail --1.) App disguised behind a fully functional Audio Manager2.) Categorize media into folders of your choice3.) Batch(Multi-Select) support for hiding and unhiding pictures4.) Delete/Share/Unhide/Move pictures between albums5.) Sort files by date/size/name and sort folders by count/name6.) Gallery features Pinch to Zoom , Double tap to zoom , One finger hold and move zoom7.) Slideshow with Fade, Zoom, Swipe effects8.) Send/Share pictures9.) Special optimization for low end phones.10.) Video player features play/pause/forward/rewind/next video/prev video support11.) Disappears from recent apps list12.) Two lock screen options viz Pin and Password13.) Escape pin/password for times when you get caught14.) Built in encryption tool(with military standard 256-bit AES encryption) to secure your most important files15.) Plugins for features like Private Messaging / Calls , Private Browsing , Locking Apps.etc.There are a lot more features like custom slideshow durations/slideshow order/effects , custom folder thumbnails etc. but i'll leave some of the secrets of the app to be discovered by the users ;)Complete Help : http://bit.ly/droiditPlease email me if you have any issues , If the app doesn't install properly do a reinstall , that would solve 99% the problems , for rest just shoot me an emailHave ideas to improve the app , please do not hesitate to send us your thoughtsPermissions Explained : >> INTERNET , READ_PHONE_STATE - for advertisements>> WRITE_EXTERNAL_STORAGE - for functioning of the app>> GET_TASKS , KILL_BACKGROUND_TASK -- for hidden apps part>> SET_WALLPAPER -- setting wallpaper in gallery", "devmail": "support@hideitpro.com", "devprivacyurl": "N.A.", "devurl": "http://hideitpro.com&sa=D&usg=AFQjCNGN26cYjy-8bl3wE2XsRMzUJWTPeQ", "id": "com.smartanuj.hideitpro", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.smartanuj.sms", "com.smartanuj.jokes", "com.smartanuj.protect", "com.smartanuj.drinks", "com.smartanuj.hideitpro.webui", "com.smartanuj.gmailattach", "com.smartanuj.hideitpro.hideicon", "com.smartanuj.hideitprokey", "com.smartanuj.ccleaner"], "name": "Hide Pictures - Hide It Pro", "price": 0.0, "rating": [[" 4 ", 36396], [" 3 ", 6535], [" 5 ", 279764], [" 1 ", 3935], [" 2 ", 1579]], "reviews": [["Excellent", " mind blowing app. . . 100% successfull. . . But I don't understand that how can I know that the sent msg is deliever or not,since I have done the delievery report on. . . Plz check it & reply me soon,then I'll give 1 more star. . . "], ["Trash", " Its good for awhile than out of nowhere your pics get delete and they have a link saying if that happen than will help. Well look here I went to it 5times and have not got any support for my app. Its a piece of crap "], ["Simply awesome, but..", " There seems to be a bug in the escape pin screen. if I Click the \" switch to other themes\" & click cancel, I can get to the settings screen, from where I can change the real pin... Plz fix this in the next update... "], ["Best vault app ever !!!", " The best smartphone vault I have used, and I have been using it for the past 2 yrs now... really convenient to hide personal pictures and videos ... love the updates, though it would've been great to have a all units converter instead of just the currency converter... just my opinion on it ... though great effort. "], ["Excellent app", " I hate it when someone looks through my phone, I get paranoid that they will look through my pics and msgs. And this is the perfect app for hiding them. Love it!!! "], ["Great app with minor issues", " I'm finding that some images flash for a moment then go black. Images that show fine when not in the vault. Would've been five stars otherwise. "]], "screenCount": 12, "similar": ["appplus.mobi.gallery", "com.smartandroidapps.audiowidgetpro", "com.smartandroidapps.audiowidget", "com.handyapps.photoLocker", "com.javamonkey.image.video.hide", "mig.gallery.secure", "com.kii.safe", "com.ghostfilesplus", "com.theronrogers.vaultyfree", "com.thinkyeah.galleryvault", "yong.app.videoeditor", "com.vzbrowser", "com.capacus.vault", "com.handyapps.videolocker", "com.capacus.neo", "com.theronrogers.vaultypro", "com.colure.app.privacygallery"], "size": "2.2M", "totalReviewers": 328209, "version": "3.2"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtabaa.json_merged.json b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtabaa.json_merged.json new file mode 100644 index 0000000..e10ae94 --- /dev/null +++ b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtabaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.bittorrent.client", "category": "Media & Video", "company": "BitTorrent, Inc.", "contentRating": "Everyone", "description": "Find torrents and download them directly to your phone or tablet, with the official BitTorrent\u00c2\u00ae App for Android.Brought to you by the team that invented the BitTorrent protocol and BitTorrent software, this handy Android torrent app lets you get media wherever you are. Find torrents and download them to your smartphone or tablet, subscribe to RSS feeds, play content, and more. The first generation of this powerful new torrent download app is made to be simple, fast, and free. That means no speed limits, and no size limits, on mobile downloads.To get the best performance and avoid running up your data charges, we recommend taking advantage of Wifi-only mode whenever possible.Features:* No speed or size limits* The very latest in core torrenting technology, continuously updated by dedicated core engineers to maximize performance.* Wifi-only mode* Search for content* Access exclusive content from BitTorrent\u00e2\u20ac\u2122s featured artists* Download torrents* Manage torrent downloads* Play media* Subscribe to RSS feedsIt\u00e2\u20ac\u2122s all super-fast, super-easy, and super-freeMake your Android device so much more funLooking for answers to frequently asked questions (FAQ) or a guide to get started? Visit this page: http://bit.ly/15QqrIFSupport and feedback? btandroid@bittorrent.com, or visit the BitTorrent mobile forum at http://bit.ly/XTKPEqHelp us update BitTorrent\u00c2\u00ae for Android. Join our alpha and beta testing community on Google+: http://bit.ly/GWjj8DFeature suggestions? http://bit.ly/WgvTUuLike us on Facebook: http://www.facebook.com/bittorrentFollow us on Twitter: http://twitter.com/bittorrent By downloading or using this app, you agree to the Terms of Use (http://www.bittorrent.com/legal/terms-of-use) and Privacy Policy (http://www.bittorrent.com/legal/privacy)User reviews:\u00e2\u02dc\u2026 \u00e2\u20ac\u0153I would definitely recommend this app to anyone. It's probably the best torrent client for android.\u00e2\u20ac\ufffd \u00e2\u02dc\u2026 \u00e2\u20ac\u0153This is an awesome torrent. Even when I don't have a wifi connections and have poor service this is the only torrent that will pull through.\u00e2\u20ac\ufffd\u00e2\u02dc\u2026 \u00e2\u20ac\u0153Clean, easy to use, and gets the job done. Thanks.\u00e2\u20ac\ufffd\u00e2\u02dc\u2026 \u00e2\u20ac\u0153...keep up the good work guys!\u00e2\u20ac\ufffdWe really like this one ;)\u00e2\u02dc\u2026 \u00e2\u20ac\u0153This is probably the best torrent downloader the world has ever seen....\u00e2\u20ac\ufffd Your feedback is very important to us. Please email us directly if you have any problems or requests. Thank you in advance.Looking for a remote control for your BitTorrent client on your home computer? Check out BitTorrent Remote for Android: http://bit.ly/WSxkFZ--From the BitTorrent mobile team. \u00e2\u20ac\u0153Committed to building a sustainable future for content. For all.\u00e2\u20ac\ufffdKeywords: mobile downloads, android torrent, torrent android, torrent for android, mobile torrent, bittorrent, mTorrent, tTorrent, aTorrent, utorrent, torrent movies internet archive, legal mp4 mobile movies, m torrent, t torrent, u torrent, bit torrent, a torrent, adownloader, a downloader, bittorent, bitorrent, utorent, \u00ce\u00bcTorrent, \u00d0\u00bf\u00d0\u00be\u00d1\u201a\u00d0\u00be\u00d0\u00ba, \u00d0\u00bf\u00d0\u00b5\u00d1\u20ac\u00d0\u00b5\u00d0\u00bd, \u00d1\ufffd\u00d0\u00ba\u00d0\u00b0\u00d1\u2021\u00d0\u00b0\u00d1\u201a\u00d1\u0152 \u00d1\u201a\u00d0\u00be\u00d1\u20ac\u00d1\u20ac\u00d0\u00b5\u00d0\u00bd\u00d1\u201a, download music public domain, download torrents, find torrents, youtorrent, you torrent, limitless torrent, uptorrent, up torrent", "devmail": "btandroid@bittorrent.com", "devprivacyurl": "http://www.bittorrent.com/legal/privacy&sa=D&usg=AFQjCNGmQCSdvS9jvymal2ALEqDtwCD8jA", "devurl": "http://www.bittorrent.com&sa=D&usg=AFQjCNGwnKhBHAxKfHYMFCin4HQ2F0t-HA", "id": "com.bittorrent.client", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.bittorrent.android.btremote", "com.bittorrent.client.pro", "com.bittorrent.sync"], "name": "BitTorrent\u00c2\u00ae - Torrent App", "price": 0.0, "rating": [[" 1 ", 1462], [" 3 ", 1235], [" 2 ", 533], [" 4 ", 2746], [" 5 ", 11256]], "reviews": [["I used to love iy but since the ipdste on 11/26 it doesn't work ...", " I used to love iy but since the ipdste on 11/26 it doesn't work anymore. If not for this I would have rated it as a 6 "], ["Use to be good", " This app use to work but now it doesn't even work at all "], ["Great app!", " The only thing missing that would make this a 5 star app is the feature to select what you want when downloading a torrent with multiple files. "], ["Poor", " Used to work great now it won't work at all "], ["Amazing my #1 torrent APP!!", " I Love this app!! I download all my torrents on my PC / mobile devices. I'm amazed how well it works. "], ["Love\u00e2\u2122\u00a5", " I love this app. Because i downlaod my want watch "]], "screenCount": 6, "similar": ["com.utorrent.client.pro", "com.utorrent.client", "com.vuze.android.remote", "com.golrazo.tsearch", "ru.vidsoftware.acestreamcontroller.free", "com.androidshed.utv.free", "com.androlizer.yify.torrent", "abrc.mf.td", "com.themodularmind.torrentmovies", "com.mobilityflow.tvp", "com.mobilityflow.torrent.beta", "com.orin.ashiq.yify", "com.ks.dfmhd", "com.utorrent.web", "com.alt17.torrent17", "com.delphicoder.flud", "com.ne.hdv", "com.mobilityflow.torrent", "hu.tagsoft.ttorrent.lite"], "size": "7.9M", "totalReviewers": 17232, "version": "1.31"}, {"appId": "hu.tagsoft.ttorrent.lite", "category": "Media & Video", "company": "tagsoft", "contentRating": "Everyone", "description": "tTorrent is a torrent (bittorrent) client for Android based devices. Download torrents directly to your phone/tablet!The only Torrent Client for Android featured by Intel:http://bit.ly/ttorrentproFeatures:- multiple torrent downloading, queuing- search for torrents- Wifi only mode, Wifi or WiMAX mode- able to limit Upload/Download speed- web browser integration- magnet link support- trackerless torrent (DHT) support- RSS support(automatically download torrent files published in feeds)- UPnP and NAT-PMP support- IP filtering support- proxy support(SOCKS, HTTP)- encryption- Local Peer Discovery- creating torrents- editable tracker list for torrents- x86 supportThe Lite version is ad supported, and the maximum download speed is 250kB/s.The Pro version has no ads, and no download limit. 3D Magic LLC is the official publisher of the Pro version.If you want to help to translate the app into your language, you can join at:http://crowdin.net/project/ttorrentforandroidIf you have problems, or you have found bugs: ttorrent.android at gmail.comhttp://www.ttorrent.proThis product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit. (http://www.openssl.org/)This product includes cryptographic software written by Eric Young (eay@cryptsoft.com)Keywords: aTorrent, aDownloader, uTorrent (\u00c2\u00b5Torrent), Pirate Bay, bittorrent, torrent, Azureus, Vuze, Download", "devmail": "ttorrent.android@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://ttorrent.pro&sa=D&usg=AFQjCNE-rQynWgkXmXw7f4pEJjWnx60mEQ", "id": "hu.tagsoft.ttorrent.lite", "install": "5,000,000 - 10,000,000", "moreFromDev": ["hu.tagsoft.ttorrent.lite.mips"], "name": "tTorrent Lite - Torrent Client", "price": 0.0, "rating": [[" 5 ", 53037], [" 1 ", 2348], [" 2 ", 979], [" 4 ", 13650], [" 3 ", 3506]], "reviews": [["It Works!", " It's one of the best apps in my phone! Never could I have imagined that I would enjoy downloading movies or a series on my phone! The download speeds are also good! Kudos to the developers! "], ["HTC ONE X", " The best mobile torrent app. Haven't caused a single problem.. (unlike many other ones which claims to be best) Just keep all the files you want and forget it. I keep 3 to 4 movies for download at night and just watch them the next day...! Highly recommend this app! "], ["Perfect torrent app", " You couldn't really ask for more from a torrent app. Has ran smooth in every phone I have owned and pushes the limits of the network your on if you optimize the settings. Paid version is well worth it just for the untroubled speeds. To top it all off there is an optional search extension that is great and searches most popular torrent sites "], ["Galaxy SII", " The app has a nice interface and it's simple to use. The reason I have 2 stars is because the download speed is slow. I started a download and within 1 hour it was at 1.3% after two hours it was in the same spot. "], ["Brilliant", " Brilliant user interface Brilliant app design Brilliant everything....keep up the good work, guys "], ["Fantastic App, it has most of the download content, a few minor glitches, but ...", " Fantastic App, it has most of the download content, a few minor glitches, but it's fantastic!\tFantastic App, it has most of the download content, a few minor glitches, but it's fantastic! "]], "screenCount": 9, "similar": ["com.utorrent.client", "com.golrazo.tsearch", "com.androidshed.utv.free", "com.androlizer.yify.torrent", "com.themodularmind.torrentmovies", "abrc.mf.td", "com.mobilityflow.tvp", "com.mobilityflow.torrent.beta", "com.bittorrent.android.btremote", "com.bittorrent.client", "com.utorrent.web", "com.delphicoder.flud", "com.alt17.torrent17", "com.ks.dfmhd", "com.ne.hdv", "com.mobilityflow.torrent"], "size": "Varies with device", "totalReviewers": 73520, "version": "Varies with device"}, {"appId": "com.ringdroid", "category": "Media & Video", "company": "Ringdroid Team", "contentRating": "Everyone", "description": "The original open-source ringtone editor for Android, first published in 2008 and downloaded by millions of users worldwide.Create your own ringtone, alarm, or notification sound from an existing audio file, or record a new one directly on the device.This app requests permission to access your contacts for setting contact-specific ringtones and the Internet for sending anonymous usage statistics as described in the app's 'Privacy' menu. Source code is available at ringdroid.com.This app is the only 'official' distribution of the Ringdroid open-source project; it does not, and never will, contain ads.", "devmail": "ringdroid-support@google.com", "devprivacyurl": "http://google.com/mobile/privacy.html&sa=D&usg=AFQjCNFGfvI9VU_ItxhRPwnnrZR5WRARjA", "devurl": "http://www.ringdroid.com/&sa=D&usg=AFQjCNHLroxTnllDpfRSU-iR99q6nvI_Pg", "id": "com.ringdroid", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Ringdroid", "price": 0.0, "rating": [[" 5 ", 133959], [" 1 ", 6312], [" 4 ", 28920], [" 3 ", 9204], [" 2 ", 3037]], "reviews": [["HTC ONE", " THIS APP & PHONE IS A BEAST!!! I \u00e2\u2122\u00a5 THIS APP....NOW I CAN SET MY RINGTONES FROM THE SONGS ON MY PHONE EXACTLY WHERE I WANT THEM!! 10 STARS "], ["Fix please", " I've loved this app forever, but seriously missing the zoom feature! That was amazing! Please bring it back and fix the force close problem every time I try to assign a ringtone to a contact. Then I will give it 5 stars! "], ["Update?", " Updates nowa days seem to dumb down apps or corrupt them. I had this app ever since G1 recently updated and now everytime i make a new ringtone or notification it plays back distorted and sounds digital like going in and out smh.. Maybe they'll do another UPDATE lol Gonna give ringtone maker a try :-) Edit: movie maker lil slow but works fine :-) "], ["Not pleased!", " I use to give this 5 stars but now when i make ringtones and assign them as default...nothing plays. This happens with every song i turn into a ringtone. "], ["Not good", " It bloks. It cant read his own mysic files . I never succefully used it, 10 attempts. I unstalled it. "], ["Amazing, but....", " I love this app. The only issues I have with it are the fact you folks removed the zoom feature and that it can't read 3 ga media files (that's what it says). I have a recording I want to make into an alarm clock sound so PLEASE remedy this blip "]], "screenCount": 2, "similar": ["com.kii.safe", "com.vimtec.ringeditor", "com.media.ringtonemaker", "com.acr.tubevideodownloader", "com.mxtech.videoplayer.ad", "com.xzPopular", "com.google.android.youtube", "jp.co.asbit.pvstar", "com.ringdroid.social", "com.ringcut", "com.nilam.ring.droid", "com.real.RealPlayer", "com.google.android.videos", "jp.co.mti.android.melo.plus", "com.beka.tools.mp3cutter", "com.herman.ringtone"], "size": "Varies with device", "totalReviewers": 181432, "version": "Varies with device"}, {"appId": "com.goseet.VidTrim", "category": "Media & Video", "company": "Goseet", "contentRating": "Everyone", "description": "VidTrim is a video editor and organizer for Android. It includes multiple features like trimming, video effects, extract audio (convert to MP3) and transcoding (convert to MP4). You can also share your videos with your friends directly through the app.VidTrim is App Of the Day on Pocket-Lint.com http://www.pocket-lint.com/news/48544/vidtrim-pro-review-android-video-editorAlso check out this review from androidadvices.com:http://bit.ly/JSPZcJThis is the free ad supported version of VidTrim Pro.Features of VidTrim:- Video trimmer. Trim video clips right on your device- Convert video files to MP3 audio files.- Share video clips. (Send e-mail, upload to YouTube etc.)- Play video clips- Rename video clips- Delete video clipsTRIAL Features in this Free version (watermark will be applied to the result video):- Effects. Apply cool video effects like B/W, Negate, Vintage, Vignette, Blur, Sharpen, Edge detect, Luma, SwapUV.- Transcode video clips. The transcoder allows you to convert video to MP4, resize and compress. - Add music soundtrack to your videos through transcoding feature.If you have any problems or suggestions please contact us at: support@goseet.comUses FFmpeg under permission of LGPL.Keywords:vidtrim, video editor, video cutter, cut video, video trimmer, trim, snip, cut, delete, rename, sort videos, share video clips, convert to MP3, extract audio, transcode, video converter, video effects.", "devmail": "support@goseet.com", "devprivacyurl": "N.A.", "devurl": "http://vidtrim.blogspot.com&sa=D&usg=AFQjCNHgAjRaTDfm6e-U-wrzFEP8nDs5SQ", "id": "com.goseet.VidTrim", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.goseet.VidTrimPro", "com.goseet.videowallpaper", "com.goseet.MovieEditor"], "name": "VidTrim - Video Trimmer", "price": 0.0, "rating": [[" 5 ", 40181], [" 2 ", 969], [" 3 ", 2862], [" 4 ", 7232], [" 1 ", 3124]], "reviews": [["Helps me cut up my porn!", " Thank you! you have made those long session into email able sessions. "], ["Works great where the\"magic\"one for$4.99 failed", " This one worked great for free! I tried three other editors and none of them would handle a file over 50 megs. I was able to trim down to file from 40 gigs all on my android without having to upload it and it works great! "], ["Very good", " Messed up on the end of a gaming vid for youtube but this really helped and video came out exactly the same quility after i trimmed my unwanted bits definily install this app "], ["Works great", " Love this app. I should've gotten it sooner cuz the stock video trimmer on my phone always says invalid format. Now that I've downloaded this app, all my video projects can so much more conveniently "], ["Awesome", " Holy crap this is the best video editing app I've ever tried when I tried the other ones they would never work they would say there was too many megabytes or is it was like never downloaded to the vid I wanted thank you was to who was sitting in their office and decided to make a video app for everyone thank you! "], ["Ok for just trimming", " Doesn't rescale well - locked my phone up so badly needed to remove the battery. Second attempt led to a video that vidtrim itself couldn't play. "]], "screenCount": 7, "similar": ["com.media.moviestudio", "com.movisoft.videoeditor", "yong.app.videoeditor", "com.xvideostudio.videoeditor", "com.movisoft.movieeditor", "com.wevideo.mobile.android", "com.acr.tubevideodownloader", "roman10.media.converter", "com.magisto", "com.galaxy.magicalvideoeffects", "com.androvid", "com.elift.hdplayer", "com.videofx", "com.androvidpro", "com.catflow.andromedia", "com.zoonapp.free.videoeditor"], "size": "10M", "totalReviewers": 54368, "version": "2.2.5"}, {"appId": "tv.ustream.ustream", "category": "Media & Video", "company": "Ustream, Inc.", "contentRating": "Low Maturity", "description": "Broadcast live and watch live video on your phone or tablet - anytime, anywhere!\u00e2\u20ac\u00a2 Watch live and recent videos, discover upcoming events\u00e2\u20ac\u00a2 Broadcast live to any number of viewers using the camera of your device\u00e2\u20ac\u00a2 Interact with your audience by issuing a poll or chatting\u00e2\u20ac\u00a2 Access your followed Ustream channels and events that you\u00e2\u20ac\u2122re attending\u00e2\u20ac\u00a2 Enjoy your Ustream Premium Membership ad-free experience on your device\u00e2\u20ac\u00a2 Go live right from your Home Screen using the new Quick Broadcast widgetNOTESDo you have questions or ideas? Tell us at: http://community.ustream.tv/ustream", "devmail": "androidsupport@ustream.zendesk.com", "devprivacyurl": "http://www.ustream.tv/privacy-policy&sa=D&usg=AFQjCNH0TKTYR7uO7osZ8ktV8hEg8EwUFg", "devurl": "https://ustream.zendesk.com/home&sa=D&usg=AFQjCNGX394GhSR9j3yrn6lCIilP8m8eiA", "id": "tv.ustream.ustream", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "Ustream", "price": 0.0, "rating": [[" 1 ", 2377], [" 5 ", 8383], [" 3 ", 1894], [" 2 ", 813], [" 4 ", 2961]], "reviews": [["HORRRRIBLE", " do not download this! The good review are on here because people are paid to write bogus reviews (positive). They're not real actual people. This app is a piece of crap DO NOT DOWNLOAD "], ["Works for a little bit", " You can pull up your show and watch it for a little bit, but it will say the show has ended and you have to reload. After a few reloads it tries to show you an ad which locks up the program. Not recommended "], ["Love this app", " I can see my church live when i cant get a ride on Sundays "], ["Constant freezing", " Every stream says not optimized for mobile, playback issues may occur and after that the video stops playing ! What's the point in an app for phones that isn't compatible with them ? "], ["Nice Application but...", " Is it the consequence of a free account that the show you are watching ends every 5 or 10 minutes? That's annoying as I need to tap the show again to watch again. Can you make it to run in background? I usually use this to listen to radio stations around the world, and I want it to play continuously while I'm texting somebody or if I lock my phone. Of course if I receive a call, that's when I want it to pause and automatically continues after the call. Thanks. "], ["Does not work well on Galaxy S4", " It no longer works on the galaxy s4 last week it did but no longer. "]], "screenCount": 5, "similar": ["com.fcon.twittv", "net.codejugglers.android.vlchd", "com.sony.seconddisplay.tabletview", "com.sony.tvsideview.phone", "com.spb.tv.am", "com.sec.yosemite.phone", "tv.peel.samsung.app", "com.musaqil.tv", "com.mxtech.videoplayer.ad", "com.yuandroid.JTV.Launcher.Widget", "com.sony.seconddisplay.view", "com.yuandroid.JTV.Game.Channel", "com.sec.yosemite.tab", "com.google.android.youtube", "com.google.android.videos", "jp.ne.sakura.queile.ustrecordedlistplugin"], "size": "Varies with device", "totalReviewers": 16428, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtabab.json_merged.json b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtabab.json_merged.json new file mode 100644 index 0000000..f0e5cbd --- /dev/null +++ b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtabab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.myboyfriendisageek.videocatcher.demo", "category": "Media & Video", "company": "MBFG", "contentRating": "Low Maturity", "description": "\u00e2\u02dc\u2026 Top 10 App Media & Video\u00e2\u02dc\u2026 Millions of Videos downloadedAndroid Video Downloader is the #1 app to download your favorite videos!\u00e2\u02dc\u2026 \u00e2\u02dc\u2026 \u00e2\u02dc\u2026 SATISFACTION GUARANTEED OR REFUNDED \u00e2\u02dc\u2026 \u00e2\u02dc\u2026 \u00e2\u02dc\u2026Instructions to download your favorite video:1/ Use the browser to find your favorite video2/ Click on a video link3/ When the menu appears, select AVD4/ You are done!Now with Flash Video SupportREVIEWS\u00e2\u02dc\u2026 \u00e2\u02dc\u2026 \u00e2\u02dc\u2026 \u00e2\u02dc\u2026 \u00e2\u02dc\u2026\"This is the best video downloader out there!\" - Matt\"I've tried a few similar applications, this is the only one that gives me what I need & gets the job done perfectly\" - Andrew\"The best video application! You must download this app!\" - Nicole---- FAQ ----\u00e2\u2014\ufffd How can I download a video from the browser?In the browser simply click on the video link that you wish to download. From the Action menu, select Video Downloader, and the download should start automatically. You should be able to see the download progress in the notification bar (at the top of the screen).\u00e2\u2014\ufffd Can I download YouTube?YouTube is not supported due to recent Google's lawsuits. Downloading materials from YouTube is clearly against its terms of service.\u00e2\u2014\ufffd Where are my downloads stored ?Downloads are automatically added to your Gallery and are stored into your \"Download\" directory (in this folder: /mnt/sdcard/Download). For Android 3.2 and above, downloads appears in your phone's download manager too.\u00e2\u02dc\u2026 \u00e2\u02dc\u2026 \u00e2\u02dc\u2026 If you have any request or question on the app, send us an email: support@myboyfriendisageek.com. We respond personally to every single email we receive \u00e2\u02dc\u2026 \u00e2\u02dc\u2026 \u00e2\u02dc\u2026\u00e2\u02dc\u2026 You can also download the premium version without ads: http://bit.ly/11veDL0--- Keywords ---Video downloader, Video download helper, movie downloader, movie download, FLV, MP4, 3GP, MOV, WMV, MKV, mp4 downloader, download video, videos, downloading, mp4, fun videos, best videos, fvd, free video, download, video download, free video downloader, fvd, avd, video clipsNote: The downloading and viewing of video protected by copyright are prohibited and are regulated by the laws of the country where you live. We assumes no responsibility for any misuse of Video Catcher. You specifically agree to hold MBFG harmless from any liability arising out of the use or misuse of Video Downloader.", "devmail": "support@avd-app.com", "devprivacyurl": "http://www.avd-app.com/privacy.html&sa=D&usg=AFQjCNGWPxW4S-DZGjB7fNy90LoZVr1GmQ", "devurl": "http://www.avd-app.com&sa=D&usg=AFQjCNFExc0KLoFL9wQKl5xGXTnxj4EB8A", "id": "com.myboyfriendisageek.videocatcher.demo", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.myboyfriendisageek.panostitch.demo", "com.myboyfriendisageek.aircalc", "com.myboyfriendisageek.panostitch", "com.myboyfriendisageek.fotofoglite", "com.myboyfriendisageek.videocatcher", "com.myboyfriendisageek.stickit", "com.myboyfriendisageek.airterm", "com.myboyfriendisageek.airbrowser", "com.myboyfriendisageek.gotya"], "name": "AVD Download Video Downloader", "price": 0.0, "rating": [[" 2 ", 1025], [" 5 ", 26124], [" 3 ", 3764], [" 1 ", 3183], [" 4 ", 7561]], "reviews": [["The best app to watch flash videos", " Since adobe ditched flash support, and due to the flash player for android 4.1 and above being very unstable, the only way to watch flash videos without any issues is by downloading it. This app supports most of the major flash websites which enables media lovers to watch flash video from any website without any issues. Thanks a billion for making this app dev.Please keep up the great work. "], ["Horrible, dont waste the time and effort", " I just tried to use it and idk if its just the site I tried for my shows or what but every two seconds 1-5 things will pop up in the downloads. Random crap. I think it may be the sites adverts so they definitely need to fix that. It would very quickly fill up your device. Also it starts all the downloads automatically which is completely retarded and makes no sense. So with the problem I mentioned its awful. I should have to tell it to download something, it should not start random crap on its own. I had high hopes but they did not come close to being met, will most likely delete this app. Also if you want something good (cant have apple device) try finding tv portal. download it and an app called loader droid. Perfect combo for downloading nearly any free tv show/movie. Sorry for the giant posts, trying to be honest and helpful. And mx player is the best video player I have found btw. Also If an actual person uses this app and it works would you plese explain what you must do to make it work well? Thanks "], ["ilovethis app <3", " it's awesome and cool.. I easily downloaded my fave movie =))) "], ["Good app.. helped me alot :-)", " Hmm.. but after 7 to 8 videos i wasn't able to find where were other video's were downloaded.. whatever nice "], ["Excellent app enjoyable", " Excellent to use very good app keep it up "], ["Good", " Straight forward application though having difficulties downloading multiple songs. Otherwise thumbs up "]], "screenCount": 24, "similar": ["com.dwn.mobi.all.video.down", "com.linktosoftware.ytd", "com.real.RealPlayer", "com.clipflickdownloader.free", "com.acr.tubevideodownloader", "jp.co.asbit.pvstar", "com.google.android.youtube", "com.sibers.mobile.badoink", "com.elift.hdplayer", "jp.heartcorporation.freevideodownloaderplus", "com.ne.fvd", "com.xellentapps.videotube", "com.jmtapps.firevideo", "com.mxtech.videoplayer.ad", "com.ne.hdv", "com.mine.videoplayer"], "size": "Varies with device", "totalReviewers": 41657, "version": "Varies with device"}, {"appId": "com.frostwire.android", "category": "Media & Video", "company": "FrostWire.com", "contentRating": "Medium Maturity", "description": "Play, Search and Browse files locally and over the Internet using BitTorrent and the Cloud.What's New?- User interface redesign.- Faster Search results and downloads (up to 10x faster, including special character support)- New music player- Easier and more reliable WiFi sharing controls.- Choose where to store your files.- Seed only on Wi-Fi, save money on your data plan.- Share and browse files with desktops and laptops running FrostWire on Windows, Mac and Linux via WiFi.- Stream music to FrostWire for Desktop 5.3+- New Media player status bar for easy access to the player on every screen- Smart BitTorrent search powered by several torrent search engines.- UPnP based WiFi sharing.- Kindle HD Compatible- Download free music tracks made available by SoundCloud.com users.- Download free public domain and creative common works from Archive.org", "devmail": "contact@frostwire.com", "devprivacyurl": "http://www.frostwire.com/privacy&sa=D&usg=AFQjCNFqy3DqN1NuuhsjewOsWymXLlXwcQ", "devurl": "http://www.frostwire.com/android&sa=D&usg=AFQjCNG_2bpYMGUS1aLoAyPqw-sF-6dP0Q", "id": "com.frostwire.android", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.frostwire.android.tv"], "name": "FrostWire", "price": 0.0, "rating": [[" 1 ", 3643], [" 4 ", 2070], [" 3 ", 1433], [" 5 ", 8635], [" 2 ", 851]], "reviews": [["Great soft guys.", " Said that I think it still deserves 3.5/4 stars, not 5, but seeing so much unfare ratings by people who obviusly don't understand what they're using yet have a voice to vote and treat bad a good software, I think the correct thing here is to try to level up the current FW rating. I'm following your software evolve since the LW's times, keep up your good work guys! "], ["Awesome app", " If you know what to type in an look for this app is awesome. Its a file sharing program an anything people allow to be shared on their computer will show up in your search so you have to learn what certain words mean in the description. Like for songs (cover) in the description would mean someone else besides the original artist is singing it. You just have to download a few an learn what is good an what is crap . When u figure out what to look for you can get movies, songs, even apps an programs "], ["Cool", " Find almost every song I ever wanted except when it ends up having some douches bag that can't sing .come on people stop utubing ur bad kareoke "], ["An absolutely great app - a few small glitches, but hey, look what you're ...", " An absolutely great app - a few small glitches, but hey, look what you're getting!\tA good thing, this app. I am no genius at this either. If I can use it, without even knowing how it works exactly, someone has done something very right! My only suggestion - allow PayPal for donations. I know I would feel better about that, and I think others would too. "], ["I love it", " It cool and o can get pretty much any song I want to download and everything good jobs guys I love it!!!! "], ["Please fix.", " I loved this app before the last update, it was absolutely amazing. Unfortunately, since the most recent update, all the music I try to download keeps saying \"error\". It is very disheartening. I understand things happen and you can't make everyone happy but regretfully I am only giving 2 stars. I refuse to uninstall this app, at least until the next update, with high hopes it will be fixed. As soon as it is I will gladly change to 5 stars, which is what it deserved before. Thank You :) "]], "screenCount": 12, "similar": ["com.ks.dfmhd", "com.utorrent.client", "com.orin.ashiq.yify", "ru.vidsoftware.acestreamcontroller.free", "org.urbanstew.soundclouddroid", "com.themodularmind.torrentmovies", "com.mobilityflow.tvp", "com.mobilityflow.torrent.beta", "com.bittorrent.client.pro", "com.bittorrent.client", "com.utorrent.web", "com.delphicoder.flud", "com.soundcloud.android", "com.mobilityflow.torrent", "hu.tagsoft.ttorrent.lite"], "size": "6.2M", "totalReviewers": 16632, "version": "1.2.1"}, {"appId": "com.amem", "category": "Media & Video", "company": "AXIMEDIA SOFT", "contentRating": "Everyone", "description": "Create slideshows from your photos and add music!SSC is great for sharing photos from a vacation or a celebration with your friends and family. Beautiful or humorous presentations make a wonderful gift. Slide Shows can also promote your products or services. Share your slideshows on YouTube or Facebook!To create a slideshow an Internet connection is required! We recommend using a Wi-Fi Internet connection.Follow us in social networks:Facebook https://www.facebook.com/AximediaSlideShowCreatorGoogle + https://plus.google.com/communities/110306746940484995490Twitter https://twitter.com/aximediaInstagram http://instagram.com/aximediaUse your imagination to create exciting slideshows with pictures of yourself, friends, children, pets, events. Take photos anywhere of anything and everything.Pictures are truly a precious lasting memory spanning many years and even passed on to future generations.What is unique about Aximedia's Slide Show Creator:\u00e2\u20ac\u00a2 With \u00e2\u20ac\u0153cloud computing\u00e2\u20ac\ufffd technology you create and store your slide show \"in the cloud\", i.e. on our server. This frees up your phone memory and battery power is saved. Videos and slide shows are available from any device via the Internet.\u00e2\u20ac\u00a2 It is easy to share a slide show in social networks and send it to your friends - just send the link!FREE features:\u00e2\u20ac\u00a2 Photo selection: you can add, rotate, rearrange and remove photos \u00e2\u20ac\u00a2 Adding text to a slide picture\u00e2\u20ac\u00a2 Music selection: from Aximedia's online collection or from your device\u00e2\u20ac\u00a2 Set time: per photo, video total length or fit time to soundtrack\u00e2\u20ac\u00a2 Choose transitions between slides\u00e2\u20ac\u00a2 Upload a slideshow to YouTube\u00e2\u20ac\u00a2 Upload a slideshow to Facebook \u00e2\u20ac\u00a2 Download a slide show on your Android device\u00e2\u20ac\u00a2 Send a link to the video via e-mailAdditional features:* Remove the Aximedia logo from your slideshow or use our special logos* 480p* 720p HD video100% unlimited usage in PRO versionWARNING:- if you publish your slideshow on Aximedia\u00e2\u20ac\u2122s YouTube channel then it becomes accessible for all users on https://www.youtube.com/axiSlideshow.- The application is designed for non-professional purposes. The number of images is limited and depends on the model of your device.- Your uploaded personal photos, music and other files are protected from unauthorized access. We store your files temporarily for 5 days to save repeat uploading the same pictures so you need not upload the same files twice. Supported languages:\u00e2\u20ac\u00a2 English\u00e2\u20ac\u00a2 RussianInput Formats.bmp, .jpg, .jpeg, .png.mp3, .wavOutput Formats.mp4Output Video Resolutions320 x 240 px480 x 320 px640 x 480 px 1280 x 720 pxAximedia's support: support@aximediasoft.comOfficial website: http://www.aximediasoft.comTags: slideshow, slide show, video editor", "devmail": "support@aximediasoft.com", "devprivacyurl": "N.A.", "devurl": "http://aximediasoft.com&sa=D&usg=AFQjCNF3fYKaY0AEKPptEOS1EuWe4qnCiA", "id": "com.amem", "install": "500,000 - 1,000,000", "moreFromDev": "None", "name": "Slide Show Creator", "price": 0.0, "rating": [[" 4 ", 603], [" 2 ", 223], [" 5 ", 2580], [" 3 ", 468], [" 1 ", 618]], "reviews": [["Alright...", " It keeps saying there was an error preparing the files so I can't create the slideshow. Also, how do you save so you can stop and do it later? Great app, but not very clear and won't synchronize to server "], ["Great app", " Works Great and it allows u to put your own music on the slide show very cool app "], ["Nice app but can't upload videos to facebook", " When it hits the 100% load on uploading,it restarts again. "], ["Will not work", " I can't get video to upload to Facebook and it says I have no slideshows but when I try to upload again it says I've reached my limit of 3. I can't find 1 let alone.3. "], ["Video maker", " Ok laaaa.tapi tak berapa puas hati.sebab lambat nak tunggu video tu siap..dan kalau ada logo free lagi bagus..apa pun good job! "], ["Rubbish!!!", " It won't Evan open when I click on it. It says \"Unfortunately, slideshow has stopped\" "]], "screenCount": 6, "similar": ["com.media.moviestudio", "com.galaxy.magicalvideoeffects", "yong.app.videoeditor", "com.goseet.VidTrim", "com.xvideostudio.videoeditor", "softick.android.photoframe", "com.Slideshow", "com.androvid", "com.wevideo.mobile.android", "com.pgn.magiclip", "ru.amigo.teatro", "com.AximediaSoft.StarballTest", "com.magisto", "com.androidappheads.photowidget", "com.amempro", "com.videofx", "com.gsoftsw.groupslideshow", "com.zoonapp.free.videoeditor", "com.topapploft.free.videoeditor"], "size": "Varies with device", "totalReviewers": 4492, "version": "3.10"}, {"appId": "yong.app.videoeditor", "category": "Media & Video", "company": "HALBERT", "contentRating": "Everyone", "description": "Movie studios For Android Platform.Make videos easily by Video maker. A completely free open source video editing and authoring software.Video maker is fully featured video editing program for creating professional looking videos in minutes. Making movies has never been easier.Video editing can only be run on some of the specific equipment above , if your device is not running the software , we apologize .Trim , split , capture video frames ... the video editing software provides the following features :- Trim your video clip creation ;- The intermediate portion is removed from the video ;- Your video file is split into two separate video clips ;- Video effects ( fade in / fade out , gray tone , negative , slow-motion ) ;- Insert background music to video ;- Find video frames ;- Play the video clip ;- Multiple pictures as slide show movies ;- Export you have to make a good video .- Share your video to YouTube .Disclaimer:- \"Video maker Pro Free\" development based on Android open source library . While adhering to Apache License 2.0 .", "devmail": "wsy.badboy@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "yong.app.videoeditor", "install": "1,000,000 - 5,000,000", "moreFromDev": ["yong.app.music.android", "yong.app.tearClothes", "yong.app.notes"], "name": "Video Maker Pro Free", "price": 0.0, "rating": [[" 4 ", 2860], [" 5 ", 12330], [" 2 ", 1108], [" 1 ", 6919], [" 3 ", 2106]], "reviews": [["It sucks. Don't waste your time", " No matter what kind of video I choose it ALWAYS says that it can't be loaded or something. Total Rip off. "], ["Galaxy Note 10.1...Nope", " Doesn't work with my Samsung tablet, but I don't know if there is an issue in the app or the tablet, possible is both... anyway, it just opened and I wasn't able to do anything... [update] It magically works now, I'll keep on trying this app and I'll let you know. [update] No, it just simply doesn't work correctly with that piece of tablet... "], ["Great app", " Great app works on my Xperia M fine. One glitch though, when I add music, it stops me adding clips but I've only just downloaded the app... Will try again may just be a phone glitch "], ["Does not work, keeps crashing.", " I'm running HTC one. Does not save or export video, keeps crashing. "], ["Not satisfied.....", " WTF is going with this app.. whenever I add any transition to my video it suddenly freeze and doesn't play further.. And most of all the video can not be exported to the gallery.. Major improvement needed.. "], ["This is one of the few video apps on the market that dont have ...", " This is one of the few video apps on the market that dont have a lot of advertisement and its a simple enough process, but one of the major things I wanted was to edit the video. I didnt just wanna throw it together and with the simple options and toold tou have here that's what it would be. As I started to edit each clip I was given the options to pick one of two transitional effects and one of three color effects. Slap a Title in regular font and color and then voila. Also with this app it advertises great use with videos none of which I saw the kept freezing up. I don't believe this app is ready to hit the market until it is updated and rereleased, of course, with way more effects, the option to insert clip art, a way to insert text boxes, and a way to personalize the video more. Until then I'm moving on elsewhere. "]], "screenCount": 11, "similar": ["com.media.moviestudio", "com.wevideo.mobile.android", "com.goseet.VidTrim", "com.xvideostudio.videoeditor", "com.movisoft.movieeditor", "yong.game.jumper.penguin", "roman10.media.converter", "com.movisoft.videoeditor", "com.galaxy.magicalvideoeffects", "com.androvid", "yong.rington.google", "yong.livewallpaper.snowfall", "com.videofx", "com.androvidpro", "com.amem", "com.magisto", "com.catflow.andromedia", "com.zoonapp.free.videoeditor", "com.topapploft.free.videoeditor"], "size": "6.0M", "totalReviewers": 25323, "version": "1.6.4"}, {"appId": "com.ks.dfmhd", "category": "Media & Video", "company": "HD Movie's", "contentRating": "Everyone", "description": "Watch or Download all available movies on the Internet for Free.HD Movies is a free app, which connects you to The Pirate Bay for movie downloads, and best of all this is that you need not pay anything except your Internet charges.- Daily new movies are added.- Play or Download Movies- Movies are sorted by Genre,Year- IMDB Top 250 Movies- Movies will be saved automatically while watching.- IMDB Link and Screen Shots available for the movies- Movies on DVD and Blu Ray quality.- Need Torrent Application to download movies, You will be automatically diverted to download it.- Need Torrent Video Player to play movies, You will be automatically diverted to download it.- Be sure you have an good Video player to play all types of File Formats, We recommend MX Player. - This APP is not affiliated with The Pirate Bay website.Note: We do not host or store any movies,we just provide the link for movies available in the torrent tracker(Pirate Bay).Tags: English Tamil Hindi Telugu french Japanese Chinese Korean Hollywood movies TPB torrentz imdb screenshot watch play stream movies Genre category Adventure Animation Biography Comedy Crime Documentary Drama Family Fantasy Film-Noir History Horror Musical Mystery Romance Sci-Fi Short Sport Thriller War Western movie tube HD HQ high definition High quality full length DVDRIP BRRIP CAM TCRIP WEBRIP torrent kickass yify movietube movie tube", "devmail": "dloadmovies1@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://dloadmovies101.blogspot.com&sa=D&usg=AFQjCNHOiTEJPA0VV8k3vJBYMNKcB3MXWQ", "id": "com.ks.dfmhd", "install": "100,000 - 500,000", "moreFromDev": ["com.ks.dmf"], "name": "MovieTube : Download HD Movies", "price": 0.0, "rating": [[" 5 ", 879], [" 3 ", 54], [" 1 ", 61], [" 4 ", 143], [" 2 ", 19]], "reviews": [["Satisfied", " I'm not sure what you could do, in order to make it better. I just hope some update doesn't come along and screw up a great thing. Hmmm "], ["Great!!", " Its good. I can play my favourite film all the time, even though it takes sone time to get the dowbload finish, but awesome app!!! Recommended ;) "], ["Excellent", " The best downloading app. Great selection, easy to use. Just amazing. "], ["Won't play", " I thought this app was gonna be great but when I get a movie and press play it says buffering and the movie just never plays!!! Its been almost an hour and it says that the buffering takes about a minute!!! So frustrating!!! "], ["WOW!!! AWSOME!!!", " This has to be the greatest app ever!!! I would give it 10 stars if I could!!! Although it takes over an hour to download a video u can get brand new movies in crystal clear quality....all I can say is awsome!!!!! GREAT JOB!!! "], ["Excellent App", " It'd b perfet if it links to a player app 4 older droids. "]], "screenCount": 7, "similar": ["com.themodularmind.torrentmovies", "dga.abmoa.mvoiet", "com.mvideo.firetube", "com.grep.lab.fullmovie", "com.myboyfriendisageek.videocatcher.demo", "com.full.english.movies.hollywood", "com.acr.tubevideodownloader", "tk.appz4android.fullmovies", "com.movie.tube.cube", "com.itrustcambodia.hdmovie", "com.moviesnow.hollywood", "com.google.android.videos", "com.andromo.dev22529.app190470", "com.soludens.movieview", "com.movie.tube.pro"], "size": "834k", "totalReviewers": 1156, "version": "1.7"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtacaa.json_merged.json b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtacaa.json_merged.json new file mode 100644 index 0000000..a075ea3 --- /dev/null +++ b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtacaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.videofx", "category": "Media & Video", "company": "VideoFX", "contentRating": "Everyone", "description": "Create amazing videos with special effects for your favorite music tracks. Make videos that you\u00e2\u20ac\u2122ll be proud to share with your friends and turn yourself into music star !You don\u00e2\u20ac\u2122t have to be a video editor or know anything about video editing at all. You don't need professional camera and video editor software.Pick up a song, select from a number of effects and filters and start recording. No need to wait to see the result, you can even change the effects as you record the movie !We are recruiting group of Beta testers with early access to our upcoming releases. The number of participants is limited. Please email us request if you'd like to join.\u00e2\u02dc\u2026 More than 40 effects in total, numerous effects for free: Film, Ghost, Cartoon, Cinematic, Stroboscope, Thermal, Mirror, Neon and others\u00e2\u02dc\u2026 Select mp3 song on your device for the video or use microphone\u00e2\u02dc\u2026 Pause/resume record of the video to change the effect and scene\u00e2\u02dc\u2026 Start Timer allows you to delay the recording of each clip and gives you time to get prepared for recording\u00e2\u02dc\u2026 Autopause let's you pause recording automatically without touching the button on the phone \u00e2\u02dc\u2026 Export to Media Gallery in mp4 format. Look for this option under the Share button\u00e2\u02dc\u2026 Record in HD quality with 720p resolution (not available on all devices)\u00e2\u02dc\u2026 Built-in player to watch recorded movies\u00e2\u02dc\u2026 Support for back and frontal camera\u00e2\u02dc\u2026 Share and upload to Youtube, Facebook and other servicesIt's easy to use. Give it a try and see how you perform as music video star !If you experience problems/crashes please let us know by email and we will look into the problem. Thank you.Instructions & Recommendations:- Recording HD video requires a lot of CPU/GPU power. On some devices you may get low-fps and jerky videos. If so, try decreasing resolution on the settings page.- Please note that at the moment the app supports only mp3 tracks! It won't accept audio in other formats (wma, mp4a, ogg etc)!- Video recording requires a lot of free space on SD card. The app will warn if free space on your SD is below 300M and will block or stop recording if it falls below 100M.- Please disable the \"Do not keep activities\" option in the Settings/Developer options/Apps. It might cause issues on some devices (endless app restart).VideoFX uses ffmpeg under LGPL license and libjpeg-turbo under BSD license", "devmail": "dev@fuzebits.com", "devprivacyurl": "N.A.", "devurl": "http://fuzebits.com&sa=D&usg=AFQjCNEk6S_Sm8ol0K7wjHMcvY92bgKUDw", "id": "com.videofx", "install": "500,000 - 1,000,000", "moreFromDev": "None", "name": "VideoFX Music Video Maker", "price": 0.0, "rating": [[" 5 ", 6173], [" 2 ", 313], [" 4 ", 1704], [" 1 ", 650], [" 3 ", 938]], "reviews": [["Good but it freezes", " Its a great app but when i watch or film the video it freezes for a second which is really annoying. The locked effects look cool but i wouldnt buy them because this app will just freeze. I do love making music though! "], ["Great", " Its good but its a bit slow sometimes. Fix that and id give it 5 stars "], ["Fabulous!", " I really enjoy using this app, but the effects are a bit confusing to get the hang of. All in all the app is great, but should have some guidelines on how to use it. "], ["i love it", " it is useful we can visualize our favourite pictures with the favourite music it is just excellent "], ["Really cool!", " It is amazing me and my sis made amazing music videos! Buuut it sometimes freezes or goes out of sync with mlthe music but otherwise it's great! I wish we didn't have to pay for those extra features though. Having them all free would be nice but you've still got plenty of cool effects to choose from. \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2020 "], ["Osum...!", " I really hope it gt update soon by unlocking all effects. ..cool n enjyable\u00f0\u0178\u02dc\u017d "]], "screenCount": 3, "similar": ["com.media.moviestudio", "com.galaxy.magicalvideoeffects", "yong.app.videoeditor", "com.goseet.VidTrim", "com.xvideostudio.videoeditor", "com.fuzebits.spenkeeper", "com.wevideo.mobile.android", "com.herman.ringtone", "com.goseet.VidTrimPro", "com.movisoft.videoeditor", "com.magisto", "com.androvid", "com.androvidpro", "com.asti.moviemaker", "com.catflow.andromedia", "com.zoonapp.free.videoeditor", "com.topapploft.free.videoeditor"], "size": "13M", "totalReviewers": 9778, "version": "2.2.2"}, {"appId": "com.mobilityflow.torrent", "category": "Media & Video", "company": "Mobilityflow Torrents", "contentRating": "Everyone", "description": "aTorrent - Native P2P BitTorrent Software for Android devices. Download files with ease right to your phone or tablet! Magnet links supported! Ad-driven version. Speed is not limited!Features: * Torrent search dialog * Magnet links support * Open torrents right from browser * Add torrent from file * Choose download folder * Partial download (choose files from torrent) * Multiple parallel downloading * Option to limit downloads by Wi-Fi * Option to pause downloads when external power supply is not connected * Supported protocols: BitTorrent P2P, DHT, Advanced DHT Bootstrap, Magnet links, HTTP & UDP trakers * Large files support (for FAT32 SD cards - 4Gb maximum, for internal storage - unlimited)Ports: * TCP Bittorrent = 6881 * UDP DHT = 43133 * UDP Trackers = 43130Coming soon: * Many other features in development.Help us translate aTorrent to your native languages:http://crowdin.net/project/aTorrent/invite! If you have installed any Free RAM/Task manager application, then add aTorrent to it's exclusion list to avoid unloading from memory and stop downloading.! Use High Speed (Class 10+) memory cards for downloading to prevent lags.", "devmail": "info@android-torrent.com", "devprivacyurl": "http://www.mobilityflow.com/privacy_police.html&sa=D&usg=AFQjCNGp-hkvas52G7Ze1AcHZYcLDYdocg", "devurl": "http://www.mobilityflow.com&sa=D&usg=AFQjCNE5XbGGNLv2c75cwfQQLpIWws1WeA", "id": "com.mobilityflow.torrent", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.mobilityflow.torrent.beta", "com.mobilityflow.torrent.prof"], "name": "aTorrent - Torrent Downloader", "price": 0.0, "rating": [[" 2 ", 1078], [" 1 ", 3323], [" 5 ", 35705], [" 4 ", 9767], [" 3 ", 3316]], "reviews": [["Love it", " I had always been a utorrent user, coming from a pc user but i have found after trying it as well a many other apps that this one is far superior on a smart phone, ours simple to use with am intuitive design and had all the features you could ask of a torrent downloader thank you atorrent "], ["Great app. Especially love ability to choose which files to download. Only ...", " Great app. Especially love ability to choose which files to download. Only complaint is that paused torrents do not stay paused - they activate every time I open aTorrent. "], ["Flawless", " Works with any torrent I've thrown at it. Very fast downloads and all the options I want (downloading individual pieces, limiting speed, limiting # connections to save CPU). Zero bugs so far. Wow "], ["Ace", " Have been using a while now no floors I can find. Have had good download speeds although nor always, but thats the internet foe you. But have dragged 1-2gb files in within hours. Exellent app "], ["Good..", " Its user friendly and fast...good app :-) "], ["Amazing", " Best torrent application for any mobile device. Very reliable, and doesn't accidentally restart. Love it. :) "]], "screenCount": 8, "similar": ["com.dwn.mobi.all.video.down", "com.utorrent.client", "jp.heartcorporation.freevideodownloaderplus", "com.ne.facebookphoto", "com.myboyfriendisageek.videocatcher.demo", "com.linktosoftware.ytd", "com.mjmobile.mp3skullmusicdownload", "com.acr.tubevideodownloader", "com.themodularmind.torrentmovies", "com.sibers.mobile.badoink", "com.bittorrent.client", "com.utorrent.web", "com.clipflickdownloader.free", "com.ne.fvd", "com.ne.hdv", "hu.tagsoft.ttorrent.lite"], "size": "4.1M", "totalReviewers": 53189, "version": "2.1.2.1"}, {"appId": "com.mxtech.ffmpeg.v7_vfpv3d16", "category": "Media & Video", "company": "J2 Interactive", "contentRating": "Everyone", "description": "MX Player Codec for ARMv7 CPUs, including NVIDIA\u00c2\u00ae Tegra\u00e2\u201e\u00a2 2.For devices including Galaxy Tab 10.1, LG Optimus 2X, Motorola XOOM, ASUS Transformer TF101, Acer Iconia Tab A500, etc.MX Player - The best way to enjoy your movies.** IMPORTANT NOTICE: This is a software component for MX Player, therefore, MX Player has to be installed first. MX Player will test your device and show you the best matching Codec automatically if necessary. You do not need to install Codecs unless MX Player asks you to do so.", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://sites.google.com/site/mxvpen&sa=D&usg=AFQjCNEGMT94LxW9kz38yNgQesyEQjuZjQ", "id": "com.mxtech.ffmpeg.v7_vfpv3d16", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.mxtech.ffmpeg.v5te", "com.mxtech.ffmpeg.v6", "com.mxtech.ffmpeg.x86", "com.mxtech.videoplayer.ad", "com.mxtech.ffmpeg.mips32r2", "com.mxtech.videoplayer.pro", "com.mxtech.ffmpeg.v6_vfp", "com.mxtech.ffmpeg.x86_sse2", "com.mxtech.logcollector", "com.mxtech.ffmpeg.v7_neon", "com.mxtech.kidslock"], "name": "MX Player Codec (ARMv7)", "price": 0.0, "rating": [[" 4 ", 7379], [" 5 ", 40175], [" 1 ", 1771], [" 3 ", 2812], [" 2 ", 840]], "reviews": [["Best app king Mrityunjay fb...user", " Its best than ever pure video please improve buffring..... "], ["The Best <3", " I love this app it's awesome i love it. Sent From Atrix 4g - Jelly Bean 4.2.2 . "], ["Its very good for me to play videos", " Its was gergous and it was very easy to use as any kind off videos gud thnkz "], ["Fixes YouTube videos on Android", " I was unable to view YouTube videos with any app on Android. Found this as a fix on a message board. It works great. Maybe the dev could school Google about it. Thanks! "], ["On s3", " Ok was told I might need this codec, but have no idea if it makes anything better, still better safe than sorry. No problems with it either. "], ["It is really creative", " Thanks a lot to the application creaters n providers. It is the best of those I know in this cader. I will sure purchase this in recent future n encourage all guys to buy it. "]], "screenCount": 4, "similar": ["com.real.RealPlayer", "com.app.truong531developer.player", "com.wMXPlayerWebPlugin", "com.issess.flashplayer", "air.br.com.bitlabs.FLVPlayer", "com.zgz.supervideo", "com.wondershare.player", "air.br.com.bitlabs.SWFPlayer", "com.freevideoplayer.cogsoul.full", "com.andy.flash", "com.elift.hdplayer", "air.air.com.jessoft.flvplayer.FLVPlayer", "org.videolan.vlc.betav7neon", "me.abitno.vplayer.t", "com.mine.videoplayer", "mobi.pixi.media.player.blue"], "size": "4.6M", "totalReviewers": 52977, "version": "1.7.20"}, {"appId": "com.motorola.zap", "category": "Media & Video", "company": "Motorola Mobility LLC.", "contentRating": "Low Maturity", "description": "Droid Zap is a fast and easy way to share photos and videos. You can now receive photos and videos from users of DROID Ultra, DROID MAXX, and DROID Mini users that are around you.This application is intended to work with Zaps that are sent from DROID Ultra, DROID MAXX, and DROID Mini users.This app will use your smartphone\u00e2\u20ac\u2122s GPS/WiFi capability to identify your location -- no NFC or WiFi direct support required. The application does require data network access to download the photos and videos. This application will use your Google ID to setup DROID Zap.Instantly receive photos and videos with a use of a simple gesture. See tutorials inside the application. You can receive both public Zaps or pin-protect Zaps. For additonal questions or feedback, contact MotoCare at motorola.com/support.NOTE: This app also upgrades on Ultra family of devices.Motorola Privacy Policywww.motorola.com/device-privacyDROID Zap is copyright 2013 by Motorola Mobility LLC", "devmail": "playstor@motorola.com", "devprivacyurl": "http://www.motorola.com/device-privacy&sa=D&usg=AFQjCNGqSqbxhQPIyB3Jh4FPJ7tAX_DLFg", "devurl": "http://www.motorola.com/support&sa=D&usg=AFQjCNHw2NljK2Fq2txQbixaPn5i-G78Zw", "id": "com.motorola.zap", "install": "100,000 - 500,000", "moreFromDev": ["com.motorola.motocast.standalone", "com.motorola.contextual.smartrules2", "com.motorola.targetnotif", "com.motorola.avatar", "com.motorola.migrate", "com.motorola.dlight", "com.motorola.fmplayer", "com.motorola.RemoteMediaViewer", "com.motorola.audiomonitor", "com.motorola.cmp", "com.motorola.motospeak", "com.motorola.nfcauthenticator", "com.motorola.camera", "com.motorola.zumocast", "com.motorola.notification", "com.motorola.contextual.smartrules"], "name": "Droid Zap by Motorola", "price": 0.0, "rating": [[" 4 ", 20], [" 3 ", 7], [" 2 ", 3], [" 1 ", 21], [" 5 ", 96]], "reviews": [["No show", " This app came with my phone. Droid mini. It doesn't show up in my apps and offers no way to open in apps menu.. So I have never been able to use it. "], ["Needs some work", " Need to be able to select folder on phone. I have yo many pictures . Need to be able to select item to share then start app. "], ["Wow", " Motorola supporting other Manufacturers devices now. Wow. That's impressive "], ["I love it.", " "], ["Works well if your phone has NFC", " This could only work, with phones that support Near Field Communication (NFC). Motorola may have locked this software to their phones but potentially any phone with NFC can do it. Even Windows phones have NFC. Too bad for IOS since Apple refuses to support NFC and the iPhone simply doesn't have the integrated hardware to enable it. "], ["???", " We sent each other pictures....just taken and we are receiving pictures....nothing that we sent. We are getting pictures of tops of buildings and of office counters.....weird. We are on the north Oregon coast away from any big cities......we are not receiving pictures WE sent!! "]], "screenCount": 3, "similar": ["net.jjc1138.android.scrobbler", "com.zappar.Zappar", "com.motox.wallpapers", "com.tunewiki.fmplayer.android", "com.mxtech.ffmpeg.v7_vfpv3d16", "com.Holition.MotorolaAR", "com.android.app.psycho", "com.fsp.android.phonetracker", "com.byclosure.gwt.zap.epg", "appinventor.ai_giorgos_athanasiou.DB_Control_v1_3", "com.whatsapp", "com.mooff.mtel.movie_express", "com.nuance.android.vsuite.vsuiteapp", "com.zappar.onedirection", "com.swarsystems.is", "se.petersson.abc"], "size": "6.1M", "totalReviewers": 147, "version": "Zap-1.1.14"}, {"appId": "air.br.com.bitlabs.FLVPlayer", "category": "Media & Video", "company": "BIT LABS", "contentRating": "Low Maturity", "description": "Play your flv files from your SD-card with this simple player.You don't need to install Flash\u00c2\u00ae Player Plugin orany other plugin to use this app to play flv videos.Adobe\u00c2\u00ae Systems, Inc discontinued the Flash\u00c2\u00ae Player Plugin for mobile devices, but with FLV Player you will be able to watch your flv video files.Please support development of new features by clicking the +1 button.[Minimum Requirements]Need Android 2.2 or superior. ARMv7 processor with vector FPU, minimum 550MHz, OpenGL ES 2.0, H.264 and AAC HW decoders and 256MB of RAM.[Known Issues]- Some Asus Transformer devices may play videos without audio.- Devices with low processor power may experience poor video quality (delays).[Usage Instructions]1) Put your favorite flv video files on your SD Card.2) Open FLV Player.3) Navigate to the flv file you want to select.4) Select the flv file to watch.[Trademarks]Flash\u00c2\u00ae and Flash\u00c2\u00ae Player are a registered trademarks of Adobe\u00c2\u00ae Systems, Inc.BIT LABS is not associated or related to Adobe\u00c2\u00ae Systems, Inc.", "devmail": "joseadenaldo@gmail.com", "devprivacyurl": "N.A.", "devurl": "https://app.net/flv-video-player&sa=D&usg=AFQjCNHZ3UySZ7LvXz_aTb2wOx27asZK4g", "id": "air.br.com.bitlabs.FLVPlayer", "install": "5,000,000 - 10,000,000", "moreFromDev": ["air.br.com.bitlabs.FLVPlayerAdFree", "air.br.com.bitlabs.SWFPlayer", "air.br.com.bitlabs.SWFPlayerAdFree", "air.br.com.bitlabs.VideoPlayerAdFree", "air.br.com.bitlabs.MathFormulaReference", "air.br.com.bitlabs.VideoPlayer"], "name": "FLV Video Player", "price": 0.0, "rating": [[" 3 ", 4455], [" 1 ", 3918], [" 2 ", 1044], [" 4 ", 12849], [" 5 ", 43944]], "reviews": [["Audio prob need to be fix", " After installing on my GT-S5282 and tried for the 1st time, i had no audio output. pls fix this prob on next update. Video played well enough, but without audio there are no fun any more. "], ["Very disappointed", " I tried to use the search function and the app crashed every single time - had to quit and restart. I couldn't browse my sd card, so I transferred my file back on to my phone's memory and the .flv file simply wouldn't play. Kind of useless for me seeing as I couldn't play my .flv video even when I did manage to finally select the file (the adverts worked fine though...) I appreciate the free app and the hard work but I can't give it more than 1 star given that it simply did not function for me at all. "], ["Suspect", " All the 'good' comments too similar and date of entries feels too fake. Feels like someone is gaming the system to entice ppl to download and make advertising revenue through it. Its working.... ymmv. Too good to be true. "], ["Delivers on it's promise", " A good app with simple yet useful features "], ["Great app. So easy to use.", " Highly recommend this app. Tried to open my flv files using other apps but none Of the other apps that I downloaded before this would work. They all required for me to download some other plugins inorder for me to be able to use their app. This is definitely the app! "], ["Ok...but", " This app plays videos without a hitch, but on the device I tested on (galaxy tab 10.1 version 1) it was very laggy trying to play my episode of mythbusters. I feel this could have been fixed by a nice and detailed options menu. Ads are present, but were not as much of a nuisance as people are saying it is, so I really don't see the problem. The update train: yup here come the push notification ads. Probably just uninstall till you need it, my rating still stands "]], "screenCount": 3, "similar": ["com.app.truong531developer.player", "com.myboyfriendisageek.videocatcher.demo", "com.mxtech.videoplayer.pro", "com.issess.flashplayer", "br.com.bitlabs.BITVideoPlayer", "com.zgz.supervideo", "com.mxtech.videoplayer.ad", "com.appsverse.photon", "com.mxtech.ffmpeg.v7_vfpv3d16", "com.mxtech.ffmpeg.v6_vfp", "com.andy.flash", "com.elift.hdplayer", "air.air.com.jessoft.flvplayer.FLVPlayer", "com.easy.video.player", "com.freevideoplayer.cogsoul.full", "me.abitno.vplayer.t", "com.mine.videoplayer"], "size": "9.8M", "totalReviewers": 66210, "version": "1.8.0"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtacab.json_merged.json b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtacab.json_merged.json new file mode 100644 index 0000000..2f53cd1 --- /dev/null +++ b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtacab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.sibers.mobile.badoink", "category": "Media & Video", "company": "CM Productions LLC", "contentRating": "Everyone", "description": "Download any video instantly with BaDoink Video Downloader! With our app you can download multiple videos at once without a download limit. Don\u00e2\u20ac\u2122t let your favorite videos cost you in data overage charges from your cellphone provider. Save videos and watch them as much as you want. It\u00e2\u20ac\u2122s that easy! In response to customer feedback, we have added optional password protection to BaDoink Video Downloader. This allows you to keep violent or inappropriate videos away from children. BaDoink Video Downloader Features Web Browser \u00e2\u20ac\u201c the BaDoink Video Downloader is a full web browser that is optimized for multimedia viewing. Download Manager \u00e2\u20ac\u201c queue as many downloads as you want from multiple sites! Video Player \u00e2\u20ac\u201c since it is a multimedia browser, this app excels at playing a wide-range of video files. Password Protected \u00e2\u20ac\u201c no need to worry about your kids watching your friend\u00e2\u20ac\u2122s music video. Supported sites include -Veoh.com-MSNBC.com-Videobash.com-YouPorn.com-Redtube.com-Porntube.com-Youjizz.comAnd many more! Next version will support additional sites including vimeo, funnyordie, and liveleak.IMPORTANT: Downloading videos from Youtube is in violation of their Terms of Service. This app will not work on YouTube.com.", "devmail": "support@badoinkvideodownloader.com", "devprivacyurl": "N.A.", "devurl": "http://www.badoinkvideodownloader.com&sa=D&usg=AFQjCNGjnTJDDto41iRCCjOTj1BhSA0Y0Q", "id": "com.sibers.mobile.badoink", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "BaDoink Video Downloader", "price": 0.0, "rating": [[" 4 ", 3070], [" 5 ", 9828], [" 3 ", 1475], [" 2 ", 397], [" 1 ", 1259]], "reviews": [["Not fast at all.", " I was hoping that it would be faster than the other downloader I had. But it's not. Only one star from me.. "], ["Amazed and contented....", " Cool... this apps helps me a lot..... not convincing my friends to transfer via bluetooth their videos in my phone thank's a lot.... "], ["Perfect!", " Perfect! All of you complaining saying I can only download one video at a time, be glad you can download videos at all. Great job development! "], ["Above average app, downloads any video u please jus too slow n only downloads ...", " Above average app, downloads any video u please jus too slow n only downloads one vid at a time. "], ["Gopirajgopi@gmail.com", " It's amazing and beautiful really good at it again and it is not 45 the same as the most important thing in the evening. I have a look around the corner of your order and the family are all about the real world is not a valid passport and visa and I am a bit of a few minutes walk away from the 8 the same time as the first time in golden hut Bar and restaurant and bar of your choice "], ["Please keep the app as you created it.", " I just downloaded the app and I already love it. There was some comment about how bad it is that the app allow porn sites. I am actually looking long time for app like this one. Thank you I love the app. It workes great. Now for people who are concern about this option for porn sites I sugest you guys download this app named \"kid mode\". Its an app that allows you to control what apps your child can open and what your child plays with. I have it on my phone so that way my child never gets to the unapropriate "]], "screenCount": 5, "similar": ["com.dwn.mobi.all.video.down", "com.linktosoftware.ytd", "com.elift.hdplayer", "com.myboyfriendisageek.videocatcher.demo", "jp.heartcorporation.freevideodownloaderplus", "com.futerox.fbvideos", "com.acr.tubevideodownloader", "com.google.android.youtube", "com.stara.poverview", "com.mobilityflow.torrent", "com.ne.facebookphoto", "com.clipflickdownloader.free", "com.ne.fvd", "com.ne.hdv", "com.jmtapps.firevideo", "com.myboyfriendisageek.videocatcher", "com.mobile.badoink"], "size": "4.3M", "totalReviewers": 16029, "version": "1.1.16"}, {"appId": "com.sony.seconddisplay.view", "category": "Media & Video", "company": "Sony Corporation", "contentRating": "Low Maturity", "description": "Media Remote team recommends that all users download and install the TV SideView, the successor service of Media Remote.Download TV SideView from Google Playhttps://play.google.com/store/apps/details?id=com.sony.tvsideview.phoneMedia Remote is an application that works with selected Sony home devices like a Blu-ray Disc(TM) player or BRAVIA devices, etc. With it, you can operate your home device via other mobile devices, or you can display information related to the content that you are currently watching on your mobile device.- Compatible productsBlu-ray Disc(TM) player: BDP-S370, S470, S570, S770, S1700, BX37, BX57, S380, S480, S580, S780, BX38, BX58, S390, S490, S590, S790, BX39, BX59, NSZ-GP9Blu-ray Disc(TM) Home Theater System: BDV-IZ1000W, HZ970W, E970W, E870, E770W, E670W, E570, E470, E370, T57, F7, F700, F500, E985W, E980W, E980, E880, E780W, E580, E380, T58, L800M, L800, L600, N990W, N890W, N790W, N590, E690, E490, E385, E390, E290, E190, NF720, NF620, EF420, EF220, T79, T39Streaming Player/Network Media Player: SMP-N100, SMP-N200, NSZ-GP7AV Receiver: STR-DN1020, STR-DN1030, STR-DA1800ESBRAVIA: KDL-HX92 series, HX82 series, HX72 series, NX72 series, EX72 series, EX62 series, EX52 series, EX42 series, EX32 series, CX52 series, HX85 series, HX75 series, EX65 series, EX55 seriesSony Internet TV: NSX-24GT1, 32GT1, 40GT1, 46GT1, NSZ-GT1VAIO: VAIO L (SVL241)This app is not designed to work with PlayStation(R)3 or older versions of Sony devices.- Key features1. Simple Remote: This allows you to navigate through the graphic user interface. Simply glide your finger over the screen to move the cursor, and tap any place on the screen to enter a selected item.\t2. Full Remote: This gives you the option to use almost the same buttons as you would have available on an actual remote control, enabling one touch control of most of the key functions of your Sony devices.\t3. Keyboard: to help you type characters more easily, a full QWERTY touch-screen keyboard has been included.4. Free Cursor Remote: You can move the cursor freely while the browser is displayed on the TV screen.5. Catch & Throw: You can receive/send the URL of a website between your home device and your mobile device. You can display the website you are currently viewing on the TV on your mobile device or you can display the website you are currently viewing on your mobile device on the TV.6. Disc History/Disc Information: This will allow you to view information on the movie you are enjoying \u00e2\u20ac\u201c allowing you to find information about the cast or director, or find an image of the package. There is also a seamless link to YouTube etc. to search for content related to the movie.7. Game Pad: You can play games or applications on Sony Internet TV using your mobile device as a controller.- A couple of things you should know1. \"Media Remote\" will only work if your mobile device and your home device are on the same wireless network.2. Some functions may not be available, depending on the home devices you are using.3. Some functions may not be available in some regions/countries.4. A seamless link to YouTube etc. is subject to change or termination without notice.5. Permission to use various functions:\u00e3\u0192\u00bbcom.android.browser.permission.READ_HISTORY_BOOKMARKS\u00e3\u0192\u00bbcom.android.browser.permission.WRITE_HISTORY_BOOKMARKSThese grants of permission are used by the \"Catch & Throw\" function.They allow you to display your mobile device's bookmarks on the TV, and also to bookmark pages shown on the TV.", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://www.sony.com&sa=D&usg=AFQjCNGgWdiJhk_rX4VwRUYnGa2LynGfEg", "id": "com.sony.seconddisplay.view", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.sony.nar.app", "com.sony.seconddisplay.tabletview", "com.sony.tvsideview.phone", "com.sony.nfx.app.sfrc", "com.sony.gsmguxmk.xperiaprivilege2012", "com.sony.easyconnect", "com.sony.aclock", "com.sony.nfx.app.scp", "com.sony.nfx.app.launcher2", "com.sony.walkman.mediaplayers.wm", "com.sony.drbd.tablet.reader.st.other", "com.sony.playmemories.mobile", "com.sony.motionshot", "com.sony.drbd.tablet.reader.other.usca", "com.sony.tvsideview.tablet"], "name": "Media Remote for Android", "price": 0.0, "rating": [[" 4 ", 2388], [" 2 ", 746], [" 1 ", 3031], [" 5 ", 8459], [" 3 ", 1402]], "reviews": [["Great but missing a few features", " Would be nice to be able to \"see\" the current selections on the home screen, and or be able to create macros or favorites. Right now I can remote start my unit but cannot navigate to the appropriate input without turning on my TV and going to the next room "], ["It works good.", " I don't know why there are so many reviews saying they can't get it to work. I think they don't know how to get it started. You must first go to \"register device\" which is in the settings menu under remote devices. Secondly you must have both phone and BDP connected through wireless. Then you press \"register\" button on device and phone. They automatically link and you have a completely digital remote that allows you to type in any search field. It works, and it works flawlessly for me. "], ["Works sometimes", " To be quite frank, Sonys 'Smart tv' functions suck. Both on the Bravia HX855 and this app. The app needs restarting and to be re registered.. If it even finds the TV. And Sonys support is even worse. Why did I buy Sony over LG? #remorse "], ["Works... Barely", " Huge lag times, otherwise would be pretty good. Only installed because the Blu-ray remote is not back lit, like it should be, so I can't see anything in the dark. I've instead taken to using my projector remote with has hdmi link controls. "], ["Appears to work just fine", " I just downloaded this app onto my Nexus 4 and as soon as my Sony Google TV player was registered, it controls the TV, amp, and player with no issues that I can find. Time will tell! "], ["Used to be good... Now not so much", " Used to work great with my Motorola Atrix2 and Sony Bravia tv. Now when I try and register the tv, it restarts the app. Just gets stuck in a loop. Please fix, as it was really handy. "]], "screenCount": 6, "similar": ["com.WiredDFW.DIRECTV.unWiredRemoteLite", "com.wdc.wdremote", "com.sec.yosemite.phone", "tv.peel.samsung.app", "com.zappotvsony", "com.bianor.ams", "com.dbapp.android.mediahouse", "com.videon.android.mediaplayer", "com.zappotvsamsung", "org.videolan.vlc.betav7neon", "com.lge.tv.remoteapps", "com.bianor.amspremium", "philips.oneremote", "org.xbmc.android.remote", "es.mediaserver", "jp.co.sony.tablet.PersonalSpace", "com.smus.watch"], "size": "5.0M", "totalReviewers": 16026, "version": "3.4.3"}, {"appId": "com.theronrogers.vaultyfree", "category": "Media & Video", "company": "Squid Tooth LLC", "contentRating": "Everyone", "description": "Keep your pictures & videos safe and private with Vaulty. Do you have pictures or videos on your phone that you don't want others to see? Hide pictures & private videos with Vaulty to keep them protected from prying eyes. Keeping pictures & videos safe, secure and hidden has never been easier! Use Vaulty to hide pictures & hide videos today!New billing permission is for purchasing features within the app.Millions have chosen Vaulty to protect their privacy4.7 \u00e2\u02dc\u2026 Above average rating from over a quarter million reviewsGet Vaulty and see why millions of people choose us for the ultimate in privacy! Hide pictures and videos from your gallery with free, unlimited picture and video concealment!FeaturesHide picturesHide videosEasy to use!Pin or password loginGallery for quick and easy hidingPicture editingSee who tries to access your vaultTake pictures or videosPicture slideshowShare pictures and videosPut pictures in foldersPassword protectedView picturesZoom picturesMulti-select pictures & vids for easy managementSort and filter pictures & videosPicture and video renamingMost Secure - Hidden pictures cannot be viewed even by file managersFastest and most secure private galleryTons more great features and even more coming soon!Two easy ways to keep safe:Select Pictures & Videos to Hide in Vaulty\u00e2\u20ac\u2122s Gallery1. Open Vaulty & tap the Lock icon at the top of the screen2. Tap a folder to view items3. Tap items to select & tap the lock at the top to hide selected pictures & videos\u00e2\u20ac\ufffdShare\u00e2\u20ac\ufffd Pictures & Videos to Hide From Other Apps (gallery, browser, etc.)1. While viewing an item tap the share icon2. Select Vaulty from the list of apps to share with3. Vaulty will remove the pictures & videos from your gallery and hide them safely in the vaultIf you want even more privacy, upgrade to Vaulty Stocks. With Vaulty Stocks your hidden pictures and videos are disguised as a fake stocks app. No waiting to use share, picture or video camera and slideshow. Get it here: http://www.goo.gl/GgRRUNeed help? Visit our website http://squidtooth.com/vaulty-help/ or send us an email at support@squidtooth.com before leaving a review.PERMISSIONSMODIFY USB STORAGE/SD CARD CONTENTS & READ EXTERNAL STORAGE Vaulty needs this to hide your files on your phoneINTERNET ACCESS & NETWORK COMMUNICATION Used to improve VaultyWAKE LOCK Keep screen on during slideshowCAMERA Capture image from front facing camera of anyone who enters the wrong passwordBILLING To purchase features within VaultyBeware the imitators!PhotoVault Pictures VideoVault Photo Safe Hide Pictures Android Gallery Lock Lite Audio Manager Hide Pictures Privacy Gallery File Cover hide it HideNSeek Stealth Gallery Kii Safe Vault Hide Pictures Keep Safe Hide it Pro Hide Picture Super Vault Hide Pictures hide pics & vids pictures hideBy installing and using this application you agree to the terms at http://www.goo.gl/1aXHo", "devmail": "support@squidtooth.com", "devprivacyurl": "N.A.", "devurl": "http://www.squidtooth.com/apps/vaulty-free", "id": "com.theronrogers.vaultyfree", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.theronrogers.shareapps", "com.theronrogers.shareappspro", "com.theronrogers.vaultypro"], "name": "Hide Pictures in Vaulty", "price": 0.0, "rating": [[" 1 ", 4786], [" 4 ", 41648], [" 3 ", 8572], [" 5 ", 216467], [" 2 ", 1707]], "reviews": [["Great program, and now with the new update it works on KitKat. Thank you. ...", " Great program, and now with the new update it works on KitKat. Thank you.\tI have used vaulty for a long time and really like it, but got a Nexus 5 with KitKat and it crashes every time I try to add something. Please fix. Thanks "], ["Thanks!", " Fixed for KitKat thanks! "], ["Vaulty crashed!", " This app does not work on my new Nexus 5. When I select an image, then click padlock, I get the error \"Vaulty crashed\". Currently useless. Update: fixed for kit kat :) "], ["Finally fixed for N5/KitKat", " Thanks to the developer for fixing this for the N5 and KitKat.... Works flawlessly again! "], ["Please update !", " Crashes on nexus 4 running kitkat... Please update soon , its a really good app ! "], ["Great app", " Crashes everytime i try to vault a photo, after updating my nexus 4 to android 4.4. Plz update immediately... Update: got the update withing a day and the app started working again flawlessly.. "]], "screenCount": 8, "similar": ["com.handyapps.videolocker", "com.xvideostudio.videoeditor", "jp.co.valsior.resizer", "com.jun.shop_image_editing_engver", "com.thinkyeah.galleryvault.key", "com.handyapps.photoLocker", "com.hi.piclock", "com.javamonkey.image.video.hide", "com.kii.safe", "com.ghostfilesplus", "com.squidtooth.gifplayer", "com.squidtooth.lightspeed", "com.colure.app.privacygallery", "com.thinkyeah.galleryvault", "com.facebookphotossave", "com.ruknaa.cropg", "com.smartanuj.hideitpro", "com.capacus.neo"], "size": "Varies with device", "totalReviewers": 273180, "version": "Varies with device"}, {"appId": "com.media.moviestudio", "category": "Media & Video", "company": "Rabbit", "contentRating": "Low Maturity", "description": "***This Is A Must Have Android App***Movie Studio is unique Video Editing App For Android Platform. Movie Studio also a fun and easy way to share your video memories with your friends. Just shoot or upload your videos/photos and Moive Studio automatically turns them into beautifully edited movies, complete with music and effects, in minutes.Key Features:- Pick video, photo and music files from your phone.- Trim and edit your video clips, Delete middle parts from a video- Split video file into several separate clips ;- Adding Video effects( fade in / fade out , gray tone , negative , slow-motion), make your video more pro;- Automatically find video frames ;- Add and edit the background music for your movie;- Easy to playabck all the video clips;- Add multiple pictures as slide show movies ;- Export your movie with HD video file format;- Share your video to YouTube.Movie Studio can be installed only on Samsung device, other device cann't guaranteed run correctly.Please have a try and enjoy to create your personalized movies.------------------Disclaimer\u00ef\u00bc\u0161This app is based on Android Movie Studio code, and licensed under the Apache License.Apache License, Version 2.0: http://www.apache.org/licenses/LICENSE-2.0.html", "devmail": "snowrabbit.dev@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.media.moviestudio", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.media.videoplayer"], "name": "Movie Studio Video Maker", "price": 0.0, "rating": [[" 2 ", 812], [" 1 ", 4692], [" 3 ", 1604], [" 5 ", 7646], [" 4 ", 1983]], "reviews": [["Sharing sucks", " I got it to make videos so I could upload them on IG, not able to. No menus, no way to share, fix and will absolutely give 5 stars. "], ["Importing Videos", " I really like this app but it won't let me import videos I have recorded from my Instagram, why does this happen? I was wondering if there is a solution to solve this. Thank you. "], ["Does not work", " I have installed, uninstalled and reinstalled this app and it still does not work. It will let me select a video from my files but then the video disappears and does not give me any editing options... too buggy, will shop for a new movie making app. "], ["Great", " Its easy to use and well layed out. Only one problem, I dont know how to add slow motion, theres no settings/tutorials "], ["From my daughter's eyes...", " Found it on my realize after my ten yr old had downloaded it. She made a tear jerker. Thanks for making something to help her heal and make sense of where we are in life. It is user friendly. "], ["Samsung S3 mini", " Dissapointed about the description that has nothing in this app. Doesn't have slow motion edit in the FX. It only does have the transition in and out and filter effects. This app sucks Dont download it. Uninstalling it. Bad description and bad app. "]], "screenCount": 6, "similar": ["com.galaxy.magicalvideoeffects", "music.mediaplayer.musicplayer", "com.video.hdplayer", "com.magisto", "com.videofx", "ebook.epub.download.reader", "yong.app.videoeditor", "com.androvid", "com.task.notes", "com.amem", "com.alarming.clock", "com.music.playerpro", "com.zoonapp.free.videoeditor", "tool.scanner.barcodescanner", "com.goseet.VidTrim", "com.xvideostudio.videoeditor", "com.audio.voicerecorder", "com.mediaplayer.music", "pdf.viewer.ebook.reader", "com.movisoft.videoeditor", "com.androvidpro", "com.catflow.andromedia", "com.topapploft.free.videoeditor", "com.wevideo.mobile.android", "com.movisoft.movieeditor", "com.asti.moviemaker"], "size": "5.8M", "totalReviewers": 16737, "version": "1.5.8"}, {"appId": "com.sketchbookexpress", "category": "Media & Video", "company": "Autodesk Inc.", "contentRating": "Everyone", "description": "Autodesk SketchBook Mobile Express is a professional-grade paint and drawing application designed for android devices with screen sizes of 7\" and under. SketchBook Mobile Express offers a dedicated set of sketching tools and delivers them through a streamlined and intuitive user interface.Use it to digitally capture your ideas as napkin sketches or produce artwork on-the-go. With the same paint engine as the renowned SketchBook Pro software, SketchBook Mobile Express delivers sophisticated brushes and pencils.Features:\u00e2\u0153\u201c Full Screen work space with on demand UI\u00e2\u0153\u201c Multi-touch navigation with a 2500% zoom\u00e2\u0153\u201c Up to 3 layers you can merge and toggle visibility\u00e2\u20ac\u00a2 Opacity control on each layer\u00e2\u0153\u201c Import layer from the Gallery on your device or Camera\u00e2\u0153\u201c Save to the Gallery on your device\u00e2\u0153\u201c 6 Preset Brushes, including Flood fill tool\u00e2\u20ac\u00a2 Synthetic pressure sensitivity (brush fade-off)\u00e2\u20ac\u00a2 Smooth brush stroking\u00e2\u0153\u201c Add text to current layer\u00e2\u0153\u201c Dynamic symmetric drawing\u00e2\u0153\u201c Color Wheel and Customizable Color Swatches", "devmail": "sketchbook.mobile@autodesk.com", "devprivacyurl": "http://www.autodesk.com/privacy&sa=D&usg=AFQjCNEqSFxFNos5kx46CN6eX5pXEMRIqQ", "devurl": "http://www.autodesk.com&sa=D&usg=AFQjCNGz0KO0lHOZqTSIDV-DENk8yMZNiw", "id": "com.sketchbookexpress", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "SketchBook Mobile Express", "price": 0.0, "rating": [[" 5 ", 12036], [" 3 ", 1123], [" 2 ", 381], [" 1 ", 759], [" 4 ", 2993]], "reviews": [["NEEDS SAVE", " It's an awesome and great app, but you can't save :'( I made a really awesome pic, then I lost it because I shut down my phone for the night :-\\, it NEEDS a save button! If it had one 5 stars for shure! -harmonic "], ["Import photos", " It is a wonderful app but it is really bad in importing photos to edit it or draw some notes on it. Please fix this bug "], ["Omg this app!!!", " I couldn't wait to download this for my Note II ...I had it on My Touch and it was addictive. Cannot wait to see how better it'll be with my stylus "], ["Nice app", " The best drawing app :) if u are finding way to save ur drawing, menu \u00e2\u2020\u2019 new \u00e2\u2020\u2019 export. Took some time for drawing to appear in ur gallery, though. Would rate 5 if u could improve on this. Prefer 'save' rather than 'export'. Its confusing for others "], ["Pretty cool", " Good app, love all the options. However, a stupid question....how does one draw a straight line? "], ["There's no save because you can't ever edit a dwg again", " No save button that everyone comments about is just the tip of the iceberg. The real problem is there's no way to open an old drawing once you saved it. So I guess the idea is you work on a drawing and finish it and that's it? SketchBook Pro on my tablet works pretty well and you can open old drawings as much as you want. I've already paid for that version and it works perfectly but you can't get it on the phone. They want you to pay for a phone version that's crippled. No. "]], "screenCount": 5, "similar": ["air.com.jeremieklemke.drawing", "com.aviary.android.feather", "com.cyworld.camera", "com.adsk.instructables", "ru.photoeditor", "com.autodesk.fbd.activities", "air.net.daum.pix", "com.dumplingsandwich.pencilsketch", "air.hbsketchfilter", "com.seventeenmiles.sketch", "com.autodesk.homestyler", "com.socialcam.android", "com.autodesk.formIt", "com.autodesk.buzzsaw.android.autodesk_buzzsaw_android", "com.autodesk.forceeffectmotion", "com.picsart.studio", "com.bytestorm.artflow", "com.barilab.katalksketch.googlemarket", "air.sketchPaintFree", "com.sketchbook", "pixlr.OMatic", "com.adsk.sketchbookink_gen", "com.autodesk.Fysc", "com.superfiretruck.sketchabit", "com.autodesk.autocadws", "com.pixlr.express", "com.adsk.sketchbookhdexpress", "com.adsk.sketchbookhd", "com.autodesk.ADRViewer", "com.adcash.sketch", "it.repix.android", "com.roidapp.photogrid"], "size": "7.3M", "totalReviewers": 17292, "version": "2.0.2"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtadaa.json_merged.json b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtadaa.json_merged.json new file mode 100644 index 0000000..0f638ef --- /dev/null +++ b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtadaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.vlcforandroid.vlcdirectprofree", "category": "Media & Video", "company": "Video & Streaming", "contentRating": "Everyone", "description": "YES!After a lot of work, we have released the new version of VLC Direct Pro Free,and this time is FREE with all the PRO features enabled!* Remote control VideoLan VLC from your Phone/Tablet (play, pause, stop, volume, fullscreen, change video/song, dvd menu control, change audio tracks, change subtitle tracks, etc.)* Streaming from Android to Computer (Video, music and photos)* Its internal video player allows streaming content from the Computer to Android (Video, music and photos)* Subtitles supportedIf you have any question, request or complaint, please don't give the app a low rate, just send us an email and we will answer within a few hours (sometimes within a few minutes!). Be sure we will do our best to solve your specific problem.To configure your VLC, just download and run the following script in your PC (only windows):(Remember running it as administrator the first time: Right click on it and then \"Run as Administrator\")http://vlcdirect.blogspot.com/2012/10/configuration-script-download.htmlWindows will ask you permission to make changes in the VLC folder and allow VLC to access the network. Those actions are necesary for proper function, please allow them.What does the script?Basically, It starts VLC with its web interface enabled, and passes it some parameters to improve codec finding and rtsp streaming performance.If you don't use windows, you can follow this connection guide:http://vlcdirect.blogspot.com/2011/05/vlc-direct-manual-de-configuracion.htmlImportant notes about VideoLan VLC Versions:RECOMMENDED VLC VERSIONS: 2.1.1, 2.1.0, 2.0.8, 2.0.7, 2.0.6, 2.0.5, 2.0.3, 2.0.2, 2.0.0, 1.1.11NOT RECOMMENDED VERSIONS: 2.0.4, 2.0.1, versions older than 1.1.11if you need any specific version of VLC, you can find it here:http://download.videolan.org/pub/videolan/vlc/supported formats: avi, flv, mp4, mp3, mkv, wmv, jpg, mpeg, mpg, rmvb, m4v, mov, 3gp, ts, vob. (Some videos in these formats might not work because sometimes VLC can't transcode them into an android supported format -mp4 or 3gp-)If you are looking for the Official VLC Mobile Team Player, you can find it here: https://play.google.com/store/apps/details?id=org.videolan.vlc.betav7neonmore info: http://www.vlcdirect.come-mail: vlcforandroid@gmail.com", "devmail": "vlcforandroid@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.vlcforandroid.vlcdirectprofree", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "VLC Direct Pro Free", "price": 0.0, "rating": [[" 4 ", 2788], [" 2 ", 441], [" 3 ", 1229], [" 5 ", 12150], [" 1 ", 1642]], "reviews": [["I enjoy this app", " This app is great. It works well on my Toshiba tablet running android 4.0.4 with my Win7 box as server. I have to use MX player and settings are little slow but clarity is good and plays almost all my content "], ["Will not connect", " Worked one then quit. Won't connect to my pc. Says it can't find vlc running on my network. Using 2.1.1 on my pc. Fix and get 5 stars. "], ["Its very nice player good and excellent.", " Good and Excellent. "], ["Awesome app", " Lots of apps play videos but this one can play alternate audio tracks which helps greatly. "], ["Good app", " Love the app but experiencing epic problems during the setup (pc side) using vlc 2.1.1 . Once its going... AWESOME! "], ["Great app if you need it", " "]], "screenCount": 12, "similar": ["net.codejugglers.android.vlchd", "com.real.RealPlayer", "com.app.truong531developer.player", "com.hobbyistsoftware.android.vlcremote_usfree", "com.enachemc.vlcblackremotedemo", "com.mxtech.ffmpeg.v7_vfpv3d16", "air.br.com.bitlabs.FLVPlayer", "com.mxtech.videoplayer.ad", "com.hobbyistsoftware.android.vlcremote_us", "com.mxtech.videoplayer.pro", "com.mxtech.ffmpeg.v6_vfp", "com.elift.hdplayer", "org.videolan.vlc.betav7neon", "me.abitno.vplayer.t", "com.mine.videoplayer", "org.peterbaldwin.client.android.vlcremote"], "size": "1.5M", "totalReviewers": 18250, "version": "6.9"}, {"appId": "com.elift.hdplayer", "category": "Media & Video", "company": "turtlerun", "contentRating": "Low Maturity", "description": "HD video player is the easiest android phone player, has a powerful video decoding capabilities to easily support you play a video camera, TV shows, movies, music videos, MTV and other mobile phone stored video files on your phone.Supported video formats: avi, m4v, mp4, wmv, flv, mpeg, mpg, mov, rm, vob, asf, mkv, f4v, ts, tp, m3u, m3u8Key function points:1, automatic identification of all the video files in the phone2, HD playback your video files;3, thumbnail display the contents of the video file4, delete files, rename, play pause operation;5, smooth playback of FLV files do not need to install the Flash Player plug-in;Download and have a try!", "devmail": "turtlerun.developer@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.elift.hdplayer", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "HD Video Player", "price": 0.0, "rating": [[" 3 ", 3868], [" 1 ", 3992], [" 2 ", 1218], [" 5 ", 26726], [" 4 ", 7743]], "reviews": [["Not bad but you cannot completely delete movies you have watched so your left ...", " Not bad but you cannot completely delete movies you have watched so your left with a list of films you can not watch even though they look installed!! Other than that ok "], ["Pretty good on S4", " Tested around 6,7 video fotmat types, all worked fine. But just that it doesn't have the fast forward button or any buttons besides play/pause, it is good if you are a person like to have ut simple. And i m only giving 4stars because i could only see 4 outta 9 videos i put in my phone and i couldn't scan it to find more, it's that it does it for you but don't do it perfectly, besides that, everything are fine bout this app. "], ["Awesome app", " In md 720p will with lag since my phone is entry level phone. But by this player I can even play 1080p smoothly "], ["Bad app, developers ask for fake 5-star reviews.", " Really poor player. It glitches when trying to scan for local content, crashes and plays poorly. Use the free MX Player, far superior. They also ask for false five-star reviews in-app. Poor show. "], ["Good but not the best.", " Best video player. I've been able to find so far. However it has its faults. It has poor quality, it has lagging issues, and it has no way to scan for new videos. Every time I want to add videos I have to uninstall and reinstall the application. It will hold until VLC releases a phone application. Also the in-app volume and brightness controls are awful. "], ["Great... does a great job with the limitations of the hardware.", " Doesn't give crystal clear video but I think its actually more a hardware limitation at this point.. if u can actually improve the overall picture quality through software I'll give u 5 stars!!! :)) "]], "screenCount": 4, "similar": ["com.mxtech.ffmpeg.v5te", "yong.desk.weather.google", "com.app.truong531developer.player", "com.eliferun.filemanager", "air.br.com.bitlabs.SWFPlayer", "com.mxtech.videoplayer.pro", "com.andy.flash", "com.eliferun.enotes", "com.easy.video.player", "com.myboyfriendisageek.videocatcher.demo", "com.zgz.supervideo", "com.acr.tubevideodownloader", "com.eliferun.compass", "com.mxtech.ffmpeg.v6_vfp", "com.alarming.alarmclock", "com.turtlerun.chess.main", "com.easyelife.battery", "air.br.com.bitlabs.FLVPlayer", "com.mxtech.videoplayer.ad", "com.ezmusicplayer.demo", "com.mxtech.ffmpeg.v6", "com.ringtonmaker", "com.mxtech.ffmpeg.v7_neon", "me.abitno.vplayer.t", "com.mine.videoplayer", "com.eliferun.music", "com.eliferun.soundrecorder", "com.mxtech.ffmpeg.v7_vfpv3d16", "com.musicapp.android", "com.turtlerun.opensudoku"], "size": "4.8M", "totalReviewers": 43547, "version": "1.6.3"}, {"appId": "com.turner.cnvideoapp", "category": "Media & Video", "company": "Cartoon Network", "contentRating": "Low Maturity", "description": "Watch your favorite shows instantly! Get Cartoon Network anytime, anywhere with the free Cartoon Network video app for Android.(MSG and Data rates may apply.) See videos from hit Cartoon Network shows like: Adventure Time, Regular Show, Ben 10, Ninjago, The Looney Tunes Show, The Amazing World of Gumball, MAD and many more. Watch our library of video clips, or log in with your TV provider info to get even more benefits like: \u00e2\u20ac\u00a2 Watch live TV! Stream Cartoon Network directly to your device.\u00e2\u20ac\u00a2 Get full episodes\u00e2\u20ac\u201dmore than ever before.\u00e2\u20ac\u00a2 See the latest episodes the day after they premiere on TV!\u00e2\u20ac\u00a2 Enjoy access to full episodes for a longer period of time. Note: The Cartoon Network live TV stream follows the Eastern Standard Time schedule. Participating TV providers include: AT&T U-verse, Atlantic Broadband, BendBroadband, Blueridge, Cable One, Cablevision Optimum, Charter, Cox, Dish, DirecTV, EPB Fiber Optics, Grande Communications, Massillon Cable TV, Mediacom, Midcontinent Communications, Suddenlink, Verizon, WOW and Xfinity! Important considerations:- This app may contain advertising.- Adults must authenticate with their cable or satellite TV provider to view full episodes****************************************************************PRIVACY INFORMATION:Your privacy is important to us at Cartoon Network, a division of Turner Broadcasting System, Inc. This game collects and uses information as described in Cartoon Network\u00e2\u20ac\u2122s Privacy Policy linked below. This information may be used, for example, to respond to user requests; enable users to take advantage of certain features and services; personalize content; serve advertising; perform network communications; manage and improve our products and services; and perform other internal operations of Cartoon Network web sites or online services. Our privacy practices are guided by data privacy laws in the United States. For users residing in the EU or other countries outside the U.S., please note that this app may use persistent identifiers for game management purposes. By downloading this application, you accept our Privacy Policy and End User License Agreement, and you give permission for such uses for all users of your device. The Privacy Policy and End User License Agreement are in addition to any terms, conditions or policies imposed by your wireless carrier and Google Inc. Cartoon Network and its affiliates are not responsible for any collection, use, or disclosure of your personal information by Google or your wireless carrier.Terms of Use: http://www.cartoonnetwork.com/legal/termsofuse.html Privacy Policy: http://www.cartoonnetwork.com/legal/privacy/mobile.html This app only works with Android 2.3 and above. Be sure to update your device to the latest operating system.****************************************************************", "devmail": "advanced.platforms@turner.com", "devprivacyurl": "http://www.cartoonnetwork.com/legal/privacy/mobile.html&sa=D&usg=AFQjCNFQLcQkuPHs7pXip6YWoxj4pbCU1g", "devurl": "http://www.cartoonnetwork.com&sa=D&usg=AFQjCNFZkauPNReLpTYQRTqc49UxZv2Eng", "id": "com.turner.cnvideoapp", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.turner.jft", "com.turner.bestparkintheuniverse", "com.turner.wrathofpsychobos1", "com.turner.ghosttoasters"], "name": "Cartoon Network Video", "price": 0.0, "rating": [[" 5 ", 3764], [" 3 ", 587], [" 1 ", 2311], [" 4 ", 586], [" 2 ", 455]], "reviews": [["Cant get certain episodes", " All right! Finnaly a CN for android, one conplaint though, i cant get episodes from the channels, example: i go into Ben 10, im in clips, try to hit EPISODES, nothing happenes "], ["Best Cartoon Network app for Android", " I'm a big fan of Cartoon Network and I tried this Android app and it was awesome! If you log in with your TV provider, you'll be able to watch Cartoon Network's Full Episodes and watch the live streaming of Cartoon network HD and Cartoon Network HD - West. You can also watch Cartoon Network clips and check the schedule. If you are not logged in then you can only watch Cartoon Network clips and check the schedule. But I think this app is better if you are logged in. So, don't wait, download it now!!! "], ["Download delimas", " I love cartoon network but i cant download the app and ut says error 500 "], ["This Commercial Blasting App Occasionally/Eventually Plays TV Shows!!", " McDonald's Commercial + Another McDonald's Commercial + Show Intro + Other Show Bump + Same McDonald's Commercial Again + Another Show Bump ... then and only THEN did the show actually begin. I'm getting free TV, so I shouldn't complain ... but I'm gonna. That was irritating as hell! "], ["Don't download.....", " Doesn't have brighthouse, it is only one of the most used cable providers in the Tampa bay area. Why would they disclude some cable providers but not others? This is stupid. "], ["I love this app but,", " I can't get new episodes from shows that make new episode's on Tuesdays Wednesdays Thursdays and Saturdays "]], "screenCount": 4, "similar": ["com.tim.thepinkpanther", "com.funmagick.oscarsoasis", "com.youku.phone", "com.tamkysun.entertainment.sbogebob", "com.funmagick.happytreefriends", "com.acr.tubevideodownloader", "com.cartoonnetworkasia.android.cnsnap", "com.funmagick.shaunthesheep", "com.ber.beybladecartoon", "com.funmagick.tomandjerry", "com.giftzaaapps.marcelinewallpaper", "com.giftzaaapps.fionnaandcakewallpaper", "com.giftzaaapps.finnandjakewallpaper", "com.cizgifilm.izle", "com.giftzaaapps.princessbubblegumwallpaper", "com.netplayed.app.dibujos"], "size": "13M", "totalReviewers": 7703, "version": "2.4.1"}, {"appId": "me.abitno.vplayer.t", "category": "Media & Video", "company": "YIXIA INC.", "contentRating": "Everyone", "description": "VPlayer 3.x is the next generation of VPlayer, with a new design!Watch videos with HW accelerated decoding and rendering to HD MKV/AVI/MOV/FLV/TS/M4V/3GP for most Android devices. Access your NAS/Wifi/UPnP/DLNA/DVR/Dropbox/Facebook/Gmail videos from VPlayer seamlessly!!!Play YouTube.com videos directly in VPlayer!This is a free trial for 7 days with full features. Please buy 'VPlayer Unlocker' to continue use VPlayer.VPlayer is a HW accelerated Media player for android. It use HW video decoder at various containers and audio codecs combination.Dual Core/High end devices ( Sensation , Galaxy S/S2 , Nexus-S ) can play 720p even 1080p MKV/AVI/MOV/FLV/TS/M4V/3GP.VPlayer drains less bettery than SW based players such as MX Video Player, MoboPlayer.ICS, JellyBean, KitKat devices can play 1080p files with full HW accelerations, Honeycomb tablets can play 720p MKV with Full HW accelerations.Support multithreading codecs. If you use MIUI, CM7 or unofficial ROMs that can not play MKV/FLV/MOV/AVI using default player, VPlayer is the best solution.FeaturesFormats- AVI,MOV,MKV,FLV,AVI,3GP,3G2,ASF,WMV,MP4,M4V,TP,TS,MTP,M2TVideo Codecs- HW : MPEG-4,H.264/AVC,H.263- SW : MPEG-4,H.264,RMVB,XVID,MS MPEG-4,VP6,H.263,MPEG-1,MPEG-2, HEVC, VP9Audio Codecs- AAC,Vorbis,FLAC,MP3,MP2,WMA- Mutitle audtio tracks supportSubtitle- (Advanced) SubStation Alpha(.ssa/.ass), SAMI(.smi), SubViewer(.sub), Subrip(.srt), MicroDVD(.sub), MPL2(.txt), WebVTT- MKV subtitle extraction supported- Unicode/Multibyte charset supported.- Mutiple subtitle tracks support- Increased subtitle readability with thicker border and shadow around text.Transport- HTTP- RTP/RTSP/RTMP- MMS- HTTP Live Streaming with multiple bitrateSupported devices* ICS JellyBean devices, Galaxy Nexus, Nexus S, Nexus 7, Nexus 10, Nexus 4, Nexus 5* Honeycomb tables(TF101,GT10.1,Iconia500) : 720p High@4.1 ( no weighted prediction )* Samsung Galaxy S2 : 1080p H.264 high@5.1/MPEG-4,1080i AVCHD MTS* Samsung Nexus S, Galaxy S and variants : 720p H.264 High@5.1* Samsung Galaxy Tab(7') : 1080p H.264 High@5.1. 1080i have interlace artifacts.* Samsung Galaxy Note : 1080p H.264 High@5.1* HTC Desire HD,ThunderBolt : 720p High@3.1/4.0(some Level 4.0 file have shutter problem)* HTC Desire and QSD8250 baesd devices : 720p H.264 High@3.* HTC Evo 3D : 720p High@5.1/1080p High@5.1(some 1080p files have shuttering)* Dell Streak,Venue : 720p H.264 High@3.1* HTC wildfire: video capability depends on your firmware.* Moto Atrix: 720p High@5.1* Xiao mi: 720p High@4.1More devices are supporting...Limitations* Video capability depends on your devices HW video decodes' capability.* Some devices(Moto Defy, Galaxy S/Tab) need gingerbread update.* Tegra 2 based devices : H.264 High@4.1 ( no weighted prediction )This software uses code of FFmpeg licensed under the LGPLv3 and its source can be downloaded from our site.PERMISSIONS:READ_LOGS: for feedbackINTERNET: streaming supportREAD_PHONE_STATE: stop playback when callingWAKE_LOCK: keep screen upWRITE_EXTERNAL_STORAGE: rename or delete fileMODIFY_AUDIO_SETTINGS: change audio effectsVPlayer is the best video player for Android. KW:VPlayer, VPlayer Free, VPlayer Unlocker, Video Player, Media Player, Music Player, Streaming Player, Stream, Streaming, DLNA, Best Player", "devmail": "vplayer@yixia.com", "devprivacyurl": "N.A.", "devurl": "http://vplayer.net&sa=D&usg=AFQjCNFhwZipc9aOGPjzz6G9P1G-Pl1EDg", "id": "me.abitno.vplayer.t", "install": "5,000,000 - 10,000,000", "moreFromDev": ["me.abitno.vplayer.unlocker", "me.abitno.vplayer.t.plugs.upnp"], "name": "VPlayer Video Player", "price": 0.0, "rating": [[" 4 ", 3708], [" 3 ", 1799], [" 1 ", 2672], [" 2 ", 912], [" 5 ", 14307]], "reviews": [["4+1 perfect.", " Plays everything it states it does in great quality. Much better than Mobo. Gets my 4 + 1 for not asking for a rating. Dev knows his product is good "], ["Might be to soon to Rate./ZTE-N9120/4G-lte.", " I'm gonna go out on a limb here, & rate this app with 5 stars. If this app go in the wrong direction, those 5 stars can come off just as fast as they went on... I hope I'm wrong. Thank you, jimyfmbrz2 "], ["Not able to play the music", " Nice player but not able play the music. We like to listen music in hd quality. "], ["Good app", " Misleading on the fact it's a trial I would of purchased this but not after being tricked by the developer Player PRO is just as good and does music good too. "], ["Nice Player", " There are more infos on screen, keeping u updated on loading status! "], ["Whatever....", " Every time I have a video my default video player doesn't play, Vplayer will play the video but the audio will be messed up or picture will move in slow motion or be choppy. "]], "screenCount": 9, "similar": ["com.yixia.vitamio.v6", "com.app.truong531developer.player", "com.yixia.vitamio.v6vfp", "com.mxtech.videoplayer.pro", "com.yixia.vitamio.v7vfpv3", "io.vov.vitamio.v7vfpv3", "com.easy.video.player", "io.vov.vitamio.v6vfp", "com.myboyfriendisageek.videocatcher.demo", "com.zgz.supervideo", "com.acr.tubevideodownloader", "com.freevideoplayer.cogsoul.full", "com.mxtech.ffmpeg.v6_vfp", "com.androidcodemonkey.videos.free", "com.yixia.videoeditor", "io.vov.vitamio", "air.br.com.bitlabs.FLVPlayer", "com.wondershare.player", "com.mxtech.videoplayer.ad", "io.vov.vitamio.v6", "com.mine.videoplayer", "com.real.RealPlayer", "com.mxtech.ffmpeg.v7_vfpv3d16", "com.elift.hdplayer"], "size": "6.6M", "totalReviewers": 23398, "version": "3.2.3"}, {"appId": "com.handyapps.photoLocker", "category": "Media & Video", "company": "Handy Apps", "contentRating": "Medium Maturity", "description": "Hide pictures securely and conveniently in Photo Locker! - The ultimate hidden gallery app for hiding pictures on Android.Sensitive photos from your Android photo gallery can be kept safely locked away in a secure Photo Locker accessible only via a secret PIN code. All photos are securely hidden in your device and not saved to any cloud program. Key features include:1)Encryption - hidden pictures are not only moved to a secret location on your phone but are also encrypted using advanced 128 bit AES encryption. This means that even if someone manage to steal your SD card and copy the hidden picture files, they will still be unable to view the locked photos.2)User friendly operation - Easily hide photos via default gallery or from within Photo Locker itself.3)Fast bulk hide - Keep safe hundreds of photos quickly4)Folder level locking - lock individual hidden photo albums. This allows you to show only 1 hidden photo album without exposing the others.5)Zoom in and out of hidden photos with multi-touch. Hidden photos maintain their original resolution and are not scaled down as in some other photo hiding apps.6)Rotate hidden pictures left and right7)Slideshow - Slideshow viewing mode available with customizable delay setting8)Removed from recent app list - Photo Locker App will not appear in 'recent apps' list9)Lock on sleep - If you forgot to exit the Photo Locker, the app will lockout as soon as your phone goes to sleep mode.10)Tablet optimized - Photo Locker's UI has been designed with tablets in mind as well so as to provide the ultimate viewing pleasure on both Android smart phones and tablets11)PIN recovery - With the optional PIN recovery feature, you won't lose your precious files even if you forgot your PIN code. The app will email the PIN to you in the event you forgot Photo Locker's PIN code.12)Un-hide pictures easily - Un-hide photos just as easily as hiding them and you can decide where the un-hidden photos go. Premium features:1)Stealth Mode - Hide the app itself! Photo Locker App will disappear from the app drawer as if it never exist on your phone. Access to your private photo vault can only be achieved by dialing the secret PIN code or via an innocent looking calculator widget.2)Ad-free viewing experienceDownload Photo Locker now!Photo Locker is brought to you by Handy Apps. Connect with us on Facebook at: https://www.facebook.com/HandyAppsInc-------------------------Having issues with Photo Locker? Check out the FAQ below for assistance!http://blog.handy-apps.com/faq/photo-video-locker/-------------------------Tags: hide pictures, hide gallery, hide photos, hide pics, lock photos, photo locker, photo lock, hide gallery, lock gallery, hidden pictures, hidden photos, hidden gallery, gallery lock, private gallery, picture hider, picture hide, gallery locker, picture locker, hide it pro, photo vault, photo safe, private photos, private pictures, private photo gallery", "devmail": "support@handy-apps.com", "devprivacyurl": "N.A.", "devurl": "http://www.handy-apps.com&sa=D&usg=AFQjCNHcW6md5KFCeYfHwJs2dAfXhe5-GA", "id": "com.handyapps.photoLocker", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.handyapps.tasksntodos", "com.handyapps.easymoneyde", "com.handyapps.photowallfx", "com.handyapps.videolocker10", "com.handyapps.billsreminder", "com.handyapps.percentcalc", "com.handyapps.photoLocker10", "com.handyapps.discountcalc", "com.handyapps.easymoney", "com.handyapps.passwordwallet", "com.handyapps.billsreminder15", "com.handyapps.tipnsplit", "com.handyapps.tasksntodosde", "com.handyapps.videolocker", "com.handyapps.easymoney10de", "com.handyapps.applocker", "com.handyapps.easymoney10"], "name": "Photo Locker - Hide pictures", "price": 0.0, "rating": [[" 2 ", 222], [" 5 ", 11650], [" 3 ", 899], [" 4 ", 3242], [" 1 ", 838]], "reviews": [["Good fun but v Limited", " After photos moved to locker they can still be seen in clean master app>junk files>advanced>cache>gallery thumbnail. So not 100% secure. Also crashed a few times. Irritating ads in free version. I'd give it 5 stars if they fixed that above . I think cannot save to external SD card either. So if u r running short of space this will use up more. Good concept though. Encryption is 128 level I think. Would b good if can have a select encryption level also.. U improve all this I give it 6 star. "], ["Love it", " Very simple to use. Keeps all my personal pics private. I love it.just wish there was zoom then i would give 5 stars "], ["overall great", " Idk how but it some how messed up the quality of one of my pics badddd. Not it looks like a messed up painting. But overall its wonderful "], ["Great.!!! This is a amazing app", " I love this app.!! It is just amazing, I can hide everything that I don't want people to look at it.! It's a really good app.!!!:) "], ["Samsung galaxy note3", " I lovee it does exactly what I need it to do. I take a lot of pics and people always ask me to see them now they just see what I want them to...just a question if u connect the phone to the laptop would the pics be still private? "], ["a rily cool app to lock up all the pics u wana keep un-meddled.", " Lurv eet !! "]], "screenCount": 8, "similar": ["com.nullcommunity.sowar", "com.hi.piclock", "com.jun.shop_image_editing_engver", "com.facebookphotossave", "com.capacus.neo", "com.javamonkey.image.video.hide", "com.kii.safe", "com.mb.galerylock", "com.colure.app.privacygallery", "com.thinkyeah.galleryvault", "com.photo_touch_effects.lite", "androJC.mi.widgetfree", "com.smartanuj.hideitpro", "com.faliedapps.android.photodiary", "com.theronrogers.vaultyfree"], "size": "3.8M", "totalReviewers": 16851, "version": "1.1.0"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtadab.json_merged.json b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtadab.json_merged.json new file mode 100644 index 0000000..3087763 --- /dev/null +++ b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtadab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "jp.co.asbit.pvstar", "category": "Media & Video", "company": "ASBIT", "contentRating": "Medium Maturity", "description": "Let's listen to music for free using PVSTAR+! Thanks for 4 million downloads!You can create and manage playlist for Youtube, DailyMotion videos and MV. Moreover, continuous playback, background playback, repeat playback are also supported.The main features are as follows.- Video search (YouTube, DailyMotion, NicoVideo, Vimeo)- Voice search- Search Youtube playlists- Search Youtube channels- Category Search- Playlist playback- Background playback- Repeat playback- Shuffle playback- Mylist (up to 100)- Wallpaper on Mylist- Backup Mylist- Edit video title and summary- Sleep Timer- Popular video ranking- Music mode- #NowPlaying, timeline playback on Twitter- Tweet video- Video cache function- Low quality mode (for slow networks)- Automatically stop when the earphone is disconnected.- Open in PVSTAR when you open the URL in other app.- Import playlists from Youtube or NicoVideo.- Viewing related videos- Widget- Bookmark function for playlists and channels- Keyword suggestion- Easy operation- System also supports Android 4/3[Very easy operation]- Continuous playback of music ranking. Listen to popular songs at once!- Video search by artist. Selected from the search results, continuous playback!- By creating a mylist, you can assemble your own favorite album! Even a wallpaper can be set!- Play YouTube playlists directly. It's not necessary to create a mylist!- Playing in the background. You can listen while you work![Also good in these scenarios]- Classification into a list of your favorite music videos, repeat playback.- You can play in the background, while you are out. Enjoy using your earphones!- Also convenient on your way to work or school. Play the mylist you created the day before.- Set the sleep timer before going to sleep.- Continuous playback of a playlist for videos of a series.- Also useful while driving. Please try to connect to the car audio system.Please find your own use case.[FAQ]Q. Playback is interrupted or stops.A. Usually a high network utilization, low signal strength, interference or insufficient bandwidth are responsible for playback problems. Check the current network status. Please also check if there is enough free memory for caching on the SD card.Q. Can not play in the background.A. This can be caused by wrong settings and/or other apps. Please exit other apps, it needs sufficient memory.http://sp.pvstar.dooga.org/apps/killerQ. Can not play at all.A. Please restart the android device and use the latest version of the app.Q. Other InquiriesA. Refer to the help and troubleshooting section, please check the method of operation. http://sp.pvstar.dooga.org/apps/helpPlease feel free to contact us.http://sp.pvstar.dooga.org/app_contacts[About permissions] - full Internet accessFor searching and gettin video information.- modify/delete SD card contentsFor video caching and wallpapers.- view network stateFor advertisement, for the selection of video quality.- prevent phone from sleepingFor music playback.[Notice]- By specification, the playback is interrupted when returning from the background.- This app does video streaming. For streaming video playback, we recommend a highspeed network connection, such as Wi-Fi. (Works with 3G.)- Your playback may stop because of task killer and eco setting. Please turn disable task killer and eco setting. You may need to restart the device after changing these settings.- You can only watch videos compatible to the MP4 standard.- Due to a change in the specification of the video sites, you may not be able to view videos, temporarily. In that case, please wait for an update.Contact Us http://sp.pvstar.dooga.org/apps/help", "devmail": "info@asbit.co.jp", "devprivacyurl": "N.A.", "devurl": "http://www.asbit.co.jp/&sa=D&usg=AFQjCNEvcgmkxLpnfJFbw7uL7BVfv9Kiqw", "id": "jp.co.asbit.pvstar", "install": "1,000,000 - 5,000,000", "moreFromDev": ["jp.co.asbit.waraemon", "jp.co.asbit.pvstarpro", "jp.co.asbit.popotune", "jp.co.asbit.zusco", "jp.co.asbit.myuta", "jp.co.asbit.imacon"], "name": "PVSTAR+ (YouTube Music Player)", "price": 0.0, "rating": [[" 1 ", 1342], [" 4 ", 4846], [" 5 ", 26657], [" 3 ", 1653], [" 2 ", 656]], "reviews": [["Needs better video quality controls", " Wish it could adjust the resolution like 240p, 360p, 480p, 720p, 1080p. Once this is implemented in the app then this would be 5stars. Eventhough I have it on high some of the video qualitys sis still bad and could be approve if they where in a higher resolution. Please increase the search results to unlimited not 200. Please try do this in the next update. I would be more than happy. I'm still gone buy pro version because it is very user friendly and I want support the developers and mostly get rid ads. "], ["Justbperfect", " Don't if there are any other apps like this or better. Ive had it quite a while and its just perfect. Specially the bookmarking feature and song feature. This app is flawless for listening to music too. "], ["Top", " Samsung galaxy tab 2, love it. Proper into my drum n bass and hard house, this app can get you any beat you need from all over the web. Totes amaze balls. "], ["Much better than YouTube", " I use this app all the time since the official YouTube one is incredibly annoying, especially for music. Being able to turn the screen off is essential, and it makes it easy to save things into playlists as well. "], ["I'm so happy I came across this app! Runs smoothly with all its assorted ...", " I'm so happy I came across this app! Runs smoothly with all its assorted uses. I rate it high and will recommend to friends. Am using an Androidm "], ["Amazing!", " Does exactly what it says with out crashing. It would be nice if there was a way to filter out videos that won't play on mobile. The official YouTube app has become completely nonfunctional. This keeps working. "]], "screenCount": 10, "similar": ["Nextvid.mobile.player", "com.unibera.playerforyoutube", "com.netplayed.app.peliculas", "com.youtuberepeatfree", "com.myboyfriendisageek.videocatcher.demo", "com.xellentapps.videotube", "roman10.media.converter", "com.acr.tubevideodownloader", "com.google.android.youtube", "tmn.mp3converter", "grab.it.free", "com.MediaConverter", "jp.mmasashi.turnWiFiOnAndEnjoyYouTube", "com.Mata.YTplayer", "com.mxtech.videoplayer.ad", "com.beka.tools.mp3cutter"], "size": "1.6M", "totalReviewers": 35154, "version": "2.3.0"}, {"appId": "com.mxtech.ffmpeg.v6_vfp", "category": "Media & Video", "company": "J2 Interactive", "contentRating": "Everyone", "description": "MX Player Codec for ARMv6 VFP CPUs.For devices including Samsung Galaxy A, HTC Legend, etc.MX Player - The best way to enjoy your movies.** IMPORTANT NOTICE: This is a software component for MX Player, therefore, MX Player has to be installed first. MX Player will test your device and show you the best matching Codec automatically if necessary. You do not need to install Codecs unless MX Player asks you to do so.", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://sites.google.com/site/mxvpen&sa=D&usg=AFQjCNEGMT94LxW9kz38yNgQesyEQjuZjQ", "id": "com.mxtech.ffmpeg.v6_vfp", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.mxtech.ffmpeg.v5te", "com.mxtech.videoplayer.pro", "com.mxtech.ffmpeg.v7_vfpv3d16", "com.mxtech.ffmpeg.x86", "com.mxtech.videoplayer.ad", "com.mxtech.ffmpeg.mips32r2", "com.mxtech.ffmpeg.v6", "com.mxtech.ffmpeg.x86_sse2", "com.mxtech.logcollector", "com.mxtech.ffmpeg.v7_neon", "com.mxtech.kidslock"], "name": "MX Player Codec (ARMv6 VFP)", "price": 0.0, "rating": [[" 3 ", 10511], [" 2 ", 3159], [" 5 ", 135428], [" 4 ", 25744], [" 1 ", 6136]], "reviews": [["Nice.....cool king Mrityunjay fb user", " Itz vry coool guys download itttt......bole to jhakaas "], ["Best Performance", " It is best for all type of videos good working but the problem of low voice please repair for best performance..Muneer "], ["ExceLLenT app", " Its an awesome app. I thing getting an app like this for free is a luck. Its supports all most all formats ( avi , mp4 , mkv , asf , 3gp1 , 3gp2 , etc........) It supports even VOB format ( DVD format ) by downloading 'ES File Explorer' ....(not the old version).... on your device & open the file through the ES File Explorer & opt for 'MX Player'. By finding & doing this method i am lucky to view all Files ( even HD 1024p ) by just copying the file from Disk to the device. No hanging... Trust ....... "], ["oh nic but just lil problem plzz try to solve", " hee this was the best player but in some divise like galaxy y some video run slowly and some video withi dual adio are play slowly try to work on it n become the awsome player "], ["Cool app", " Very neat an tidy.. HW+ is great. "], ["superb........", " awesome app....can play almost every video smoothly...........loved it a lot....wanna thank the developer...... "]], "screenCount": 4, "similar": ["com.real.RealPlayer", "com.app.truong531developer.player", "com.myboyfriendisageek.videocatcher.demo", "com.wMXPlayerWebPlugin", "com.issess.flashplayer", "air.br.com.bitlabs.FLVPlayer", "com.zgz.supervideo", "com.wondershare.player", "air.br.com.bitlabs.SWFPlayer", "com.freevideoplayer.cogsoul.full", "com.andy.flash", "com.elift.hdplayer", "air.air.com.jessoft.flvplayer.FLVPlayer", "org.videolan.vlc.betav7neon", "me.abitno.vplayer.t", "com.mine.videoplayer"], "size": "4.5M", "totalReviewers": 180978, "version": "1.7.20"}, {"appId": "mobi.omegacentauri.SpeakerBoost", "category": "Media & Video", "company": "Omega Centauri Software", "contentRating": "Medium Maturity", "description": "Simple, small, experimental free app to boost your speaker or headphone sound volume. Useful for movies, audio books and music.USE AT YOUR OWN RISK. Playing audio at high volumes, especially for a prolonged amount of time, can destroy speakers and/or damage hearing. Some users HAVE reported destroyed speakers and earphones. IF YOU HEAR DISTORTED AUDIO, LOWER THE VOLUME (but it may be too late).By installing this application you agree that you will not hold its developer responsible for any damage to hardware or hearing, and you are using it AT YOUR OWN RISK. Consider this to be EXPERIMENTAL software.Not all devices support this software. Try it and see if yours works. NOTE 1: This does not work on JB 4.2 devices, either due to a bug in the OS or due to Google disabling this functionality.NOTE 2: This is NOT for adjusting the speakerphone volume in phone calls (that has its own boost, I think), but for adjusting the volume of music, movies and apps.NOTE 3: Users who complain that this does not boost bass are right. In order to mitigate (but not remove!) the danger of damage to small speakers, there is no boost in the lowest frequency range, and there is also less boost in the highest frequency range. If you go to the Settings and uncheck \"Non-uniform boost\", you get an across-the-board boost, but that's much more dangerous to your speakers.NOTE 4: When you set the boost to zero, Speaker Boost will be off. The notification icon is just for ease of launching. If you don't like seeing the notification icon when Speaker Boost is off, just go to Speaker Boost's Settings and set it to appear only when Speaker Boost is running.", "devmail": "arpruss@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://pruss.mobi&sa=D&usg=AFQjCNEAfO1MsKH9B4NtavyEQ17VIkEm5w", "id": "mobi.omegacentauri.SpeakerBoost", "install": "1,000,000 - 5,000,000", "moreFromDev": ["mobi.omegacentauri.SendReduced", "mobi.omegacentauri.LunarMap.Lite", "mobi.omegacentauri.FastLaunch", "mobi.omegacentauri.TinyLaunch", "mobi.omegacentauri.PerApp", "mobi.omegacentauri.LibriVoxDownloader", "mobi.omegacentauri.Earpiece", "mobi.omegacentauri.LunarMap.HD", "mobi.omegacentauri.ScreenDim.Full", "mobi.omegacentauri.ScreenDim.Trial"], "name": "Speaker Boost", "price": 0.0, "rating": [[" 2 ", 193], [" 5 ", 4199], [" 4 ", 669], [" 1 ", 1119], [" 3 ", 337]], "reviews": [["Headphones F##ked", " Since installing this app on my S3 my headphones do not work anymore even when i uninstall still not working. Anyone any suggestions? i have tried three different headphones and nothing works "], ["Does Jack on nexus 7", " Didn't boost my quiet DVD movies or google play music. Don't waste your time with nexus 7 "], ["Worked. Needs stop/exit option", " Jellybean 4.1.1, samsung galaxy tab 2 7.0. & gingerbread 2.3,galaxy proclaim. Tested with and without booster. Definite difference. GOOD: does what it claims with no unnecessary permissions (major plus:) BAD:loads on start. No disable/off/exit option. Had to long press app in notifications drop down window and select \"app info\" then \"force stop\" to terminate app. Please add exit/stop option & ability to disable load on start. "], ["I can use navigation again!", " Without this app my galaxy y is too quiet for an in car sat nav but 100% boost may just work... "], ["Very well", " Thanks so much to this app :) it finally worth it and it is what I was looking for too.. It makes my volume goes up and louder than before.. Thank you app! "], ["One word - AWESOME !!", " Don't know abt the speakers being destroyed, but this app has certainly brought back life to my headphone volume in Nexus 7. Now I get the exact same full volume as I used to get by default in my Galaxy Nexus.. .Highly impressed !! :) Working on android 4.3 as well !! "]], "screenCount": 3, "similar": ["com.baard.games.volume.booster", "hr.podlanica", "com.nw.volumecontrol", "com.multimediastar.bassbooster", "mobi.pruss.force2sd", "mobi.pruss.astrorender", "com.multimediastar.treblebooster", "mobi.pruss.android.inputmethod.latin", "com.studio.essentialapps.volume.booster", "mobi.pruss.force2sd_lite", "com.tellmewise.volumebooster", "net.cacheux.soundboost", "mobi.pruss.GalacticNight", "com.cb.volumePlus", "mobi.pruss.superdim", "com.sonyericsson.extras.liveware.extension.controlvolume", "com.misonicon.bassbooster", "com.kiboweb.android.desiresoundunlock", "com.desaxedstudios.bassboosterpro", "com.multimediastar.volumebooster", "com.tywors.controlvolume", "com.desaxedstudios.bassbooster"], "size": "47k", "totalReviewers": 6517, "version": "1.10"}, {"appId": "com.xvideostudio.videoeditor", "category": "Media & Video", "company": "X-Video Studio", "contentRating": "Low Maturity", "description": "Hello everyone: We are working day and night to debug V2.0(add photo, more stable), please wait for some time, thanks.\u00e2\u02dc\u2026The best and All-in-One video editor for Android\u00e2\u02dc\u2026 \u00e2\u02dc\u2026First Android video editor with intergrated editing enviroment, what you see is what you get\u00e2\u02dc\u2026\u00e2\u02dc\u2026First Android video editor to add multiple subtitles, with accurate timing control\u00e2\u02dc\u2026\u00e2\u02dc\u2026The most powerful video joiner, put any different videos into one\u00e2\u02dc\u2026X-Video Editor bring excellent video editing experience to you. With minumum operations, the most outstanding effects will be added to your videos. Best of all, it's completely free video editor app, no ads!Many people love it:\"Amazing\tThe aplication the droider must have Especialy video editor lover\"\"Super good I like i like it.... I always send nice video to my BF....\"\"Awesome\tNo ads, very nice ui and works great on my Asus infinity tablet. Worth downloading.:-). It is better then most apps out there.\"Features: \u00e2\u02dc\u2026(Exclusive) Intergrated video editor enviroment, What you see, is what you get! \u00e2\u02dc\u2026 (Exclusive) You can add text to video. Multiple text can be added on your video, Adjust it with accurate timing, various colors. \u00e2\u02dc\u2026 (Exclusive) Add beautiful effects to your videos, Now five video filters supported, They are Georgia, Sepia, Recho, Sahara, Polaroid. \u00e2\u02dc\u2026 Add music, Trim it, instant preview with video \u00e2\u02dc\u2026 Trim your videos \u00e2\u02dc\u2026 Merge your videos. Different format videos can be merged \u00e2\u02dc\u2026 Export videos in two modes: Keep Video Quality/Compressed Quality. \u00e2\u02dc\u2026 Share your videos to youtube/facebook/twitterThe features we are developing recently:- Add photo to video- Record sound as background music FAQ\u00ef\u00bc\u0161Q) The export is so slowA) We have done a lot work of optimization, but video transcoding is very cpu-consuming, especially 1080P video.We recommend, Video Record should use a lower video resolution(640P/720P,eg), which will make video export much faster than 1080P, with negligible video quality lose.If you would like to know what\u00e2\u20ac\u2122s going on or what\u00e2\u20ac\u2122s coming for X-Video Editor please visit our Facebook page at https://www.facebook.com/xvideoeditorIf you have any questions or suggestions, please contact us at fangqingliuenergysh@gmail.com, we are working hard to make the best video editor. Thanks for your support!Keywords:X-Video Editor, x video editor, video editor, movie editor, video cut, video maker, video effects, trim video, merge video, cut video,music video maker", "devmail": "fangqingliuenergysh@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://www.energysh.com/&sa=D&usg=AFQjCNGS_BOpV4ERoxVGsUAdWP4Mzw0Esg", "id": "com.xvideostudio.videoeditor", "install": "500,000 - 1,000,000", "moreFromDev": "None", "name": "Video Editor-Beautify video", "price": 0.0, "rating": [[" 1 ", 449], [" 5 ", 2772], [" 4 ", 623], [" 2 ", 175], [" 3 ", 394]], "reviews": [["Great handy app for Android Phones", " I just simply love this app, I have successfully joined shot video clips to make a complete video. Saves lot of hassle as no need to transfer videos to PC for editing , merging or split videos. I will recommend this app and above all its free and no adds *Great work by the team . Thanks heaps :-) "], ["Dont bother", " Just spent an hour editing and \"beautifying\" a video just not to be able to find it anywhere on my phone. The \"beautifying\" effects are more limited than on instagram and youll never find your edited video once complete...smh waste of time "], ["Very Very bad", " This app is only for advertisement and cheating.Plz don't install this until fixed. The edited videos aren't found anywhere. .......bad app. "], ["Slow as molasses", " It looks like a helpful app but extremely slow on my Samsung Galaxy. Please fix. Mean while I'm looking for a video editor that actually WORKS. PLEASE FIX THEN 5 STARS! "], ["I teach high school and used this app to make a sample video for ...", " I teach high school and used this app to make a sample video for a student project. It was really easy to use on both my galaxy 2 phone and galaxy tablet. I'd like to see the ability to transition between merged videos, and the ability to change volume on background music, but overall this is a great simple app. "], ["Won't export", " I've tried several times to edit a video, and each time I try to export it, it says \"Unfortunately, X-Video Editor has stopped.\" Am I doing something wrong? "]], "screenCount": 6, "similar": ["com.galaxy.magicalvideoeffects", "com.movisoft.videoeditor", "yong.app.videoeditor", "com.goseet.VidTrim", "com.movisoft.movieeditor", "com.wevideo.mobile.android", "com.goseet.VidTrimPro", "com.magisto", "com.androvid", "com.media.moviestudio", "com.videofx", "com.androvidpro", "roman10.media.converter", "com.catflow.andromedia", "com.zoonapp.free.videoeditor", "com.topapploft.free.videoeditor"], "size": "9.6M", "totalReviewers": 4413, "version": "1.4.5"}, {"appId": "com.mobilityflow.tvp", "category": "Media & Video", "company": "Mobilityflow TVP", "contentRating": "Low Maturity", "description": "Don't wait. Watch now. (!!! Early BETA. May have bugs !!!)Watch free movies & videos or listen to music online. Just open torrent file or magnet link from your favorite browser and enjoy the show \u00e2\u20ac\u2019 it plays and downloads at the same time.How to use:1. Find torrent you want to watch (use your favorite torrent tracker or just search in Google)2. Download and open torrent file or just click on magnet link3. Wait few minutes while Torrent Video Player buffers the video4. Enjoy the video! You can pause or seek as usualKey features: * Based on VideoLan(tm) VLC media player * Libtorrent used as torrent engine * Magnet links support * Open torrents right from browser * Add torrent from file * Open torrent files from the player * Torrent files shown as folders with files * Subtitles preloading Supported protocols: BitTorrent P2P, DHT, Advanced DHT Bootstrap, Magnet links, HTTP & UDP trakersGet more out of your movies with free Torrent Video Player!Are you tired of having to wait for hours for your video torrents to download before you can play them? Fortunately, there is an entirely new way of dealing with torrent video downloads and that is by using Free Torrent Video Player. Torrents have become one of the most popular ways to share and download content, including video files and other multimedia files. Torrents generally offer high speeds as well, particularly in cases where you have more seeders than peers. When you are choosing which torrent to download, you should always go for the one which has the best ratio between seeders and peers due to the fact that the seeders already have the complete video file on their computer for downloading. Peers, by contrast, only have part of the file available. However, even with a good seeders to peers ratio, torrents can still take a long time to download. A high-definition movie file, for example, may be over four gigabytes in size and, on most connections, this can take a couple of hours to download.Watch InstantlyFree Torrent Video Player completely revolutionizes your torrent video downloading experience. Traditional torrent clients generally only let you download torrents without providing any functionality allowing you to preview it, let alone watch the movie as it is downloading. Torrent Video Player, on the other hand, works just like your favorite media player thanks to its familiar and intuitive features. No longer do you have to wait for the entire torrent to download before you can start watching the video content contained within it. It is rather like watching a streaming video over a video-sharing website. The interface is easy to use and it is based on the immensely popular and highly versatile media player. Torrent Video Player will truly change the way you watch your movies!Easy to useSome of the mainstream torrent clients do provide a basic preview feature which allows you to watch at least a small part of the video before the whole thing is downloaded, but these features often lack reliability and are often difficult to use. Traditional torrent clients also download files in a different way to how Torrent Video Player does. They do not download the file contiguously, making it impossible to actually watch the video from the start before it has finished downloading. Torrent Video Player will download the file in the correct way however so that you don't have to wait.Completely free!If you want to be able to enjoy torrent videos without the annoying restrictions imposed by the traditional torrent clients, then Torrent Video Player is precisely the answer that you should be looking for. Best of all, the program is completely free! It is only a small download, so you can start using it within a matter of minutes and you'll never have to wait again before you can start watching your video downloads. Now you will be able to download and play at the same time, allowing you to watch any movie at any time!", "devmail": "info@torrentvideoplayer.com", "devprivacyurl": "http://www.mobilityflow.com/privacy_police.html&sa=D&usg=AFQjCNGp-hkvas52G7Ze1AcHZYcLDYdocg", "devurl": "http://www.torrentvideoplayer.com&sa=D&usg=AFQjCNGYHwBrIuNSkKOC2Mx_grFVICMEjw", "id": "com.mobilityflow.tvp", "install": "100,000 - 500,000", "moreFromDev": ["com.mobilityflow.torrent"], "name": "Torrent Video Player - TVP", "price": 0.0, "rating": [[" 3 ", 47], [" 2 ", 22], [" 4 ", 94], [" 1 ", 74], [" 5 ", 515]], "reviews": [["Good", " It's a nice app.. But it it a lot of time to buffer.. It would be nice if v could download with or without streams or like download 50% dn do stream.. That would be great.. For now it's not that much useful "], ["Doesn't work anymore", " Won't pay at all, when trying 2 pay movie all u can hear is sound but all u can c is the app logo on screen while the video plays "], ["Rating", " i love this app it shows the movie clear only thing i dislike is when i pause if i dont come right back to it you have to start from begining "], ["Very good apps..i download stuff easier now!!", " Keep it up and make apps datz rely useful for androids!and not just a trash apps!! "], ["I love it", " Its very easy to use and its fast "], ["Dont work ,buffering", " Buffering Buffering that al it does it dont work "]], "screenCount": 4, "similar": ["com.utorrent.client.pro", "com.utorrent.client", "com.app.truong531developer.player", "ru.vidsoftware.acestreamcontroller.free", "com.mxtech.ffmpeg.v7_vfpv3d16", "air.br.com.bitlabs.FLVPlayer", "com.mxtech.videoplayer.ad", "com.themodularmind.torrentmovies", "hu.tagsoft.ttorrent.lite", "com.mxtech.videoplayer.pro", "com.mxtech.ffmpeg.v6_vfp", "com.elift.hdplayer", "com.bittorrent.client", "me.abitno.vplayer.t", "com.mine.videoplayer"], "size": "10M", "totalReviewers": 752, "version": "1.3.3"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json new file mode 100644 index 0000000..c7dd469 --- /dev/null +++ b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "grab.it.free", "category": "Media & Video", "company": "Grab Your App", "contentRating": "Everyone", "description": "With our MP3 Downloader you can download all MP3 music and videos from the internet. The best MP3 / video downloader on the market: simple and easy to use, fast downloads, integrated media player and it's free!MP3 Downloader Features:- SEARCH for any video or mp3 music. Download from search results with a single click!- DOWNLOAD mp3 music to your mobile phone/tablet and enjoy it offline. You can save music to MP3 or ACC format- ALL MUSIC: unlimited mp3 music downloads from all websitesVideo Downloader Features:- DOWNLOAD VIDEOS: NEW! Now you can download not just mp3, but videos too!- SEARCH for any video, just like mp3 music, plus videos have thumbnails- SAVE video to mobile phone (MP4 format) and watch it later- CONVERT music video to mp3- FAST: downloader uses parallel connections for faster downloads. You can download multiple mp3 and videos simultaneouslyMedia Player Features:- PLAY any video or mp3 saved on your mobile device (even if not downloaded with our downloader) or- STREAM videos and music from Internet. Our video downloader uses enhanced buffering to ensure optimal experience and smoothest video playback- MANAGE media files, create and import playlists (e.g. your personal YouTube account), subscription on YouTube channelsFor full list of features, visit us at http://www.grabit-mp3downloader.com.If you would like an ad-free version, please see GrabIt - MP3 Downloader (Pro).", "devmail": "graburappltd@gmail.com", "devprivacyurl": "http://www.grabit.us/privacy_free.html&sa=D&usg=AFQjCNHdhHlaf1UaYT3YR4rtTT7Mo6memA", "devurl": "http://www.grabit-mp3downloader.com&sa=D&usg=AFQjCNFbDkpOSEPR12PoTWEsT8dm5KIACA", "id": "grab.it.free", "install": "100,000 - 500,000", "moreFromDev": ["grab.it"], "name": "MP3 Downloader - GrabIt", "price": 0.0, "rating": [[" 5 ", 1101], [" 2 ", 41], [" 1 ", 108], [" 3 ", 84], [" 4 ", 153]], "reviews": [["Great app but\u00e2\u20ac\u00a6", " I love the app but if i download a song or mix it says \"file size not avalable yet\"! Its soo anoying. If this is fixed i'll rate it 5 stars, plz fix this. "], ["In a word... AWESOME!", " Had this app for about 2 days & it's the best one I have found to download music & videos. Haven't been disappointed. Everything I've searched for, I found. "], ["Best app", " It's a great app! Only thing I'm confused about when i try to grab a video it says start but does not actually downloads. I still give it five stars though "], ["Great job!", " I have download a few app that makes me feel fustrating cause they cant give me the songs I want. Now I can download alot through here its great! But as for speed I think need a bit more improvement :) "], ["Love this app!!!!", " I love this app especially because they fixed the bugs\u00e2\u20ac\u00a6\u00e2\u20ac\u00a6\u00e2\u20ac\u00a6\u00e2\u20ac\u00a6\u00e2\u20ac\u00a6\u00e2\u20ac\u00a6but accept 1!!! SEE WHEN I TRY TO GRAB A SONG VIDEO,IT SAIS,FILE SIZE NOT AVAILIBLE YET\"!! I wanna give this app a five star rating but if the bug doesnt get fixed,i guess i cant. "], ["I really wanted to like this app. It appears to be what I have ...", " I really wanted to like this app. It appears to be what I have been looking for. BUT I have yet to download a video. Like these other posts it says starting and then file size not available. What does this mean? Should I wait for a fix or uninstall and forget about it? Please help me. "]], "screenCount": 3, "similar": ["com.booleanaxis.Youtube2AV", "com.myboyfriendisageek.videocatcher.demo", "com.myboyfriendisageek.videocatcher", "com.keerby.videotomp3", "com.mjmobile.mp3skullmusicdownload", "roman10.media.converter", "com.acr.tubevideodownloader", "jp.co.asbit.pvstar", "tmn.mp3converter", "com.nilam.ring.droid", "com.MediaConverter", "mp3music.bt", "com.clipflickdownloader.free", "mp3dlcreative.apps", "com.handysofts.you2mp34", "com.beka.tools.mp3cutter"], "size": "728k", "totalReviewers": 1487, "version": "1.3.0"}, {"appId": "com.clov4r.android.nil", "category": "Media & Video", "company": "Mobo Team", "contentRating": "Everyone", "description": "The best video player on Android! Watch any of your videos on a phone without conversion, anytime and anywhere.We feature the best playback experience and quality.Our video player supports:All video formats (need to choose \"software decoding\" mode in most cases)Popular subtitle formats such as SRT, ASS, and SAASubtitles built in MKV, MPV, MOV, and othersMulti-audio streams and multi-subtitlesPlaylists and continuous play on same type filesVideos streamed through HTTP, RTSP protocolsMedia libraries and sort videos by typeThumbnail displays of videos---Make the best player for Android platform can not satisfy us now! Now we want to develop a perfection software on Android. If you have any suggestions or bugs, you are welcome to notify us by the following ways:email: mobo@moboplayer.comWe will attach importance to your feedbacks--MoboPlayer dynamically linked to FFmpeg shared library, which was compiled to contain LGPL decoders and splitters only. Source codes can be downloaded from our website.--KW:bestplayer mplayer rockplayer videoplayer ffmpeg mobo moive", "devmail": "mobo@moboplayer.com", "devprivacyurl": "N.A.", "devurl": "http://www.moboplayer.com&sa=D&usg=AFQjCNEGUzPByTO3iuEJUbcocLcg8Qy6kA", "id": "com.clov4r.android.nil", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.clov4r.android.nil.x86", "com.clov4r.android.nil.armv5te_vfp", "com.clov4r.android.nil.armv6_vfp", "com.clov4r.android.nil.armv6", "com.clov4r.android.nil.armv7_vfp", "com.clov4r.android.nil.armv5te", "com.clov4r.android.nil.armv7_vfpv3"], "name": "MoboPlayer", "price": 0.0, "rating": [[" 3 ", 4447], [" 2 ", 1606], [" 5 ", 56596], [" 1 ", 4272], [" 4 ", 13793]], "reviews": [["Recommended", " Apa kau prnah mnemukan player sbagus ini? I don*t think so "], ["A must have", " Pretty much compatible to every codecs that is popular. For mkz I do soft coding and I have sound. Maybe that may help those having trouble with mkz files. I REALLY LOVE THIS APP "], ["HTC 3d evo", " Superb app for playing all type of media formats. Been it for quite a long time now. "], ["Broken... [FIXED]", " [FIXED... 2/10/12] The latest version update's control icons are over-sized on the screen causing some controls to be inaccessible. Please fix ASAP, thanks! "], ["Great App", " I like that it can be resized and will continue to play. "], ["Needs work", " This has the option to autoplay the next file, but it never does, and I can't figure out how to make a playlist on it, and only plays video with no audio on some files. That's annoying. "]], "screenCount": 4, "similar": ["com.real.RealPlayer", "com.app.truong531developer.player", "com.bsplayer.bspandroid.free", "com.mxtech.ffmpeg.v7_vfpv3d16", "air.br.com.bitlabs.FLVPlayer", "com.zgz.supervideo", "com.mbapp.video", "com.mxtech.videoplayer.ad", "com.mxtech.videoplayer.pro", "org.iii.romulus.meridian", "com.mxtech.ffmpeg.v6_vfp", "com.elift.hdplayer", "air.air.com.jessoft.flvplayer.FLVPlayer", "org.videolan.vlc.betav7neon", "me.abitno.vplayer.t", "com.mine.videoplayer"], "size": "6.5M", "totalReviewers": 80714, "version": "1.3.275"}, {"appId": "com.livestream.livestream", "category": "Media & Video", "company": "Livestream", "contentRating": "Medium Maturity", "description": "Livestream is the premiere place to WATCH LIVE EVENTS and BROADCAST LIVE from your Android phone. Follow your friends and favorite celebrities, teams, musicians, brands, organizations, events and more to get notified when they go live. Find new live and upcoming events from the accounts you follow daily.Watch and Discover Live Events:- Experience today\u00e2\u20ac\u2122s hottest live events in music, news, entertainment, sports, education, celebrities, spirituality and much much more!- Search over 75,000 new events that are streamed each month (and growing), including 65 local News TV stations- Watch live or replay events after they have ended- Watch, chat and share events with friends- Receive push notifications when accounts you follow create new events or go live- Scroll through live, upcoming and archived events from your network- Instant sharing via Facebook, Twitter, SMS and email- Like and comment on any image, video or status update posted to eventsLivestream Your Own Events:- Built-in live streaming camera- Adaptive quality streaming for fluctuating network conditions- Works over WiFi, 4G and 3G data speeds- Stream concerts, family events, breaking news, protests, sports or any live event- Chat with viewers while streaming- Post photos, video and text updates to your event page (live blogging), while streaming or even when you're offline!- Seamlessly manage multiple events- Remote control your Livestream Broadcaster\u00e2\u201e\u00a2 from your phone", "devmail": "android@livestream.com", "devprivacyurl": "http://www.livestream.com/terms/generalterms&sa=D&usg=AFQjCNFxpT4yZbQVOAOGBrK2mKOqi8KYMQ", "devurl": "http://livestream.com&sa=D&usg=AFQjCNHm8a5zfpEarHXme69VbBnw1LYwDA", "id": "com.livestream.livestream", "install": "100,000 - 500,000", "moreFromDev": "None", "name": "Livestream", "price": 0.0, "rating": [[" 3 ", 79], [" 4 ", 163], [" 2 ", 28], [" 1 ", 98], [" 5 ", 640]], "reviews": [["1d day \u00e2\u02dc\u2026\u00e2\u2122\u00a5\u00e2\u2122\u00aa\u00e2\u2122\u00a0\u00e2\u2122\u00a3\u00e2\u20ac\u00a0", " Needs to work for 1d day or i will be super sad "], ["Can't follow favorite channels", " The Livestream app on iOS lets you follow channels and notifies you when they go live. I've been wanting this feature on Android for a couple years. I just downloaded the Android app after the description said I could be notified when the streams I follow broadcast. But, the search feature on the app won't pull up the channels (it only searches for accounts and events?). I still can't view or follow my favorite channels. So, I have no use for it...still. "], ["1DDay coming up", " This app better work for 1DDay. Hopefully it can work for 7 hours! Go follow me on twitter @liamszoo "], ["1D Day", " If this app does not work for 1D day then go onto YouTube as they stream live events from there. "], ["1D day!!", " I swear if this doesn't work for seven hours I will cry, turn into a potato, and feed myself to a vicious, flesh eating, blood thirsty, kitten. :) "], ["1D Day", " better work for a 7 hour livestream or i'll be crazy. aha "]], "screenCount": 4, "similar": ["com.letsfriend.livetv2g", "net.livestream", "de.cellular.myvideo", "com.muratkilic.tvgoo", "com.musaqil.tv", "com.uusoftware.canlitvizle", "tv.ustream.ustream", "com.dooblou.SECuRETLiveStream", "com.adev.tvstreams", "net.livestreamer.football7", "com.visiware.livestreamplayer", "com.google.android.videos", "com.mdcgate.livemedia", "com.baker.Sports", "com.play.live.hqtv", "com.spb.tv.am"], "size": "26M", "totalReviewers": 1008, "version": "3.0.1"}, {"appId": "com.bsplayer.bspandroid.free", "category": "Media & Video", "company": "BSPlayer media", "contentRating": "Everyone", "description": "BSPlayer FREE is top hardware accelerated video player for Android smartphones and tablet PCs.Main features:- Android 4.4 KitKat compatibility- multi-core (dual and quad-core) HW decoding support - significantly improves playback speed- background playback in popup window (long tap on button Back to playback video and audio in popup video)- hardware accelerated video playback - increases speed and reduces battery consumption*- Support for almost all media files (video and audio player), such as: avi, divx, flv, mkv, mov, mpg, mts, mp4, m4v, rmvb, wmv, 3gp, mp3, flac... and streaming content such as RTMP, RTSP, MMS (tcp, http), HTTP Live stream, HTTP.- Multiple audio streams and subtitles.- Playlist support and various playback modes.- External and embedded subtitles ssa/ass, srt, sub. txt...- Find subtitles automatically (mobile data or wi-fi must be enabled to work)- Playback media files such as videos and mp3's directly via Wi-Fi from your network shared drives/folders (such as external USB drives, Samba (SMB/CIFS) shared drives, PC shared folders, NAS servers (Synology and others)) - no need to convert video files and copy media files to SD card anymore! - Playback files directly from uncompressed RAR files- Lock screen to prevent accidental change of videos (children lock)- support for USB OTG (On-The-Go) for example: Nexus media importer, USB OTG Helper, USB Host Controller... and much more!This package includes support for ARMv7 with VFP and NEON. For other CPU types please download appropriate package. Application will notify you which package you need.BSPlayer FREE version is ad-supported video player. BSPlayer full version without advertisements with added functionality is available on Google Play.NOTE: When reporting error please add info about your smartphone brand and model. Also you can send us more detailed bug report on e-mail android@bsplayer.com. We are trying to improve the player for the users and your feedback is appreciated.This software uses code of FFmpeg licensed under the LGPLv2.1 and its source can be downloaded from BSPlayer website.Dedicated forum can be found here: http://forum.bsplayer.com/bsplayer-android/.*Hardware acceleration support depends on device video decoder capability. Hardware accelerated playback in portrait mode may be corrupted on some HTC models (HD and others - hardware issue). Also on some devices (Samsung galaxy S2) zoom/stretch may not work on all video types.Translations and corrections of the translations can now be submitted here: http://crowdin.net/project/bsplayer-android!Don't forget to vote 5 stars if you like it and if you don't - let us know why! :) Tags: video player, media player, movie player, m2ts player, mts player, avc player, mp3 player, avi player, mkv player, mov player, flv player, subtitle player, free player...", "devmail": "android@bsplayer.com", "devprivacyurl": "N.A.", "devurl": "http://www.bsplayer.com&sa=D&usg=AFQjCNHSNYFg6zNCItNmBbMxmT5WdMTHWg", "id": "com.bsplayer.bspandroid.free", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.bsplayer.bsplayeran.cpu.armv7v", "com.bsplayer.bsplayeran.cpu.armv5", "com.bsplayer.bsplayeran.cpu.armv6v", "com.bsplayer.bspandroid.full", "com.bsplayer.bsplayeran.cpu.armv6"], "name": "BSPlayer FREE", "price": 0.0, "rating": [[" 5 ", 23034], [" 1 ", 1624], [" 3 ", 1539], [" 2 ", 658], [" 4 ", 4337]], "reviews": [["Internal Memory", " Its an good app but this app takes 11MB of internal storage make it less i will give 5stars "], ["Awesome", " I love it and use it for every thing I watch but the only problem I have is that the fast forward and rewind buttons don't work "], ["Good but", " Can't open since last update please fix! "], ["Truly plays all", " Can play mkv wth DTS and handles multi audio streams well. "], ["Awesome player", " Without Bs player every Android phone is incomplete. "], ["great app", " the only application that support all formats of video...the best "]], "screenCount": 9, "similar": ["com.real.RealPlayer", "com.app.truong531developer.player", "com.vlcforandroid.vlcdirectprofree", "com.mxtech.ffmpeg.v7_vfpv3d16", "air.br.com.bitlabs.FLVPlayer", "com.mxtech.videoplayer.ad", "com.clov4r.android.nil", "com.mxtech.videoplayer.pro", "org.iii.romulus.meridian", "com.mxtech.ffmpeg.v6_vfp", "com.elift.hdplayer", "org.videolan.vlc.betav7neon", "com.mxtech.ffmpeg.v7_neon", "me.abitno.vplayer.t", "com.mine.videoplayer"], "size": "Varies with device", "totalReviewers": 31192, "version": "Varies with device"}, {"appId": "waterfall3dLive.liveWPcube", "category": "Media & Video", "company": "handySoft", "contentRating": "Everyone", "description": "A high-quality 3D Waterfall Live Wallpaper APP.3D Waterfall is a Live Wallpaper within a 3D Cube.It's very beautiful and exciting.If you like it\u00ef\u00bc\u0152please set as wallpaper.Tags:3D Waterfall,Waterfall,Live Wallpaper,Wallpaper,3D Wallpaper,Best Wallpaper\u00ef\u00bc\u0152Nature WallpaperFeatures Include:7 kinds of different characteristics of the cool Waterfall .Adjust the size of the 3D cube. Adjust its rotation speed.When you set it as wallpaper, but also can directly hand toggle the 3D cube.You can change viewing angle and change background .Automatically rotate from different angles.", "devmail": "handywomen66@yahoo.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "waterfall3dLive.liveWPcube", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "3D Waterfall Live Wallpaper", "price": 0.0, "rating": [[" 5 ", 7277], [" 4 ", 1932], [" 2 ", 447], [" 1 ", 1767], [" 3 ", 1096]], "reviews": [["Not what I expected...", " Just a picture of a waterfall with a rotating \"3D\" cube of the same waterfall. I wanted a waterfall with falling water. Oh well...now I know. Uninstalling! "], ["Very sloppy programming", " I installed the free (ad-based) app. Then I found a live wallpaper I liked better. So, I uninstalled the app using my Nook's standard uninstall routine. The wallpaper went away, but now I am permanently plagued with ads that clearly state they are from the Live Waterfall wallpaper. Sloppy, deceitful programming that has not stuck me with ads FOREVER. If anyone knows how to get rid of their littered programming code, please let me know. Do NOT INSTALL THIS - it will only waste your throughput and data usage with useless ads. "], ["Awsome and cool", " This is a very cool App and this is 3d wall paper(lwp) "], ["great job", " Oh i though it was the river from waterfall who moved but its not...its ok you still have a nice waterfall not like those who said it was bullshit or what i still like it btw please dont make just a cube,be creatives make the water moved or something! :D.And i love it <3 "], ["Bad", " Just a spinning cube that looks horrible. This is one of the worst backgrounds yet. Looks nothing like the preview. "], ["Not what I thought", " I expected to see flowing water down the waterfall. What I get? Just a picture of a waterfall with a rotating cube that has the same picture all over it. The cube made the whole wallpaper ugly. "]], "screenCount": 5, "similar": ["com.stylem.wallpapers", "com.androidman.naturelwp", "neonLight.liveWPcube", "mushroom3dLive.liveWPcube", "magicNight3dLive.liveWPcube", "com.hzwp.mtFlowers", "JJWaterfall.liveCube", "com.kiwilwp.livewallpaper.water", "com.angel3D.girlwallpaper", "com.incredibleapp.wallpapershd", "wolf3d.liveWPcube", "com.accesslane.livewallpaper.balloonsfree", "kr.co.mokey.mokeywallpaper_v3", "islam3d.liveWPcube", "com.brainpub.phonedecor", "rose3dLive.liveWPcube", "com.omichsoft.gallery", "com.editfunnyTop", "com.beer.wallpaper", "light3dLive.liveWPcube", "com.Mp3Editor", "tiger3dLive.liveWPcube", "com.flikie.wallpapers.hd", "com.nix.apps.androlib.wallpapers", "fire3dLive.liveWPcube", "skull3dLive.liveWPcube", "forest3d.liveWPcube", "waterfall.liveWPcube", "com.appsilicious.wallpapers", "birds3d.liveWPcube", "com.medoli.greathdwallpapers", "aquarium.liveWPcube"], "size": "4.5M", "totalReviewers": 12519, "version": "1.61"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaeab.json_merged.json b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaeab.json_merged.json new file mode 100644 index 0000000..955643b --- /dev/null +++ b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtaeab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.movie.tube.cube", "category": "Media & Video", "company": "MovieTube", "contentRating": "Medium Maturity", "description": "Movie Tube Watch Hollywood Movies in online several category. Action, Adventures, Animation, Biography, Comedy, Crime, Documentary, Family, History, Horror, Romance, Sci-Fi, Thriller, Drama, WarDISCLAIMER: The content provided in this app is hosted by YouTube and is available in public domain. We do not upload any Movies to YouTube. This app is just an organized way to browse and view these Movie tube Videos. we only provide movie links.Tags movietube free movies app, full movies, hollywood movies watch online free.", "devmail": "androidappeng@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.movie.tube.cube", "install": "10,000 - 50,000", "moreFromDev": ["com.movie.tube.pro"], "name": "MovieTube", "price": 0.0, "rating": [[" 1 ", 6], [" 4 ", 6], [" 3 ", 5], [" 5 ", 59], [" 2 ", 5]], "reviews": [["Awesome", " Now if you can get mostly all the new movies that just hit theatures then it would be so much better "], ["poor quality", " I really don't have nothing to say this is just horrible quality I couldn't help but laugh "], ["Excellent app", " "], ["Love it", " Great app watch movies on my phone... has a great selection of new n older movies... "], ["Horrible", " If I wanted to watch a poor cam quality movie I'd download it. The movies it has you can easily find HD quality on a torrent site "], ["Actually", " Pretty fuckin' awesome. "]], "screenCount": 3, "similar": ["com.net.WatchMoviesForFree", "com.netplayed.app.peliculas", "com.andromo.dev22529.app190470", "com.grep.lab.fullmovie", "com.full.english.movies.hollywood", "com.andromo.dev253878.app237374", "dga.abmoa.mvoiet", "com.moviesnow.hollywood", "com.ks.dfmhd", "com.white.movietube", "com.tvzavr.android.player.free", "com.mvideo.firetube", "com.ks.dmf", "com.soludens.movieview", "ru.wellink.witvpro"], "size": "946k", "totalReviewers": 81, "version": "2.0"}, {"appId": "com.androvid", "category": "Media & Video", "company": "zeoxy", "contentRating": "Everyone", "description": "Trim, merge, split, transcode, add music, apply effects, grab video frames, share your videos, convert to MP3... AndroVid provides you the following functionalities:- Trim your videos and produce clips.- Add music (replace audio or mix music with original audio, adjust audio volumes)- Merge multiple videos into one file (Videos must be same format and size. Limited to 30 seconds per clip. In Pro Version clips can be any length)- Delete middle parts from a video- Split your video files into two separate video clips- Grab video frames- Convert your video files to MP3 audio files- Video Effects (Fade in/out, Gray Tone, Mirror, Negate, Remove Audio, Slow / Fast Motion, Swap U-V)- Set video frames as wallpaper - Share your video clips and grabbed video images. Upload your videos to facebook , youtube etc. - Play video clips- Sort your videos by their name, size, duration and date- Rename/Delete videos on your phoneTHANKSArabic language added by Abdullah al-jaserPortuguese language added by Jerv\u00c3\u00a2nio LimaUSER MANUAL: http://www.androvid.com/user-manual.htmlSOME REVIEWS:* http://www.mymobile.co.in/review/androvid-video-trimmer-review/* http://www.abctrick.net/2012/06/androvid-video-trimmer-easy-to-use.html* http://www.pcdrome.com/5-most-popular-apps-to-edit-audio-video-files-in-android/2428* http://www.ilovefreesoftware.com/05/android-2/video-trimmer-app-for-android-androvid-video-trimmer.htmlSome Notes on Usage:* MP3 files go to /sdcard/AndroVid/audio folder. * Grabbed images go to /sdcard/AndroVid/image folder* During trimming in order to get the correct start/end points you can use Zoom buttons which zoom in/out the timescale.Purpose of Permissions: \"READ SENSITIVE LOG DATA\": This permission is used when a crash occurs in the AndroVid application. Log data is collected to fix bugs. You can disable this permission using the \"Options\" menu.If you see any problem please send an email to androvid@androvid.com or report it on our web site http://androvid.blogspot.comAndroVid uses FFmpeg under permission of LGPL.", "devmail": "androvid@androvid.com", "devprivacyurl": "N.A.", "devurl": "http://www.androvid.com&sa=D&usg=AFQjCNHRiYO1dQp3NhIOylhS8hf_GHLo2A", "id": "com.androvid", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "AndroVid Video Trimmer", "price": 0.0, "rating": [[" 4 ", 4203], [" 3 ", 2426], [" 1 ", 3640], [" 2 ", 1011], [" 5 ", 15576]], "reviews": [["I can't believe I just waisted my money for nothing.", " I spent my money on this app after downloading the free one. It said I cant add music until I get the pro, so I did. When I opened up the pro and picked the video I wanted it wouldn't let me add any music. When I got to pick the music I wanted it would start to add the music all the way up to %78-80 and just bring me to the main menu. The only reason I got this app was to add music and put it on my instagram and I cant even do that now. I wish I can get my money back! "], ["Sucks sucks and oh yeah did I say sucks! This App isn't worth the ...", " Sucks sucks and oh yeah did I say sucks! This App isn't worth the time it took to design it. It doesn't grab the frame that is stopped. So it sucks. I will be finding another App.\tThis app doesn't let you grab the pic you want. So it sucks. "], ["Unsatisfied. Would've purchased...", " Layout is great. Seems nice and simple. Would be great if it actually merged vid. That's what I got it for and it hasn't successfully completed once :( back to the drawing board. I have a note 2 btw "], ["Stressful", " This app is stressing me out, I have the Galaxy Note 2 and when I first got this app ot worked fine, I have another app called MediaClip where I can download any video to my phone then after that I open it up with this app and convert it to a MP3 audio file and listen to it..... BUT NOW this app stopped working, it wont open up any videos its just a black screen, and even when I just try to open up the app regularly it still wont open! I even un installed it and reinstalled it and it did the same thing :( "], ["Good thing", " I found this app..good four trimming videos but can't trim o Perfectly though with other formats..the audio with other formats after you trim it is delayed.. "], ["Issues", " Most of the reviews are negative towards this app and I agree because it sucks!! Please fix the problems for better opinions and higher ratings that if u even care to fix "]], "screenCount": 8, "similar": ["com.media.moviestudio", "com.wevideo.mobile.android", "yong.app.videoeditor", "com.goseet.VidTrim", "com.xvideostudio.videoeditor", "com.movisoft.movieeditor", "com.myboyfriendisageek.videocatcher.demo", "roman10.media.converter", "com.acr.tubevideodownloader", "com.galaxy.magicalvideoeffects", "com.goseet.VidTrimPro", "com.movisoft.videoeditor", "com.zeoxypro", "com.elift.hdplayer", "com.videofx", "com.androvidpro", "com.zeoxy", "com.catflow.andromedia", "com.zoonapp.free.videoeditor"], "size": "9.2M", "totalReviewers": 26856, "version": "2.3.3"}, {"appId": "usa.jersey.tvlistings", "category": "Media & Video", "company": "TV24 Group AB", "contentRating": "Low Maturity", "description": "TV Listings - fast and easy!This TV guide app covers over-the-air, cable and satellite TV in the USA (over 13 000 channels in total and hundreds of providers). It will show an overview of what's on right now including all the shows, movies and sports events.Also:remindersmovie ratingsfilteringand much more...* Why do you need the fine GPS position permission?We get a lot of questions about this. This permission is used in the setup wizard to let user skip manual entry of their zip code, and have the app find it automatically instead. If you're sure of your zip code and your Android OS version permits it, you can safely opt out of this and retain full functionality of the app :)Thanks! Let us know if you've got any feedback.", "devmail": "android-us-support@jersey.se", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "usa.jersey.tvlistings", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "TV Listings for Android TV24", "price": 0.0, "rating": [[" 4 ", 2478], [" 2 ", 491], [" 1 ", 1740], [" 5 ", 7254], [" 3 ", 868]], "reviews": [["I'd Pay...", " ...for a version without the ads. "], ["Samsung galaxy s2 skyrocket", " Love it but it would be nice to search and remind me when that show comes back on again. "], ["What gives?", " This is normally an AWESOME app! Now it won't load. Deleting. "], ["Good app", " Its a nice looking app and I like how they integrated the ads. But the thing that I would like is that they bring back the search feature "], ["ADD THE \"SEARCH\" OPTION", " I really don't like how you don't have the option to search channels anymore. That was the best part about the app until it updated SO PLEASE MAKE A SEARCH OPTION FOR PEOPLE WHO NEED TO FIND OUT WHATS ON A CERTAIN CHANNEL QUICKLY! :) "], ["I've been using this app for years now. Its the best one out there.", " "]], "screenCount": 6, "similar": ["com.tvguidemobile", "com.sony.tvsideview.phone", "com.everyontv", "com.spb.tv.am", "net.cj.cjhv.gs.tving", "com.reddev.frenchtv", "com.musaqil.tv", "com.muratkilic.tvgoo", "tv.peel.samsung.app", "com.netplayed.app.peliculas", "com.PandoraTV", "com.google.android.videos", "com.bianor.amspremium", "com.onemultimedia.it.solo.tv.italianaFree", "mx.naat.televisa.video", "com.filmoncom.android"], "size": "9.6M", "totalReviewers": 12831, "version": "3.0"}, {"appId": "com.wevideo.mobile.android", "category": "Media & Video", "company": "WeVideo Inc.", "contentRating": "Low Maturity", "description": "The WeVideo Video Editor & Maker helps you capture moments and edit them on-the-go. Create amazing movies, photo-stories and slideshows. Share them on your favorite social networks. Key Features:\u00e2\u0153\u201d Use photos and videos from your gallery or capture from the app\u00e2\u0153\u201d Trim and arrange your clips to tell a story\u00e2\u0153\u201d Add effects to your movies or slideshows with our selection of Themes\u00e2\u0153\u201d Write titles and captions\u00e2\u0153\u201d Select your own music and adjust the volume \u00e2\u0153\u201d Publish in HD, save completed videos to the gallery, and share them to social channels including Facebook & YouTubeWhat our users are saying:\u00e2\u0153\u00bd Easy to use! Great app for users new to video editing\u00e2\u0153\u00bd Easy as pie! Works like a dream! Super easy to use, and quite flexible!\u00e2\u0153\u00bd Wonderful program worthy 50,000 \u00e2\u02dc\u2026\u00e2\u0153\u00bd Best video editor I've used\u00e2\u0153\u00bd Amazing! Easy to use, loads of effects! And its free!\u00e2\u0153\u00bd One of the best video editing apps I've used on my phone. Definitely a must have\u00e2\u0153\u00bd Fast. Best on the market\u00e2\u0153\u00bd Fantastic! Just the app I was looking for. I love it. Thank you 1,000,000 timesWant more?Content created with WeVideo Video Editor & Maker for Android syncs with the cloud and can be edited with full creative control with the WeVideo.com editor. All your videos and projects are stored online, safely, for you to edit wherever you are. Whether on the phone, tablet or computer, with WeVideo you can create your slideshows, movies, commercials, vlogs, trailers, how-to videos, and much more.Download WeVideo for FREE today!", "devmail": "developer@wevideo.com", "devprivacyurl": "https://www.wevideo.com/privacy-policy&sa=D&usg=AFQjCNG7QjwO8KRv_BukRvUHwSTZyD4k1w", "devurl": "http://www.wevideo.com&sa=D&usg=AFQjCNFiIAVH-COMRTqIzF-oyhednoNCdA", "id": "com.wevideo.mobile.android", "install": "100,000 - 500,000", "moreFromDev": "None", "name": "WeVideo - Video Editor & Maker", "price": 0.0, "rating": [[" 4 ", 2580], [" 3 ", 1039], [" 5 ", 7063], [" 1 ", 443], [" 2 ", 264]], "reviews": [["Good app easy to use best of all its free bam!", " Can't beat a easy to use app and free I stead of using magisto where you have to pay 5 bucks a month to keep as a download. "], ["Too Simple", " I think the app is pretty great really. I've figured out how to do everything I'd like to do and it only took a few minutes. The only problem for me is that you can only cut clips to the nearest second, and a second is a long time in editing. So because I can't cut accurately enough I will have to look somewhere else, and that's a shame because otherwise the app is perfect. "], ["Good App", " Awesome editor. Changing my vote from 3-4 as I'm an idiot and couldn't find the audio tab. BUT I have had issues with this app not exporting ANY videos I made over the last week. Reinstalled, hoping it works! Will rate 5 stars if it exports this time. "], ["Great app", " Follow @wevideo good support "], ["problems", " my movie is 3:23mis long but after uploaded to YouTube its 3:29 & out of sync. the video plays perfect when I'd preview it in the app "], ["Galaxy S3", " Not even sure HOW to use this app. Great format g 'plan' but extremely user... 'unfriendly' I'm beginning to think that is an impossible task in which no app is capable. **Four hours later and I still cannot find an app that'll let me add my own audio files to my videos. "]], "screenCount": 16, "similar": ["com.galaxy.magicalvideoeffects", "com.androvid", "yong.app.videoeditor", "com.goseet.VidTrim", "com.xvideostudio.videoeditor", "com.movisoft.movieeditor", "com.goseet.VidTrimPro", "com.nexstreaming.app.kinemix", "com.movisoft.videoeditor", "com.goseet.MovieEditor", "com.media.moviestudio", "com.videofx", "com.androvidpro", "com.catflow.andromedia", "com.zoonapp.free.videoeditor", "com.topapploft.free.videoeditor"], "size": "3.8M", "totalReviewers": 11389, "version": "2.0.075"}, {"appId": "com.diadev.crystaldownloaderweb", "category": "Media & Video", "company": "nnc", "contentRating": "Low Maturity", "description": "Download your desired videos, with ultra fast speed, from your familiar video stores ( vimeo, metacafe, dailymotion, bing video, veoh ).Also, the app can speed up download with some site that allows direct download videos, like tube8 or some sites like it.App can detect video links in a web page, so you can copy video link to view stream in a video player like Mxplayer, Mobo player or Vplayer ...Sites support: Vimeo (vimeo.com) : user made and share videosMetacafe (metacafe.com) : trailer, funny movies and contains adult contents Dailymotion (dailymotion.com) : sport, trailer...veoh (veoh.com) : tv shows, anime ... bing video (bing.com/video) : movies, music ...smotri (smotri.com) : Russian videos store, contains adult contents break (break.com) : funny videos blip (blip.com) : video seriestube8, redtube, xvideos (tube8.com, redtube.com, xvideos.com) : adult videoszing, nhaccuatui ( mp3.zing.vn, nhaccuatui.com ) : music videosYour favorite sites not in the list? Please commend your site, maybe it appear on our support sites in next update!* Does not support Youtube, due to its policy.* With Vimeo, you have to use search video on vimeo to find links. Click on videos on the homepage of vimeo will not works.Tags: video, videos, download, speedup, speedup download, downloader, vimeo, metacafe, dailymotion, bingvideo, bing, veoh, nhaccuatui, tube8, zing, redtube, xvideos, blip, break, badoink, liveleak, revision3, browsing, videobash, browser ,vevo, rutube, usability, viddy, funnyordie, zedge, airplay, downloaded, bravo, downloading, reconnection, site, webpages, hot video, queue, phim, phim hot, phim nguoi lon, video clip, clip, music clip, MV, MTV, hardcore, asian, anime, trailer, funny, share, sharing video", "devmail": "anh.cuong143142@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.diadev.crystaldownloaderweb", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.diadev.emokb", "com.diadev.lovesms", "com.diadev.crystaldownloader", "com.diadev.textsmiley"], "name": "Video Download", "price": 0.0, "rating": [[" 1 ", 633], [" 5 ", 3178], [" 2 ", 164], [" 3 ", 387], [" 4 ", 650]], "reviews": [["Fk THis Shlt", " CANT DOWNLOAD FROM BREAK WTF WTF WTF WTF CRASH MY PHONE "], ["Gay", " Didn't work, possibly spyware, developers don't speak English, what's not to love? "], ["Waste of time", " Does not download.. what a waste of time. Dont install this app! "], ["Fat guy", " This is gay but I fell bad so 5star "], ["No use", " What is bit when the website does not open DO NOT DOWNLOAD!!!! "], ["Sucks", " Won't play and download videos from YouTube "]], "screenCount": 2, "similar": ["com.linktosoftware.ytd", "com.real.RealPlayer", "jp.heartcorporation.freevideodownloaderplus", "com.myboyfriendisageek.videocatcher.demo", "com.myboyfriendisageek.videocatcher", "com.acr.tubevideodownloader", "com.google.android.youtube", "com.sibers.mobile.badoink", "com.beka.tools.mp3cutter", "com.elift.hdplayer", "com.clipflickdownloader.free", "com.xellentapps.videotube", "com.jmtapps.firevideo", "com.mxtech.videoplayer.ad", "com.ne.hdv", "com.mine.videoplayer"], "size": "593k", "totalReviewers": 5012, "version": "2.1e"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtafaa.json_merged.json b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtafaa.json_merged.json new file mode 100644 index 0000000..a868f63 --- /dev/null +++ b/mergedJsonFiles/Top Free in Media & Video - Android Apps on Google Play.html_ids.txtafaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.hooktv.hook", "category": "Media & Video", "company": "Ooyala Inc.", "contentRating": "Everyone", "description": "Hook is a free application that lets you play great video content on your phone or tablet. With Hook, you can watch all kinds of video, including live events, pay-per-view programs--even programs requiring a subscription.Broadcasters and online video companies use Hook to enable you to safely and easily view their video on your mobile device. You were probably prompted to install Hook when you accessed content from one of these companies. After installing Hook once, you will be able to watch video from any participating content provider. For more on Hook, visit www.hooktv.com Hook includes streaming technology provided by VisualOn.", "devmail": "hook-support@ooyala.com", "devprivacyurl": "N.A.", "devurl": "http://www.hooktv.com&sa=D&usg=AFQjCNHmoi_GjTNGiYkdstgSFw5VpS3y6w", "id": "com.hooktv.hook", "install": "100,000 - 500,000", "moreFromDev": "None", "name": "Hook", "price": 0.0, "rating": [[" 1 ", 209], [" 3 ", 21], [" 4 ", 40], [" 2 ", 12], [" 5 ", 139]], "reviews": [["Sound issues", " The sound worked for about 30 seconds, then it shut off. I tried turning up my volume. Please fix this! "], ["When it works it's fine.", " Doesn't work half the time. "], ["SONY EXPIRA U", " Works fantastic no problems what so ever. Its also a must just wish u could, have a bigger screen "], ["Great", " Works perfectly or note 2 "], ["Nice", " "], ["Great", " Great "]], "screenCount": 3, "similar": ["com.learninglemmings.kidstube.ru.lite", "air.com.jeremieklemke.drawing", "com.sony.tvsideview.phone", "tv.ustream.ustream", "com.pplive.androidphone", "com.ooyala.demo", "my.vodobox.webtv", "com.ooyala.android.sampleapp", "com.mobilityflow.torrent", "ru.ivi.client", "com.mxtech.videoplayer.ad", "air.com.pivotshare.tablet", "com.pplive.androidpad", "com.tictactoe.fishhooks", "com.google.android.videos", "com.megadevs.hubi", "com.filyar.sovetmult", "pl.redefine.ipla"], "size": "3.7M", "totalReviewers": 421, "version": "1.1.2"}, {"appId": "roman10.media.converter", "category": "Media & Video", "company": "roman10", "contentRating": "Everyone", "description": "***New Feature***video and audio information displayScan entire devices for video files for conversionExtract part of a video by specifying the start time and end timeExtract mp3 from video, extract aac from video, convert to mp3 or aac from mp4 and other video formatsKey features: -convert to mp4 or h.264 or mpg from most commonly seen video formats (video to video converter)-extract audio from videos, in mp3 or aac format (audio profile, video to audio)-reduce video file size to send out through SMS etc. (Reduce size profile)-convert video while keep original video quality (Keep quality profile)-advanced mode to specify video bitrate, arbitrary resolution, audio bitrate, codec etc. (Manual profile)***video converter android pro key is available. menu->help->GetPro to get the pro version key. It gets rid of the ads and enables more features******If Video Converter Android always fails to convert videos, please press menu=>help=>feedback=>conversion to send out a detailed log. We\u00e2\u20ac\u2122ve been making the app work on more and more devices.***Video Converter Android (VidCon) is the best (and free!) video converters on Android for Android. With the background ffmpeg library support, Video converter for Android can convert almost any video formats to mpeg4 and h264 videos, including asf, avi, divx, flv, m2v, m4v, mjpeg, mkv, mov, mpg, ogg, ogv, rm, rmvb, webm, wmv, dv4 etc. If you want a specific video format to be supported, please leave the details in comments or email us. We\u00e2\u20ac\u2122ll try to add the support in future release. Instead of using MX Video Player, MoboPlayer, DoubleTwist Player, mVideoPlayer, VPlayer, RockPlayer and many other video players to play the video in various formats, you can use Video Converter for Android to convert the video to formats Android support, and play the video using system player with hardware acceleration. It gives you better video experience.With the new audio only profile, we can now convert mp4 to mp3 or other video formats to mp3 or aac.PERMISSIONS:android.permission.INTERNET: for ads display if pro key is not installedandroid.permission.ACCESS_NETWORK_STATE: for deciding if we can send out feedbackandroid.permission.WRITE_EXTERNAL_STORAGE: for store the output video files and logsandroid.permission.WAKE_LOCK: for video conversion when phone screen is switched offandroid.permission.READ_LOGS: for collecting logs in case a conversion fails. Users will be asked if logs should be sent back every time.", "devmail": "liuf0005@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://www.roman10.net/category/android-apps/video-converter-android/&sa=D&usg=AFQjCNFaA09U8yYxMmWp8FfqELK7Cz1HqQ", "id": "roman10.media.converter", "install": "5,000,000 - 10,000,000", "moreFromDev": ["roman10.media.converter.v7neon", "roman10.media.amckey", "roman10.media.converter.v6", "roman10.media.converter.v7", "roman10.media.ffmpeg", "roman10.media.converter.v6vfp", "roman10.media.converter.def", "roman10.media.converter.v7vfp3"], "name": "Video Converter Android", "price": 0.0, "rating": [[" 1 ", 1678], [" 3 ", 1133], [" 2 ", 451], [" 4 ", 2008], [" 5 ", 7936]], "reviews": [["Looked promising", " Conversion is successful unlike all other apps I've tried previously but compression doesn't, setting to lowest resolution keeps output same size as input even if I reduce play time. "], ["No options!", " Converts the video into mp4 format without changes in bit rate or quality. No customization. The pro version will have it but i expect basic features. Installed it 10 min ago, tried once and will uninstall now. "], ["Waist of time!", " If you don't pay for the pro version you can't shrink your videos size down to email them. The paid version says you have the wrong codec installed. So it won't work. Waist of money and time. "], ["I couldn't believe it", " More that impressive I can't believe it. It did the job with no stress. Just pick your file and wala it's done. "], ["Best mobile video converter", " An excellent app that has so far yet to fail me in turning even the most obscure formats into a high quality mp4 file. "], ["Avoid if you have a Samsung note 2", " Bought this to convert the very large video files that the Note 2 produces to a specific size so that I can share them via whatsapp. The conversion process is good and fairly quick. The user interface is not particularly pretty, but that doesn't really bother me. The reason I only gave this 2 stars is that all videos are converted so that when you play the converted versions they play at 90 degrees counterclockwise. I raised this with the developer who said it was a known issue. "]], "screenCount": 8, "similar": ["feipeng.receipt", "jp.co.asbit.pvstar", "roman10.video.videotogif", "com.mib.media", "roman10reborn.topsecret.main", "feipeng.ultimatesecret", "roman10reborn.apl.main", "yong.app.videoeditor", "com.myboyfriendisageek.videocatcher.demo", "roman10.audio.converter", "com.acr.tubevideodownloader", "com.androvid", "com.media.moviestudio", "com.goseet.VidTrim", "com.xvideostudio.videoeditor", "feipeng.ultimatesecret2", "air.br.com.bitlabs.FLVPlayer", "feipeng.ultimatesecret1", "tmn.mp3converter", "com.AndroidA.MediaConverter", "me.abitno.vplayer.t", "com.mine.videoplayer", "com.MediaConverter", "com.elift.hdplayer"], "size": "837k", "totalReviewers": 13206, "version": "1.5.6"}, {"appId": "com.mine.videoplayer", "category": "Media & Video", "company": "turtlerun", "contentRating": "Low Maturity", "description": "Video Player is a highly efficient and convenient video playback tool. We ensure that your file is played in the original resolution, through the optimization of the encoding format file playback speed and effectiveness to achieve the best results. Key feature:* Support popular video formats* Automatic identification of all the video files in the phone* HD playback your video files;* Playlists and continuous play; Please enjoy the smooth playback experience by Video Player!", "devmail": "turtlerun.developer@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.mine.videoplayer", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Video Player", "price": 0.0, "rating": [[" 2 ", 334], [" 1 ", 1190], [" 5 ", 8068], [" 3 ", 1147], [" 4 ", 2215]], "reviews": [["All my movies are in mp4 format but it would only play 3 out ...", " All my movies are in mp4 format but it would only play 3 out of the 11 telling me that the Video format for the other 8 mp4 movies was not a compatible format grrrrrrrr why can't they just make apps that work no hiccups?\tThis app sucked in my opinion! "], ["Good vide player all formats", " Controllers a little childish and has no lock screen so i keep exiting the video but overall good hd and super easy to use and fast "], ["Ads", " The ads are not cool to look at while watching a video. Also, it does not rotate. They have much better free players that offer much more....this is just adware. u49xoT "], ["Very good", " Seems to work well...my music videos wouldn't play and now they do.. thanks "], ["Plays smooth", " Plays very well I have 3 players and this one plays when all others fail. Great app needs to be able to skip 30 seconds or 3 minutes ahead. Skips to far on most videos and can't drag the video ahead either. But plays smooth and great "], ["Downloaded app to view some downloaded clips from my email and it didn't work. ...", " Downloaded app to view some downloaded clips from my email and it didn't work. I'm still trying to find a good app to help me view git one but it plays so slow everything in really slow motion.\tDidn't work "]], "screenCount": 4, "similar": ["yong.desk.weather.google", "com.app.truong531developer.player", "com.eliferun.filemanager", "air.br.com.bitlabs.SWFPlayer", "com.mxtech.videoplayer.pro", "com.andy.flash", "com.eliferun.enotes", "air.air.com.jessoft.flvplayer.FLVPlayer", "com.easy.video.player", "com.myboyfriendisageek.videocatcher.demo", "com.zgz.supervideo", "com.acr.tubevideodownloader", "com.eliferun.compass", "com.easyelife.battery", "com.mxtech.ffmpeg.v6_vfp", "com.alarming.alarmclock", "com.androidcodemonkey.videos.free", "com.turtlerun.chess.main", "com.issess.flashplayer", "air.br.com.bitlabs.FLVPlayer", "com.mxtech.videoplayer.ad", "com.ezmusicplayer.demo", "com.ringtonmaker", "me.abitno.vplayer.t", "com.eliferun.music", "com.eliferun.soundrecorder", "com.mxtech.ffmpeg.v7_vfpv3d16", "com.elift.hdplayer", "com.musicapp.android", "com.turtlerun.opensudoku"], "size": "336k", "totalReviewers": 12954, "version": "1.6.4"}, {"appId": "com.mxtech.ffmpeg.v7_neon", "category": "Media & Video", "company": "J2 Interactive", "contentRating": "Everyone", "description": "MX Player Codec for ARMv7 NEON CPUs.MX Player - The best way to enjoy your movies.** IMPORTANT NOTICE: This is a software component for MX Player, therefore, MX Player has to be installed first. MX Player will test your device and show you the best matching Codec automatically if necessary. You do not need to install Codecs unless MX Player asks you to do so.", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "https://sites.google.com/site/mxvpen/&sa=D&usg=AFQjCNH6fg02edkPZiNAmKThfqdVqXSbSQ", "id": "com.mxtech.ffmpeg.v7_neon", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.mxtech.ffmpeg.v5te", "com.mxtech.ffmpeg.v6", "com.mxtech.ffmpeg.v7_vfpv3d16", "com.mxtech.ffmpeg.x86", "com.mxtech.videoplayer.ad", "com.mxtech.ffmpeg.mips32r2", "com.mxtech.videoplayer.pro", "com.mxtech.ffmpeg.v6_vfp", "com.mxtech.ffmpeg.x86_sse2", "com.mxtech.logcollector", "com.mxtech.kidslock"], "name": "MX Player Codec (ARMv7 NEON)", "price": 0.0, "rating": [[" 1 ", 545], [" 2 ", 231], [" 4 ", 1986], [" 5 ", 13771], [" 3 ", 780]], "reviews": [["No instructions", " So it installs. DTS files don't play. Attempt to locate the codex that is supposed to be installed by this and tell the player to use it. I have no idea what this installer creates. No folders make sense. "], ["Best free player hands down", " Best free player hands down, ignore the morons comments about it not working as they don't match there own hardware to correct codec and blame mx for there ignorance. "], ["Worse than before", " I uninstalled my last mx player codec pack for this one, and now I can't even play a video I took ON my tablet with the factory player! Not even sure how that is possible?! AND, this version was recommended by mx player for the type of videos, streaming and non, that I view. It's a shame, I used to love this player. Now I gotta figure out how to get it back to the way it was before. ----- Samsung Galaxy tab2 "], ["Best for my noir a600", " I love this application it can play all the format i know. Thanks for making this good application and making it free. Job well done "], ["Plz fix.", " Codec installed.. Can't play .Flv videos ... Lag while playing some videos.. xperia z1 ..used to work perfectly on my Samsung galaxy. "], ["Hav'nt tried it", " As soon I can I will give you an rating. Thanks, jimyfmbrz2 "]], "screenCount": 4, "similar": ["com.real.RealPlayer", "com.app.truong531developer.player", "com.wMXPlayerWebPlugin", "com.issess.flashplayer", "air.br.com.bitlabs.FLVPlayer", "air.br.com.bitlabs.SWFPlayer", "com.freevideoplayer.cogsoul.full", "com.mobile.flv.player", "com.andy.flash", "com.elift.hdplayer", "air.air.com.jessoft.flvplayer.FLVPlayer", "org.videolan.vlc.betav7neon", "com.easy.video.player", "me.abitno.vplayer.t", "com.mine.videoplayer", "mobi.pixi.media.player.blue"], "size": "4.8M", "totalReviewers": 17313, "version": "1.7.20"}, {"appId": "com.galaxy.magicalvideoeffects", "category": "Media & Video", "company": "GalaxySoft", "contentRating": "Everyone", "description": "Latest Video effects editor . This special app created only for the complete entertainment as well as to make your gadgets smart, useful and attractive. Now producing and downloading of videos became very interesting and wonderful. This video trimmer and audio cutter apps gives various options. In this app you can easily change your video to audio (.acc file), even you can convert your photos to the videos/Slide show with the music. Beside that this app provide you the facility to trim videos and can add various video effects in your selected videos like Blur Effect, Slow Effect, Fast Effect, mirror Effects, Gray Scale Effect, Negative Effect, etc.You can convert videos in the various formats like AVI, MP4, FLV. There are the some additional functions as well, like Video Rotating and Compression of videos, which makes this apps more valuable than other. But this is not the end, In this you can merge the videos too, for example merge your Marriage Videos with Birthday Party Videos and make it more funny. Shoot your new Videos with these exciting features and add latest music with your videos, produce your own frames and wallpaper.Try this app and share your exciting creativity with social networks like Facebook, Twitter, Google + and upload your funny videos on you tube and show your skills to the world.Features:-> Remove Audio from Video.> Change Audio of Video> Video To Images.> Images To Video(in sequence number).> Video To Audio(.acc file).> Rotate Videos (90deg, 180deg, 270deg)> Compress(can customize resolution, Frame Rate, Bitrate).> Concat(Still with Only with AVI videos).> Make your own Wallpapers from the videos.> Add your own voice to videos.> Multiple approach in a single app.> Created for fun and enjoyment with the memorable moments that become unforgettable.> Awesome HD Graphics with extra ordinary features.> Contains all entertainment tools. > lots of video fx The images used in the screenshots are open source and is governed by wikipedia commons license.", "devmail": "Sales@creatiosoft.com", "devprivacyurl": "N.A.", "devurl": "http://creatiosoft.com&sa=D&usg=AFQjCNEzku0vXQA7_RaOk1sTBFhBJ6l9Vw", "id": "com.galaxy.magicalvideoeffects", "install": "100,000 - 500,000", "moreFromDev": ["com.galaxy.loversromance", "com.galaxy.photogrid.collagecreator", "com.galaxy.audiovideomanager", "com.galaxy.funfaceapp"], "name": "Video Editor : All in One", "price": 0.0, "rating": [[" 4 ", 165], [" 2 ", 56], [" 5 ", 678], [" 3 ", 97], [" 1 ", 260]], "reviews": [["Simply awesome", " "], ["Okay but...", " force closing is not cool at all,other than that its a good and useful application,I like it already. "], ["I dont know where it saves?", " Where does it save? Cuz I cant find it. Please help me :/ Ill give 5 stars. "], ["Love it!", " No doubt this is one of the best video editors ever on android but i wish it would have been simpler. The effects are quite basic. But wish it was as cool as \"Videolicious\". "], ["User-friendly but not a complete package", " Very nice interface to work with, but needs some improvement to function seamlessly. Tablet has to be re-booted to get a newly converted clip into the program's playlist to work further with that clip. I am still not able to get an audio clip generated with the program into the playlist to insert it into another video clip. Overall, the entire process is a bit tedious. First converting, then joining one at a time, extracting audio and replacing original tracts in a few clips. But I like it and want to keep it, if you make some improvements to make it more straightforward. "], ["Don't down load this app", " This things programing sucks if done better programing in my high school days the video is not even in the right place its on the side of the screen went to use the slowmo on the app and it took about 400 seconds yes I did count it the video was 12 seconds for that sized video that's not fast in any ways my harddrive on the my phone is a 1.5 quad core pretty fast so u must be thinking it did great for the video the first 5 seconds were faster then the rest was slow the audio and video don't match up "]], "screenCount": 18, "similar": ["com.smokerwindowslocker", "com.galaxysoft.loveatnight", "com.neon3dlight.cubelivewallpaper", "com.videofx", "com.ray.photobooth.waterphoto", "com.tomcat.flowerdewlocker", "yong.app.videoeditor", "com.galaxystar.color", "com.galaxysoft.loveundersky", "com.tossit.glassbreak.smasher", "com.londonolympics.livewallpaper", "com.newyearnight.livewallpaper", "com.androvid", "com.crazygame.diveideandconquer", "com.nexstreaming.app.kinemix", "com.media.moviestudio", "com.goseet.VidTrim", "com.xvideostudio.videoeditor", "com.galaxysoft.mixpics.photogrid", "roman10.media.converter", "com.movisoft.videoeditor", "com.androvidpro", "com.catflow.andromedia", "com.topapploft.free.videoeditor", "com.wevideo.mobile.android", "com.movisoft.movieeditor", "com.goseet.VidTrimPro", "com.zoonapp.free.videoeditor"], "size": "Varies with device", "totalReviewers": 1256, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json new file mode 100644 index 0000000..b80541c --- /dev/null +++ b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.pandora.android", "category": "Music & Audio", "company": "Pandora", "contentRating": "Everyone", "description": "Great music discovery is effortless and free with Pandora. Just start with the name of one of your favorite artists, songs, genres or composers and we'll do the rest. It's easy to create personalized stations that play only music you'll love.Tap into an entire world of music, including almost a century of popular recordings - new and old, well known and obscure. Create up to 100 personalized radio stations with your free account. Not sure where to start? Create a free account to explore hundreds of music and comedy genre stations.Already a Pandora listener? Even easier. Just log in and enjoy the same free radio service. Your Pandora is the same across the web, on your phone, on your TV, and in your car - access your free personalized radio wherever you want to hear great music or comedy. Note: Pandora may use large amounts of data and carrier data charges may apply. For best results, we recommend you connect your device to trusted WiFi networks when available.", "devmail": "pandora-support@pandora.com", "devprivacyurl": "http://www.pandora.com/privacy&sa=D&usg=AFQjCNFjbYeMZlUpwbtmI4CJCT6OX9CyJA", "devurl": "http://www.pandora.com&sa=D&usg=AFQjCNHJB4FhmKkdTX6X6zpFS00WMd3Qdw", "id": "com.pandora.android", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.pandora.android.gtv"], "name": "Pandora\u00c2\u00ae internet radio", "price": 0.0, "rating": [[" 4 ", 176972], [" 1 ", 53433], [" 2 ", 24829], [" 3 ", 58588], [" 5 ", 786896]], "reviews": [["Needs some tweeking. But I'm still a fan :-)", " Things that are happening on my tablet with the latest version: 1. Bluetooth streaming is not working 2. App closes after 2 minutes in the background. The sleep timer was off and even if it was on, the lowest duration is 15 minutes for the app. My tablet sleep timer is not the issue either. I still love the Pandora concept thus far. "], ["NOT USING THIS ANYMORE", " I don't like this app anymore. It makes you pay for more service? Why? It's slow. Also songs stop in the middle. I'm bot using it anymore. "], ["Need to fix bug to the update", " I am losing patiance with the amount of time since the update rolled out and the time it is taking to get the bugs out. I can't change stations because I get a black screen and now it only plays two minutes before shutting down. :-( "], ["Stopped working", " Since the update it erase every artist I had on here and now I cant even search for any artists it says my pandora time has ran out what is the point on having itif it wont work "], ["Blows hard", " How can people like this? It's just like a normal radio that gives a little extra information on the group or band or rapper. And it let's you skip 5 songs. Whoopdeefuckingdoo! "], ["New update GS4", " Before the update, bluetooth Pandora streamed just fine in my 2014 Silverado thru the my touch system. Now with the new update, it doesn't even recognize it. Need to fix this bug! "]], "screenCount": 8, "similar": ["radiotime.player", "hr.podlanica", "com.maxmpz.audioplayer", "com.maxxt.pcradio", "com.slacker.radio", "com.jrtstudio.music", "com.shazam.android", "com.nullsoft.winamp", "com.audioaddict.di", "tunein.player", "com.clearchannel.iheartradio.controller", "com.spotify.mobile.android.ui", "com.soundcloud.android", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music", "de.arvidg.onlineradio"], "size": "Varies with device", "totalReviewers": 1100718, "version": "Varies with device"}, {"appId": "com.shazam.android", "category": "Music & Audio", "company": "Shazam Entertainment Limited", "contentRating": "Medium Maturity", "description": "Shazam recognizes music and media playing around you. Tap the Shazam button to instantly match, and then explore, buy and share. You can Shazam as much as you want! Once you\u00e2\u20ac\u2122ve Shazamed something, you can:\u00e2\u2014\u2039 Buy tracks on Amazon MP3\u00e2\u2014\u2039 Watch the videos on YouTube\u00e2\u2014\u2039 See what your friends have Shazamed\u00e2\u2014\u2039 Use LyricPlay to sing along to streamed lyrics\u00e2\u2014\u2039 Listen to the music you Shazam in Rdio or Spotify\u00e2\u2014\u2039 Check out the artist\u00e2\u20ac\u2122s bio and discographyYou can also\u00e2\u2014\u2039 Preview and save your favourites\u00e2\u2014\u2039 Share what you Shazam on Twitter, Facebook & Google+\u00e2\u2014\u2039 Shazam even when you don\u00e2\u20ac\u2122t have any coverage; Shazam will match when you have a connection and get back to you with the result\u00e2\u2014\u2039 Shazam from your phone\u00e2\u20ac\u2122s home screen with the Shazam WidgetUpgrade to Shazam Encore for the Shazam experience without the banner ads. Notes: * Previews available: US, UK, DE, FR, CH, AT * Lyrics and LyricPlay available: US, CA, UK, FR, IT, DE, ES, AU, NZ.* Spotify available: AD, AT, AU, BE, CH, DE, DK, EE, ES, FI, FR, HK, IE, IS, IT, LI, LT, LU, LV, MX, MY, MC, NL, NO, NZ, PL, PT, SG, SE, UK, US* Shazam supports devices with cellular connection MIPS devices are not supportedTags: ID song, search music, recognize song, song identification, what\u00e2\u20ac\u2122s that song, track lyrics, tag radio, tag tv, tag television, TV Ad, Android Beam", "devmail": "android.support@shazamteam.com", "devprivacyurl": "http://www.shazam.com/atou&sa=D&usg=AFQjCNFP16mDNNFkhDOAamhW4j_JsvvFfA", "devurl": "http://www.shazam.com&sa=D&usg=AFQjCNGldb-Ir7WA3dFtkORAMepLCsqDoA", "id": "com.shazam.android", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.shazam.encore.android"], "name": "Shazam", "price": 0.0, "rating": [[" 4 ", 85606], [" 3 ", 26346], [" 2 ", 8556], [" 1 ", 23959], [" 5 ", 401488]], "reviews": [["Meh...", " YouTube playback no linger working correctly. App to slow to load. Can we have the original version back yet ? "], ["Connectivity issues on Kitkat", " Great app but since my Nexus upgraded to KitKat many searches fail and I get a message that there is no connection right now. Also there is a new Google lollipop map icon that always in the status bar even though I have location tagging turned off. My phone has connectivity and Shazam still works fine on my iPod. "], ["App won't open", " Recently from the newest update, the app won't open on my phone anymore. I do love this app but now.... The 'Welcome' screen will come on, but it won't connect to my wifi and open the app. Fix please. "], ["Love", " Love it, so useful! Tells me what song is playing when no one else can, plus has really handy links to the music video on youtube and a page with the lyrics. I can't recommend it enough. I shazam the song, bring up the lyrics and find myself singing along to a song I didn't know the name of a few moments ago! "], ["Good but 4.0 is not as good as previous versions", " You removed a cool feature, when i tap the button i cant stop recording before it stols automatically, if im listening a song in the radio and it is changed it re ords garbage, in previous versikns i was able to avoid this "], ["Needs Explore!", " With the newest update the app is perfect! 10/10 "]], "screenCount": 13, "similar": ["com.musixmatch.android.lyrify", "download.mp3.music.app", "com.maxmpz.audioplayer", "com.miciniti.musicagratis", "com.jrtstudio.music", "hr.podlanica", "com.nullsoft.winamp", "nl.JessevanAssen.ShazamTagShortcut", "com.download.mp3music", "com.google.android.music", "com.spotify.mobile.android.ui", "com.pandora.android", "com.soundcloud.android", "com.melodis.midomiMusicIdentifier.freemium", "com.sonyericsson.trackid", "tunein.player"], "size": "Varies with device", "totalReviewers": 545955, "version": "Varies with device"}, {"appId": "com.clearchannel.iheartradio.controller", "category": "Music & Audio", "company": "Clear Channel Broadcasting, Inc.", "contentRating": "Medium Maturity", "description": "Listen to your favorite live stations or create your own with iHeartRadio -- the only app you need to stream live radio and enjoy commercial-free custom music stations. \u00e2\u20ac\u0153The best streaming radio app\u00e2\u20ac\ufffd (CNET)iHeart's Android radio app also offers activity-based music recommendations and on-demand audio from your favorite talk shows and personalities. Set an alarm clock to wake you up to your favorite station or remind you to tune in to your favorite show. Features:\u00e2\u20ac\u00a2 The best of LIVE INTERNET RADIO: pop, country, hip-hop and R&B, rock, talk, news, sports & more \u00e2\u20ac\u00a2 Create CUSTOM MUSIC stations: over 16 million songs from 400,000 artists \u00e2\u20ac\u00a2 PERFECT FOR: playlists for working, driving, working out & hundreds more activities \u00e2\u20ac\u00a2 TALK: on-demand episodes from great names in news, sports, finance, comedy & entertainment Log in via email or Facebook to create custom music stations, save live radio stations to your Presets, and access your favorites from wherever you use iHeartRadio. It's fast, easy and FREE! Have a suggestion, question or concern? Please email us at help@iheartradio.com and we'll be happy to assist you.", "devmail": "support@iheartradio.com", "devprivacyurl": "N.A.", "devurl": "http://www.iheartradio.com&sa=D&usg=AFQjCNFfpUGla229u3xBKtL4Wz12UC10hw", "id": "com.clearchannel.iheartradio.controller", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.clearchannel.iheartradio.connect"], "name": "iHeartRadio \u00e2\u20ac\u201c Internet Radio", "price": 0.0, "rating": [[" 5 ", 204002], [" 1 ", 12573], [" 3 ", 10948], [" 2 ", 5000], [" 4 ", 37921]], "reviews": [["\"Your device is incompatible with this version.\"", " Rant over, problem solved. All Nexus users rejoice! One of the best radio apps out there! "], ["Will this app ever get moved to sd card?!!", " Only thing is the space it takes up in my phone, over14MB when it says its 7.38MB. All phones don't have 4&5 GB of internal memory to continue to accomodate this apps updates. It slows up my phone. I've sent emails, left other reviews but nothing! There have been several updates, still nothing! Please update to move to SD card cause I don't think this app should have access to my card if it doesn't dl and install on my sd.Why don't you listen to ppl who use or want to use the app. Uninstall! "], ["Perfectt", " Excellent sound quality, minimal confusion, many options most radio apps don't have. I can't seem to find a single flaw or a better radio station. "], ["Oh heck yes!", " This new iHeart is amazing!!! I love it. Its my life line and the new update is beast :D "], ["Awesome!", " A pretty flawless app. Very rarely needs buffering. Could sync the iheart comercials better. Seems like they start even but by time ihearts coms are done the radio is back on but in the middle of a song. Irritating. Awesome otherwise! "], ["Thumbs down ignored", " I get that programming software is hard but if I thumbs down the same 3 artists in a row every time they come up, why is it so hard to stop playing those same 3 artists (in a row, even)? I mean 6 songs in a row (all previously rejected) every time I play this particular station? Other than that, this is a great app. Should be 5 stars. "]], "screenCount": 22, "similar": ["de.arvidg.onlineradio", "hr.podlanica", "com.shazam.android", "com.slacker.radio", "radiotime.player", "com.maxxt.pcradio", "com.jangomobile.android", "com.audioaddict.di", "com.android.DroidLiveLite", "tunein.player", "com.pandora.android", "de.radio.android", "com.soundcloud.android", "com.audioaddict.sky", "com.google.android.music", "es.androideapp.radioEsp"], "size": "Varies with device", "totalReviewers": 270444, "version": "Varies with device"}, {"appId": "tunein.player", "category": "Music & Audio", "company": "TuneIn Inc", "contentRating": "Low Maturity", "description": "TuneIn lets you listen to the world\u00e2\u20ac\u2122s radio with music, sports, news, talk, and comedy streaming from every continent. Enjoy 100,000 live radio stations and 2 million podcasts, concerts or shows on your Android phone or tablet, all for free.Sports fans rejoice! Use TuneIn to listen to hundreds of college football games spanning every conference. Just browse \"Sports-->College Football\" at game time for a full listing of that day's events. If the game hasn't started, you can add it to your calendar to receive a reminder so you don't miss a play. Already a TuneIn listener? TuneIn Radio is fully integrated with tunein.com, so just log in to enjoy your Favorites right from your Android.Love TuneIn? Rate us on Google Play. We\u00e2\u20ac\u2122re always trying to make TuneIn better. If you have questions or suggestions, please share them with us! support@tunein.comWant us to help you find the best audio gems?\u00e2\u0153\u00aa +1 us on Google Play\u00e2\u0153\u00aa Like us on Facebook: www.facebook.com/tunein\u00e2\u0153\u00aa Follow us on Twitter: www.twitter.com/tuneinThis software uses code of FFmpeg (ffmpeg.org) and LibMMS (Launchpad.net/libmms) licensed under the LGPLv2.1 (www.gnu.org/licenses/old-licenses/lgpl-2.1.html) and their source can be downloaded at tunein.com/support/android", "devmail": "android-support@tunein.com", "devprivacyurl": "N.A.", "devurl": "http://tunein.com/support/android/&sa=D&usg=AFQjCNHcGwngegjV9i7iJuDKS3SocdFa-w", "id": "tunein.player", "install": "50,000,000 - 100,000,000", "moreFromDev": "None", "name": "TuneIn Radio", "price": 0.0, "rating": [[" 4 ", 57131], [" 3 ", 17702], [" 2 ", 6195], [" 1 ", 12324], [" 5 ", 263168]], "reviews": [["Restore back to previous update", " This new update makes this wonderful app miserable, voice keep vibrating "], ["a little bug here", " It would be the greatest app ever in the field of streaming radio, if you just solved a problem with stuttered playback when my phone switches between networks or tries to find a network (I suppose, for this reason delayed buffering has been created) "], ["Love it!", " Downloaded this app in hopes I could listen to NASCAR on it. Nothing I had downloaded before even seemed to work for that. But this is so awesome. I can get any sport I want, any music I want, just anything I want! Only problem so far has been that every once in a while, there is a problem accessing the station I want where it won't play more than a minute or sp at a time. Other than that, definitely worth 5 stars! "], ["Best radio app", " This is the best radio app I've used. Clean, bug free, and meets the Google design guidelines. The sound is so clean and sharp, it's easy to navigate, and you don't have to be in app to control the app. I highly suggest you download it. "], ["Not initially user friendly", " I just installed this app & cannot figure out how to make it work. I was born in the '50's but do quite well on computers having started out on DOS for heaven's sake. GOOD GRIEF (yes, I am shouting). I can't get it do play anything. Arrrrgghh! "], ["Slight annoyance", " It vibrates to the music playing which annoys me. Aside from that, fantastic for any radio station you can think of. "]], "screenCount": 14, "similar": ["com.jrtstudio.music", "hr.podlanica", "de.arvidg.onlineradio", "com.maxmpz.audioplayer", "com.shazam.android", "radiotime.player", "com.maxxt.pcradio", "com.nullsoft.winamp", "com.audioaddict.di", "playfm.globus.droid", "com.clearchannel.iheartradio.controller", "com.pandora.android", "de.radio.android", "com.soundcloud.android", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music"], "size": "9.0M", "totalReviewers": 356520, "version": "11.0"}, {"appId": "com.soundcloud.android", "category": "Music & Audio", "company": "SoundCloud", "contentRating": "Low Maturity", "description": "Hear original music & audio from the world's largest community of musicians, bands, producers and audio creators of all types. SoundCloud is the world\u00e2\u20ac\u2122s leading audio platform, with over twelve hours of music & audio posted every minute. Find and play new songs, remixes, comedy, news and more. With the SoundCloud app for Android, you can hear anything, wherever you are. Key features:\u00e2\u0153\u201c New Explore: browse trending tracks by genre or check out the 'Trending Music' and 'Trending Audio' feeds.\u00e2\u0153\u201c Search and discover new music & audio for free\u00e2\u0153\u201c Discover and follow diverse music & audio creators \u00e2\u0153\u201c Listen to sets (collections of tracks), or create your own playlists and share them with your followers\u00e2\u0153\u201c Listen to a stream of new tracks wherever you are; streaming audio playback over WiFi or cellular data connection\u00e2\u0153\u201c Record your own sounds with one touch and share to Facebook, Twitter, and Tumblr\u00e2\u0153\u201c Includes optional Record Widget for the homescreen\u00e2\u0153\u201c Lockscreen playback supported (play, pause and skip tracks without unlocking the screen)\u00e2\u0153\u201c Google+ Sign-in and share!How to use SoundCloud:SoundCloud brings you the best original new music & audio direct from the creators themselves. Find and follow your favourite bands, singers, producers and audio creators of all kinds, so that their latest tracks, sets and recordings appear in your stream.Sharing your favourite music and audio to social networks is simple and fast: post tracks to Facebook, Twitter, Google+ and Tumblr so your friends can hear them too.Get started with SoundCloud: it's easier and simpler than ever to discover and share music & audio you love.- Join the community: connect on SoundCloud with friends and music & audio creators you already follow on Facebook - Choose your favorite genres to launch your SoundCloud stream full of music & audio you want to hear- Get personalized content suggestions to help you discover new music & audio creators you'll love Praise for SoundCloud:\"SoundCloud is focused on building out a massive trove of content, weaving it all into the Web and making it easier to share. The \"YouTube for audio\" analogy looks increasingly apt, especially if its metrics continue to shoot skyward.\" - ReadWrite\"Over the past few years the company has grown from a small Berlin-based startup into one of the world\u00e2\u20ac\u2122s leading online audio distribution platforms with a truly global footprint.\" - The Independent UK\"SoundCloud is a sharing machine. Remember the early days of audio online \u00e2\u20ac\u201d when you had to download the Real Player or Windows Media Player to listen? The days of downloading before listening are over.\" - USA Today\"Podcasts have been around for ages, but making one still feels too much like making a radio show: You face the empty-mic problem\u00e2\u20ac\u201dwhat do I have to say? Tools like SoundCloud make it easier to archive and share stray snippets. It\u00e2\u20ac\u2122s more like Instagram than NPR.\" - Wired Magazine (US)\"It's an evolution of audio's most vital self-service creation and discovery platform, music's best analogue to Twitter, YouTube, and Kindle Direct Publishing. It's not just finding or sharing songs or podcasts or spoken-word readings your friends may be listening to \u00e2\u20ac\u201d it's finding and sharing the people who make those recordings, too.\" - The Verge Discovering great new music has never been simpler. Use the powerful search feature to search for specific people, sounds or sets. Whether you are seeking dubstep, R&B, hip-hop and rock music or the latest news & current affairs, you can find it on SoundCloud.", "devmail": "help@soundcloud.com", "devprivacyurl": "http://soundcloud.com/pages/privacy&sa=D&usg=AFQjCNH4PL0D4yujXR1oRFnXj0__y4o1eA", "devurl": "http://soundcloud.com/apps/android&sa=D&usg=AFQjCNEMHYkxxvZfHMSRWPy3NeaJTwJv4w", "id": "com.soundcloud.android", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "SoundCloud - Music & Audio", "price": 0.0, "rating": [[" 2 ", 2230], [" 5 ", 52618], [" 3 ", 5565], [" 4 ", 13031], [" 1 ", 4796]], "reviews": [["Very poor", " Wont let me see the two new tracks on my profile which I uploaded a hour ago. The old version was fine if something not broken dont fix it. Now going to be stuck with this till they sort the bugs out. Thanks soundcloud "], ["Over all exclent", " Two stars because seek bar no longer functions properly after liking a song. Makes skipping around impossible. When connected to blue tooth and you disconnect it pauses the song. Once you resume playing after reconnecting it will start the song over instead resuming from where you left off. A inconvenience if you listen to long songs or mixes "], ["useless...", " its pretty much against everything that makes it useful in the first place... until i see a download button, an on/off for comments or an add to setlist function that works properly via the app... i quit. "], ["No way to view recent activity/interactions", " Why? Why would it be a good idea to remove that feature? Completely nonsensical. If it's not broken, don't fix it!!! "], ["Pretty good app", " Maybe I'm missing something, but I would give 5 stars if there was a repeat playback option. Either it's a glaring omission or incredibly hard to find. "], ["Very poor application", " The app stop and resume at each letter typing on keyboard !!!! Wth u do ?!! Cannot edit profile on the app and when opening any soundcloud link on the browser or facebook the application didnot open or even ask me to open the link using soundcloud !!! Almost dead very poor application and too bad work dont know what the hell the developers do U all suck "]], "screenCount": 13, "similar": ["com.spotify.mobile.android.ui", "hr.podlanica", "com.maxmpz.audioplayer", "com.miciniti.musicagratis", "com.solarspark.scdownloader", "com.jrtstudio.music", "com.shazam.android", "com.nullsoft.winamp", "com.download.mp3music", "net.afsysho.freemusic", "tunein.player", "com.n7mobile.nplayer", "com.pandora.android", "com.dawncoast.twilight", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music"], "size": "Varies with device", "totalReviewers": 78240, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtaaab.json_merged.json b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtaaab.json_merged.json new file mode 100644 index 0000000..35c6177 --- /dev/null +++ b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtaaab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.spotify.mobile.android.ui", "category": "Music & Audio", "company": "Spotify Ltd.", "contentRating": "Everyone", "description": "With the Spotify app and a Spotify Premium subscription you can listen to unlimited music on your mobile. Try it free for 48 hours. Premium 48-hour free trialIf you haven\u00e2\u20ac\u2122t tried Premium before, you can try it for 48-hours, completely free. Just download the app and log in using your Facebook account*. \u00e2\u20ac\u00a8\u00e2\u20ac\u00a8After your trial, you can still listen to your own music, or subscribe to... Spotify PremiumPremium is the top-of-the-range Spotify experience. Now you can sync all your favourite playlists to your phone and listen offline. Or go online and stream anything you like from the Spotify library. It\u00e2\u20ac\u2122s access all areas with Premium. Praise for Spotify- \"Spotify is so good\" \u00e2\u20ac\u201c Mark Zuckerberg - CEO and Founder of Facebook- \"The celestial jukebox is no pipe dream; it\u00e2\u20ac\u2122s here now.\" - Time- \"Spotify makes music fun again, just like the iPod did nearly 10 years ago.\" \u00e2\u20ac\u201c Billboard.biz Spotify Premium features \u00e2\u20ac\u00a8\u00e2\u20ac\u00a8\u00e2\u20ac\u00a2 Instant access to millions of songs \u00e2\u20ac\u00a8\u00e2\u20ac\u00a2 Stream online \u00e2\u20ac\u00a8\u00e2\u20ac\u00a2 Listen offline \u00e2\u20ac\u201c no mobile connection needed \u00e2\u20ac\u00a8\u00e2\u20ac\u00a2 Share music with your friends \u00e2\u20ac\u00a8\u00e2\u20ac\u00a2 Star your favourite tracks \u00e2\u20ac\u00a8\u00e2\u20ac\u00a2 Wirelessly sync your own music to your Android \u00e2\u20ac\u00a8\u00e2\u20ac\u00a2 Create and sync playlists \u00e2\u20ac\u00a8\u00e2\u20ac\u00a2 Send the music you\u00e2\u20ac\u2122re enjoying direct to Last.fm & Facebook \u00e2\u20ac\u00a8Love Spotify?Like us on Facebook: http://www.facebook.com/spotifyFollow us on Twitter: http://twitter.com/spotify* If you don\u00e2\u20ac\u2122t have log in details - simply register for a free Spotify account on the Spotify website. Full mobile terms of Use & 48-hour free trial terms and conditions can also be found on the Spotify website.", "devmail": "support-android@spotify.com", "devprivacyurl": "N.A.", "devurl": "http://www.spotify.com/mobile/&sa=D&usg=AFQjCNHUJrvuxlzKA0n-_0tbpouBczA6lA", "id": "com.spotify.mobile.android.ui", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Spotify", "price": 0.0, "rating": [[" 4 ", 32140], [" 3 ", 15552], [" 5 ", 126308], [" 2 ", 8621], [" 1 ", 28494]], "reviews": [["Behind the iOS version still", " Still lacking features that the iOS version already has. Why is there no track name or artist name sent over Bluetooth? I primarily listen in my car, so I find this to be an important feature. I'm switching to Google Play Music which has this feature already. "], ["Good service", " My favourite streaming service. Since I got the Nexus 5/KitKat I'm not seeing album art any more. "], ["Album art doesn't show up on my Nexus 5", " Excellent music selection. I've had Spotify for about 3 years and it's always been awesome. Just upgraded to the Nexus 5 and now I get NO album art on anything. Very annoying and I would greatly appreciate a fix... I understand there is work being done to update it. Thanks! "], ["Good", " Great place for music "], ["super slow load times.", " This app used to have better load times but latest updates allows things to slow down dramatically. Fix this because it's horrible. "], ["Restore shuffle/repeat buttons", " This change is confusing and breaks one hand use. Previous placement made sense. Also fix artwork on KitKat after restoring buttons. "]], "screenCount": 8, "similar": ["br.com.rodrigokolb.realdrum", "hr.podlanica", "download.mp3.music.app", "com.maxmpz.audioplayer", "com.smule.magicpiano", "com.cewan.spotify", "com.jrtstudio.music", "com.shazam.android", "com.nullsoft.winamp", "com.download.mp3music", "tunein.player", "com.pandora.android", "com.soundcloud.android", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music", "deezer.android.app"], "size": "Varies with device", "totalReviewers": 211115, "version": "Varies with device"}, {"appId": "com.melodis.midomiMusicIdentifier.freemium", "category": "Music & Audio", "company": "SoundHound Inc.", "contentRating": "Medium Maturity", "description": "Now Tablet Optimized!Features:\u00e2\u2014\u00a6 Blazing fast music recognition\u00e2\u2014\u00a6 The world's only singing and humming recognition\u00e2\u2014\u00a6 LiveLyrics: see lyrics move in time with the music\u00e2\u2014\u00a6 SoundHound Headlines: brings you free song streams, new artists, and more\u00e2\u2014\u00a6 Real-time Facebook and Twitter updates from your favorite artists\u00e2\u2014\u00a6 Facebook and Twitter sharing, listen-on-startup, and geotagging\u00e2\u2014\u00a6 Buy links, YouTube videos, artist biographies, and much more\u00e2\u0153\u00a7 Thank you to our 150 million+ fans and loyal users for making SoundHound a must-have App! \u00e2\u0153\u00a7\u00e2\u02dc\u2026 Reviews and Honors for SoundHound \u00e2\u02dc\u2026Top 10 Must-Have Android Apps - Bob Tedeschi, NY TimesBest Music Engagement App - BILLBOARD Music App AwardsYour top 10 Android Apps - \"I love this app... unique in its class.\" - Jessica Dolcourt, CNETThe Best Android Apps - \"There's no limit.\" - John Herrman, Gizmodo\"Genius, isn't it?\" - B.B.C. World Radio \"This is amazing... insane, right?\" - David Pogue of the NY TimesNote: Location is used to store where songs were discovered. It can be disabled from the Options menu.Explanation of requested permissions:RECORD AUDIOUsed to record audio for both music and voice search.CHANGE YOUR AUDIO SETTINGSUsed to ensure optimal audio recording settings.FINE (GPS) LOCATIONCOARSE (NETWORK-BASED) LOCATIONUsed to enhance search results and remember where a search took place, which is displayed through History. This can be disabled in app settings.FULL INTERNET ACCESSUsed to communicate with servers for search results and other content.READ PHONE STATE AND IDENTITYUsed to mute SoundHound audio when receiving phone calls.MODIFY/DELETE USB STORAGE CONTENTS MODIFY/DELETE SD CARD CONTENTSUsed to cache data.CONTROL VIBRATORUsed to notify when search results are ready.VIEW WI-FI STATEUsed to allow usage through WI-FI.VIEW NETWORK STATEUsed to detect when internet access is available.Tags: Sound Hound Music Sing Song ID Tag", "devmail": "support-android@soundhound.com", "devprivacyurl": "http://www.soundhound.com/index.php", "devurl": "http://www.soundhound.com&sa=D&usg=AFQjCNFU31OlZWY9ZIGIdRpVhLqUPLylMw", "id": "com.melodis.midomiMusicIdentifier.freemium", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.melodis.midomiMusicIdentifier", "com.melodis.midomiMusicIdentifier.hound"], "name": "SoundHound", "price": 0.0, "rating": [[" 2 ", 4329], [" 5 ", 153207], [" 1 ", 12608], [" 3 ", 13445], [" 4 ", 41305]], "reviews": [["Thumbs Up!", " Love the lyric display, kinda similar to a karaoke.. Great app yet runs slow & doesn't recognize humming no singing as advertised.. other than that--->> Love it :) "], ["always dreamed for it", " whenever listening to a music over radio or in a public place or in metro station with advertisement, and you suddenly feel like this the music you want to hear again and again and the moment you realize you don't know the name of it and you cant search and find it on your own...... okay those days are over. here is this great app to find out the music's details :) :) "], ["Stopped recognizing anything", " Most recent update has stopped recognizing *all* songs. It won't even recognize 'Thriller', so I know the recognition engine is borked. I really wish I'd saved the previous installer file, as that worked very well. "], ["When it works - it's ok.", " After some recent update app refuses to start (black empty screen) or takes a couple of minutes to launch. I have missed few songs that I wanted to recognize simply because of huge startup lag. Sadly this app progressively bloats and gets worse :( "], ["Not quite", " Got a low success rate for of but its probably just my choice in music but they still need to expand there library "], ["Not great", " I used to love this app until it started failing me all the time. For the past 2 months, this app has not been understanding what it hears and constantly either says the wrong song or claims it doesn't know. The sound is good with no background noises every time. "]], "screenCount": 16, "similar": ["com.google.android.ears", "com.shazam.encore.android", "hr.podlanica", "download.mp3.music.app", "com.maxmpz.audioplayer", "com.smule.magicpiano", "com.jrtstudio.music", "com.shazam.android", "com.nullsoft.winamp", "com.download.mp3music", "com.google.android.music", "com.spotify.mobile.android.ui", "com.pandora.android", "com.soundcloud.android", "com.sonyericsson.trackid", "tunein.player"], "size": "Varies with device", "totalReviewers": 224894, "version": "Varies with device"}, {"appId": "com.smule.magicpiano", "category": "Music & Audio", "company": "Smule", "contentRating": "Low Maturity", "description": "From Bruno Mars to Mozart, play songs by the hottest artists on the #1 piano game! Get free songs every day and enjoy the best song catalog of any piano app. Join the over 25 million Magic Piano players and experience the fun of playing piano - no lessons or tutors needed!Featured in the New York Times and Time magazine, Magic Piano makes you a piano virtuoso - any time, anywhere. Just touch the beams of light, and you control the notes, rhythm and tempo of each piece while Magic Piano serves as your guide. Share your performances with friends via Google Plus, Email, Facebook, Twitter, or SMS!HUNDREDS OF SONGS - NEW SONGS ADDED EVERY WEEK! CHECK BACK DAILY FOR NEW FREE SONGS!Choose from the largest music catalog of any piano app.- Hot new music is added to the app regularly, so check back often.- Earn new songs by playing and by watching videos- Check back daily for free music every day!Current music in the app includes:POP:\u00e2\u20ac\u00a2 Safe and Sound - Capital Cities\u00e2\u20ac\u00a2 Counting Stars - One Republic\u00e2\u20ac\u00a2 Blurred Lines - Robin Thicke Ft. T.I. + Pharrell (VIP)\u00e2\u20ac\u00a2 Wake Me Up - Avicii ft. Aloe Blacc\u00e2\u20ac\u00a2 Cups - Anna Kendrick\u00e2\u20ac\u00a2 Treasure, Grenade, When I Was Your Man - Bruno Mars\u00e2\u20ac\u00a2 Stay - Rihanna ft. Mikky Ekko\u00e2\u20ac\u00a2 Try, F**kin' Perfect - Pink\u00e2\u20ac\u00a2 Gangnam Style, Gentleman - PSY\u00e2\u20ac\u00a2 Good Time, Call Me Maybe - Carly Rae Jepson\u00e2\u20ac\u00a2 Moves Like Jagger, Misery - Maroon 5\u00e2\u20ac\u00a2 Boyfriend, Beauty And A Beat - Justin Beiber\u00e2\u20ac\u00a2 Love You Like a Love Song - Selena GomezROCK: \u00e2\u20ac\u00a2 Eye of the Tiger - Survivor\u00e2\u20ac\u00a2 Rock You Like a Hurricane - Scorpions\u00e2\u20ac\u00a2 More Than Words - Extreme\u00e2\u20ac\u00a2 Clocks - Coldplay\u00e2\u20ac\u00a2 The Final Countdown - Europe\u00e2\u20ac\u00a2 Bring Me to Life - Evanescence\u00e2\u20ac\u00a2 Hey There Delilah - Plain White T\u00e2\u20ac\u2122s\u00e2\u20ac\u00a2 How to Save a Life - The FrayCLASSICAL: \u00e2\u20ac\u00a2 Ave Maria \u00e2\u20ac\u00a2 Moonlight Sonata\u00e2\u20ac\u00a2 Ode to Joy R&B\u00e2\u20ac\u00a2 I Believe I Can Fly - R. Kelly\u00e2\u20ac\u00a2 Hero - Mariah Carey\u00e2\u20ac\u00a2 Lean On Me - Bill Withers\u00e2\u20ac\u00a2 Back on the Chain Gang - The Pretenders\u00e2\u20ac\u00a2 Respect - Aretha Franklin\u00e2\u20ac\u00a2 Want You Back - Jackson 5\u00e2\u20ac\u00a2 My Girl - The Temptations MOVIES AND MUSICALS:\u00e2\u20ac\u00a2 A Whole New World\u00e2\u20ac\u00a2 Phantom of the Opera \u00e2\u20ac\u00a2 Jurassic Park ThemeWant a song that's not available? Suggest songs on Smule\u00e2\u20ac\u2122s Facebook or Google+ page: www.facebook.com/smule and http://gplus.to/smuleSHARE YOUR PERFORMANCES WITH THE WORLD!Share the beauty of music with your friends and other Magic Piano players.-Broadcast your performances on the in-app Smule Globe or listen to other players' songs and give their performances some love.-Share your pieces through Google Plus, Facebook, Twitter, email or SMS.www.smule.comwww.gplus.to/smulewww.facebook.com/smulewww.youtube.com/smulewww.twitter.com/smulePlease note: 1) We have discovered a minor, non-functionality impacting issue on the Nexus 10. We are aware of this and are working with Google to address the issue.2) While you can use your existing Smule account with Magic Piano on Android, the content of the apps differ substantially, and consequently songs and Smoola are not shared between iOS and Android. Thank you for your understanding.3) For some devices where we know there are issues, we have restricted installs for now. For example, the Samsung Galaxy S II has audio bugs in the phone itself that make the Magic Piano experience... well, not so magical. However, Android hardware and software are constantly improving so if we are able to support some of these devices in the future we absolutely will!", "devmail": "support-android@smule.com", "devprivacyurl": "http://www.smule.com/privacy&sa=D&usg=AFQjCNGweTWdEGd4XAuVtvexcvcAhaRoZQ", "devurl": "http://www.smule.com&sa=D&usg=AFQjCNGe8bwca1SDHb5-IBAVbwxUi88T1g", "id": "com.smule.magicpiano", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.smule.singandroid", "com.smule.autorap", "com.smule.songify"], "name": "Magic Piano", "price": 0.0, "rating": [[" 2 ", 3057], [" 4 ", 10310], [" 5 ", 50940], [" 3 ", 5915], [" 1 ", 7544]], "reviews": [["Problem much?", " After I used an offer, the songs I played were mute. Then, I discovered that all sounds were muted even though my device volume is at max. After trying again, a screen that read 'download' appeared and refused to disappear until I clicked the back button on my device, even though I clicked on the x button more than once. Problem much? Update: Package file invalid? "], ["Good but..", " Ive been playing this game for a few days and i really like it but it impossible for me to get more coins because ive done all songs and got all of the free ones which i can get, if u can help me with this ill rate 5 stara "], ["Great game, but...", " There is an issue where my Samsung Galaxy Player 4.0 will occasionally freeze up and restart itself. Also, when it turns off, I have to download my songs all over again. The thing with my device is that it only uses wifi, which isn't always available. Could you please fix? Thank you. Update: Now it won't let me update because of an invalid package file?? "], ["Fun", " I find this app very entertaining and fun. I find some of my favorite songs on it and I get to play them, for example, Flight of the Bumblebee. I recently tried to update it, but the file package was invalid. "], ["Game stopped working after update", " Before i enjoyed playing the game but now after updating the game every time i start the game it says unfortunately magic piano has stopped responding.. "], ["Update won't work!", " The songs work great on my LG Nitro but now I can't update because of an invalid package, so untilled this is solved this apparently is being uninstalled. "]], "screenCount": 17, "similar": ["com.spotify.mobile.android.ui", "com.soundcloud.android", "com.gismart.guitar", "hr.podlanica", "br.com.rodrigokolb.realdrum", "com.maxmpz.audioplayer", "com.rubycell.pianisthd", "com.shazam.android", "com.nullsoft.winamp", "com.nullapp.piano", "br.com.rodrigokolb.realpiano", "tunein.player", "souvey.musical", "com.bti.myPiano", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music"], "size": "19M", "totalReviewers": 77766, "version": "1.3.2"}, {"appId": "com.amazon.mp3", "category": "Music & Audio", "company": "Amazon Mobile LLC", "contentRating": "Everyone", "description": "Amazon makes it easy to play your music, everywhere. With the free Amazon MP3 app, you can play music from your Android phone or tablet, shop for music at Amazon, or stream your music stored in Amazon Cloud Player - even download your music from the cloud and listen offline. Amazon has over 20 million songs at low prices - see new music, bestsellers, and free music from rising artists. Save your MP3 purchases directly to Cloud Player for free and play them instantly on your phone or tablet, plus play or download them anytime from your computer or other devices. To listen to your music, visit amazon.com/cloudplayer and quickly import your library from iTunes or your MP3 music folders. Then use the app to stream your music from Cloud Player, or download it to play offline or reduce data plan usage. You can also play your music from Cloud Player on your computer, iPhone or iPad, or other devices. Or, if you prefer, sideload the music to your Android phone or tablet and start listening instantly.", "devmail": "digital-music-android-feedback@amazon.com", "devprivacyurl": "http://www.amazon.com/gp/help/customer/display.html", "devurl": "http://www.amazon.com/mp3getstarted&sa=D&usg=AFQjCNGQlMX4p_vtbitnDftdYpBUhKmjBA", "id": "com.amazon.mp3", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.amazon.student.android", "com.amazon.myhabit", "com.amazon.ember.android", "com.amazon.avod", "com.amazon.kindle", "com.amazon.pricecheck", "com.amazon.ember.merchant.android", "com.amazon.santa", "com.amazon.clouddrive.photos", "com.amazon.mShop.android", "com.amazon.windowshop"], "name": "Amazon MP3 \u00e2\u20ac\u201c play and download", "price": 0.0, "rating": [[" 2 ", 3954], [" 1 ", 31342], [" 4 ", 18128], [" 5 ", 50142], [" 3 ", 9458]], "reviews": [["Negatives outweigh the positives", " There are some aspects of the app since the update which work well, the design, store and search function. However there are many things which don't work; there used to be an option to add a song / artist to now playing list, this has gone. When shuffling the music there is no way of knowing what track is up next as the track list doesn't change. For some reason it skips tracks at random which is very frustrating. Even more annoying, the app for apple works better! "], ["Works, sometimes.", " DRM free. I can download them more than once. I'm not required to have a certain program installed to play MY music. The files get downloaded with actual names and not buried in some random folder. Amazon's music service is probably one of the best ones out there. The app however, has issues. The player is passable. Trying to sort through all of the music on my device is a pain. More than once, I have downloaded music that I purchased through Amazon mp3, only to find the app had not downloaded the entire song. In short, Amazon mp3 service is great, Amazon mp3 app isn't. "], ["Used to Love it", " I'm not liking the new look, it's unpleasant to the eyes. When playing music it pauses when ever it wants (which it never used to do). App told me to check out the new widget but when I went to my widgets it was not there. I'll still use the app because I like the ability to access the music player while the phone is locked. "], ["No good after latest update", " Since the latest update I have had playback issues, stopping, skipping through tracks and crackling in the song......used to work great, please fix "], ["ANNOYED!!", " I used to LOVE this app, but ever since the last update I can not download a full song. They keep stopping 30-60 seconds short, the Amazon store won't open properly & now I can't search for anything. It's ridiculous. Every time there is an update it gets worse & worse. This app SUCKS now! I am very disappointed. "], ["new update issues", " Since the last update all of my playlists have been deleted twice. The music stops half way into the song and starts over again. Never had issues before please fix "]], "screenCount": 4, "similar": ["com.amazonaws.mobile.apps.Authenticator", "com.buscadormp3.app", "com.demiroot.amazonfresh", "download.mp3.music.app", "com.sohretdl.FreeMusic", "com.young.imusic", "com.shazam.android", "com.mp3skull.music", "com.tellmei.ringtone", "com.download.mp3music", "free.zaycev.net", "com.yong.yinyue.gongju", "com.studiosol.palcomp3", "com.xcs.mp3cutter", "com.munets.android.bell365hybrid", "com.dj.ringtone", "com.google.android.music", "com.vimtec.ringeditor"], "size": "Varies with device", "totalReviewers": 113024, "version": "2.8.1"}, {"appId": "com.google.android.music", "category": "Music & Audio", "company": "Google Inc.", "contentRating": "Everyone", "description": "Google Play Music makes it easy to discover, play and share the music you love on Android and the web. With our new All Access service, you can play millions of songs on Google Play, listen to radio with no limits, and enjoy playlists handcrafted by our music experts.With both All Access and Standard, the Google Play Music app lets you listen to your music collection anywhere. All your music is stored online, so no need to worry about syncing, storage space or offline playback.All Access features:* Listen to unlimited songs* Create custom radio from any song, artist or album* Enjoy radio without skip limits* Get smart recommendations based on your tastesAll Access and Standard features:* Add up to 20,000 of your own songs from your personal music collection* Access your music anywhere without syncing, and save your favorites for offline playback* Experience music without ads* Buy new music on Google Play (18M+ songs)* Share a free full play of the songs you purchase from Google Play with your friends on Google+.* Learn more about availability of Google Play Music at https://support.google.com/googleplay/?p=availability* Learn more about Google Play at http://play.google.com/about/music", "devmail": "N.A.", "devprivacyurl": "http://www.google.com/policies/privacy&sa=D&usg=AFQjCNE7y6nm7TcHvct7CDJRmWrYBHvMEQ", "devurl": "http://play.google.com/music/&sa=D&usg=AFQjCNHc6AykhKfKGAOd_hm9PA_tRWsB1g", "id": "com.google.android.music", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.google.android.gm", "com.google.android.voicesearch", "com.google.android.talk", "com.google.android.ears", "com.google.android.tts", "com.google.android.apps.plus", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.android.apps.maps", "com.google.earth", "com.google.android.apps.books", "com.google.android.apps.translate", "com.google.android.inputmethod.latin", "com.google.android.street", "com.google.android.apps.magazines", "com.google.android.play.games"], "name": "Google Play Music", "price": 0.0, "rating": [[" 3 ", 31957], [" 5 ", 159140], [" 2 ", 16620], [" 4 ", 53743], [" 1 ", 48802]], "reviews": [["Album art", " Sigh, oh how I wish you could disable the artwork being zoomed in and moving. Most of my artwork are pixelized because of it and it's not appealing to the eye. Oh and my shuffle doesn't always work other than that this would be 5 stars. "], ["About to lose IT!", " How do I cancel my subscription !? I've been trying to cancel before the free subscription ran out and this morning they charged the $9.99 fee?! Did each step required and cannot cancel I refuse to pay for something I don't want need or use!!! "], ["No option", " Editor's choice! What a joke. This app isn't a choice, it's just another google infection that can't be removed from Droid phones. So google editors make google apps editor's choice. How about an app that actually lets me choose if I want it or not. "], ["No Way Out", " Have not been able to find a way to cancel my account. Google hides the information or makes it very difficult to navigate to the account settings, in order to keep the automatic billing hitting your credit card. Still looking? "], ["Audio", " Music volume keeps going up and down automatically, it dosnt do this on the official music player for my phone so plz fix coz I like google play music and by the way I have a Samsung Galaxy S4 "], ["Excellent Music Subscription Service", " Best music subscription by far for my needs and wants. I've tried others (Spotify, Rdio, etc.) and they all had major deal breakers for me. While this isn't perfect, it's the closest to it for me. Would go to 5 stars if they ever implemented smart playlists. "]], "screenCount": 12, "similar": ["com.programmi.invenio_x_music", "download.mp3.music.app", "hr.podlanica", "com.miciniti.musicagratis", "com.android.chrome", "com.jrtstudio.music", "com.shazam.android", "com.nullsoft.winamp", "com.download.mp3music", "com.maxmpz.audioplayer", "com.spotify.mobile.android.ui", "com.pandora.android", "com.soundcloud.android", "net.afsysho.freemusic", "com.melodis.midomiMusicIdentifier.freemium", "deezer.android.app"], "size": "7.0M", "totalReviewers": 310262, "version": "5.2.1301L.891271"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtabaa.json_merged.json b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtabaa.json_merged.json new file mode 100644 index 0000000..fd93938 --- /dev/null +++ b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtabaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.afge.musicparadise", "category": "Music & Audio", "company": "AF INC.", "contentRating": "Low Maturity", "description": "Music Download Paradise is an advanced search tool lets you help to find your favorite tunes, ringtones and more. Music Paradise uses public search engines.Enjoy!Please read;This app uses some monetization solutions such as notification ads and home icon search links. They are easy to remove and you may disable them from app preferences if you want. If you choose to use them thanks", "devmail": "baezanucia@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.afge.musicparadise", "install": "100,000 - 500,000", "moreFromDev": "None", "name": "Music Download Paradise", "price": 0.0, "rating": [[" 4 ", 196], [" 3 ", 48], [" 5 ", 769], [" 1 ", 9], [" 2 ", 11]], "reviews": [["Find music, play music", " If your into bells &/or whistles, keep lookin'. Bare bones but best music app!!! ALL OTHER \"MUSIC PARA____\" ARE CR@P!!! "], ["I love this app, and have used it for over 2 & 1/2 years. ...", " I love this app, and have used it for over 2 & 1/2 years. Tried others, but always return to this one. Only thing keeping me from giving 5 stars is that occasionally downloads fail, plus lots of advertising ... "], ["Great sound", " Could not get anything quicker. Its great I love it. The music sound wonderful; too many Gail streams. Fail "], ["One of the best music apps I have ever used", " Really good app, fast and songs are in great quality, really hard to beat with the great price tag of free "], ["U love it its so easy", " Its awesome I love and its easy!!!!! "], ["Great app.", " This is the best app ever, I love it!!!! It finds every single song ai look for, and down loads it super fast! "]], "screenCount": 3, "similar": ["com.music.sulomedia", "com.programmi.invenio_x_music", "download.mp3.music.app", "com.musicdownload.mp3musicdownloaderpro", "com.dawncoast.twilight", "com.search.mp3.free.download", "com.mu.mudvldpr", "com.fjb.fjb3", "com.paradox.music.prdx2013", "org.mdownload.Paradise", "com.download.mp3music", "com.young.simple.music", "com.wanclemusic", "com.mp3skull.music", "com.dj.ringtone", "com.getdownkl.mp3music"], "size": "693k", "totalReviewers": 1033, "version": "1.0"}, {"appId": "com.slacker.radio", "category": "Music & Audio", "company": "Slacker Inc.", "contentRating": "Medium Maturity", "description": "Slacker Radio. Crafted by hand to deliver the perfect music for any moment.Slacker Radio is handcrafted radio from passionate music experts. Listen for free and discover the perfect music for any moment with hundreds of stations and recommendations. Turn up the volume on an old favorite or discover your next obsession as we help you explore one of the largest music libraries anywhere. Slacker Radio is constantly updated and adapts to your tastes so the music is always fresh, fun and unexpected.- Hundreds of handcrafted stations that adapt to your tastes-Free on your smartphone, web browser, car or tablet- Customizable news, sports, talk and weather from ABC, ESPN, American Public Media and The Weather Channel- Subscribe for ad-free, off-line and on-demand access to millions of songs- Original programming you won\u00e2\u20ac\u2122t hear anywhere else- The perfect music for any moment with hundreds of activity-based stationsPraise for Slacker from users and press:- \u00e2\u20ac\u0153Best. Streaming music app. Ever.\u00e2\u20ac\ufffd \u00e2\u20ac\u201d CNET News- \u00e2\u20ac\u0153If you like exploring new music, its hand-selected genre channels are completely entertaining.\u00e2\u20ac\ufffd \u00e2\u20ac\u201d Boing Boing- 5/5. Slacker has ESPN Radio Live?! So I don't miss a thing at work!? And greater selection of music and comedy albums than Pandora!!! What's not to love!!!!!!! \u00e2\u20ac\u201d Google Play Store User on 9/11/2013- 5/5. This is my radio for keeping me up to date on music! Thank you Slacker for being amazing. \u00e2\u20ac\u201d Google Play Store User on 9/9/2013", "devmail": "support-android@slacker.com", "devprivacyurl": "http://www.slacker.com/privacy&sa=D&usg=AFQjCNFceYuSb4K_Lr_s-HBfSCWN9zI0sQ", "devurl": "http://www.slacker.com&sa=D&usg=AFQjCNGynZZ9jBe98Uu60dsB3PXV0t5_1A", "id": "com.slacker.radio", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Slacker Radio", "price": 0.0, "rating": [[" 4 ", 23132], [" 3 ", 9744], [" 5 ", 66641], [" 1 ", 17799], [" 2 ", 5113]], "reviews": [["Love this app!!!!", " I am really pleased with the different varieties this app has to offer. Even more pleased with all the bands they have on the rock station. They even play songs you never hear on the radio which makes me happier! Definitely one of my everyday used apps and would recommend very highly!!! "], ["Good station", " Good songs, great top 40. The stations tends to cut out a lot, it just stops after a song ends and I have to restart it. Besides that, it is better than pandora or spotify "], ["Better than Pandora", " The 'My Vibe' is good, and my favorited songs get played often on my stations. Go for the no ad version, definitely worth $3.99 a month. "], ["Love it.", " Love the favorites station, way better than Pandora, all I can complain about is that I'm tired of the Flo commercial. "], ["Like a lot", " Would give 5 stars if it did not search for the network service when I had great cell coverage "], ["Kit Kat", " Surprised this was not Kit Kat ready after all the updates you've been doing. I thought you heard Kit Kat was going.ha We have faith the bugs will be squashed for Kit Kat unless Pandora has paid you off. "]], "screenCount": 6, "similar": ["de.arvidg.onlineradio", "com.maxmpz.audioplayer.unlock", "com.shazam.android", "com.audioaddict.sky", "radiotime.player", "com.maxxt.pcradio", "com.jangomobile.android", "com.audioaddict.di", "com.stitcher.app", "com.android.DroidLiveLite", "tunein.player", "com.clearchannel.iheartradio.controller", "com.pandora.android", "de.radio.android", "com.soundcloud.android", "com.google.android.music"], "size": "Varies with device", "totalReviewers": 122429, "version": "Varies with device"}, {"appId": "com.maxmpz.audioplayer", "category": "Music & Audio", "company": "Max MP", "contentRating": "Everyone", "description": "Poweramp is a powerful music player for Android.Follow us on twitter @Poweramp2 to get instant updates on app development progress, feature spotlight, theme sharing, take part in giveaways and even chances for free copies of Poweramp.Please check Common Questions/Answers below in the description.Key Features:- plays mp3, mp4/m4a (incl. alac), ogg, wma*, flac, wav, ape, wv, tta, mpc, aiff (* some wma pro files may require NEON support)- 10 band optimized graphical equalizer for all supported formats, presets, custom presets- separate powerful Bass and Treble adjustment- stereo eXpansion, mono mixing, balance- crossfade- gapless - replay gain- plays songs from folders and from own library- dynamic queue- lyrics support, including lyrics search via musiXmatch plugin- embed and standalone .cue files support- support for m3u, m3u8, pls, wpl playlists- OpenGL based cover art animation- downloads missing album art- 4 widget types with many selectable styles, advanced customization; Android 4.2 lock screen widgets- configurable lock screen- headset support, automatic Resume on headset and/or BT connection (can be disabled in settings)- scrobbling- tag editor- visual themes, including support for external/3rd party skins- fast library scan- high level of customization via settingsThis version is 15 days full featured Trial. See Related Apps for Poweramp Full Version Unlocker or use Buy option in Poweramp settings to buy Full Version. ====Common Questions/Answers for Poweramp v2.x:Q. My songs are missing from folders/library.A. Please ensure you have all your folders with music actually checked in Poweramp Settings => Folders and Library => Music Folders.Your original Android Library is not changed, nor any files deleted.Poweramp library is a separate, completely independent library. When you installed Poweramp 2.0, it just got filled with the files scanned from your sd card/other flash memory, as specified in Music Folders. Q. Volume too low. Volume changes weirdly. Other volume issues.A. Try to disable Direct Volume Control in Poweramp Settings => Audio => Advanced Tweaks.Poweramp 2.x uses Direct Volume Control by default on 2.3+ mid-to-high end devices. On stock ROMs this produces much better audio output. But many custom/buggy ROMs, while supporting DVC, can fail with it.Q. Can I get Poweramp v1.4 look?A. You can download \"Poweramp Classic Skin\" on Market.", "devmail": "poweramp.maxmpz@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://powerampapp.com/&sa=D&usg=AFQjCNElormTo0FUSgPY99jjla_y1-KOYQ", "id": "com.maxmpz.audioplayer", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.maxmpz.audioplayer.unlock", "com.maxmpz.audioplayer.widgetpack1", "com.maxmpz.poweramp.skins.classic"], "name": "Poweramp Music Player (Trial)", "price": 0.0, "rating": [[" 5 ", 242698], [" 4 ", 37942], [" 1 ", 10952], [" 3 ", 13091], [" 2 ", 4674]], "reviews": [["Not working.", " For over a month now it won't even open, keeps crashing as soon as I try to open. Have sent numerous crash reports etc, no reply unfortunately. Please fix, its coming up with reports that its not working when I haven't even tried to open it. "], ["Ntfs still not working", " ExFat / NTFS is not working at all. Please do something for that, because poweramp can't recognize my ntfs memory card but can open mp3 on it when browsing with a file explorer. Now have to use \"rocket player\" with my 64 gb ntfs micro sd. "], ["Sucks lost my money on power amp", " I dont like it. Every time play a song it skips and crash. When i download a song it cant find it to play it "], ["Good one of all music players i have ever used", " Most dynamic of all music player i have ever seen .. most of the things are on the go ... been havin a tough time using the winamp .. thinikin its the lgend of all ... it has not changed ever since i am out of school ... looks like they are using the same dlls thy use for windows ... ppl pls do adapt its a wake up call ... from a hardcore winamp ... "], ["The undisputed king.", " PowerAmp is a masterwork of app development. By far the best music player on the market. The UI in the folders options can be a challenge to keep other media tracks separate from the music tracks unless you have a broad knowledge of Android filesystems, which took me some time to master. Other than that, it's the very, very best. "], ["The best app i have ever seen", " This app have so many functions and it is still easy to understand it. I can't imagine listening to music with original player any more :) "]], "screenCount": 20, "similar": ["com.tbig.playerpro", "com.musixmatch.android.lyrify", "com.team48dreams.player", "hr.podlanica", "com.doubleTwist.androidPlayer", "com.jrtstudio.music", "com.shazam.android", "com.nullsoft.winamp", "com.jrtstudio.AnotherMusicPlayer", "media.music.musicplayer", "com.tbig.playerprotrial", "cn.voilet.musicplaypro", "com.n7mobile.nplayer", "com.soundcloud.android", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music"], "size": "Varies with device", "totalReviewers": 309357, "version": "Varies with device"}, {"appId": "com.andrwq.recorder", "category": "Music & Audio", "company": "Smartmob Development", "contentRating": "Everyone", "description": "Smart Voice Recorder designed for high quality long-time sound recording with skipping relative silence on-the-fly. For example, you can use it for record night sleep talks (or snoring:)), business meetings, a regular day of your babysitter, how you sing or play the guitar and so on. It's fantastic! And you may use it as regular voice recorder with simple and nice user interface. Give it a try! :)NOTE: This app is not call recorder. May not work properly on some handsets. User interface not optimized for tablets yet. Recordings in this format cannot be sent via text/sms/mms. Please feel free to send me feedback via email if you have any.If you would like to see Smart Voice Recorder on your language you can join the translation project here: http://crowdin.net/project/smartvr/inviteFeatures:- automatic and manual sensitivity control for Skip silence mode (Beta)- live audio spectrum analyzer- wave/pcm encoding with adjustable sample rate (8-44 kHz)- recording in background (even when display is off)- microphone gain calibration tool- save/pause/resume/cancel recording process control- storage and directory change (default: sdcard/SmartVoiceRecorder)- remaining recording time showed on home screen, limited only by available space on your storage (and tech. limit 2GB per file)- easy to use recordings list- send/share a recording via email, whatsapp, dropbox, etc.- set a recording as an ringtone, alarm or notification in one clickPermissions that this app needs are:- internet access (for displaying ads and some stats collection)- write to external storage (to store recordings)- record audio- wake lock (for prevent device from sleeping)- write settings (for ability to set default system ringtone/notification/alarm)- billing (for in-app option to turn off ads)", "devmail": "contact@smartmobdev.com", "devprivacyurl": "N.A.", "devurl": "http://recorder.smartmobdev.com/&sa=D&usg=AFQjCNEnLvSQhIANl7z4Q9bPk4FyanVV8g", "id": "com.andrwq.recorder", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "Smart Voice Recorder", "price": 0.0, "rating": [[" 3 ", 1734], [" 4 ", 12057], [" 1 ", 733], [" 2 ", 324], [" 5 ", 60632]], "reviews": [["Does the job well", " The app runs great. I like the skip silence option, it helps out battery usage. "], ["Simple, Does Right", " Whether I'm recording my coworkers talking dirty behind my back, listening in on a GOOD conversation, or just plain wanna hear myself sing I can always rely on this app to function on any of my devices at qualities I can't compare with no other. Best of all its FREE!! "], ["Nice", " It is really a great app for voice recorder but I disappointed in one condition and that is on sound filtering. It doesn't filter the sound /voice when recording it on a CD level. Otherwise it is excellent. For this (-)1. 4/5* "], ["Motorola DROID RAZR", " Update: 10-25-13 Ads keep appearing on screen with paid version. To un- reinstall is not a fix. You got your money for app Now Fix it!!!!! Ad covers recording info!!!. Will adjust review when fixed!!! I do Not recommend to buy this app!!! "], ["No longer working for notifications", " I used to use this to record notifications for my phone but it doesn't work on the Note 3 with Android 4.3. Not sure that it is the Android version. i noticed it used to save as ogg but now it saves as wav and that notifications are ogg files. In any case it no longer fulfills the purpose I used it all the time for. "], ["Voice playback not good!!!", " When i record things by using this app,after playing back the recordings it plays squeeky voices not actual voices. Dont have a clue about it but at least it records things tho. "]], "screenCount": 7, "similar": ["com.team48dreams.fastrecord", "yuku.mp3recorder.full", "com.beatronik.djstudiodemo", "com.audio.voicerecorder", "com.maxmpz.audioplayer", "com.motivity.hqaudiorecorder.activities", "dje073.android.audiorecorderlite", "com.xuecs.AudioRecorder", "com.melodis.midomiMusicIdentifier", "polis.app.callrecorder", "com.maxmpz.audioplayer.unlock", "com.soundcloud.android", "com.first75.voicerecorder2", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music", "yuku.mp3recorder.lite"], "size": "321k", "totalReviewers": 75480, "version": "1.7"}, {"appId": "hr.podlanica", "category": "Music & Audio", "company": "K&K design", "contentRating": "Low Maturity", "description": "Make it your Android\u00e2\u201e\u00a2 sounds like never before.* MILLION installs in first month on the Google Play. Check out why.Music Volume EQ is a volume slider with live music stereo led VU meter and five band Equalizer with Bass Boost and Virtualizer effects. Improve sound quality on your Android\u00e2\u201e\u00a2 device and get live audio readings of your current music volume level. Use with headphones for best results.Features:* Media volume control* Five band equalizer* Bass boost effect* Virtualizer effect* 9 equalizer presets* Save custom presets* Stereo led VU meter* Home screen widget* Lock media volumeWorks with most Music players such as:* Android\u00e2\u201e\u00a2 Music Player* Winamp* Google Music* MixZing* Powerampand moreInstallation and usage:* Add Music Volume EQ widget on home screen.* Put headphones * Turn on the music player and play your music* Press Music Volume EQ widget and adjust sound level and frequency.* To save custom preset press Save Preset on list and type preset name. To delete preset, long press preset name and delete.* To close application and remove from Status Bar long press application power button.We share data with a service provider, AppLovin Corporation. The use of your data by AppLovin is subject to AppLovin's Privacy Policy and Terms of Use. Both policies are available at www.applovin.comWe reserve the right to anonymously track and report a user's activity inside of this application.***********************************************************AppEggs Review:\"Those of you who use your Android\u00e2\u201e\u00a2 phone as primary music listening device, Music Volume EQ can be the best Android\u00e2\u201e\u00a2 App to enhance your music listening experience till now. Music Volume EQ can improve sound quality on your Android\u00e2\u201e\u00a2 device and get live readings of your current music volume level. - appeggs.com\"http://www.appeggs.com/apps/hr.podlanica,21370.htmlReviews:Lance *****\"Works like a charm!\tAfter reading the compatability chart and the reviews, I decided to take the leap and try it. Installed on my Samsung Galaxy S II Epic 4G Touch and not only works flawlessly, it does everything it said it would. I use Winamp and this app completely negates the need to \"go pro\". It also works for any other installed media player on my phone (MX, Pandora, etc). A \"MUST HAVE\" app for people who love to use their smart phone as their primary media playback device at home or on the go. This program ROCKS!!!\"Asitha *****\"Mega Bass\tOne of the greatest apps for Android\u00e2\u201e\u00a2. Cool. A++++++. 10/10\"Lee *****A must have app makes music near perfection !!Judd *****\"Simply the best\tI've tried every eq app available in the market and i'd say this is the best. I'm not even satisfied with all the players with built in 10 band eq. The only downside is after listening,with your music it'll automatically turn off. Other than that it's great!\"Please feel free to send us your feedback.* Android is a trademark of Google Inc.", "devmail": "kkacan@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://mediavolume.blogspot.com&sa=D&usg=AFQjCNHsPxaxagpWQKouNGj7y99C-__POw", "id": "hr.podlanica", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Music Volume EQ", "price": 0.0, "rating": [[" 2 ", 1365], [" 5 ", 57559], [" 1 ", 4100], [" 4 ", 9759], [" 3 ", 3978]], "reviews": [["great but not indispensable.", " great app if your players don't have built-in equalizers. I've used it for a while though and was quite satisfied with it, compared with the other equalizers I've tried on Starmobile Diamond V3. I had to ditch it eventually when I got a player (a paid app) with a kick-ass equalizer built-in! "], ["Best equalizer!", " Everything that is written in the description is true. The sound drastically improved after I used this app, however I was hoping we can \"overclock\" the volume\u00e2\u20ac\u201d like if the maximum level is 15, we can turn it over that (it'd be useful to music with too low music that you can't even hear it). "], ["Great on Nexus 4", " It actually improved the bass very noticeably on the external speakers of my Nexus 4. Before installing this, the speakers sounded too tinny for my liking. After installing and adjusting the bass, the sound has more body to it. "], ["impressive and satisfactory", " this app helped me with the volume problems on my device. great job! very simple to operate, you can make your own settings and it also makes the sound very good indeed. now i dont have problems watching movies on my phone--ive installed it not ten minutes before and its really amazing. kudos! "], ["Pointless", " All it does is adjust your volume nothing more, I have an HTC one. Maybe if my button was broken I would consider this app. "], ["HTC one x", " Hot workin at all when I put the app on my phone it keeps glichin a lot and even when I take it off "]], "screenCount": 9, "similar": ["com.maxmpz.audioplayer", "com.miciniti.musicagratis", "com.jrtstudio.music", "com.shazam.android", "com.nullsoft.winamp", "cn.voilet.musicplaypro", "com.doodleapp.equalizer", "com.cb.volumePlus", "hr.dentex.dentex", "com.multimediastar.volumebooster", "com.n7mobile.nplayer", "com.desaxedstudios.bassbooster", "com.soundcloud.android", "br.com.rodrigokolb.musicequalizer", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music", "com.smartandroidapps.equalizer"], "size": "1.9M", "totalReviewers": 76761, "version": "2.3"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtabab.json_merged.json b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtabab.json_merged.json new file mode 100644 index 0000000..a5bf5a2 --- /dev/null +++ b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtabab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.wanclemusic", "category": "Music & Audio", "company": "TONY TOUCH", "contentRating": "Low Maturity", "description": "\u00e2\u02dc\u2026 MP3 MS is a free public domain music search engine.You will be able to\u00e2\u0153\u201c Search\u00e2\u0153\u201c Listen\u00e2\u0153\u201c Download Copyleft and Creative Commons license Music for free(Beethoven,Mozart and more) \u00e2\u0153\u201c Edit song and cut them to make ringtones(Thanks to the RingDroid Team)\u00e2\u0153\u201c Preview songs before downloading\u00e2\u0153\u201c Play songs with your preferred Music player or use the powerful built-in Music Player\u00e2\u02dc\u2026 Please use WiFi for better performance\u00e2\u02dc\u2026\u00e2\u02dc\u2026 Other features \u00e2\u02dc\u2026\u00e2\u20ac\u00a2 Predictive search (just start typing and we do the rest)\u00e2\u20ac\u00a2 Service for multiple downloads in background\u00e2\u20ac\u00a2 Refresh Library\u00e2\u20ac\u00a2 2 Download Modes\u00e2\u20ac\u00a2 This app keep track of you downloads so you won't download the same song twice.\u00e2\u02dc\u2026 Mp3Skull is a search engine and it does not contain copyright-protected material. It is not a peer2peer software neither.Iit's a search engine.It's the best and the most easy to use and reliable App on the market for music search.But enough of talking.Try it out for yourself.DMCA Complains can be sent to info@dopeware.comkeywords: download, audio, songs, downloader, mp3 file, music, easy, simple, free,mp3skull", "devmail": "sweetappsdev@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.wanclemusic", "install": "100,000 - 500,000", "moreFromDev": "None", "name": "MP3 Skull Music Download", "price": 0.0, "rating": [[" 4 ", 204], [" 2 ", 14], [" 1 ", 27], [" 3 ", 66], [" 5 ", 592]], "reviews": [["It has its problems like any app but only minor ones, one of the ...", " It has its problems like any app but only minor ones, one of the best music apps I've used in awhile\tGreat App "], ["Great", " It is great and really fast and i have all the songs i want free and thats better than the othe ones "], ["I like", " I really like this app... I can get the music I want to hear "], ["Amazing", " This is the fastest loading music program I have ever used. Have been able to find almost every song I had on my old phone! Song list should only be the song name and artists to make it easier to find but I love this app! "], ["Fast", " Tila there are no more shots at love. Her shot glass is being retired "], ["Good job!", " Great job guys! Its really nice app that I could used everytime i need to download new songs. The only thing you need to improve is the UI, if that could be more attractive, that would be nice! Thumbs up! "]], "screenCount": 5, "similar": ["com.mp360", "com.sohretdl.FreeMusic", "download.mp3.music.app", "com.musicdownload.mp3musicdownloaderpro", "com.programmi.invenio_x_music", "com.search.mp3.free.download", "com.dawncoast.twilight", "com.mp3skull.music", "com.download.mp3music", "com.fjb.fjb3", "com.yong.yinyue.gongju", "com.mp3musicdownload.musicapp", "com.young.imusic", "app.simple.mp3.downloader", "com.dj.ringtone", "com.young.bluemusic"], "size": "1.3M", "totalReviewers": 903, "version": "1.0.1"}, {"appId": "my.googlemusic.play", "category": "Music & Audio", "company": "My Mixtapez LLC.", "contentRating": "Low Maturity", "description": "Your one stop to get all your Favorite mixtapes on the go!Key features:\u00e2\u0153\u201c Download Unlimited Mixtapes\u00e2\u0153\u201c Stream Unlimited Mixtapes\u00e2\u0153\u201c Share music statuses with your friends\u00e2\u0153\u201c Stream selected Videos\u00e2\u0153\u201c Use the \"Recently Added\" Button to see the Latest MixtapesHow to use My Mixtapez:My Mixtapez brings you the newest & hottest mixtapes on the go. Download and Stream your favorite Artist, Dj's, producers, & Groups.Sharing your favorite mixtapes to social networks is simple and fast; post what you downloaded to Facebook, Twitter and Instagram so you can interact with friends or the Artist themselves.Discovering great new music has never been simpler. Use the powerful search feature to search for specific mixtapes, artist or groups. Whether you are seeking Rap, R&B, Hip Hop or the latest trend, you can find it on My Mixtapez. Download great mixtapes like Dedication 5, Dreamchasers 3, Rich Forever and etc. all from your phone without ever having to move!!!*Not Affliated with Datpiff, Livemixtapes or Spinrilla.", "devmail": "info@mymixtapez.com", "devprivacyurl": "N.A.", "devurl": "http://mymixtapez.com&sa=D&usg=AFQjCNFbSBN8D3VyYinDtb9_Alf7w8Hx5A", "id": "my.googlemusic.play", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "My Mixtapez", "price": 0.0, "rating": [[" 5 ", 6581], [" 3 ", 671], [" 2 ", 238], [" 1 ", 745], [" 4 ", 1617]], "reviews": [["Poor quality", " Love the mixtape availability, but I can never get on the freaking app. Always kicks me out saying it's not responding. No sense in downloading any albums, because I never get the chance to access them. It just freezes up when I try. "], ["Good app, just needs improvements", " This app is good, music is very accessible & it has updated mixtapes worth listening too. My only problems are the app stops ALOT!!! I have an S4 & most times only download around my wifi but problem is still constant. I wish they would branch out into other genres like reggae, pop, & others but in their defense I have seen Christian mixtapes from artists like Lacrae & Dee-1so I give you 3 stars. Correct the app from the multiple crashes & you can get 5 stars from me. "], ["Was great....now crashes", " Was great for a while..... Now i can't access my downloads without the app crashing on me. Please fix soon. Loved this app before this started happening. "], ["Best official mixtape", " Need just a little more mixtapes from hip hop legends like Nas b.i.g 2pac. Still great to have. Keep you up to date on must have music. Mixtape covers too!! "], ["Cool and fast great app", " It kicks me out a few times but its the best mixtape app out there "], ["My mixtapes very good downloads music fast & easy but the loss of connection ...", " My mixtapes very good downloads music fast & easy but the loss of connection is the problem waist of time "]], "screenCount": 7, "similar": ["com.soundcloud.android", "com.andromo.dev249653.app233222", "com.maxmpz.audioplayer", "com.doubleTwist.androidPlayer", "com.shazam.encore.android", "com.shazam.android", "com.JankStudio.Mixtapes", "com.melodis.midomiMusicIdentifier", "air.com.idlemedia.datpiff.dedication5", "com.maxmpz.audioplayer.unlock", "com.wMixtapesFinders", "com.sony.snei.mu.phone", "com.mixtapefm.radio", "com.bti.myPiano", "com.google.android.music", "deezer.android.app"], "size": "4.5M", "totalReviewers": 9852, "version": "2.2"}, {"appId": "com.vimtec.ringeditor", "category": "Music & Audio", "company": "Android Tech", "contentRating": "Everyone", "description": "Cut the best part of your audio song and save it as your Ringtone/Alarm/Music File/Notification Tone. Make your own MP3 ringtones fast and easy with this all in one new app.The cut results are stored in \"/mnt/sdcard/media/audio\". You can even record a live audio and this new MP3 editor can edit and trim the best parts from it. All totally FREE to tone your music!!Mp3 Cutter & Ringtone Maker is a Music Editor/Alarm Tone maker/Ringtone maker/Notification Tone creator. Supports MP3, WAV, AAC, AMR and most other music formats.1.Select mp3/music from your mobile or from Recordings.2.Select area to be chopped from your audio.3.Save as Ringtone/Music/Alarm/Notification. Features:- Record button at top left of app to record an audio/music for editing.- An Inverted Red Triangle to Select and Edit Mp3/Music from your Mobile/SD.- Option to delete (with confirmation alert) the created Ringtone/Music/Alarm/Notification Tone.- View a scrollable waveform representation of the audio file at 4 zoom levels.- Set start & end for the audio clip, using an optional touch interface.- Tap anywhere on the wave & the built-in Music player starts playing at that position.- Manually set the Start & End time(in seconds) by typing the values in text boxes at bottom of app.- Option to Name the new cut clip while saving it as Ringtone/Music/Alarm/Notification Tone.- Set the new clip as default ringtone or assign ringtone to contacts, using this ringtone editor.An MP3 Converter & Ringtone Maker app to style old songs a new way, just for your use FREE!This MP3 Cutter & Ringtone Maker app has inbuilt:-Own Audio\\Mp3 Player-Own Audio\\Mp3 Cutter-Own Audio Recorder", "devmail": "vimaldas.kammath@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://vimaljava.com&sa=D&usg=AFQjCNF_1_4rLKTlJdbgv_Y487UUmJTGrg", "id": "com.vimtec.ringeditor", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.vimtec.apps.facts", "com.vimtec", "com.vimtec.apps.doc.php", "com.vimtec.apps.lovequotes", "com.vimtec.apps.indian.recipes", "com.vimtec.apps.docreader.php", "com.vimtec.apps.successquotes", "com.vimtec.apps.dreams", "com.vimtec.apps.smstemplates"], "name": "MP3 Cutter & Ringtone Maker !!", "price": 0.0, "rating": [[" 5 ", 41450], [" 1 ", 2875], [" 2 ", 993], [" 4 ", 13610], [" 3 ", 4208]], "reviews": [["Ok", " Its been fast downloads and easy finding of new songs. awesome! Just wish my info can be saved. When I changed phones i to REDOWNLOAD EVERYTHING. pain in the a@#. Also some songs that are cut into ringer don't work. I will keep using the app for now "], ["I love it yhuu can get straight to the point that your trying taa ...", " I love it yhuu can get straight to the point that your trying taa makebyour ringtone,it works extremely well and no spams, pop ups or nothing more\u00f0\u0178\u2018\u0152\u00f0\u0178\u2018\u0152\u00f0\u0178\u2018\u0152 "], ["Ozum app", " Earlier i have downloded so many apps to make ringing tone but i couldn't find one Sooo this app is awesome i recomended to download this. that's why i gave 5 for this "], ["Works well", " Samsung S4 Love it! Does force close sometimes tho. "], ["Works great", " Does what it says. Being able to delete unwanted files is a plus, even ones not created by this app. Love it, thank u. "], ["Pretty good!", " Does everything, but my only complaint is the ads you are constantly bombarded with. But it's free. So, overall, a good download. "]], "screenCount": 2, "similar": ["com.munets.android.bell365hybrid", "com.herman.ringtone", "download.mp3.music.app", "com.mobile17.maketones.android.free", "tool.music.ringtonemaker", "com.bell.brain0", "com.xzPopular", "com.buscadormp3.app", "com.download.mp3music", "com.yong.yinyue.gongju", "com.easymp3cutter", "com.studiosol.palcomp3", "com.xcs.mp3cutter", "com.bbs.mostpopularringtones", "com.tellmei.ringtone", "com.doodleapp.ringtonebox"], "size": "547k", "totalReviewers": 63136, "version": "1.9"}, {"appId": "com.vevo", "category": "Music & Audio", "company": "VEVO", "contentRating": "Medium Maturity", "description": "With the VEVO app you can watch music videos, stream live concerts, and discover new artists on your Android device for free! Access VEVO's entire catalog of 75,000 music videos from more than 21,000 artists including Taylor Swift, Justin Bieber, One Direction, Rihanna, Nicki Minaj, and more!VEVO TV is a 24/7 channel of music videos, live performances, and original shows from VEVO\u00e2\u20ac\u2122s massive library - made by music lovers for music lovers, no algorithms allowed. Turn it on, relax and enjoy a full HD music experience that covers everything from the latest premieres to the best classics. Pop, rap, rock, R&B, country \u00e2\u20ac\u201c the choices are endless. See a video you like, but don\u00e2\u20ac\u2122t have time to check it out? Save the video to your Watch Later Playlist. VEVO TV: Always On.Download VEVO now and join the millions who are already experiencing high-quality music videos from VEVO while on-the-go. VEVO for Android will work over cellular (3G or LTE) network connections, but for the highest quality music video experience, we suggest accessing via Wi-Fi whenever possible.Features:* Exclusive HD music videos, premieres, top charts, top playlists, artists on tour & VEVO original music programming* VEVO TV: Always on sit back watching experience* Share any video easily with friends via Twitter & Facebook* Purchase your favorite music on the go* Use Voice Control to search your favorite artist and/or song* Facebook Friends page where you can see all the great playlists your friends make and invite them if they aren't on VEVO yet* Continuous play to serve you recommendations for videos that will play automatically to keep the music videos flowing in a dynamic and personalized stylePLEASE NOTE: Due to the nature of some licenses from the content owners, Features and Videos may not be available in all regions.Twitter: @VEVOFacebook: Facebook.com/VEVOInstagram: @VEVOLearn more at VEVO.com and tell us how we can make this app rock for you at mobile.feedback@vevo.com.About VEVOVEVO is the world\u00e2\u20ac\u2122s leading all-premium music video and entertainment platform. VEVO is available in the United States, Australia, Brazil, Canada, France, Germany, Ireland, Italy, New Zealand, Spain, The Netherlands, Poland, and United Kingdom through VEVO.com, the mobile web, Mobile and Tablet Apps, Connected Television, and user embeddable video players. VEVO TV, an always-on broadcast-style music and video channel, is also available in the US and Canada within VEVO.com, mobile and tablet apps, and Connected Television. In various territories, VEVO powers music videos on artist pages across Facebook, as well as syndicates to dozens of online sites. Additionally, through a special partnership with YouTube, VEVO is accessible in over 200 markets, expanding the platform\u00e2\u20ac\u2122s reach around the globe. Please visit vevo.com/about for more information.", "devmail": "mobile.feedback@vevo.com", "devprivacyurl": "http://www.vevo.com/legal/privacy-policy&sa=D&usg=AFQjCNGyG0pbiUgTBo4HInRNp0pOqVncMA", "devurl": "http://www.vevo.com&sa=D&usg=AFQjCNFrBHT_ReoH8uoXWFdsmoIDsEM7VA", "id": "com.vevo", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "VEVO - Watch Free Music Videos", "price": 0.0, "rating": [[" 1 ", 5858], [" 5 ", 38383], [" 2 ", 1890], [" 4 ", 9966], [" 3 ", 4546]], "reviews": [["Not easily searchable", " If I type vevo in search this app is not to be seen . Just I had once installed it long back, so got it in my installed list. Kindly fix! "], ["Why is it taking up so much battery all of a sudden?!", " I check my battery usage and the top offender is Vevo with 20 some percent battery life, without me even having used it or opened it. I've since force stopped the app and will see how it goes. "], ["Cool!", " I wanted some free music to ride my pony to and this app was great!! The pony loved my choice of 'one direction best song ever' and threw me off when he heard the first word! It took me 45 minutes to catch him! Thanks!!!! "], ["Good, but suffers from a major issue!", " App layout is nice and videos play back smooth and in good quality. However, it keeps draining my battery! The running processes in the background consume about 125mb of RAM! Please fix this! "], ["Good, But Not The Best", " I enjoy the large selection of music videos and the overall layout of the app. Sometimes the content takes too long to load or the app freezes and closes on its own. Quicker download speed is needed! "], ["IT COULD BE BETTER...", " THE ONLY THING I HATE, MOST IS THEY DONT HAVE ALOT OF ARTISTS ON HERE.I HOPE WHEN THEY FINALLY DO A GOOD UPDATE, IT WILL BE A GREAT APP UNTIL THIN STILL WAITIN ON UPDATE #4 "]], "screenCount": 11, "similar": ["com.whatappnext.topmusicvideos", "com.jrtstudio.music", "hr.podlanica", "com.c8jii.vevo", "com.maxmpz.audioplayer", "com.shazam.android", "com.nullsoft.winamp", "com.jrtstudio.AnotherMusicPlayer", "com.tunewiki.lyricplayer.android", "tunein.player", "com.spotify.mobile.android.ui", "com.maxmpz.audioplayer.unlock", "com.soundcloud.android", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music", "deezer.android.app"], "size": "8.5M", "totalReviewers": 60643, "version": "1.5.4"}, {"appId": "com.sirius", "category": "Music & Audio", "company": "Sirius XM Radio Inc", "contentRating": "High Maturity", "description": "With the SiriusXM Internet Radio App, you can listen to SiriusXM\u00e2\u20ac\u2122s sports, talk, comedy, entertainment and commercial-free music programming on your Android smartphone or tablet. Plus, now you can access hundreds of On Demand shows and use MySXM to personalize many of your favorite SiriusXM music and comedy channels \u00e2\u20ac\u201c so you hear more of what you want and less of what you don\u00e2\u20ac\u2122t. You can even store select On Demand content on your device so you can still listen even when you don't have Internet access. SiriusXM Internet Radio subscription is required. For more information visit: www.siriusxm.com/internetradioAbout This Application\u00e2\u20ac\u00a2 Stream SiriusXM channels live, including exclusive online-only channels \u00e2\u20ac\u00a2 Personalize many of your favorite music and comedy channels with MySXM \u00e2\u20ac\u00a2 Get On Demand access to our large catalog of content and listen on your schedule \u00e2\u20ac\u00a2 Store select talk and entertainment shows for a period of time so you can listen even while offline.\u00e2\u20ac\u00a2 Pause, Fast Forward and Rewind live radio and On Demand content \u00e2\u20ac\u00a2 Hear shows from the beginning, even if you've just tuned to that channel, with Start Now \u00e2\u20ac\u00a2 Track your favorite Shows and receive notifications when new episodes are available \u00e2\u20ac\u00a2 Automatically hear currently playing songs from the beginning when tuning to music channels with TuneStart", "devmail": "N.A.", "devprivacyurl": "http://www.siriusxm.com/pdf/siriusxm_privacypolicy_eng.pdf&sa=D&usg=AFQjCNF4tPffWW8-dhCsWyDI0S5PrQflnw", "devurl": "http://siriusxm.com/android&sa=D&usg=AFQjCNEHv5wLaS4XfK0zaCN19PF3Spbfdw", "id": "com.sirius", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "SiriusXM Internet Radio", "price": 0.0, "rating": [[" 3 ", 1687], [" 1 ", 4846], [" 4 ", 3029], [" 5 ", 9377], [" 2 ", 1363]], "reviews": [["Samsung S4.", " Opening the app process is quicker if you open then go back & open it a second time, don't wait for it to open . Much quicker. No wait at all. But today, it's asking me to log in and when i log in with the correct user and password it keeps taking me back to the login page! :( disappointing, I use this every day at work. On Samsung S4. "], ["Pay extra for what?", " This app takes forever to load unless you use WiFi. Even 4g loads slow at full signal. The app also randomly closes and you lose your place. No biggie for a song but I use it for Stern so If I haven't paused in an hour I'm screwed cause its impossible to accurately fast forward or rewind...why do we have to pay extra for such a terrible app!? "], ["5 MINUTES TO OPEN!!!!!", " I am trying to not fire my phone off the wall every time I open the app because it literally takes 5 mins to start....for real I timed it...and every time I got to a dif app it turns if and then I have to wait another 5 mins to open it back up...not good. "], ["And even more improvements.", " Finally! A music app that fades the previous song out while the next song fades in. How did western civilization survive without this feature? It's a mystery. Noticed some of the bugs have been cleaned up as well. There have been several releases the past 6 months with new features and clean up and the app quality has greatly improved. I don't much care about the landscape mode and appreciate the improvements and new features. SXM still has the best content of all the radio apps. 5 stars for the hard work. "], ["Needs Connectivity Addressed", " I love the app in that I can get more out of my subscription. My only gripe so far is that the app only works over Wifi. Please fix ASAP. As a paying customer, I'd like full functionality from this app. "], ["App sucks", " Takes forevvvver to load no matter what! Checking credentials...REALLY? It takes 5 minutes to do that with full signal? Then you can't forward or rewind a few seconds at a time. Impossible!!! Disgustingly under designed... "]], "screenCount": 5, "similar": ["de.arvidg.onlineradio", "com.slacker.radio", "radiotime.player", "com.maxxt.pcradio", "com.jangomobile.android", "com.leadapps.android.radio", "com.live365.mobile.android", "com.audioaddict.di", "com.stitcher.app", "com.android.DroidLiveLite", "tunein.player", "com.clearchannel.iheartradio.controller", "com.pandora.android", "de.radio.android", "com.radio.fmradio", "com.audioaddict.sky"], "size": "12M", "totalReviewers": 20302, "version": "2.6.2.44"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtacaa.json_merged.json b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtacaa.json_merged.json new file mode 100644 index 0000000..bf99cd2 --- /dev/null +++ b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtacaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.rdio.android.ui", "category": "Music & Audio", "company": "Rdio", "contentRating": "Everyone", "description": "Discover your next favorite track with Rdio, a social jukebox with over 20 million tracks to play \u00e2\u20ac\u201d instantly or in stations \u00e2\u20ac\u201d on your Android device. Play what you want, when you want, from new hits to classic albums. Or, start a station based on any track, artist or genre and lean back while Rdio plays a perfect mix of songs. Once you\u00e2\u20ac\u2122ve found some favorites, add them to your Collection or put them in a playlist. If you\u00e2\u20ac\u2122re going to lose signal, just sync to your device and listen offline.Feeling social? Follow friends, artists and other music lovers to see what they\u00e2\u20ac\u2122re playing. The more people you follow, the more music you\u00e2\u20ac\u2122ll discover.It\u00e2\u20ac\u2122s music evolved. Go and play. Try it free today, or upgrade to a monthly subscription for just $9.99.Praise from Rdio\u00e2\u20ac\u2122s fans:\"Rdio feels more like a best friend who loves music than an app.\" \u00e2\u20ac\u201c @Visqis\u00e2\u20ac\u0153Everyone knows that I'm the king of the playlists . . . Rdio gives me the red carpet I been waiting for to lead people to my favorite Quiet Storm Classics . . . or my Sunday Clean Mix (my personal favorite song collection). My infinite music landscape has found a happy home!\u00e2\u20ac\ufffd \u00e2\u20ac\u201c Questlove, drummer of The RootsPraise from the press:\u00e2\u20ac\u0153A seemingly endless amount of music to discover.\u00e2\u20ac\ufffd \u00e2\u20ac\u201c Belinda Thomas, Examiner\u00e2\u20ac\u0153Makes it so, so easy to find music you love, hopping from one act to the next.\u00e2\u20ac\ufffd \u00e2\u20ac\u201c Alexis C. Madrigal, The Atlantic\u00e2\u20ac\u0153Rdio has by far the best app and online interface [of all streaming music services] . . . Grade: A\u00e2\u20ac\ufffd \u00e2\u20ac\u201c Entertainment Weekly\u00e2\u20ac\u0153It's the music discovery version of a candy store.\u00e2\u20ac\ufffd \u00e2\u20ac\u201d Marissa Cetin, Mashable", "devmail": "android@rd.io", "devprivacyurl": "http://www.rdio.com/legal/privacypolicy/&sa=D&usg=AFQjCNEnR0iDLqwGkdy_mDatpLT4xgd2rw", "devurl": "http://www.rdio.com&sa=D&usg=AFQjCNHuKglv1siQ9uuZ-fghD4h__SsxFA", "id": "com.rdio.android.ui", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.rdio.oi.android.ui"], "name": "Rdio", "price": 0.0, "rating": [[" 4 ", 4244], [" 2 ", 991], [" 3 ", 2075], [" 1 ", 3196], [" 5 ", 15560]], "reviews": [["Y NO ART SUPPORT? DALVIK IS INFERIOR", " Updated to android 4.4, rdio won't run if you're using the ART runtime so make sure you stay on dalvik. Not a huge deal, but I really wanted to be running with ART. not worth it if I can't have rdio... Maybe future update?? "], ["Cool design, nice features", " I love that it allows me to choose how adventurous my radio is. Music selection is good and repetition is minimal. I use only free radio stations. "], ["Play?", " WTF is up w/ \"Cannot go online\" while at 3-bars? Typically must reboot at least twice before each use; still have long wait for the ONLY thing I want to load: Play button. Often it never appears. "], ["Beautifully designed!", " The app seems very smooth and fluid, well designed, and functional. I'll update this review after I've spent some time with it. Also the application refuses to even load on the Moto X running 4.4 with ART enabled, it's not something that needs to be addressed immediately but is probably worth looking into it ART is the future of Android ;) "], ["The better music app", " I was a long-time user of Pandora until my brother introduced me to Rdio. I really enjoy the wide selection of music, and the app has numerous options for finding music that interests me. "], ["Good.... When it works", " Its really awesome when it works.... But it keeps crashing and when i try to listen to anything and it will keep saying 'Unable to reach content'... So i can't do anything. I've reinstalled it three times today, and it still crashes and is 'unable to reach content'. Please fix this, because I find this is the only thing letting the whole app down.... "]], "screenCount": 4, "similar": ["com.pandora.android", "com.maxmpz.audioplayer", "com.doubleTwist.androidPlayer", "com.shazam.encore.android", "com.shazam.android", "com.melodis.midomiMusicIdentifier", "com.tunewiki.lyricplayer.android", "tunein.player", "com.spotify.mobile.android.ui", "com.maxmpz.audioplayer.unlock", "com.soundcloud.android", "com.sony.snei.mu.phone", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music", "deezer.android.app"], "size": "Varies with device", "totalReviewers": 26066, "version": "Varies with device"}, {"appId": "com.jrtstudio.music", "category": "Music & Audio", "company": "JRTStudio", "contentRating": "Everyone", "description": "This is a build of the 2.3 (Gingerbread) music app that supports Android 1.6 and higher.Nothing fancy here, just providing everyone the option to use the Android Open Source Project (AOSP) developed music player. Not all phones come with this player installed.For a free but more advanced and slick music player, check out JRT Studio\u00e2\u20ac\u2122s newest music player, Rocket Player, which includes a built-in equalizer, genre view, lock screen support, and more!http://android.googlesource.com/platform/packages/apps/Music.gitNeed help? Visit http://www.jrtstudio.com for quick tips or to contact support.", "devmail": "info@jrtstudio.com", "devprivacyurl": "N.A.", "devurl": "http://www.jrtstudio.com&sa=D&usg=AFQjCNG68j-lv_1eVfDAiAuOz6yj8LhiLQ", "id": "com.jrtstudio.music", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.jrtstudio.AnotherMusicPlayer", "com.jrtstudio.iSyncr4Mac", "com.jrtstudio.iSyncr", "com.jrtstudio.iSyncr4MacLite", "com.jrtstudio.AnotherMusicPlayer.Unlocker", "com.jrtstudio.automount", "com.jrtstudio.iSyncrLite"], "name": "Android Music Player", "price": 0.0, "rating": [[" 5 ", 14645], [" 4 ", 3611], [" 2 ", 652], [" 3 ", 1819], [" 1 ", 1485]], "reviews": [["Closes a lot. Can't sort songs by how you want", " It shuts down every other song which is super annoying. The songs are sorted alphabetically and you can't choose any other way. Hard to create playlists. There is no quit option so the only way to get out of the player is to just keep hitting the back button which sucks. "], ["amazing!!", " Its easy and it works well. I had problem with the original music player too and this one seems to solve everything. So simple but wonderful "], ["Did the job", " This app could benefit greatly from uodatingbits UI past the GB to at least ICS, But seriously its JB and soon KeyLime Pie time. All looks aside, I'm glad this app is available since Google music won't make universally playable playlist, for instance my running app, Zombies, Run! can't recognize the Google Music playlist. "], ["Amazing", " This is awesome I love it. Google play music is crap also the widget for the music is amazing "], ["Great player.", " Nice simple app. Stores and plays music very well. 2 problems I have found though. Equaliser continually stops working and every so often my playlists disappear. Can't fault it as a simple shuffle player though. "], ["This is a keeper.", " Real talk- this is the best music player application available for android. Easy to build playlists, easy to delete songs your just want gone, no ads, no light show or unnecessary equalizer. And best of all... you get a list of songs instead of a damned list of titles next to album art that multiplies the time of scrolling, simultaneously minimizing the number of visible titles on the screen. It's a keeper. "]], "screenCount": 3, "similar": ["com.free.android.media.player.light.red", "hr.podlanica", "com.free.android.music.player.light", "com.shazam.android", "com.free.android.media.player.light.green", "com.mjc.mediaplayer", "com.musixmatch.android.lyrify", "media.music.musicplayer", "com.nullsoft.winamp", "cn.voilet.musicplaypro", "com.free.android.music.player.red", "com.download.mp3music", "com.tbig.playerprotrial", "com.soundcloud.android", "net.afsysho.freemusic", "com.google.android.music", "com.free.android.media.player.black.red", "com.tbig.playerpro", "com.free.android.music.player.purple", "com.free.android.music.player.chrome", "com.maxmpz.audioplayer", "com.doubleTwist.androidPlayer", "com.free.android.music.player.blue", "com.n7mobile.nplayer", "com.free.android.media.player.black.purple"], "size": "992k", "totalReviewers": 22212, "version": "4.1.0.5"}, {"appId": "com.jrtstudio.AnotherMusicPlayer", "category": "Music & Audio", "company": "JRTStudio", "contentRating": "Everyone", "description": "Rocket Player was designed with both the easy and advanced listener in mind. The easy to use interface allows you to browse to the music you want to hear faster without getting bogged down in details and extra buttons. Additionally, advanced options give you an opportunity to create your own music listening experience with quick playlist editing and a dynamic equalizer.Frequently asked questions are available at http://www.jrtstudio.com/RocketPlayer/FAQThis free Android media player contains key features focused on streamlining your music player interaction including:- Personalize your look with themes- Control sound with 5 band graphic equalizer (Android 2.3+)- Browse and play your music by albums, artists, genres, songs, podcasts, folders, composers, videos and playlists- Video browser and player- Play or shuffle by albums, artists, genres, songs, podcasts, folders, composers, videos and playlists- Batch operations for optimizing your library- Display embedded lyrics support- Remove unused media tabs- Edit tags - Programmable sleep timer- Create and edit playlists within the player- Create dynamic \u00e2\u20ac\u0153Live List\u00e2\u20ac\ufffd playlists based on rules- Fade in and out when playing and stopping songs- Controllable lockscreen- Bookmark podcasts- Customize the default action for different categories- Add music up next, like in iTunes - Control your music with 4x1 and 4x2 widgets- Support for most scrobbling appsWhen combined with iSyncr, an app for syncing your iTunes music with your Android device, Rocket Player allows you to:- Sync new playlists and playlist changes back to iTunes- Sync podcast bookmarks to and from iTunes- Sync song ratings to and from iTunes- Sync video play countsTo take your music listening to the next level, upgrade Rocket Player with the Rocket Player Premium Unlocker. The Premium version unlocks the following features:- Support for more audio formats: Apple Lossless (alac), APE (ape), Musepack (mpc), Free Lossless Audio Codec (flac), True Audio (tta), Waveform Audio File (wav), WavePack (wv) and Windows Media Audio Non-Lossless (wma)- Download album art - Customize sound using a 10 band graphic equalizer- Limit distortion and clipping with limiter- Assign an equalizer preset to a song, genre, playlist, artist, album, or podcast- Preamp- Right/Left balance control- Replay Gain- Gapless playback- Crossfading- Marked gapless albums in iTunes will play gapless when used with iSyncr- Start/stop time from iTunes is used when used with iSyncrNeed help? Visit http://www.jrtstudio.com for quick tips or to contact support.Want to help translate to your language?http://www.getlocalization.com/JRTStudio/App updates and Giveaways!Follow us on Twitter: @JRTStudio Google+: https://plus.google.com/109028031207057249429Facebook: https://www.facebook.com/RocketPlayer Blog: http://blog.jrtstudio.com/\u00c2\u00a9 2012 JRT Studio LLC | iSyncr is a trademark of JRT Studio LLC | iTunes is a trademark of Apple Inc., registered in the U.S. and other countries.", "devmail": "MusicPlayer@jrtstudio.com", "devprivacyurl": "http://www.jrtstudio.com/Privacy&sa=D&usg=AFQjCNFzrWwQTwrPeGV8l9Nwit9E_vHlsQ", "devurl": "http://www.jrtstudio.com&sa=D&usg=AFQjCNG68j-lv_1eVfDAiAuOz6yj8LhiLQ", "id": "com.jrtstudio.AnotherMusicPlayer", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.jrtstudio.music", "com.jrtstudio.iSyncr4Mac", "com.jrtstudio.iSyncr", "com.jrtstudio.iSyncr4MacLite", "com.jrtstudio.AnotherMusicPlayer.Unlocker", "com.jrtstudio.automount", "com.jrtstudio.iSyncrLite"], "name": "Rocket Music Player", "price": 0.0, "rating": [[" 5 ", 28021], [" 4 ", 7075], [" 2 ", 1097], [" 1 ", 2127], [" 3 ", 2952]], "reviews": [["Love it! But...", " This app is amazing and I love it, but just one thing... whenever I try changing the order of the songs in a playlist, sometimes the songs all randomly change place and I can't set them in the order I want. And if I change the order of the songs in one playlist then they change in all the others too. :/ Please fix and it's back to that awesome five \u00e2\u02dc\u2026 rating your awesome app deserves! -Sigh "], ["Very good", " Very good. An idea for update can be to have option to manually exclude certain tunes from song list or else i find myself with the hangouts or facebook tones in song list. "], ["Excellent", " This music played is awesome and would be five stars but for one major sodding annoyance. Anytime I unplug my earphones and plug them back in it automatically plays music this is beyond Edit: found the option buried in one of the settings. Back to five stars! "], ["On the right track...", " So far this app is great!!!! I'm coming from Power Amp and PlayerPro. Nice high res album covers, search and art resolution display!! Good amount of options, clean UI and great fonts and layout and sorting. Love the \"Go To Album and Artist buttons\" Cons: App seems to drain battery faster than other apps, wish it displayed mp3 bit rate of song. "], ["Great app!", " I love the playlists. Finally there is a way to look at what I recently added. It would be good to have a chunky interface for car use. Something big with huge font and buttons. Still I love this app! "], ["It is one of my most useful apps.", " Since my life revolves around music, it is great to have an app wherevi can customize the sound of my music. And it is very easy to use!! "]], "screenCount": 14, "similar": ["com.free.android.media.player.light.red", "com.free.android.music.player.light", "com.free.android.media.player.light.green", "com.team48dreams.player", "com.zgui.musicshaker", "com.mjc.mediaplayer", "mobi.pixi.music.player.yellow", "com.musixmatch.android.lyrify", "media.music.musicplayer", "com.nullsoft.winamp", "cn.voilet.musicplaypro", "com.free.android.music.player.red", "com.tbig.playerprotrial", "com.mixzing.basic", "com.kane.xplay.activities", "com.free.android.media.player.black.red", "com.tbig.playerpro", "com.lava.music", "com.free.android.music.player.purple", "com.free.android.music.player.chrome", "com.maxmpz.audioplayer", "com.doubleTwist.androidPlayer", "com.free.android.music.player.blue", "com.n7mobile.nplayer", "com.free.android.media.player.black.purple"], "size": "Varies with device", "totalReviewers": 41272, "version": "Varies with device"}, {"appId": "com.JankStudio.Mixtapes", "category": "Music & Audio", "company": "Jank Studios", "contentRating": "Medium Maturity", "description": "Best App on the market to access your favorite hiphop and RnB mixtapes*** NOW AVAILABLE ON TABLETS ********************Check out newest Dance music. Download the free app - Let's Party Why Not", "devmail": "jlankrah@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://www.jankmixtapes.com&sa=D&usg=AFQjCNFQR94TGwBFhn2tFsuEKVmtjk_JTg", "id": "com.JankStudio.Mixtapes", "install": "500,000 - 1,000,000", "moreFromDev": "None", "name": "Mix.Hiphop Mixtapes", "price": 0.0, "rating": [[" 1 ", 116], [" 2 ", 55], [" 3 ", 142], [" 4 ", 304], [" 5 ", 1528]], "reviews": [["Would like to see improvements", " Songs load way to slow compared to datpiff. Also need to be able to control app through notifications menu. Sleeker UI focusing more on android platform would be nice. Will update once changes are made. Oh..I tried to search a few artist. Couldn't find them because the dj was listed first. Need better search. You have the chance to take over the mix tape game on android as there not one fully functional app that is updated as needed for mix tape fans. "], ["Good", " The apps amazing and easy to use. It's nice but for some reason it shuts off my mobile network and wifi. Other than that it's great. If this can be fixed I could give 5 stars. Easy "], ["A lil problem", " A easy convenient app to dl music on the go. But now it never fully downloads the song. Improve on that & ill give it a 5 star. "], ["Thoughts", " Thought I loved it. Now I don't. It was working great. Had all the music. Now it keeps popping up download errors and would download songs that wouldn't work. I tried everything and still same problems. Disappointed :/ "], ["One thing man", " I like it but its missing one thing the ability to play while downloading other then that its fast and easy to use fix that one thing and its a five my friend. "], ["Great app. Very close to perfect!!", " Great app to get old n New music ! Very few mishaps on downloads, but they fix n correct it for you ! "]], "screenCount": 9, "similar": ["com.webcraftbd.radio.blackbeats", "com.andromo.dev249653.app233222", "br.com.bluepen.mixfm", "com.rdio.android.ui", "air.com.idlemedia.hiphopearly.mobile.android", "com.mobilebeats.beatsf", "com.melodis.midomiMusicIdentifier", "com.andromo.dev171067.app163126", "air.com.idlemedia.datpiff.dedication5", "com.hiphopradio", "com.maxmpz.audioplayer.unlock", "com.wMixtapesFinders", "com.mixtapefm.radio", "my.googlemusic.play", "com.edjing.edjingdjturntable", "com.wMixtapeTorrents"], "size": "1.8M", "totalReviewers": 2145, "version": "2.0.2"}, {"appId": "com.rhapsody", "category": "Music & Audio", "company": "Rhapsody International Inc.", "contentRating": "Medium Maturity", "description": "Rhapsody gives you instant access to 18 million songs to play wherever life takes you. Build your perfect ad-free music experience. Rhapsody goes where you go, even when you\u00e2\u20ac\u2122re offline, on your phone, tablet and even in your car. Join the millions of people who have made Rhapsody part of their daily routine. Featuring: - Unlimited playback and downloading of over 18 million tracks- New radio! 100% Ad-free radio YOU control. Create artist and track-based stations. Preview upcoming tracks, tune the variety, unlimited skipping and favoriting.- Download music to play even when offline- New music releases every week with personalized new music alerts for your favorite artists- Exclusive editorially curated content- Blazing fast playback- High quality audio- Integrated app support for Ford Sync- Music Intelligence provided by The Echo NestA Rhapsody trial or subscription is required. Streaming music requires an active internet connection.Like Rhapsody on Facebook:http://www.facebook.com/#!/RhapsodyFollow us on Twitter:http://twitter.com/#!/rhapsody", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "https://help.rhapsody.com/entries/24070607&sa=D&usg=AFQjCNGQzHtFvofSstHszIPnsk2BgEfIlw", "id": "com.rhapsody", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Rhapsody", "price": 0.0, "rating": [[" 2 ", 1486], [" 5 ", 21263], [" 3 ", 2910], [" 1 ", 6141], [" 4 ", 5878]], "reviews": [["Great listening tool..still needs a lil TLC", " I do love Rhapsody...but with everything there is always need for improvement.... The radio almost never continuously plays..I have to press next to hear the next jam! And when I do this it actually doesn't play the next song..it just shows the next songs album art and sits theres... so if it's a cut I like I have to skip it.... BOOOOOO! 2nd thing.. I should be able to navigate Rhapsody while in my lockscreen mode... and be able to rewind and fast forward with my earphone button.. Samsung Galaxy Exhibit t59 "], ["Playback Error", " Everytime i try to hear a song not downloaded to my device it says playback error and wont play the song it doesnt just happen to one song everysong i try to hear! Please fix it since the new update it hasnt been the same :/ "], ["Update?! :(", " Absolutely sucks. I was logged out then couldn't log back in bc my \"policy\" doesnt allow rhapsody use on several devices when I know I pay for the 3+ mobile device use. Now all the music I downloaded is erased and I can't even stream any songs through the rhapsody app. PLEASE FIX. :(((((((( "], ["Could be better", " Lowered from 4 to 1 star.STILL needs \"Move to SD card\" functionality.I should be able to stream songs that I have purchased.For example,I PAID for \"Skyfall\" by Adele,thru Rhapsody.I paid for it,so I should be able to stream it.It's asinine that I can't stream a song I paid for and own.Also,a Napster feature I used most,was being able to see a list of every TRACK/SONG by a particular artist(iTunes has it too),as opposed to the album list and top tracks list.Please bring this back asap.\"Move to SD card\" pls ! "], ["Great service, But app needs work", " Been a Rhapsody user since '08. I love the service and easy to sync playlists, download songs, stream, and Rhapsody Song match. I have been has issues with the app freezing before. Now every time I steam or listen to music it freezes up. Then I have to reload the app completely because the widget gets frozen. Also artists are listed twice or under different names [ex. A loss for words, Loss for words, Tansit, Transit(1)]. "], ["Love Rhapsody but the app suddenly keeps crashing", " I've had a rhapsody subscription since 2009, it's great. Over the last 2 eeks though the app crashes constantly. I reinstalled just now and whereas before I could at least log in and it would only crash when trying to play a song, now the app won't even load. It crashes as soon as I launch it. If this doesn't get fixed soon I might have to look at other services, which I don't want to do! "]], "screenCount": 8, "similar": ["hr.podlanica", "com.maxmpz.audioplayer", "com.slacker.radio", "com.jrtstudio.music", "com.shazam.android", "com.nullsoft.winamp", "com.vevo", "com.maxmpz.audioplayer.unlock", "com.rhapsody.concerts", "com.rhapsody.songmatch", "tunein.player", "com.clearchannel.iheartradio.controller", "com.spotify.mobile.android.ui", "com.pandora.android", "com.soundcloud.android", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music", "com.sony.snei.mu.phone"], "size": "Varies with device", "totalReviewers": 37678, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtacab.json_merged.json b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtacab.json_merged.json new file mode 100644 index 0000000..ba115b3 --- /dev/null +++ b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtacab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.smartandroidapps.equalizer", "category": "Music & Audio", "company": "Smart Android Apps, LLC", "contentRating": "Everyone", "description": "Improve your phone or tablet's sound quality with the first true global Equalizer app and home-screen widget!Equalizer lets you adjust sound effect levels so that you get the best out of your Music or Audio coming out of your phone. Apply Equalizer Presets based on Music Genre, or quickly create your own custom preset with the 5 band Equalizer controller. Additional Audio Effects supported include: Bass Booster, Virtualizer and Reverb Presets.\u00e2\u02dc\u2026 Permissions: Requires INTERNET_PERMISSION for downloading additional widget skins.\u00e2\u02dc\u2026 Requires Android 2.3 Gingerbread or up. Custom ROMs may not work due to issues with the ROM. If your ROM works please post so that others know. If you have issues, please contact us and let us know what ROM you are using. Features:\u00e2\u02dc\u2026 11 Stock Presets\u00e2\u02dc\u2026 Preset auto-detection (See list of supported players below)\u00e2\u02dc\u2026 5 Band-level Equalizer Controller\u00e2\u02dc\u2026 Audio sampler to test your Equalizer settings\u00e2\u02dc\u2026 Bass Booster\u00e2\u02dc\u2026 Virtualizer\u00e2\u02dc\u2026 Reverb Presets\u00e2\u02dc\u2026 Integrates with stock Android Music player\u00e2\u02dc\u2026 Works on both wired and Bluetooth A2DP headsets\u00e2\u02dc\u2026 Works with streaming music like Pandora, Spotify, etc.\u00e2\u02dc\u2026 Power Mode options to enable/disable effects\u00e2\u02dc\u2026 Beautiful 4x1 and 2x1 Equalizer widgets for your home-screen\u00e2\u02dc\u2026 Additional widget skins available for download\u00e2\u02dc\u2026 Transparent background mode available for widgets\u00e2\u02dc\u2026 Notification shortcut available for quick access\u00e2\u02dc\u2026 Fully optimized for phones and tablets\u00e2\u02dc\u2026 No root requiredFull features include: (Requires purchasing Unlock key)\u00e2\u02dc\u2026 Save Custom Presets\u00e2\u02dc\u2026 Delete, Edit, Rename Presets\u00e2\u02dc\u2026 Create Home-screen shortcut for Presets\u00e2\u02dc\u2026 Backup and Restore Presets from SD cardStock presets include:\u00e2\u02dc\u2026 Normal\u00e2\u02dc\u2026 Classical\u00e2\u02dc\u2026 Dance\u00e2\u02dc\u2026 Flat\u00e2\u02dc\u2026 Folk\u00e2\u02dc\u2026 Heavy Metal\u00e2\u02dc\u2026 Hip Hop\u00e2\u02dc\u2026 Jazz\u00e2\u02dc\u2026 Pop\u00e2\u02dc\u2026 Rock \u00e2\u02dc\u2026 Latin (New)Equalizer does not work with all music players. Some have equalizers of their own, and others are just not compatible. If you have issues with your music player please contact us. We recommend using Google Play Music, Meridian Mobile, or Omich player.Installation of Unlock Key:This is an unlock key and not a stand-alone application, all you need to do is download the key and install it on your device. The first time you open it you will see a dialog and you will then be taken to our Equalizer application, that's all you need to do!We appreciate your feedback and encourage you to help us improve our products. Visit our website http://www.smartandroidapps.com and don't forget to check out our other apps in the market.Known issue with Jellybean devices:Audio is not as loud when equalizer is enabled. See link for more details:https://code.google.com/p/android/issues/detail?id=41166Smart Android Apps, LLC", "devmail": "info@smartandroidapps.com", "devprivacyurl": "http://www.smartandroidapps.com/privacy&sa=D&usg=AFQjCNGEl3rg_xZ8WUj31CNt9rYUfgV7LQ", "devurl": "http://www.smartandroidapps.com&sa=D&usg=AFQjCNH3f5tBOW02rWfcMz9W-L1NJ3Q6Dw", "id": "com.smartandroidapps.equalizer", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.smartandroidapps.missedcallpro", "com.smartandroidapps.audiowidgetpro.themes.NeonBlue", "com.smartandroidapps.audiowidgetpro.themes.Glass", "com.smartandroidapps.audiowidget", "com.smartandroidapps.audiowidgetpro.themes.smoothglass", "com.smartandroidapps.audiowidgetpro.themes.NeonGreen", "com.smartandroidapps.equalizer.unlock", "com.smartandroidapps.audiowidgetpro.themes.Transparent", "com.smartandroidapps.missedcall", "com.smartandroidapps.clipper", "com.smartandroidapps.audiowidgetpro.plugin.locale", "com.smartandroidapps.audiowidgetpro.themes.Android", "com.smartandroidapps.audiowidgetpro", "com.smartandroidapps.audiowidgetpro.themes.flatwhite", "com.smartandroidapps.audiowidgetpro.themes.SmokedGlass"], "name": "Equalizer", "price": 0.0, "rating": [[" 1 ", 2380], [" 2 ", 1098], [" 5 ", 34342], [" 3 ", 2889], [" 4 ", 7889]], "reviews": [["Whole genres missing for preset seems not to support all devices and apps. How ...", " Whole genres missing for preset seems not to support all devices and apps.\tHow about adding voice as a preset for podcasts and radio. Also makes no difference on new nexus 7 using pocketcast. "], ["Only working with some apps", " Works with google play music but doesnt work with poweramp. Also gives a warning to uninstall musicfx wich is a system hook for the music effects on settings, you should check this. "], ["Excellent on Galaxy Note not LG Optimus", " Great app!...but....This works very well on my Galaxy Note 10.1 tablet. It doesn't seem to work at all on my LG Optimus L9 phone. The app will install, all functional parts are usable, but they have no effect on sound, unfortunately. Get an update that will make it work on LG Optimus L9 and I'll bump it to 5 stars for sure! That's the only thing that's holding me back right now. "], ["Needs an update", " It needs to be updated so that it's compatible with the new version of Google Music. It's constantly turning off and it only stays on for a couple of songs before it turns back off. "], ["Galaxy S3 - Not working after MF1 update and nothing from support on issue ...", " Galaxy S3 - Not working after MF1 update and nothing from support on issue\tI submitted issue to support but have yet to receive a response. EQ option will not work it in fact makes sound lower but other options like Reverb, bass intensity, virtualizer do change sounds to be louder. This has been out a little while now and at least an update that it is being worked on or Samsung has made it impossible to make Eq work would be appreciated. This app made the sound from the phone come out great and will change back to 5 stars once I receive at least an update on repairs. "], ["Was good", " Down loaded this app 3 days ago loved it now it keeps saying that I have other audio profiles running when I don't. Can some one help me out I'm a lil confused. "]], "screenCount": 8, "similar": ["net.pnplay.nelite", "com.wiggleapp.wiggle", "com.jrtstudio.music", "hr.podlanica", "com.maxmpz.audioplayer", "com.shazam.android", "com.nullsoft.winamp", "cn.voilet.musicplaypro", "de.ebbert.audioeq.free", "com.doodleapp.equalizer", "com.maxmpz.audioplayer.unlock", "com.jrtstudio.AnotherMusicPlayer", "com.n7mobile.nplayer", "com.devdnua.equalizer.free", "com.desaxedstudios.bassbooster", "br.com.rodrigokolb.musicequalizer", "com.google.android.music"], "size": "2.3M", "totalReviewers": 48598, "version": "3.2.10"}, {"appId": "com.desaxedstudios.bassbooster", "category": "Music & Audio", "company": "Desaxed Studios", "contentRating": "Everyone", "description": "\"Once you get into exploring its awesome depths, you will be surprised to see how hard-hitting and legitimately utilitarian it is for all music lovers.\" [OneClickRoot.com]Most of the issues are due to Android itself and the constructors' interfaces, not the app ! It's almost impossible to get this kind of app to work on every device.Check out our FAQ if you're experiencing issues or want more information : http://www.desaxed.com/faqSome questions from our FAQ : - What devices are compatible with Bass Booster ? - Why doesn't Bass Booster work on my phone ?\u00c2\u00a0 - How can I reduce battery consumption ? - Why doesn't Bass Booster work any more after an update ? - Why does the equalizer only have 5 or 6 bands ? - How can I quit Bass Booster ?Features \u00e2\u02dc\u2026 Bass Booster \u00e2\u02dc\u2026 6 Bands Equalizer (5 on some phones) \u00e2\u02dc\u2026 20 Presets \u00e2\u02dc\u2026 Customizable presetPresets Details - Volume Booster (boost the volume by +10 dB, doesn't work on every smartphone) - Improve Quality (gets the best of your small or cheap audio devices) - More Basses - Electro - Techno - Dubstep - Dance - Pop - Rock - Metal - Reggae - Rap - R&B - Hip-Hop - Jazz - Latino - Acoustic - Classical - Party - Voice BoosterIf the new update isn't working anymore for you, you can download older versions here :www.desaxed.com/bass-boosterDisclaimerWe are not responsible for anything that might happen to your phone, your audio device or yourself ! Do not listen at full volume or with bass boost for too long. This app can damage your devices or hearing. Use it wisely !By downloading this application, you accept that in no case we could be held responsible for any kind of damage resulting of the use of this app in any way.This software is provided by the copyright holders and contributors \"as is\" and any express or implied warranties, including, but not limited to, the implied warranties of merchantability and fitness for a particular purpose are disclaimed. In no event shall the copyright owner or contributors be liable for any direct, indirect, incidental, special, exemplary, or consequential damages (including, but not limited to, procurement of substitute goods or services; loss of use, data, or profits; or business interruption) however caused and on any theory of liability, whether in contract, strict liability, or tort (including negligence or otherwise) arising in any way out of the use of this software, even if advised of the possibility of such damage.Thanks to Svengraph for the headphones : http://svengraph.deviantart.com/", "devmail": "team@desaxed.com", "devprivacyurl": "N.A.", "devurl": "http://www.desaxed.com/&sa=D&usg=AFQjCNHG6pW7C_mdFXwVJ-5qLHbnngNRTQ", "id": "com.desaxedstudios.bassbooster", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.desaxedstudios.bassboosterpro", "com.desaxedstudios.freestylegenerator"], "name": "Bass Booster", "price": 0.0, "rating": [[" 3 ", 2014], [" 4 ", 5139], [" 1 ", 1068], [" 5 ", 23204], [" 2 ", 483]], "reviews": [["Amazing", " This has made my HTC desire so much louder and when I have people over it makes the room shake when I put the bass fully and the speakers loud well done "], ["LOOKS CLEAN & FUNCTIONAL but..", " ..it doesn't work for HTC One X. I do understand there's a Sense issue, however other apps manage it without problems, such as PowerAmp or Neutron, but suspect they are programmably different. Another EQ only app worked intermittently. What's the problem here? Fix, and I will use/buy. (Be nice to add volume slider too, for convenience.) "], ["Re-review", " Developer responded quickly to how to shut it off so a promised, 5 star. Still stay a turn off button to turn all the effects off with one click would be good. "], ["Ummm.. not so much.", " I really want this app to be stable on my HTC1s \"with beats audio\".... Got rid of my other players, (except the stock google play one).... I get about 15 seconds out of it, and POOF!!.... That wonderful sound that I was listening to went flat again..... This app COULD be my new crack, but I gotta get more than 15 seconds out of it first.... \"beats audio\" off, it crashes. "], ["Really good", " Good app, I really noticed the difference with and without it. The only thing is that it makes my phone crash. But above anything this is a good app. "], ["Works", " It really works and its a good app but I never give 5 stars nothing is perfect 4 Is my top and below 3 so this app is very good. "]], "screenCount": 11, "similar": ["com.desaxed.playlistmanager", "com.maxmpz.audioplayer.unlock", "com.misonicon.bassbooster", "com.multimediastar.volumebooster", "hr.podlanica", "br.com.rodrigokolb.realbass", "com.maxmpz.audioplayer", "com.nullsoft.winamp", "cn.voilet.musicplaypro", "de.ebbert.audioeq.free", "com.doodleapp.equalizer", "com.cb.volumePlus", "com.multimediastar.bassbooster", "com.devdnua.equalizer.free", "com.desaxed.playlistmanagertrial", "br.com.rodrigokolb.musicequalizer", "com.multimediastar.treblebooster", "com.smartandroidapps.equalizer"], "size": "646k", "totalReviewers": 31908, "version": "2.0"}, {"appId": "com.ad60.songza", "category": "Music & Audio", "company": "Songza", "contentRating": "Everyone", "description": "Working? Relaxing? At the gym? Songza plays you the right music at the right time. * Named \"Editors' Choice\" by Google Play.* Free, with no listening limit. * Let Songza's 'Music Concierge' find the right music for your moments. * Browse a curated playlist library organized by activity, genre, decade, & mood.* Stream thousands of original playlists handmade by music experts. * Save your favorite playlists & share them via Facebook, Twitter or email.", "devmail": "feedback@songza.com", "devprivacyurl": "http://songza.com/page/privacy/&sa=D&usg=AFQjCNFRMUxgFYo5TOVda3oC5eVU3pYBSA", "devurl": "http://www.songza.com&sa=D&usg=AFQjCNGYhgsB2qS0n9kxnoRPIxQjibeMpQ", "id": "com.ad60.songza", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.ad60.blackplanet"], "name": "Songza", "price": 0.0, "rating": [[" 3 ", 1267], [" 2 ", 548], [" 5 ", 26025], [" 4 ", 5327], [" 1 ", 982]], "reviews": [["Used to work great", " I've been a huge fan ofsongza since it first came out but here recently I can barely Get it to play. It plays for a few seconds then stops for a while then plays a few seconds more. That's not good quality, if you can fix that, I'll give you 5 stars! "], ["Glitch", " Plays for a few songs then stops. Why is this happening now? Before this started-5 stars. After this started-3 stars. :-\\ "], ["Simply amazing.", " There's a playlist for everyone, every taste, every mood. And the ad you experience once in a blue moon is not disruptive at all. I haven't gone back to Pandora since. Songza is my new addiction. "], ["Sharing", " I do like the app the only thing I can not figure out is how to share the song only, not the whole playlist.. Ty "], ["Great service, buggy app", " I love the way Songza approaches music. Instead of curating stations melodically related to a particular song or artist, it caters to your specific mood at a given time of day. And since music solely exists to complement your mood or setting, Songza is the best way to listen to music. But a couple of bugs plague the experience. The only real way to quit the app is to select it in the three-dot menu. But sometimes this doesn't work and just send you back to the previous screen. Also, sometimes after quittin "], ["Pure Fun!!!", " Solid music app that's easy to use and fun to browse! And the music is pretty good too! "]], "screenCount": 8, "similar": ["com.tbig.playerpro", "com.jrtstudio.music", "hr.podlanica", "com.maxmpz.audioplayer", "com.shazam.android", "com.shazam.encore.android", "com.doubleTwist.androidPlayerProKey", "com.nullsoft.winamp", "com.melodis.midomiMusicIdentifier", "com.pandora.android", "com.spotify.mobile.android.ui", "com.maxmpz.audioplayer.unlock", "com.soundcloud.android", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music", "tunein.player"], "size": "Varies with device", "totalReviewers": 34149, "version": "4.1.19"}, {"appId": "com.smule.singandroid", "category": "Music & Audio", "company": "Smule", "contentRating": "Low Maturity", "description": "Sing your favorite songs from a huge catalog of top hits, or perfect a song and then share it with the world. \u00e2\u2122\u00aa \u00e2\u2122\u00ab\u00e2\u2122\u00a9\u00e2\u2122\u00aa Now supporting duet mode!!! \u00e2\u2122\u00aa \u00e2\u2122\u00ab\u00e2\u2122\u00a9\u00e2\u2122\u00aaThe audio technology behind Sing! works best on newer devices, in particular Galaxy S3, Galaxy Note II, Galaxy Nexus, Nexus 4, Nexus 7, Nexus 10, and other high-powered devices.SING THE HOTTEST SONGS:Choose from a huge catalog of songs, with the hottest hits by your favorite artists. Sing songs from an array of genres, from Pop to Rock, Hip-Hop to Musicals, Country to Classics. New and free songs are added all the time!Earn free currency to sing premium songs, or buy a subscription for unlimited access!Songbook includes hundreds of new top hits, and many more! New songs added all the time!Want a song that's not yet available? Suggest songs here: http://bit.ly/SuggestSongsForSmuleSOUND LIKE A STAR:Sound great every time with Sing!\u00e2\u20ac\u2122s voice enhancement technology. Like a little competition? Aim high to get on the Top Performances list with singers from all over the globe.SHARE WITH THE WORLD:Save your performances to your profile and share with friends and family via Facebook, email, SMS, Google Plus, or Twitter. Share your creations with the Sing! community and give and receive Loves!Features:- Sing songs with scrolling lyrics, pitch lines, and backing vocals.- Enhance your voice with Sing! special voice filter.- Share your performances with the community and receive Loves.- Easy sharing to the outside community via Facebook, Google Plus, Twitter, email and SMS.- And much more!Questions? Write support@smule.com, find us on YouTube, Google+, Facebook, or Twitter!http://www.smule.comhttp://www.gplus.to/smulehttp://www.facebook.com/smulehttp://www.youtube.com/smulehttp://www.twitter.com/smule", "devmail": "support@smule.com", "devprivacyurl": "http://smule.com/privacy&sa=D&usg=AFQjCNG-NyQsnkOwwyVup48MtOf5I7Ln9g", "devurl": "http://www.smule.com&sa=D&usg=AFQjCNGe8bwca1SDHb5-IBAVbwxUi88T1g", "id": "com.smule.singandroid", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.smule.magicpiano", "com.smule.autorap", "com.smule.songify"], "name": "Sing! Karaoke", "price": 0.0, "rating": [[" 5 ", 5173], [" 4 ", 1228], [" 2 ", 522], [" 3 ", 899], [" 1 ", 1614]], "reviews": [["Don't bother on Android", " Total crap! I just downloaded the app yesterday and purchased the subscription for $4.99 per month just so I can even access the songs. The app has a lot of bugs and I have not been able to record one single performance but I cancelled my subscription literally the next day and they won't give me a refund let alone give me a full month to use the subscription even though I paid for it!! I want my money back. "], ["Not free to even try a single song!", " Such BS! They give you 20 credits, and to even try out the app on one song will costs 50 credits. "], ["Smule", " sick of bugs..Fix bugs!!!!!! :-(Sick of force closes..please fix this.?...new songs added often..but force closes a lot. Be sure to back up before jumping page to page. ;) PLEASE ADD SOME JEWEL SONGS? "], ["This sucks", " This was a very fun game at first but now that I gained credits to make my own solos I can't upload my songs and I keep trying and rerecord and the same thing is happening and now all my credits are gone I wasted that for nothing fix this cause I really like this game. . And by the way more cooler songs should be on here not all that white music black people sing on this also. .but anyways fix it or im uninstalling. "], ["This sucks seriously", " I hate the audio syncing just make the same version you have for your iPhone for the S3 I don't want to delete this app since I love to sing and sometimes this is my only escape.. But if y'all can't fix this I'm going to have to delete it!! Boo "], ["Connection issues while connected O_o", " Cannot connect over wifi or cellular. It spends and loads but never connects. Im definitely connected because I just installed the app update. Phone model: galaxy 3 Please fix "]], "screenCount": 19, "similar": ["com.idtech.your_voice", "com.uttermostapps.onedirection", "appinventor.ai_nightclubtorino.KaraokeTube", "com.musixmatch.android.lyrify", "jp.mysound.karaoke", "com.dude8.karaokegallery", "com.inglesdivino.karaokemode", "com.telibrahma.Karaoke", "jp.co.xing.jml", "com.famousbluemedia.yokee", "com.jamesdhong.VideokeKing", "jp.co.mti.music.download.player.lyric.kashi", "rschrenk.kinderlieder", "com.tuneme.tuneme", "com.gismart.guitar", "vnapps.ikara"], "size": "12M", "totalReviewers": 9436, "version": "1.1.8"}, {"appId": "com.myxer.android.unicorn", "category": "Music & Audio", "company": "Myxer Radio LLC", "contentRating": "Medium Maturity", "description": "Come hear the NEW Myxer! We've built an all-new free radio service and rebuilt our popular ringtone app. Two great apps in one! You can continue to personalize your mobile device with customized and downloaded ringtones AND customize your radio station by choosing your favorite artist and songs!\u00e2\u20ac\u00a2 Free and unlimited music! No subscription needed\u00e2\u20ac\u00a2 Listen to Myxer's Pro-DJ stations or create and tweak your own.\u00e2\u20ac\u00a2 Continuously modify your stations by adding, removing, and banning artists and songs, creating personalized favorite stations you can listen to again and again\u00e2\u20ac\u00a2 Thousands of community built and modified stations to browse and play\u00e2\u20ac\u00a2 Over 20 million tracks in our music catalog!\u00e2\u20ac\u00a2 Download free ringtones from Myxer's massive catalog \u00e2\u20ac\u00a2 Create customized Tones from your iTunes collection or Myxer's catalog.\u00e2\u20ac\u00a2 Share your favorite content with friends via Twitter, Facebook, Email, and SMSFind out why thousands of people are joining everyday.", "devmail": "support@myxer.fm", "devprivacyurl": "http://about.myxer.fm/privacy&sa=D&usg=AFQjCNGxtkwLQQEbui_qOj7F6nF1w_Jlvg", "devurl": "http://beta.myxer.fm&sa=D&usg=AFQjCNEzr6QWbDUyiS7GcFk0gP0q58ruaA", "id": "com.myxer.android.unicorn", "install": "100,000 - 500,000", "moreFromDev": ["com.myxer.android.socialradio", "com.myxer.android"], "name": "Myxer Ringtones & Radio (BETA)", "price": 0.0, "rating": [[" 1 ", 54], [" 4 ", 158], [" 2 ", 11], [" 3 ", 69], [" 5 ", 792]], "reviews": [["Absolutely hate this version. It doesn't work on my phone and I can't ever ...", " Absolutely hate this version. It doesn't work on my phone and I can't ever find the music I want. I continued using old app, which I loved, until yesterday and it somehow updated without my permission to this mess!!!! Not happy.\tHate this version. Doesn't work on my phone. Used old version. Until yesterday when my phone undated without my permission and now the old version doesn't work. This version is a mess!!!! Not happy. "], ["Myxer is for me", " I really like this radio station and download music from this website I' d highly recommend it. "], ["SMH", " I dont desire to ever have facebook. Why did u change to where u have to have facebook to enjoy ur service. It was always like this. THIS SUCKS!! "], ["I personally love it! The issue I have is; how come when I open ...", " I personally love it! The issue I have is; how come when I open the app, it goes to the play store to open it? Why doesn't it open without going there first? "], ["Bad update", " I loved this app until the latest update. Now I can't get to any of the ringtones that were on here that I liked, and options under each category are limited to 25 choices. Please go back to the old format that offered more ringtone choices! "], ["Awesome 5stars rated AWESOME!!!!!??????", " Luv it "]], "screenCount": 12, "similar": ["com.lihuats.ringtonepro", "com.mix1009.ringtoneat", "com.vimtec.ringeditor", "com.Psms", "com.mobile17.maketones.android.free", "com.shawmania.pelisshaw", "com.xzPopular", "com.doodleapp.ringtonebox", "com.bell.brain0", "com.xzIphone4s", "com.xcs.mp3cutter", "com.bbs.mostpopularringtones", "com.munets.android.bell365hybrid", "com.henryxucn.ringtone", "com.tellmei.ringtone"], "size": "5.7M", "totalReviewers": 1084, "version": "3.2.92"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtadaa.json_merged.json b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtadaa.json_merged.json new file mode 100644 index 0000000..0fea07b --- /dev/null +++ b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtadaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.radio.fmradio", "category": "Music & Audio", "company": "RadioFM", "contentRating": "High Maturity", "description": "Radio FM - Radio For Mobile===========================Radio FM (Radio For Mobile) app is to play any online, LIVE, Internet based Radio. Radio FM allows you to listen and enjoy variety of genres like songs, music, talks, news, comedy, shows, concerts, and other variety of programs available live by various Internet Radios.Radio FM Users can enter their own choice of radio by entering the information of station or tune in to any radio from the Directory of more than 10,000 stations grouped by countries.All the stations are available for FREE by Radio FM. Radio station provider can make it premium.We regularly updates on list of stations.It is all free and its feature includes:- Radio list sorted by Countries- Favorite list feature to manage your favorites- Recent list feature to show the recently played stations- Add radio tab to add a your own radio from the app itself.- Share feature to share the radio with app to your friends and family.- Sleep timer to automatically off the radio when you sleep listening to your favorite station- Sort Countries List by Number of Stations or Alphabetic order- Sort Radio Stations List by favorite, likes or Alphabetic order- Radio favorites, Likes and popularity count- Supports landscape orientation for tablet screens- Multilingual support for Italian, Portuguese, Indonesian, Spanish, German, French- Search feature- View currently playing song information for all Shoutcast Radios- Create Shortcuts for your favorite radio stations on the Mobile screen- Save application to SD card- Option to add and play any Shoutcast radio- Option to resume last played station on application start upWe provide this app FREE. If you enjoy it.Like us on Facebook: www.facebook.com/radiofmappFollow us on Twitter: www.twitter.com/radiofmappRadio FM uses the FREE multimedia plugin by Vitamio ( http://vitamio.org) to power the media playback.For any suggestions/ query/ problem in app? Write to us on radio-fm@live.com", "devmail": "radio-fm@live.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.radio.fmradio", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Radio FM", "price": 0.0, "rating": [[" 2 ", 147], [" 3 ", 592], [" 4 ", 1401], [" 1 ", 394], [" 5 ", 4560]], "reviews": [["fantastic app!!", " awesome app i ever-ever use... but there is a little problem of crashing during playing different country fm radio... so plz fix the bug ... then I'll give u 5 star .. ;-) fantastic app !! "], ["Good app", " Great selection in radio stations internationally. Main downside with app is a pop up voice command application that interrupts and runs in the background requesting a voice command, otherwise app would be worth 5 star rating. "], ["Excellent", " Its too good to be true. It functions perfectly with my galaxy s4. I would recommend it at any given time to anyone. Excellent product. "], ["Awesome app W/problems!!!!", " This is a wonderful app lots of potential but seriously need upgrade atleast best version I've been able to find music in app stops mysteriously while app is still launched I would say I listen to this app approx. 12 hours in each of my days for a minimum 5 days a week love yalls stations and setup don't make mefind something "], ["100/100", " Good on u guys best radio app ever n iv tried heaps. Simple and easy to use. I love it. 5 stars all the way. Cheers "], ["Very nice application.", " Selecting and changing stations works well. Sound is of good quality. Whhen app. is closed it does not stay running in RAM. Very impressive. I love it Thanks. "]], "screenCount": 20, "similar": ["de.arvidg.onlineradio", "com.tunewiki.fmplayer.android", "com.audioaddict.sky", "radiotime.player", "com.maxxt.pcradio", "com.jangomobile.android", "com.audioaddict.di", "com.android.DroidLiveLite", "playfm.globus.droid", "tunein.player", "com.clearchannel.iheartradio.controller", "com.fmindia.activities", "com.pandora.android", "de.radio.android", "com.slacker.radio", "es.androideapp.radioEsp"], "size": "6.0M", "totalReviewers": 7094, "version": "2.6"}, {"appId": "com.xzPopular", "category": "Music & Audio", "company": "DreamRing", "contentRating": "Low Maturity", "description": "Best and Most Popular RingtonesAndroid Popular Ringtone App contains best selection of the most popular ringtones. 30 top rated cool melodies and popular tunes you will love. Hip hop, techno, remix, techno beats, R&B, club, disco, DJ, guitar, piano and more. Enjoy these cool ringtones!Press and hold the setting buttons for features including assigning to a contact ringtone, set as default ringtone, notification or alarm and more...This application also a handy voice recorder.You can record yourself like sound to set as ringtone.Tags: popular ringtone, SMS ringtone,popular ringtones download, android popular, cool ringtone, popular android ringtones, best ringtones, best ringtone, cool ringtones,record,record ringtone", "devmail": "OneDream_yc@yahoo.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.xzPopular", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "Most popular Ringtone", "price": 0.0, "rating": [[" 5 ", 16397], [" 3 ", 6685], [" 1 ", 3405], [" 4 ", 13055], [" 2 ", 1756]], "reviews": [["It was alright.", " I liked the options for what u can do with the tones but i did not like the lame tones they had to choose from. I mean there were about 3 good ones . And theyre onlybgood of ur stoned when u hear them. overall i like it better than the text tone i did have "], ["This is an excellent app, to download ringtones. It has nice musical instrument ...", " This is an excellent app, to download ringtones. It has nice musical instrument ringtone, that don't sound distorted, and obnoxious. I certainly found, and continue to find ringtones that are appealing to one's ears! Thanx very much! "], ["Dumb app", " Not worth to install. Development is nice but no nice ring tones. Better not to waste time. "], ["Great app", " This is a really cool app. It has cool ringtones, easy to download and is simple to use "], ["Bullshit. Was looking for REAL songs not nonsense tones like what my new, lame ...", " Bullshit. Was looking for REAL songs not nonsense tones like what my new, lame phone already has. Miss my old phone that got stolen. "], ["Great app", " Needs the latest ringtones. It has to many old school rings n msn. Needs to be updated for variety of users,to many monotonous tones. Other than that great app. Please update or I will have to uninstall eventually. "]], "screenCount": 3, "similar": ["com.xzSuper", "com.xzDJ", "com.henryxucn.ringtone", "com.lihuats.ringtonepro", "com.xzbestcool", "com.xzIphone4s", "com.Psms", "com.xzRaggae", "com.xzFunnyFart", "com.xcs.mp3cutter", "com.xzMessage", "com.learn.ringtone", "com.coolsms", "com.xzChristmas", "com.mix1009.ringtoneat", "com.tellmei.ringtone", "com.youba.ringtones", "com.aura.ringtones.aurasoundeffects", "com.bell.brain0", "com.munets.android.bell365hybrid", "com.herman.ringtone", "com.xzFunny", "net.audiko2", "com.Alarm", "com.xzScary", "com.mobile17.maketones.android.free", "com.xzPolicesiren", "com.HipHop", "com.XZrtlove", "com.bbs.mostpopularringtones", "com.xzHotPolice", "com.vimtec.ringeditor"], "size": "5.2M", "totalReviewers": 41298, "version": "1.7"}, {"appId": "com.google.android.ears", "category": "Music & Audio", "company": "Google Inc.", "contentRating": "Everyone", "description": "The Google Play Sound Search widget can help you recognize music and songs playing around you. You can:-Identify songs, directly from your homescreen-Purchase identified songs straight from Google Play, and add them to your Play Music library-Keep a song identification history, synced across all of your Android devices, so you can purchase a song later-Add the widget directly to your lockscreen, so you can recognize songs even faster (for devices running Android 4.2)After you\u00e2\u20ac\u2122ve installed the Google Play Sound Search widget, go to the widget picker and drag the Sound Search widget onto your homescreen. Click on the widget to start recognizing.", "devmail": "android-apps-support@google.com", "devprivacyurl": "http://www.google.com/policies/privacy&sa=D&usg=AFQjCNE7y6nm7TcHvct7CDJRmWrYBHvMEQ", "devurl": "https://support.google.com/googleplay/bin/answer.py", "id": "com.google.android.ears", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.google.android.gm", "com.google.android.voicesearch", "com.google.android.talk", "com.google.android.play.games", "com.google.android.tts", "com.google.android.apps.plus", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.android.apps.maps", "com.google.earth", "com.google.android.apps.books", "com.google.android.apps.translate", "com.google.android.street", "com.google.android.apps.magazines", "com.google.android.music"], "name": "Sound Search for Google Play", "price": 0.0, "rating": [[" 3 ", 574], [" 2 ", 178], [" 5 ", 5038], [" 1 ", 487], [" 4 ", 1097]], "reviews": [["Music yes, humming singing no", " It is a very simple and easy to use app which makes it easy to find and purchase songs which are on the radio around you. Don't, however, try to hum or sing the song yourself into the phone - it doesn't work! "], ["completely useless for indie songs", " Only works with popular music, which you probably already know the titles to, 9 out of 10 times Ive used this to find a song Ive never heard it doesnt work, I tried Sound Hound on some of the same songs and it nailed it in a couple seconds. Never use in situations where time is of the essence since there is a very high chance of it not knowing the song and youll end up missing it. It does at least have a lock screen widget. "], ["Beautiful", " Works almost every time. Only fails on very unknown songs, gets songs wrong on quiet instrumental parts of songs. PLEASE GOOGLE GIVE THE OPTION TO MAKE THE WIDGET SMALLER. "], ["Classical?", " It does OK with modern songs whether lyrical or instrumental. However, it seems to have a terrible time with classical music. "], ["Where is the widget?", " I downloaded and installed this app yesterday. After it installed successfully, I went into my widgets and could not find Sound Search for Google Play anywhere. The instructions say, \"after you install Sound Search, go to your widget picker and drag it to your home screen.\" There is no widget! No App! nothing. I see it in my list of installed apps on Google Play, so at least there is confirmation I did in fact install it. What am I doing wrong? EDIT: Should have looked at the user reviews first, then I would have seen other users of the Motorola RAZR HD had the exact same problem! EDIT 2: Thanks to Brian Aungst for his suggestion to uninstall, then re-install the app. This time I got the widget to show up. "], ["Limited to released albums", " Would like to see capability to analyze live recordings better. Restart phone after installing to get the widget to show up as expected. "]], "screenCount": 5, "similar": ["com.jrtstudio.music", "com.musixmatch.android.lyrify", "com.maxmpz.audioplayer", "com.shazam.encore.android", "com.smule.magicpiano", "com.android.chrome", "hr.podlanica", "com.shazam.android", "com.nullsoft.winamp", "com.pandora.android", "tunein.player", "com.spotify.mobile.android.ui", "com.maxmpz.audioplayer.unlock", "com.doubleTwist.androidPlayer", "com.soundcloud.android", "com.melodis.midomiMusicIdentifier.freemium", "com.sonyericsson.trackid"], "size": "656k", "totalReviewers": 7374, "version": "1.1.8"}, {"appId": "com.divi.volumebooster", "category": "Music & Audio", "company": "D&V", "contentRating": "Low Maturity", "description": "Volume Booster will make your phone sound and overall volume stronger by 30-40%!Simply press the volume you want to achieve and let the app calibrate your sound settings!This app will increase your overall sound quality and make your Android phone sound like a professional media player. It works for speakers and headphones!In order to keep the app 100% free, you will receive the following \u00e2\u20ac\u201cSearch shortcut icon on your home screen,Search shortcut on your bookmarks and browser homepage.This will help us bring you more cool apps like this in the future.You can delete the search shortcuts easily (Drag & Drop to the garbage), this will not affect the application in any way.", "devmail": "d.maratilov@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.divi.volumebooster", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.divi.kissingtester", "com.divi.tsunapper"], "name": "Volume Booster", "price": 0.0, "rating": [[" 1 ", 1746], [" 4 ", 1846], [" 5 ", 5316], [" 3 ", 1316], [" 2 ", 365]], "reviews": [["Installing with adware or malware.", " As soon as i installed the app the antivirus scanning screen came up telling me that my phone is infected. Do not use!!! "], ["Ads make it unusable", " I don't mind ads. I understand people need to make money. This, however, it's just ridiculous. "], ["Great", " It's goo sometimes it stops but the majority of the time it works "], ["Samsung S3", " No different at all! "], ["I love it I can hear my phone with ease.", " "], ["Excellent", " This app made a huge difference in the sound quality on my phone. My speaker was so soft that I had to cup my hand to hear it. This app made it muck loader. Worth downloading "]], "screenCount": 3, "similar": ["com.misonicon.bassbooster", "hr.podlanica", "cn.voilet.musicplaypro", "com.studio.essentialapps.volume.booster", "com.multimediastar.volumebooster", "de.ebbert.audioeq.free", "com.doodleapp.equalizer", "com.cb.volumePlus", "com.maxmpz.audioplayer", "com.multimediastar.bassbooster", "com.desaxedstudios.bassboosterpro", "com.maxmpz.audioplayer.unlock", "com.desaxedstudios.bassbooster", "br.com.rodrigokolb.musicequalizer", "com.multimediastar.treblebooster", "com.smartandroidapps.equalizer"], "size": "1.3M", "totalReviewers": 10589, "version": "1.9"}, {"appId": "com.beatronik.djstudiodemo", "category": "Music & Audio", "company": "Beatronik", "contentRating": "Everyone", "description": "#1 The very first DJ Application for Android with more than 13.000.000 downloads and counting!DJStudio is a free, robust and powerful party-proof application for DJs which enables you to mix, scratch, loop or pitch your songs in the palm of your hands.Designed to be user friendly, social and responsive, you now have the keys to mix and rule the party.\u00e2\u02dc\u2020 Voted as app of the week by IKMultimedia \u00e2\u02dc\u2020 DJ Studio respects you:\u00e2\u02dc\u2026 Full app for FREE, no hidden costs.\u00e2\u02dc\u2026 No registration fee.\u00e2\u02dc\u2026 No limitation, no watermark.\u00e2\u02dc\u2026 No ads.\u00e2\u02dc\u2026 No trackers, no stealing data.\u00e2\u02dc\u2026 No popups everywhere, everyday. \u00e2\u02dc\u2026 No premium, platinum only features.\u00e2\u02dc\u2026 Only paid skins to support our work.Key features:\u00e2\u02dc\u2026 Wide compatibility : Android 2.2 and more\u00e2\u02dc\u2026 2 virtual turntables with cross fader\u00e2\u02dc\u2026 Customise your decks with up to 7 skins!\u00e2\u02dc\u2026 Unique scratch engine and disc physics\u00e2\u02dc\u2026 Access and browse your music library by folder, artist, album, name\u00e2\u02dc\u2026 Edit and re-order playlist\u00e2\u02dc\u2026 8 sound effects: Flanger, Phaser, Gate, Reverb, Bit crusher, 3D, Brake and FlippingDouble\u00e2\u02dc\u2026 3-bands equalizer for each deck\u00e2\u02dc\u2026 10 customizable sample pads\u00e2\u02dc\u2026 One CUE/RECALL points per deck\u00e2\u02dc\u2026 IN/OUT and beat based loops\u00e2\u02dc\u2026 Pre-Cueing with headphones or Y-cable\u00e2\u02dc\u2026 Automatic landscape and portrait mode\u00e2\u02dc\u2026 Live record your mixes with the mic\u00e2\u02dc\u2026 Auto-mix feature (random & playlist modes)\u00e2\u02dc\u2026 Share your mixes on SoundCloud\u00e2\u02dc\u2026 Live sound spectrum view with beats localization and zoom\u00e2\u02dc\u2026 Compatible with mp3 and wav files\u00e2\u02dc\u2026 Designed for Nexus devices\u00e2\u02dc\u2026 Share with friends with Facebook, Tweeter or Google+\u00e2\u02dc\u2026 Compatible with iRigMIX\u00e2\u201e\u00a2 from IK Multimedia*System requirements:\u00e2\u02dc\u2026 Screen compatibility from 3.7\" to 10\" and HD screens\u00e2\u02dc\u2026 Wide OS compatibility : since OS 2.2\u00e2\u02dc\u2026 Min 1 core 800Mhz, recommended 2 cores\u00e2\u02dc\u2026 2 cores required for scratch option\u00e2\u02dc\u2026 1 GB RAM recommended\u00e2\u02dc\u2026 Multi-touch since 3.0DJStudio is an advanced DJ application suitable for everybody whether you are a novice or a pro.If you like the app, please leave us a review!If you have issues with this program or if you have some questions don't hesitate to write us an email.* Sold separately, iRigMix is a product of IK Multimedia (http://www.ikmultimedia.com/products/irigmix/)", "devmail": "contact@beatronik.com", "devprivacyurl": "N.A.", "devurl": "http://www.beatronik.com&sa=D&usg=AFQjCNF6DjzkS73zzcjtt3-F6rHudvc3HQ", "id": "com.beatronik.djstudiodemo", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.beatronik.djstudio", "com.beatronik.audiowall", "com.beatronik.pocketdjlite", "com.beatronik.pocketdjfull"], "name": "DJ Studio 5", "price": 0.0, "rating": [[" 1 ", 3997], [" 4 ", 6237], [" 3 ", 3491], [" 5 ", 26894], [" 2 ", 1424]], "reviews": [["Rubbish", " Can't reque record once playing cant play out loud on remote speakers and preque next tune not for first time djs u will struggle ive been playing for yrs in some of the best clubs in London and I'm telling you go out and buy a dj mixing package that u can get ur hands on this is a waste of time "], ["Needs a small fix", " Need to make the looping more responsive there's a delay when you press any of the fraction time buttons. Needs to be more responsive so I can do some killa chopping! Other than that the app is decent. "], ["Great for Bedroom DJ's & Beginners.", " One slight niggle; Although the long air horn and alarm siren are great, the app needs better sound effects. Maybe a gun shot or thunder clap. Something like that. Other than that, it is great fun and worth a go if you like playing music. "], ["Cool but", " It's an awesome app that I love to use whenever I mix songs. But whenever i try to synch the bpm it sometimes messes up the bpm and I need to fight with it usually to synch it properly. It's an annoying problem but it doesn't usually happen to often. Nevertheless it's still a great app. Another thing now with the update I'm trying to record my mixes but whenever I do I'm disappointed when I get so far into it it crashes on me. FIX CRASHING PROBLEM PLEASE "], ["Pointless", " I get that everyone wants to be a dj these days, so i understand why people make djing for dummies apps. If you want to dj, go by turntables and learn how to dj. Buy music to support the struggling music industry. Support those who have been ruined by the greed the music industry itself created by monopolizing all our radio stations across the country. Almost wiping out the local record stores across the country, literally playing playlists of the worst music being produced today. This app is not helping "], ["It could be an easy 5 stars if...", " I think it's great how all the features are free and how easy it is to line up tracks because of the displays, but if you guys added/improved the following things: -The \"folder' search option for songs only takes you to the phone's memory, not the card's, even if I click on 'sdcard'. -The buttons are too small and the knobs and levers aren't as precise and accurate as edjing's controls. (For example, the reset buttons. It's like I need a stylus to press them) -There's no 'Lock' feature for the loops -Recording is still spotty when you use precuing -an auto sync that detects the beats in both tracks and syncs them like the one in edjing would be handy, rather than just an auto sync for bpms. The main thing for me though are the controls. If the buttons were bigger and the controls were more precise this would probably be the best DJing app on android. (Even more so than Edjing with all the effects unlocked) "]], "screenCount": 9, "similar": ["com.imageline.FLM", "com.google.android.music", "br.com.rodrigokolb.realdrum", "hr.podlanica", "com.smule.magicpiano", "com.maxmpz.audioplayer", "com.shazam.android", "com.nullsoft.winamp", "com.melodis.midomiMusicIdentifier.freemium", "com.adjpro", "com.edjing.edjingdjturntable", "com.jrtstudio.music", "com.bti.myPiano", "com.punsoftware.mixer", "com.soundcloud.android", "com.djloboapp.djlobo"], "size": "11M", "totalReviewers": 42043, "version": "5.0.8"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtadab.json_merged.json b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtadab.json_merged.json new file mode 100644 index 0000000..446bd8e --- /dev/null +++ b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtadab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.edjing.edjingdjturntable", "category": "Music & Audio", "company": "DJiT", "contentRating": "Everyone", "description": "edjing is the best DJ App on Android! With edjing, users can create their own mixes and share them directly on Facebook, Twitter and Google+ ! Voted as Best App of the Year at the AppAwards 2013! More than 11 Million users worldwide already! Play, Mix and Share your sounds for FREE!\u00e2\u20ac\u02dc\u00e2\u20ac\u2122ABSOLUTELY INSANE! Love this app!\u00e2\u20ac\u2122\u00e2\u20ac\u2122 - Even Further \u00e2\u20ac\u02dc\u00e2\u20ac\u2122Great app I love this app I did a friends birthday party and everyone though I had some expensive dj equipment\u00e2\u20ac\u2122\u00e2\u20ac\u2122 - Gregory Rudolph \u00e2\u20ac\u0153 Love it this app...100% real, entertainment and lots of fun. Experience like real DJing .. tq for making this app.\u00e2\u20ac\ufffd - Solomon King\u00e2\u20ac\u0153edjing is more than just a successful app, it stands out by its wide range of effects offer and its smooth usage.\u00e2\u20ac\ufffd Androidmag.deIt\u00e2\u20ac\u2122s the 1st social DJ App to Play, Mix and Share your sounds for free! A perfect way to share your passion for music and let others discover your mixing talent! General Characteristics: - OS: must be based on Android 4.0 or upper- Screen Compatibility: from 3.7\u00e2\u20ac\u2122\u00e2\u20ac\u2122 to 10\u00e2\u20ac\u2122\u00e2\u20ac\u2122 and upper - RAM size > 1GB (recommended)- Sharing function to share your mix on Facebook, Twitter and Google+- Access to your music library to mix all your tracks - Enjoy access to SoundCloud and Mix all the music you love!- Mix the whole Deezer music library (for Deezer Premium Plus members): more than 15 million tracks- 2 Turntables + Cross Fader - Free DJ effects (FX): Cue point, Flanger, equalizer, Scratch / Pitch on Vinyl...- Wide Sound Spectrum for optimum Beats localization - BPM synchronization (sync)- Possibility to record your mix: recording in High Definition CD quality, wave format - \"AutoMix\" mode for automatic transitions between titles of your playlists - Ability to remix mp3 files of more than 1 hour- A store with additional effects (FX): Pre-Cueing, Reverse, Double flipping, Auto Scratch, Reverbs, Gate, TK Filter...- The possibility to earn vinyls to buy effectsJUST LIKE A REAL DJ WOULD: Realize professional-like transitions thanks to the crossfader. Match the beats manually or click on the Sync button to synchronize the bpm (beats per minute) of your tracks and achieve seamless transitions.Add all the effects you like and keep reinventing the music you love! Scratch or add special sound effects to enrich your mix and create new sounds: your sound!Enjoy a wide range of free DJ sound effects FX: scratch, flanger, pitch, equalizer, cue point\u00e2\u20ac\u00a6You can also get more awesome effects via our in-app Store! All the effects are available via the FX menuFinally, record your mixes and share them with your friends on Facebook, Twitter and Google+ thanks to the \"Sharing\" feature. You can record up to a whole hour of mixing. edjing also gives you the possibility to listen to your mix and those of your friends on its internet website: www.edjing.comCUSTOMIZE YOUR TURNTABLES WITH SKINSedjing also gives you the possibility to customize your turntables with special Skins: Choose the deck that suits your mood and mix like a pro!- the Neon Skin for electrifying turntables - the Metal Skin for more Modern Rock decks - the GhettoBlaster for a cool 90s touch - and many others to discover: Chalk Skin, Red Neon, Gold, Platinum, Diamond\u00e2\u20ac\u00a6YOU ARE THE DJ! Play. Mix. ShareN.B: edjing has developed its own Sound System to offer you the best audio experience possible: real time sound processing enabling you to mix your music live with increasingly realistic DJ effects.Contact us at support@edjing.com for any feedback!Join the edjing community on: -Facebook:https://www.facebook.com/edjingApp - Twitter: https://twitter.com/edjing- Youtube: http://www.youtube.com/user/eDJingFrance- Google+ : https://plus.google.com/100711776131865357077/postsTAGS : dj, mix, turntable, turntables, scratch, beats, mixer, traktor, djay, virtual dj, deejay", "devmail": "contact@edjing.com", "devprivacyurl": "http://www.edjing.com/CGU/CGU_edjing.pdf&sa=D&usg=AFQjCNEOk-jZL-sV8dCdhlHbsuYLV-s18g", "devurl": "http://www.edjing.com&sa=D&usg=AFQjCNE-JBnuZkmB652jN5n_Z5W7aLZa9g", "id": "com.edjing.edjingdjturntable", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.edjing.edjingpro"], "name": "edjing free DJ mix rec studio", "price": 0.0, "rating": [[" 1 ", 1760], [" 4 ", 11853], [" 2 ", 826], [" 3 ", 3201], [" 5 ", 51744]], "reviews": [["Amazing", " It took a while but I managed to save 20.000\u00c2\u00b1 discs and thanks to the devs always having insane deals on I managed to grab the Diamond pack last night for 18.000 discs ( without spending a penny in real money :) Opening the app everyday gets you 1400 Discs a week and it soon racks up well worth it IMO, Great App Can't wait to see it on my Note 3 in full HD Roll on December. Just don't no what happens next :/ Once new skins are released do I get them free or what "], ["Seriously Great app", " Ive given this app 4 out of 5. It would be 5 of 5 if the app had a pitchlock and pitch slider. I unlocked all effects and skins by downloading a few extra apps to gain the credits needed for the diamond pack after it was offered to me at a 75% discount, i figure everyone gets this oppertunity and its well worth doing as i have yet to find a djing app on android that comes close. "], ["Awesome features that have enhanced my music experience.", " Every time I use this app, I love hearing the huge variety of effects it provides. Each time I get a new song, I get to experience all of the effects all over again! "], ["Its the Best DJ free app so far I love it", " This app is so Great u can do wonders with it I love it, love it, love it!. "], ["Cool!", " Being a former DJ, I find this app to be very very cool and fun at the same time. A friend referred me to this app that works as a a professional DJ. I just use this to mess around a little bit. I might get fancy one day and hook this up to my stereo. However it will not replace a Technics 1200... LOL! Way to go developers! "], ["Really Cool,", " But it crashed when I was in the middle of mixing. I lost half an hour of work. It would be good if you fixed this, or added some way of saving a mix and continuing it later. Thanks to this, I can finally make a C418 Megamix! "]], "screenCount": 15, "similar": ["com.imageline.FLM", "com.spartacusrex.prodj", "com.soundeffects.musicmixer", "com.beatronik.djstudiodemo", "com.mediashare.djsoundboard", "hr.podlanica", "com.beatronik.djstudio", "com.flexbyte.groovemixer", "com.adjpro", "com.soundeffects.dubstep", "com.google.android.music", "com.djtachyon.android.VirtualTurntable", "com.bti.myPiano", "com.punsoftware.mixer", "com.djloboapp.djlobo", "com.mobileroadie.app_18504"], "size": "Varies with device", "totalReviewers": 69384, "version": "Varies with device"}, {"appId": "com.nullsoft.winamp", "category": "Music & Audio", "company": "Nullsoft, Inc.", "contentRating": "Low Maturity", "description": "Play, manage and sync music from your Mac or PC to your Android device. Winamp for Android offers a complete music management solution (2.1 OS & above) featuring wireless desktop sync (latest Winamp Media Player required), iTunes library import, & access to thousands of internet radio stations with SHOUTcast. Visit http://www.winamp.com/android to learn more.\"I was so impressed that I set it as my default player and uninstalled the others.\" - Android PoliceLyrics - In-App Purchase* $2.99 USD* Displays lyrics for millions of songs from over 40,00 artists and 200,000 albums* Automatically scroll in time with the song you\u00e2\u20ac\u2122re listening to (synchronization data not available for all songs)* Available in: Australia, Brazil, Canada, China, Finland, France, Germany, Great Britain, India, Ireland, Italy, Japan, Mexico, New Zealand, Norway, Russia, South Korea, Spain, Sweden and the United States. Album Washer - In-App Purchase* $3.99 USD* Download missing album artwork* Update missing/incorrect tags* Display album art for SHOUTcast stations* Album Washer is limited to: AAC, MP3 & FLAC files only.(FLAC support requires Winamp Pro.)Pro Bundle - In-App PurchaseThe Winamp Pro bundle adds additional premium features that allow you to control & customize your music experience.* $4.99 USD* 10-band graphic equalizer* Customizable home screen* Browse by Folder* Crossfade* Gapless playback* FLAC playback (from \"Folder\" view)* Replay Gain* Personalized station recommendations* Play streaming audio URLs (supported formats only)* No Ads* On-going new premium features to be addedCore (Free) Features:* Free Wireless syncing* Now Supports syncing with Winamp for Mac (beta)* One-click iTunes library & playlist import* Over 50k+ SHOUTcast radio stations* SHOUTcast Featured Stations* Persistent player controls* Easily collapsible/expandable Now Playing screen* Artist news, bios, photos & discographies* Extras Menu - Now Playing data interacts with other installed apps* Album art gesturing for track change* Integrated Android Search & \"Listen to\" voice action* Browse by Artists, Albums, Songs or Genres* Playlists and playlist shortcuts* Play queue management* Widget player (4x1 & 4x2)* Lock-screen player* Last.fm Scrobbling* Available in 14 languagesKnown Issues:* Pro Bundle - Gapless playback, Crossfade, & EQ not supported for M4A files on Android 2.1* Pro Bundle may not be supported/available on older or less expensive devices with chipsets that do not support floating point calculationsNullsoft EULA - Mobile Applications: http://www.winamp.com/legal/android", "devmail": "feedback@winamp.com", "devprivacyurl": "http://www.winamp.com/legal/privacy&sa=D&usg=AFQjCNE-Jm2Vm20litlMQj4HkUHeq5_Mvw", "devurl": "http://www.winamp.com&sa=D&usg=AFQjCNGg2Y6qn802-dyVIEhEw6iQpiwtkQ", "id": "com.nullsoft.winamp", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Winamp", "price": 0.0, "rating": [[" 3 ", 15399], [" 4 ", 36310], [" 2 ", 5663], [" 1 ", 10869], [" 5 ", 113216]], "reviews": [["Add more.....", " Plz add more formates of audio files. If possible add some visualising effect for prefect presentation. The visulasiling effect is never there before in any player.... So i want you to add this feature.... "], ["Skipping tracks", " Like it as it works the way i like it. Only issue is it skips a track most of the time when using the in-app buttons. The widget and notification widget work fine, swiping on the album art to skip a track is also fine.. Not sure where the problem lies. "], ["Add more features to the free version", " I was dissapointed not to find any equalizers on the free version. Come on guys... Not even 5? I love winamp on pc but on android, the stock music app is way better than winamp. Sadly, had to uninstall :( "], ["I love WinAmp!", " I love WinAmp on PC and on my Android phone, I just wish it would let me purchase WinAmp Pro for gapless and FLAC playback before the app goes away from the Play Store forevery :'( "], ["Winamp is great", " The features of Winamp are rich. They recently fixed the only bug that was a problem for me (used to have issues starting Pro version without Internet connection). Great app. "], ["Album washer crashes everytime", " Every part of this app works great, except when trying to grab album art. It force closes every time. Any phone running 4.2 or higher has done this. Please fix and it gets 5 stars from me. "]], "screenCount": 7, "similar": ["com.tbig.playerpro", "com.musixmatch.android.lyrify", "hr.podlanica", "com.doubleTwist.androidPlayer", "com.jrtstudio.music", "com.shazam.android", "com.jrtstudio.AnotherMusicPlayer", "com.tbig.playerprotrial", "com.maxmpz.audioplayer", "com.spotify.mobile.android.ui", "tunein.player", "com.n7mobile.nplayer", "com.pandora.android", "com.soundcloud.android", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music"], "size": "7.5M", "totalReviewers": 181457, "version": "1.4.15"}, {"appId": "com.musicapp.android", "category": "Music & Audio", "company": "turtlerun", "contentRating": "Low Maturity", "description": "The ultimate music player for Android.Music Pro is small, but with powerful music play control, it's the best music player for your android phone.You can manage your musics easily, Music pro will guide you easy to find all the music in your phone.This music player is not only based on artists or albums, but also based on the folder structure.Also, you can select more than 6 desktop widgets to easy control the music play.Key Features:* Browse and play your music by albums, artists, genres, songs, playlists, folders, and album artists.* Music folder selection.* Choice of 5 different home screen WIDGETS (4x1,2x1, 2x2, 3x3, 4x4, 4x2).* LOCK SCREEN widgets supported, no necessary open the app to control your music play now.* Notification STATUS support: display album artwork, title and artist, play/pause, skip forward and stop CONTROLS (ICS only) in notification status.* SHAKE IT feature: give your phone a shake to play next/previous song* Create playlist SHORTCUTS.* Music Library wide SEARCH.* OpenGL based cover art animation* High level of customization via settings* Tag editor* Headset/Bluetooth Controls Formats supported: mp3, ogg, flac, wma, wav, m4a, mp4 (provided that your phone supports these formats).Notice:Widgets only work if the app is installed on internal storage. If the app is on external storage like a SD card, the widget dissapears.... and many other features to discover !------------------Disclaimer\u00ef\u00bc\u0161This app is based on vanilla code.vanilla code: https://github.com/kreed/vanillaCopyright (C) 2012 Christopher", "devmail": "turtlerun.developer@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.musicapp.android", "install": "500,000 - 1,000,000", "moreFromDev": "None", "name": "Music Player Pro", "price": 0.0, "rating": [[" 2 ", 122], [" 3 ", 445], [" 5 ", 4713], [" 4 ", 1175], [" 1 ", 543]], "reviews": [["Copied?? Think twice about downloading!!", " Looks like an exact copy of Ultra Music Player by Rabbit. So who copied whom? Makes me very suspicious. Dev names & email addresses make me think these are the same devs. Seems sneaky & unethical Had to firewall to block the ads. Very basic player with obviously little thought gone into the design. Update-- Searched through numerous reviews. No developer responses!! Interesting... Also found another review that said this is a fork of another program. Tried Poweramp in the mean time. Id give that a shot. Seriously considering buying the paid version of that since Winamp has gone to crap. "], ["Stupid!!!!", " It downloads slow n pauses dont ever ever ever never ever should nobody should even think about downloading this app becuz it iz redicouly stupid azz hell!!! "], [".", " You use to be able to download music from here that's the only reason I had it but now you can only play the music you already have downloaded "], ["Music player pro", " I'm very satisfied with this music app it's accurate and fast and very easy to use. "], ["Good variety", " Couldn't find all the jams I wanted but has the largest variety of any free app out there. "], ["Cool", " It's a good app, doesn't lag much, and has a lot of good music. "]], "screenCount": 7, "similar": ["yong.desk.weather.google", "com.alarming.alarmclock", "com.ezmusicplayer.demo", "com.turtlerun.opensudoku", "com.eliferun.enotes", "com.zgui.musicshaker", "com.mjc.mediaplayer", "mobi.pixi.music.player.yellow", "media.music.musicplayer", "com.eliferun.filemanager", "cn.voilet.musicplaypro", "com.eliferun.compass", "com.download.mp3music", "com.tbig.playerprotrial", "com.mixzing.basic", "com.kane.xplay.activities", "net.afsysho.freemusic", "com.turtlerun.chess.main", "com.easyelife.battery", "com.ringtonmaker", "com.mine.videoplayer", "com.eliferun.music", "com.tbig.playerpro", "com.eliferun.soundrecorder", "com.maxmpz.audioplayer", "com.doubleTwist.androidPlayer", "com.jrtstudio.music", "com.jrtstudio.AnotherMusicPlayer", "com.elift.hdplayer", "com.n7mobile.nplayer"], "size": "723k", "totalReviewers": 6998, "version": "1.3.5"}, {"appId": "com.bandsintown", "category": "Music & Audio", "company": "Bandsintown", "contentRating": "Low Maturity", "description": "The highest rated and #1 downloaded concert listing and discovery application for Android.At Bandsintown, we live for live music. Bandsintown provides a personalized concert calendar and a way to track your favorite artist and discover new touring musicians, based on your musical preferences and location, so you never miss another live show.This free application scans your music libraries and makes sure you are the first to know when your favorite bands and DJs are coming to town!\u00e2\u0153\u00a9 Concert notifications for your favorite artists\u00e2\u0153\u00a9 Complete concert listings for every city\u00e2\u0153\u00a9 Browse tour dates for any artist\u00e2\u0153\u00a9 Awesome concert recommendations\u00e2\u0153\u00a9 Use your contact list to invite friends to events, or find friends already using Bandsintown\u00e2\u0153\u00a9 Sync your Pandora, last.fm, and Google Play accounts\u00e2\u0153\u00a9 Connect with Facebook & Twitter\u00e2\u0153\u00a9 Buy tickets from hundreds of ticket sites\u00e2\u0153\u00a9 Share the hottest gigs with your friends\u00e2\u20ac\u0153If I had the choice between the second coming of Christ or this app, I\u00e2\u20ac\u2122de choose this app! Had it for 24 hours and I\u00e2\u20ac\u2122ve already spent close to $150 on concerts I would\u00e2\u20ac\u2122ve otherwise missed. This app is changing my life as we speak!\u00e2\u20ac\ufffd\u00e2\u20ac\u0153Must have for music lovers, gig, or clubbing freaks!\u00e2\u20ac\ufffd\u00e2\u20ac\u0153Greatest music app ever!!!! - If you wanna know what bands are in town get this app!!!!!\u00e2\u20ac\ufffd\u00e2\u20ac\u0153I don't ever rate apps and this is by far my favorite app. So intuitive and useful.\u00e2\u20ac\ufffd\u00e2\u20ac\u0153This app is freaking amazing! I love it and recommend it for everyone who wants to go to concerts but never knows when they are.\u00e2\u20ac\ufffd\u00e2\u20ac\u0153Best live music app! - Best app out there to find when your favorite artists are touring and coming close to you! It actually goes off your own music library or you can follow any artist! Simple and easy to use.\u00e2\u20ac\ufffdTerms of Use: http://www.bandsintown.com/termsPrivacy Policy: http://www.bandsintown.com/privacy_policy\u00e2\u2014\u00a6 Bugs / Crash? Feedback? \u00e2\u2014\u00a6Email: androidapp@bandsintown.com", "devmail": "androidapp@bandsintown.com", "devprivacyurl": "http://www.bandsintown.com/privacy_policy&sa=D&usg=AFQjCNHGqTVEsCMBpPASzOBAG6AgiEAfMg", "devurl": "http://www.bandsintown.com&sa=D&usg=AFQjCNEK_GDa9gZDMT9HL13cc34goLB0aw", "id": "com.bandsintown", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Bandsintown Concerts", "price": 0.0, "rating": [[" 5 ", 8453], [" 3 ", 728], [" 2 ", 198], [" 4 ", 3424], [" 1 ", 663]], "reviews": [["h", " Kinda slow "], ["Convenient", " Awesome. Easy. Convenient. Organized...n helpful as f*** "], ["Great!", " Helps me plan ahead for upcoming concerts. "], ["Ungodly slow", " The website works fine but your app loads data incredibly slow. Fix. Confirmed it's not my connection or device. "], ["It's convenient", " I'm notified when the band's&artists I'm into play,in my city and everywhere else. I really appreciate the advance notice!A few days can make a big difference in whether you get in the venue and where you sit or stand,a BIG deal to me. Great job on a must have app. "], ["Great App", " This app has helped me keep track of shows by my favorite local artists and bands that I love that are passing through. It has also recommended new bands that I really like. Worth the download. "]], "screenCount": 11, "similar": ["com.morbeyin.music_player", "com.music.deadmau5", "com.n7mobile.nplayer", "com.musixmatch.android.lyrify", "com.songkick", "hr.podlanica", "com.doubleTwist.androidPlayerProKey", "com.shazam.encore.android", "com.shazam.android", "com.maxmpz.audioplayer.unlock", "com.moderati.zippo2", "com.jrtstudio.iSyncr", "com.spotify.mobile.android.ui", "com.melodis.midomiMusicIdentifier", "com.soundcloud.android", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music", "com.sony.snei.mu.phone"], "size": "Varies with device", "totalReviewers": 13466, "version": "4.3.1"}, {"appId": "com.batanga", "category": "Music & Audio", "company": "Batanga Media Inc", "contentRating": "Low Maturity", "description": "Listen for free to the most Latin Music available on your Android with the newly relaunched Batanga Radio App. Batanga Radio now offers you access to more music, new opportunities to personalize your listening experience! Using the largest library of Latin Music available, you can create personal radio stations that play only your favorite music and artists. Choose your genre, artists, songs or even your mood and let Batanga create a radio station that is as unique as you are. Then choose what you like or don\u00e2\u20ac\u2122t like in order to further personalize your station as you listen. Hundreds of thousands of songs are also available on over 200 exclusive genre radio stations and over 10,000 artist radio stations. You can also browse the music library to discover the music you'll love. Whether you enjoy or create stations on the Android Batanga Radio is fully integrated and can be accessed on any device. Download the entirely new Batanga Radio app today to begin enjoying and discovering the best Latin music wherever you are!Do you want to know more about Batanga Radio?\u00e2\u0153\u00aa Like us on Facebook: www.facebook.com/batanga\u00e2\u0153\u00aa Follow us on Twitter: www.twitter.com/Batanga", "devmail": "support+bradiofull.android@batanga.com", "devprivacyurl": "http://www.batanga.com/privacy-policy&sa=D&usg=AFQjCNFCSInxzsj6SDMJjV7YschPGbfmUQ", "devurl": "http://www.batanga.com&sa=D&usg=AFQjCNGWeldtFzpiWamK-vKZLNLYpUqitA", "id": "com.batanga", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Batanga Radio", "price": 0.0, "rating": [[" 3 ", 679], [" 2 ", 252], [" 1 ", 552], [" 4 ", 1610], [" 5 ", 7147]], "reviews": [["I'm OK..", " Nice no commercial I love it nice..5 more *****:) "], ["App to SDcard...", " Please add the ability to move App to SD Card please. Motorola Droid X "], ["Nice.", " Though it could look better, I like that the different types of music are separated. In most other apps, if it's in Spanish, it's Latin. Could use some Spanish rock. Some classic styles like mambo, trio, and some folk music from different countries. Maybe some conjunto as well, otherwise known as Tejano. Good overall. "], ["The best app ever", " Verry good apppp "], ["Great app", " Could be better on the internet connection but its still amazing "], ["It's great!", " I'm happy never hear commercials. "]], "screenCount": 5, "similar": ["com.airkast.univision", "com.batangalitemxn", "com.live365.mobile.android", "de.arvidg.onlineradio", "com.batangalitepop", "com.audioaddict.sky", "radiotime.player", "com.maxxt.pcradio", "com.batangalitergt", "com.jangomobile.android", "mediau.player", "com.aupeo.AupeoNextGen", "com.audioaddict.di", "com.stitcher.app", "com.android.DroidLiveLite", "tunein.player", "com.clearchannel.iheartradio.controller", "com.batangalitebcht", "com.pandora.android", "batanga.iMujer", "com.slacker.radio"], "size": "4.8M", "totalReviewers": 10240, "version": "4.40.1"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtaeab.json_merged.json b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtaeab.json_merged.json new file mode 100644 index 0000000..7764f86 --- /dev/null +++ b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtaeab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.doodleapp.equalizer", "category": "Music & Audio", "company": "PerfectionHolic Apps", "contentRating": "Everyone", "description": "Improve your phone or tablet's sound quality with the best Equalizer app.Music Equalizer lets you adjust sound effect levels so that you get the best sound. Music Equalizer is a volume slider with five band Equalizer with Bass Boost and Virtualizer effects. You can also quickly create your own custom preset with the 5 band Equalizer controller. * Media volume control* Five band equalizer* 9 equalizer presets* Bass boost effect* Virtualizer effect* Save custom presets* Lock media volume", "devmail": "contact@perfectionholic.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.doodleapp.equalizer", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.doodleapp.speedtest", "com.doodleapp.equalizerpro", "com.doodleapp.zy.easynote", "com.doodleapp.launcher.theme.business", "com.doodleapp.launcher.theme.punk", "com.doodleapp.launcher.theme.extremeios7", "com.doodleapp.launcher.theme.past", "com.doodleapp.flashlight", "com.doodleapp.launcher.theme.soft", "com.doodleapp.launcher.theme.flat", "com.doodleapp.superwidget", "com.doodleapp.launcher", "com.doodleapp.ringtonebox"], "name": "Music Equalizer", "price": 0.0, "rating": [[" 4 ", 516], [" 2 ", 81], [" 3 ", 221], [" 5 ", 2876], [" 1 ", 190]], "reviews": [["Quality. Period.", " I love music and I love for it to sound right. I also love my smartphone. As we all know Android is super and getting better each day. I have tried many equalizers and uninstalled. This one stays. Thank you for not making this equalizer take control of everything and your clear instructions to disable it when I don't need it. Quality sound and great looking interface. Thank you. 5 \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026. Rock on. Galaxy S4 "], ["Best equalizer for HTC there is!", " I have an HTC one X. I need multiple custom presets & I need something that works with beats turned on & off. This does ALL of that & works with Pandora. Least glitchy eq I've found for my phone & if you use this eq & turn on beats it won't negate the eq, it will work on top of it making the bass EXPLODE! Use to push premium headsets where they should perform at! NICE! "], ["u have done a great job", " Best of the best......but i have a small problem..its a bit slow on my galaxy y, u plz fix it i would really appreciate it....and reply me ok thnxx ^^ "], ["No fuss and excellent results", " Easy to use wonderful sound. I have been listening to music more than usual because of this app. "], ["Samsung galaxy previl", " Best sound productivity application. And its free! and they don't ask you to rate it 5 stars before you even try the application.unlike 30 percent of the other and sound applications out there. that claims to have a good application that will amplify and provide a good music experience, all you get is a bunch of ads an app that doesn't work, and now finally a very happy customer that down that application that's free is what it does and not full of ads, and that's why I took the time to write this!***** :) "], ["Super good I love it", " Super good I love its soo easy in my other downloads the music didn't work but when I installed it all of my old downloads work I have no problem so far =):D=)\u00e2\u2122\u00a1\u00e2\u2122\u00a5\u00e2\u2122\u00a1 "]], "screenCount": 6, "similar": ["com.devdnua.equalizer", "com.multimediastar.bassbooster", "hr.podlanica", "com.hbstudios.dspmanagerfree", "com.ai.doit", "com.nimblesoft.equalizerplayer", "com.doodleapps.taskkiller", "cn.voilet.musicplaypro", "de.ebbert.audioeq.free", "com.smartandroidapps.equalizer.unlock", "com.maxmpz.audioplayer", "bestSound_eq.com", "net.pnplay.nelite", "com.devdnua.equalizer.free", "com.desaxedstudios.bassbooster", "br.com.rodrigokolb.musicequalizer", "ht.equalizer.music.player", "com.smartandroidapps.equalizer"], "size": "936k", "totalReviewers": 3884, "version": "1.1.0"}, {"appId": "com.solarspark.scdownloader", "category": "Music & Audio", "company": "SolarSpark Productions", "contentRating": "Everyone", "description": "Download and play your favorite music on SoundCloud.--- Features ---- Easy search- Quick download- Awesome player- Transfer downloaded music to PC", "devmail": "playreap@ymail.com", "devprivacyurl": "http://www.playreap-apps.com/privacy-policy--tos.html&sa=D&usg=AFQjCNG9SlJsyq5JaibobqZFB-m4IrV8tQ", "devurl": "http://www.playreap-apps.com&sa=D&usg=AFQjCNEcVRXjEiHZeQ8gEJKiBaJoV6G_4Q", "id": "com.solarspark.scdownloader", "install": "100,000 - 500,000", "moreFromDev": ["com.solarspark.FaceReadingBooth.Free", "com.solarspark.PalmBooth.Free", "com.solarspark.LovelockFree", "com.solarspark.FaceReadingBooth", "com.solarspark.RapBattleFree", "com.solarspark.PalmBooth", "com.solarspark.TempleRuinLite", "com.solarspark.facebookphotosaver", "com.solarspark.TempleRuin"], "name": "SoundCloud Downloader & Player", "price": 0.0, "rating": [[" 2 ", 31], [" 3 ", 53], [" 5 ", 460], [" 1 ", 63], [" 4 ", 97]], "reviews": [["Bad app", " It will let me download my music n it will be in my music player in than when I don't listen to for like 3 hours they will be gone it waists my time if its not going too stay in my music player "], ["Stupid app", " Wont even let me download my songs on andriod im still loyal but please fix before i get rid of it fir good "], ["Works great!", " Not a single problem , downlanded every single song I wanted , super fast and easy . Never been so impressed with an app before I've legit sat here for 45 minutes going through music apps this is by far the best "], ["This is amazing!", " While the songs themselves are only in 128kbps, I'll let it slide. This is perfect. "], ["Awesome", " Awesome app...find every song I look for..quick search...only thing u can't download n search at same time..can only do one or other..but great app.. "], ["Cool app downloaded all songs I need", " Cool application got all my songs I love "]], "screenCount": 10, "similar": ["com.mycloudplayers.mycloudplayer", "com.musicdownload.mp3musicdownloaderpro", "com.dawncoast.twilight", "com.SolarSpark.DotLockerLite", "com.young.imusic", "com.dj.ringtone", "com.mp360", "com.SolarSpark.BatteryDouble", "com.SolarSpark.FaceSpy", "com.download.mp3music", "com.dirtylabs.soundcloud", "com.soundcloud.android", "com.SolarSpark.ConnectTheDotsFree", "com.sohretdl.FreeMusic", "com.birbeck.android.coverart", "com.SolarSpark.DotLocker", "com.SolarSpark.FaceSpyFree", "com.SolarSpark.BatteryDoubleFree", "com.mymelodybox", "tonjobs.topmp3", "com.programmi.invenio_x_music", "com.yong.yinyue.gongju", "app.simple.mp3.downloader"], "size": "1.6M", "totalReviewers": 704, "version": "1.0.2"}, {"appId": "com.e8tracks", "category": "Music & Audio", "company": "8tracks", "contentRating": "Medium Maturity", "description": "Overview8tracks Radio provides the best music for any taste, time & place. Need a playlist for the office or the beach? For working out or making out? Do you like deep house or dubstep, indie rock or classic rock, jazz or punk, hip hop or classical, rare groove or metal? We\u00e2\u20ac\u2122ve got it all and more. Choose from nearly 1 million fresh, free playlists, each curated by someone who knows and loves music. Enjoy millions of tracks uploaded and curated by people around the world.What\u00e2\u20ac\u2122s different from other radio & music apps? \u00e2\u0153\u201c Free\u00e2\u0153\u201c No audio ads\u00e2\u0153\u201c No listening limit\u00e2\u0153\u201c Less repetition\u00e2\u0153\u201c Deep selections (something for every genre, mood and activity)\u00e2\u0153\u201c Unmatched music discovery\u00e2\u0153\u201c An interesting (and sometimes attractive) person \u00e2\u20ac\u0153behind the music\u00e2\u20ac\ufffdJoin 8tracks\u00e2\u20ac\u2122 global community of more than 5 million monthly listeners and tune in for free today!Features- Each playlist includes 8 or more tracks, along with a title, cover art & description- Listeners browse mixes in a variety of ways:- Activity or mood tags, like study, workout, party, sex & sleep- Genre tags, like indie rock, electronic, hip hop, country & jazz- Editor\u00e2\u20ac\u2122s picks like Pitchfork, Vice, SPIN, Rolling Stone & Resident Advisor- Search by artist or DJ- If you enjoy what you hear, you can:- Favorite the track to add it to a wishlist- Like the mix to bookmark it and send love to the DJ- Follow the DJ to add his/her future mixes to your \u00e2\u20ac\u0153mix feed\u00e2\u20ac\ufffd- This version supports:- Android 2.1 & up- Both Honeycomb & Ice Cream Sandwich - Tablets, including Samsung Galaxy Tab and Kindle FireRegisterOnce you\u00e2\u20ac\u2122ve installed the app, register with 8tracks to personalize your listening experience. We only ask for username, email and password, or you can simply connect via Facebook. Once registered, you\u00e2\u20ac\u2122ll be able to favorite tracks, like or comment on mixes, and follow DJs. While we don\u00e2\u20ac\u2122t support mix creation on the app, you can head to 8tracks.com to create a playlist to share with others, using tracks from your personal collection or your favorites from SoundCloud.BrowseNow it\u00e2\u20ac\u2122s time to find a mix that\u00e2\u20ac\u2122s just right for your tastes, whatever you\u00e2\u20ac\u2122re doing and however you\u00e2\u20ac\u2122re feeling. Tap the Home icon to open navigation options, then search for mixes by tag, artist, DJ or description. On the results page, add more tags to refine your search or sort the results by trending, newest or popular.ListenOnce you tap on a mix, you\u00e2\u20ac\u2122ll arrive at the mixpage, which includes title, cover art, and a count of \u00e2\u20ac\u0153plays\u00e2\u20ac\ufffd and \u00e2\u20ac\u0153likes\u00e2\u20ac\ufffd to date. The current track is displayed along with player controls at the bottom of the screen, and the star icon allows you to Favorite it. Like & shareThe heart icon allows you to Like (bookmark) the mix for later, and you can instantly Share it with friends via text, email, Twitter or Facebook. If you don\u00e2\u20ac\u2122t like what you hear, click Next mix to jump to another playlist.FollowClick on a DJ\u00e2\u20ac\u2122s name or avatar on any mixpage to check out the DJ\u00e2\u20ac\u2122s profile, which includes basic info (location, short bio, Twitter handle, website), stats (mixes, followers, following), and a list of all mixes published by that DJ. Click Follow to add a DJ\u00e2\u20ac\u2122s mixes to your mix feed.Accolades\u00e2\u20ac\u0153Algorithm-powered \u00e2\u20ac\u02dcpersonal radio\u00e2\u20ac\u2122 services like Pandora are all very well. But they don't feel nearly as personal as 8tracks, a music site where real people do the choosing of tunes.\u00e2\u20ac\ufffd- Time Magazine, 50 Best Websites of 2011\u00e2\u20ac\u0153When it comes to finding new music, 8tracks has long been one of the cooler methods.\u00e2\u20ac\ufffd- MG Siegler, TechCrunch\u00e2\u20ac\u01538tracks has slowly and steadily emerged as the industry\u00e2\u20ac\u2122s reigning Internet mixtape startup\u00e2\u20ac\ufffd- Colleen Taylor, GigaOM\u00e2\u20ac\u0153A free, legal music service we love\u00e2\u20ac\ufffd- Peter Kafka, Silicon Alley Insider\u00e2\u20ac\u01538tracks takes a fun approach to creating custom mixes with the idea being that user-crafted music programming is more entertaining than algorithm-generated lists.\u00e2\u20ac\ufffd- Jennifer Van Grove, Mashable", "devmail": "support@8tracks.com", "devprivacyurl": "http://8tracks.com/privacy&sa=D&usg=AFQjCNGBAiwSKzwVqF0gbvwX3AZIRTyExg", "devurl": "http://8tracks.com&sa=D&usg=AFQjCNHg6bcgpNCw0VYGFlCD_w4UfgA7AA", "id": "com.e8tracks", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "8tracks radio", "price": 0.0, "rating": [[" 3 ", 1011], [" 4 ", 2294], [" 2 ", 538], [" 5 ", 7873], [" 1 ", 999]], "reviews": [["it's great.. but..", " how do you close the app from continously appearing from the status bar? like no matter what i do it's not closing the app & it says that the app is still \"ongoing\" how do i fix this without uninstalling? "], ["Amazing service", " 8tracks is hands down an amazing service, but the app can be done so much better. Its quite slow, not the best of Holo designs, and creates a lot of bugs like the sign in and sign out or lockscreen widget bugs. "], ["Good but not stellar.. Connectivity?", " Connectivity is a problem... I thought it was my phone but I got a new one and installed the app again and it has trouble after every couple songs; saying I'm not connected to the internet when I am and successfully using other applications that need internet. Plz fix this so I can listen to music continually! "], ["Good, could be better.", " Love the website but the app is missing a lot of its features. I would love to see access to personal Collections playlists, at least listen later, for on the go listening. The lock screen bug is also insanely annoying, requiring a force stop after anyone calls me in order for it to disappear. "], ["My favorite internet radio", " Awesome app, streams music just like the website does. Can't recommend highly enough, it's real easy to find good songs for studying or for when you're in the mood to mope or anything really. The latest update fixed the problem I was having with the app not recognizing my internet connection, so I'm very happy to have use of the app again. "], ["Great. But..", " Needs a radical UI change. The current one is very old and doesn't go well with the new Android look and feel. Developers, please consider this. (Y) "]], "screenCount": 11, "similar": ["com.aupeo.AupeoNextGen", "de.arvidg.onlineradio", "com.slacker.radio", "radiotime.player", "com.maxxt.pcradio", "com.jangomobile.android", "com.live365.mobile.android", "com.audioaddict.di", "com.stitcher.app", "com.android.DroidLiveLite", "tunein.player", "com.clearchannel.iheartradio.controller", "com.pandora.android", "de.radio.android", "com.audioaddict.sky", "es.androideapp.radioEsp"], "size": "3.0M", "totalReviewers": 12715, "version": "2.2.12.2"}, {"appId": "com.bbs.mostpopularringtones", "category": "Music & Audio", "company": "Black Belt Studio", "contentRating": "Medium Maturity", "description": "Get ready for the hottest ringtones and make your phone stand out with the most popular ringtones and sounds that are free!Want to have popular songs that are free on your device? Turn to our app for the top tones and choose the one you like best. In our app you will find free ringtones android, that can be set as ringtones or sms that you will adore. They are also settable as an alarm, widget or timer. All melodies can be set as notification sounds, or send by an e mail or shared on social networks. Finding free ringtones, meaning popular ringtones may be difficult, but we made it easier for you now. We created original music tones, sound effects for this app. Our app is the one stop destination for the best sounds, and check out our app for all that is popular, and the most popular ringtones 2013 are the click away from you! Being in a spot light has never been easier, you will shine and feel like a star with our free sounds effects for android.Try to relax and have fun with entertaining and relaxing sounds which are part of the collection of this popular app. Techno and exotic melodies are a part of collection created for everyday fun. Many of the tones in question are romantic and sweet, and are carefully chosen as well as those funny ones that are perfect for being set as ringtones or sms sounds.We bet that your phone will be ringing with quite original melody. You don\u00e2\u20ac\u2122t have to gather all songs and music by yourself because in this app you will find the collection that consists of free ringtones. Join us for this exciting journey and feel like a star whenever your phone starts ringing with a most popular tone and you find yourself in the center of attention. Popular ringtones are ready for free download! Available Features:-\tSet as ringtone, assign to contacts-\tSet as alarm and timer sound-\tSet as SMS ringtone-\tSet as widget-\tShare on social networks or email sounds-\tApp is translated to English, Srpski, Fran\u00c3\u00a7ais, Deutsch, Italiano, Espa\u00c3\u00b1ol, Portugu\u00c3\u00aas, \u00d0\u00a0\u00d1\u0192\u00d1\ufffd\u00d1\ufffd\u00d0\u00ba\u00d0\u00b8\u00d0\u00b9, Polski, Svenska, \u00ed\u2022\u0153\u00ea\u00b5\u00ad\u00ec\u2013\u00b4, \u00d8\u00b9\u00d8\u00b1\u00d8\u00a8\u00d9\u0160, \u00e6\u2014\u00a5\u00e6\u0153\u00ac\u00e8\u00aa\u017e, T\u00c3\u00bcrk\u00c3\u00a7e, \u00e0\u00b8\u00a0\u00e0\u00b8\u00b2\u00e0\u00b8\u00a9\u00e0\u00b8\u00b2\u00e0\u00b9\u201e\u00e0\u00b8\u2014\u00e0\u00b8\u00a2, \u00ce\u2022\u00ce\u00bb\u00ce\u00bb\u00ce\u00b7\u00ce\u00bd\u00ce\u00b9\u00ce\u00ba\u00ce\u00ac, Bahasa Indonesia.This app was tested on many smartphones and tablets, so that users do not experience troubles while installing or playing with the app. Please report bugs with phone and operating system information. If you have any questions, suggestions, request or comments do not hesitate to contact us at milanjank11@gmail.com.", "devmail": "milanjank11@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://blackbeltstudio.wordpress.com&sa=D&usg=AFQjCNGGfsPVnSh_DdmjL5rnDYFHkjTq9Q", "id": "com.bbs.mostpopularringtones", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.bbs.djsoundeffects.ringtones"], "name": "Most Popular Ringtones", "price": 0.0, "rating": [[" 5 ", 3133], [" 1 ", 848], [" 4 ", 789], [" 3 ", 526], [" 2 ", 184]], "reviews": [["It good if you want to change a lame to a cool ring tone", " Good "], ["So AWESOME......... BUT PLEASE ADD A NEW RING TONE", " It's great "], ["A", " Love the ringtones... but i can't find the option to set them :\\ "], ["Nonono", " Heck, no on one of the songs it says ***.hole my grand daughter Janaya would have a big whoopin if she said that "], ["Cool, just not what I wanted.", " These are very cool sounds just not what I was looking for! "], ["I love music", " It is cool,listening to music is life "]], "screenCount": 24, "similar": ["com.blackbeltstudio.valentinesdayringtones", "free.funny.ringtone", "com.blackbeltstudio.loveringtones", "com.blackbeltstudio.scarysounds", "com.henryxucn.ringtone", "com.bbstudio.christmas.songs.music", "com.lihuats.ringtonepro", "com.bbstudio.hiphopringtones", "com.xzIphone4s", "com.Psms", "com.tbayraktar.turkcepop2013zilsesleri", "com.heartbeatsounds", "com.animalsounds", "com.blackbeltstudio.crazysounds", "com.tellmei.ringtone", "com.mix1009.ringtoneat", "com.oldphoneringtones", "com.babysounds", "com.barkingsounds", "com.xcs.mp3cutter", "com.bell.brain0", "com.relaxingsounds", "com.blackbeltstudio.weaponsounds", "com.munets.android.bell365hybrid", "com.herman.ringtone", "com.lihuats.ringtonerealpro", "com.mobile17.maketones.android.free", "com.xzPopular", "com.blackbeltstudio.strangesounds", "com.blackbeltstudio.soundeffects", "com.vimtec.ringeditor"], "size": "19M", "totalReviewers": 5480, "version": "2.1.6"}, {"appId": "com.touchtunes.android", "category": "Music & Audio", "company": "Touchtunes Interactive Networks", "contentRating": "Medium Maturity", "description": "TouchTunes allows you to control the music in over 60,000 bars and restaurants in the US and Canada. The app acts as a remote jukebox allowing you to search songs and play the music in the bar from your mobile phone \u00e2\u20ac\u201c wherever you are: on a bar stool, waiting in line or queuing your theme song from the parking lot! Features:\u00c2\u00b7 Find locations with TouchTunes near you\u00c2\u00b7 See what\u00e2\u20ac\u2122s playing in the bar and what\u00e2\u20ac\u2122s up next\u00c2\u00b7 See who else is checked in and what they\u00e2\u20ac\u2122re playing\u00c2\u00b7 Become the House DJ\u00c2\u00b7 Buy and earn jukebox credits\u00c2\u00b7 Create playlists or sync your Android device's music collection to make it easier to find your favorite tracks\u00c2\u00b7 See your play history, most played and personal recommendations\u00c2\u00b7 Share where you are and what songs you're playing on Facebook, Twitter and Foursquare For updates on new music and exclusive artist performances, like us on Facebook.com/TouchTunes or follow us on Twitter.com/TouchTunes If you have any feedback for our jukebox app please email us at appfeedback@touchtunes.com", "devmail": "appfeedback@touchtunes.com", "devprivacyurl": "http://www.mytouchtunes.com/terms-of-use&sa=D&usg=AFQjCNE9aHE0dLAG8OwLXsj9EgHP0YeKtA", "devurl": "http://www.mytouchtunes.com&sa=D&usg=AFQjCNEmexHdhZyXFnUWnG8aZDGOpM4AvQ", "id": "com.touchtunes.android", "install": "500,000 - 1,000,000", "moreFromDev": ["com.touchtunes.android.karaoke"], "name": "TouchTunes", "price": 0.0, "rating": [[" 1 ", 360], [" 2 ", 105], [" 5 ", 1116], [" 3 ", 172], [" 4 ", 338]], "reviews": [["Excellent", " The ultimate in slovenly laziness. Great app to keep a place lively or just bump off some whiners play list. Highly recommend it! "], ["fail of the century", " Shortly doesn't even download to my android tablet never showed up on my apps list. "], ["I am very unhappy with this app. It works when it feels like it. ...", " I am very unhappy with this app. It works when it feels like it. Every timeI attempt to check in it can never find my location in fact I think I used it successfully three times out of the six months I've had it installed. I am going to uninstall it and wait for significant improvement I'll check reviews and maybe reinstall sometime in the future. "], ["Recent update removed all the useful features.", " Now there's no way to see what is queued up on the jukebox, and no way to know which TouchTunes user played what. Instead we have a bunch of useless lists of pop tunes that TouchTunes is trying to promote that have nothing to do with the bar we're in or our own preferences. WORSE, people can now troll the jukebox on their phones and play garbage songs without anyone knowing who played it. really really garbage, and now I have $20 in credits going to waste. The owner of the bar I go to wants to disable the online feature now, and if he can't he's getting rid of the TouchTunes jukebox in favor of something without online capabilities. "], ["Poor", " There are better jukebox apps out there. This one keeps ur credits if u dont play them in the allotted time and u cant move money from jukebox to jukebox "], ["Burning my credits...", " I am playing songs and using credits and have waited an hour, with no other activity on this jukebox, yet it still hasn't played my song. Plz give credits back and fix bugs! "]], "screenCount": 5, "similar": ["com.easyandroid.free.music", "com.musixmatch.android.lyrify", "com.SmoothApps.iSenseMusic", "com.doubleTwist.androidPlayer", "com.n7mobile.nplayer", "com.maxmpz.audioplayer", "com.shazam.android", "com.nullsoft.winamp", "com.jrtstudio.AnotherMusicPlayer", "com.SmoothApps.iSenseMusicLite", "com.tbig.playerprotrial", "tunein.player", "com.tuneme.tuneme", "com.spotify.mobile.android.ui", "com.easyandroid.music", "com.melodis.midomiMusicIdentifier.freemium"], "size": "3.9M", "totalReviewers": 2091, "version": "2.10.0.9"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtafaa.json_merged.json b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtafaa.json_merged.json new file mode 100644 index 0000000..135dd0b --- /dev/null +++ b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtafaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.lava.music", "category": "Music & Audio", "company": "Lava International Limited", "contentRating": "Everyone", "description": "Fusion music player is free and void of any advertisements. Designed with a philosophy that nothing should come between \" U and Music \"Key features:1.A Music discovery platform to find music based on Album & Artist 2.An Intuitive Search mechanism and instant access to online music 3.Simple elegant design based on Ice Cream Sandwich UX4.Lock Screen Widget5.Shake & Wave Gesture support6.Seamlessly update cover art,artist images & biography 7.Powerful equalizer with 12 presets and virtual surround sound support over headphones8.Internet Radio powered by Shoutcast featuring over 50000 stations across the globe9.Rate your favorite songs and fusion player will create dynamic playlist for you10.Weekly Online Top charts with support for Bollywood11.Song visualization with multiple effects12.Share via Facebook & Twitter13.MP3 Cutter14.APP2SD15.Notification bar widget16.YouTube IntegrationMost feature rich and the only player having music discovery feature integrated.While you listen to music or scan through the content,this player brings out related online suggestions. It is also instantly available for you to stream or download for free from various public online sources.Ice Cream Sandwich has been revered for its sleek and simple user interface design. If you are still waiting to experience Ice Cream Sandwich, here we have it for you. This player embeds the design philosophy of ICS and you can run it on your GingerBread Phone.Stay updated with latest and popular albums & update your collection. Top charts are just a swipe away. Music though has a global appeal its also individualistic and region specific. Go to settings enable Regional content, you will see latest Bollywood numbers as well. We will soon of bring out more regional content.Beyond every song there is an emotion. We have made it easier and intuitive to express your emotions. Now share your favourite songs on FB and Twitter with the click of a button. Wherever possible we share cover art and URL to the song, so your friends can instantly listen to your favourite song.Music is all about listening experience. This player comes with 12 level equalizer and numerous presets.Enable Bass boot & 3D surround when you connect a headset. Also experience rich graphical visualizer effects to depict the tempo of the song.The old days of browsing through your stack of music CD collection is back again. Move to landscape mode and browse through visually stunning pictures of your albums and artist. If you have proper meta data, we will bring you the images. Take it easy if meta data is not proper. Make an attempt to edit meta data, we will make it simple by providing suggestions. With the help of Shoutcast we are bringing you 7400 radio stations. Radio has always been about monotonous streaming . We have made it visually appealing by fetching cover arts for the songs that get streamed. While you listen take a look at cover art to get complete experience. We also provide you online suggestions for similar tracks.Each individual in our contact list is connected to us. Whenever they call it evokes an emotion. Our Ringer function allows you to set specific part of any song to a contact as ringtone.Its quite intuitive too. Turn on the music, press ringer while you continue to listen. When you are done set the song as a ringtone to your beloved ones.While you listen to a song, rate your favourite songs and access them anytime. When you have a large collection of songs we ensure seamless management of your collection by intuitive system generated playlists.We firmly believe there should not be anything between you and music. So this player does not contain any ads. We won\u00e2\u20ac\u2122t add anything however important which we feel will impact listening experience.Please provide your feedback and comments at http://fusionmusicplayer.blogspot.in. A personal mail and a quick resolution for the issue is guaranteed. Team Fusion", "devmail": "tightfusion@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://fusionmusicplayer.blogspot.in/&sa=D&usg=AFQjCNG2p_uldvVi_9bnUmqfVsmK99SN8Q", "id": "com.lava.music", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Fusion Music Player", "price": 0.0, "rating": [[" 5 ", 5717], [" 3 ", 407], [" 4 ", 1173], [" 1 ", 221], [" 2 ", 149]], "reviews": [["Where were you?", " Where were you fusion all this while Fusion? You are like THE BEST music player out there! You got me out of the dilemma of choosing between Apollo, Play Music and DoubleTwist, I choose Fusion! :D Thank you! "], ["Best Music Player (For Me)", " I have tried many players and no single player can do what fusion does. However I'm having problems with twitter so I hope this gets fixed soon. "], ["Amazing", " I found tbis thanks to App Gratis. I have been looking for an app like this since I got my first Android phone. This is not the typical user generated content app. This means you are not stuck with only what other people like. If the app can find it online, you can listen to or download. You can use it to make ringtones. It is a breath of fresh air for someone like me that tends to come up empty when searching bands I like in nearly all other apps. "], ["Unable to update", " I am using lava iris n400 and fusion is preinstalled but cannot update error is I have to uninstall it first and download new version but there is no option for uninstall "], ["The Best, but...", " Its way better than the stock player. I think that the albums should be organized under the artists name though as i have a lot of albums and its annoying having to search through all my albums. If this gets fixed then itll be five stars "], ["Amazing music app", " Fusion is an amazing app for android. I've been using it for a while and not only i've enjoyed my music, but I've also discovered new music just like you'd do in iTunes. Try this app. Recommended "]], "screenCount": 8, "similar": ["com.tbig.playerpro", "com.musixmatch.android.lyrify", "com.maxmpz.audioplayer", "com.doubleTwist.androidPlayer", "com.jrtstudio.music", "com.jrtstudio.AnotherMusicPlayer", "media.music.musicplayer", "com.tbig.playerprotrial", "com.mixzing.basic", "cn.voilet.musicplaypro", "com.n7mobile.nplayer", "com.kane.xplay.activities", "com.team48dreams.player", "com.zgui.musicshaker", "com.jetappfactory.jetaudio", "com.mjc.mediaplayer"], "size": "5.9M", "totalReviewers": 7667, "version": "1.1.7"}, {"appId": "com.mog.android", "category": "Music & Audio", "company": "MOG Inc.", "contentRating": "Medium Maturity", "description": "Get access to over 15 million songs, and listen to them on the go. Jam-pack your Android with all the tracks it can handle and hear your music even when you\u00e2\u20ac\u2122re offline. MOG has practically all your favorite albums, and suggests music tailored to your tastes. Get more music than you can hear in your lifetime.MOG subscribers get the most powerful and easy-to-use music service on the planet, with:\u00e2\u02dc\u2026 Unlimited downloads for offline playback on your Android. *\u00e2\u02dc\u2026 Access to over 15 million songs \u00e2\u20ac\u201c find your favorites with blazingly fast searches and discover millions more.\u00e2\u02dc\u2026 Amazingly accurate music suggestions Just For You.\u00e2\u02dc\u2026 Radio perfection: Truly personalised, with simple and fun ways to discover new music, like customizable artist-only radio, exclusive to MOG. \u00e2\u02dc\u2026 Instant sync between web and mobile.\u00e2\u02dc\u2026 Lots of ways to listen that fit your life at home, at work, and on the go.**\u00e2\u02dc\u2026 Playlists created by your favorite artists, and tons more!Love music? All you need is MOG. Take it from the experts: TIME.comTop Music App of 2011 FORBESLike Spotify? MOG is even betterTRY IT FREE \u00e2\u20ac\u201d SEE MOG.COM FOR DETAILS. Charges apply after free trial ends unless you unsubscribe. *** One free trial per customer. MOG is currently only available in the US and Australia.See you in music paradise....* With a paid mobile subscription, after your initial stream and storage, you can play your stored tracks everywhere you go.** MOG is on Sonos, Squeezebox, and many more devices.*** Australian users: Data charges may apply for non-BigPond and non-Telstra customers.Android is a registered trade mark of Google Inc., registered in the U.S. and other countries.", "devmail": "support@mog.com", "devprivacyurl": "N.A.", "devurl": "http://www.mog.com&sa=D&usg=AFQjCNEX2IVzUNYLlLO-PWIYj68yXxnizg", "id": "com.mog.android", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "MOG Mobile Music", "price": 0.0, "rating": [[" 4 ", 4148], [" 2 ", 870], [" 3 ", 1801], [" 5 ", 14787], [" 1 ", 4332]], "reviews": [["MOG", " Update: I'm using the nexus 4 with android 4.3. After jumping ship to Google play music and coming back because over big has better sound quality, this app reminds me how horrendous it really was to use. Slow and songs just don't play like all access. I'll still keep because audio quality is still number 1. Update: Uninstalled. "], ["Unable to \"try\"", " Signed up for the free 7 day trial. Allowed the app to post and read my Facebook as part of the process. Immediately after it gets the Facebook data authorization I receive a message that the \"trial is over but the journey has just begun\". I guess I'll stick with spotify since I already know how it works. "], ["Great service very average app", " When you've seen the iPhone app, you'll know this one is so much worse. Not being able to do anything with the playlists is very frustrating. Surely not could have done a redesign by now, which has been promised for some years. Will alter review if updated. "], ["Great! But still needs work", " MOG is then only good streaming service out there. Doubled with unlimited use on the Telstra network makes this a must've have app for music lovers. But have been using the app for over a year now and on all my devices still get bugs a d glitches way to often. Like \"session has expired\" app then closes.. Come on people fix this... "], ["A very buggy application", " I don't think I have used the app once without encountering bugs or feeling like there are features missing. Also, a lot of records are added only to be removed at a later time. Music quality is great, but I'd like to enjoy playing my music with less interruptions and issues. "], ["Can't save downloads to SD card", " I've posted my many concern's about this app on mogs website and have never received a response. Have to wonder what the devs are being paid to do cause this app has a fair amount of issues "]], "screenCount": 4, "similar": ["com.tbig.playerpro", "com.jrtstudio.music", "com.maxmpz.audioplayer", "com.shazam.encore.android", "com.shazam.android", "com.rhapsody", "com.melodis.midomiMusicIdentifier", "com.tbig.playerprotrial", "com.pandora.android", "com.spotify.mobile.android.ui", "com.maxmpz.audioplayer.unlock", "com.soundcloud.android", "deezer.android.app", "com.melodis.midomiMusicIdentifier.freemium", "com.google.android.music", "com.sony.snei.mu.phone"], "size": "Varies with device", "totalReviewers": 25938, "version": "Varies with device"}, {"appId": "com.radiocom", "category": "Music & Audio", "company": "CBS Local", "contentRating": "Low Maturity", "description": "Stream your favorite radio stations anywhere you go with the Radio.com Android app. Radio.com features nearly 300 live broadcast, HD and digital-only stations from CBS Radio. Browse over a dozen music genres and get local with news and sports from cities across the U.S. Radio.com for Android lets you: \u00e2\u20ac\u00a2See what songs are playing right now on your favorite live, music stations with real-time album art displaying on your home screen \u00e2\u20ac\u00a2Dive deeper into Now Playing info with artist bios, photos and more \u00e2\u20ac\u00a2Wake up to your favorite station with the alarm clock feature \u00e2\u20ac\u00a2Register to save your station favorites \u00e2\u20ac\u00a2View station info, show schedules and news feeds \u00e2\u20ac\u00a2Search the entire station catalog with ease \u00e2\u20ac\u00a2Adjust your audio quality and format to suit your playback needs \u00e2\u20ac\u00a2Set a sleep timer \u00e2\u20ac\u00a2Easily contact us to report issues or suggest features Radio.com is the official mobile app for the network of CBS Radio stations including:WAOK, V-103, 92.9 The Game, 105.7 The Fan, 101.9 Lite FM, Mix 106.5, Mix 104.1, WBZ, 98.5 The Sports Hub, 103.3 Amp Radio, WZLX, V 101.9, The Fan 610 AM, CBS Sports Radio, K104.7, Kiss 95.1, Power 98 FM, WSOC FM, WBBM Newsradio, B96, K-hits Chicago, 670 The Score, US 99, WXRT, New 102, 92.3 The Fan, WNCX, Q104, 100.3 Jack FM, KLUV, La Grande 107.5 FM, KRLD, 105.3 The Fan, 103.7 KVIL, 98.7 Lite FM, 98.7 Amp Radio, WOMC, WWJ, 97.1 The Ticket, WYCD, WRCH, WTIC, 96.5 Tic, Hot 93.7, Mix 96.5 Houston, Sports Radio 94WIP, KILT, Hot Hits 95.7, Mega 101 FM, KLUC, Mix 94.1, KXNT, X107.5 Las Vegas, 97.1 Amp Radio, 93.1 Jack FM, KNX 1070, KROQ, K-Earth 101, 94.7 The Wave, Buz'n 102.9, 104.1 Jack FM, WCCO Radio, WCBS 880, WCBS FM, WFAN, 1010 WINS, 92.3 NOW, Fresh 102.7, 102 Jamz Orlando, 105.9 Sunny FM, Mix 105.1, EZ 103, WOGL, WPHT, KMLE 107.9, KOOL FM, LIVE 101.5, KDKA Radio, 93.7 The Fan, 100.7 Star, Y108, KFROG, 1140 The Fan, KNCI FM, KSFM 102.5, Mix 96, Now 100 FM, Energy 103.7, KYXY, KCBS, Live 105, Radio Alice, 99.7 NOW, Jack Seattle, KMPS, KZOK, Fresh 102.5, KMOX, Y98, 98.7 The Fan, Wild 94.1, WQYK, My Q105, 92.5 Maxima, 94.7 Fresh FM, 106.7 The Fan DC, el Zol 107.9, WNEW NewsRadio, and WPGC.", "devmail": "radiocom.support@cbslocal.com", "devprivacyurl": "http://policies.cbslocal.com/privacy/current.html&sa=D&usg=AFQjCNE3BDEzW55jex84W8A8TNt1C3KgKQ", "devurl": "http://radio.com&sa=D&usg=AFQjCNF6abFRI6B9QPGzgE72JUVhBIZqfA", "id": "com.radiocom", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Radio.com", "price": 0.0, "rating": [[" 3 ", 695], [" 2 ", 423], [" 5 ", 4398], [" 1 ", 1872], [" 4 ", 1657]], "reviews": [["Good app.", " Lags behind broadcast radio by about a minute but I don't care. Commercials seem to be even louder than normal when compared to broadcast. Have to restart app frequently when data signal is lost for a more than a few moments. 11/25/13 Update: Now crashes every time. "], ["Works again", " App loads again despite crashing before as others said. It works.. very frustrating how every company must use their own app. TuneIn or a similar app should be have the ability to combine all stations. Wouldn't that be nice? "], ["Worthless", " In its current iteration it gets 3/4 through loading and then FCs. Every. Single. Time. I've tried clean installs and restoring from Titanium to no avail. Oh well, it's not much of an app anyway. About what I expect from CBS these days. I'm deleting it, and if a station isn't on Tune In I simply won't be listening. "], ["Extremely buggy, won't even open", " The app crashes before it even opens. I have tried reinstalling more than once, and it still does not work. Back to iheart o guess. "], ["Better but still has issues.", " After the latest update connections to stations were much better. Glad to see a \"Quit\" button was added but it seems like there are too many steps to try to get to it. It should more easily accessible. Also the stop button doesn't always work when trying to pause the player. I have also noticed that a couple of times the app still had trouble closing even though the \"Quit\" button was pressed. The app started playing again but didn't appear to be opened. Hopefully this can be resolved soon. "], ["Great", " Previous review was 5 stars. Straight forward, could listen to the station i wanted with no issues. Just installed on a new phone and it FCs before it loads. It's terrible now. Save the 11mb of space until it's fixed. (lol love the \"improved stability\" in the update description) "]], "screenCount": 6, "similar": ["com.infoshell.recradio", "de.arvidg.onlineradio", "com.cbslocal.dingdong", "com.pandora.android", "com.greenowl.ta.cbsphilly.android", "com.audioaddict.sky", "radiotime.player", "com.maxxt.pcradio", "com.first.tailgate", "com.jangomobile.android", "mediau.player", "com.live365.mobile.android", "com.audioaddict.di", "com.cbslocal.cbsyourday", "com.android.DroidLiveLite", "tunein.player", "com.clearchannel.iheartradio.controller", "com.aupeo.AupeoNextGen", "de.radio.android", "com.slacker.radio", "com.cbslocal.audioroadshow"], "size": "10M", "totalReviewers": 9045, "version": "3.0.2"}, {"appId": "com.dj.ringtone", "category": "Music & Audio", "company": "More Apps for Everyone", "contentRating": "Everyone", "description": "***Ringtone DJ does not contain copyright-protected material. It is not peer 2 peer software, it's a ringtone maker & search engine.****The easiest way to download unlimited local and international musics and MP3 files available on the web using optimize search engine.Enjoy this cool free MP3 downloader, search and type the key words of song, artist or album, find your favorite song, it will play online, listen and download the music file on your android device.Get started creating custom ringtones for everyone in your address book.IF you use Music Paradise, gtunes, mp3 music downloader then this app can help you convert your mp3 file/audio file to your ringtone. Its so easy, created exclusively for Android 2.1 and up. Test on with Kitkat, Ice cream sandwich and honeycomb. NEW Feature Library option. Shows all you files in one place. File Explorer / File Manager feature is included to find all your files/mp3's and set them as you ringtone.Create your own personal ringtone,alarm,or notification sound from your existing audio file. Cut the best part of your audio song and save it as your Ringtone/Notification/Alarm Ringtone.Get started creating custom ringtones for everyone in your address book.1.Download your mp3 using the downloader search tool.2.Select plus button (+) mp3/music from your library.3.Select area to be chopped from your audio.4.Save as Ringtone/Notification/Music/Alarm.Features:- Option Music Player to play file/song/mp3- Option to delete (file/song/mp3.- View a scrollable waveform representation of the audio file.- Set start & end for the audio clip, using an optional touch interface.- Tap Play at the bottom of editor & the built-in Music player starts playing at that position.- Manually set the Start & End time(in seconds) by typing the values in text boxes at bottom of app.- Option to Name the new cut clip while saving it as Ringtone/Notification/Music/Alarm Ringtone.- Set the new clip as default ringtone or assign ringtone to contacts, using this ringtone editor.- Play the mp3 audio file.- Set as alarm.- Set as notification.- Set as ringtone.MusicQ now has inbuilt:-Own Audio\\Mp3 Player-Own Audio\\Mp3 Cutter-Music songs available with Copyleft and Creative Commons license-Download Classical Music of Beethoven, Mozart, Bach and many more.DISCLAIMER***Please note, although we have done our best to avoid this, but we do not maintain our own databases, therefore the app may show some non CC Licensed songs in results. If you download such songs through this app we shall not be held responsible in any way.****Send your DMCA complaints or suggestions to mobiledevteam.char at gmail.comThe easiest user interface, our users say its better then Music Paradise and gtunes. Download unlimited local and international (spanish, indian, etc) MP3 audio files available on the web all for free.Enjoy this cool for free. MP3 audio download app does have ads, Mp3 search is free due to ads and is the best app to find your favorite file. Type the key words of song, artist or album, find your favorite mp3 song including spanish, it will play online, listen and download the music file on your android device.Tags: mp3 music download, mp3 downloader, Video Ringtone, muz, alarm audio bottom clip cut cutter download editor engine file library music gtunes music paradise musicq notification option own peer play player ringtone search set song start your", "devmail": "mobiledevteam.char@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.dj.ringtone", "install": "50,000 - 100,000", "moreFromDev": "None", "name": "mp3 music download paradise", "price": 0.0, "rating": [[" 3 ", 134], [" 5 ", 898], [" 4 ", 277], [" 1 ", 50], [" 2 ", 35]], "reviews": [["Like it alot. Alot alot. Yerp", " Sweet app could be better with less adds and takes a min to search but prob my phone lol "], ["Great app", " Works good and has everything I like.Good quality app.Has a couple of bugs but nothing that would make me unistall the app.Good for songs and making ringtones.4 stars! "], ["Thumbs up.", " Definitely like it for my tunes when I'm on the go. Follow me on Twitter @EraSpiff "], ["Does it better", " It seems to pick up a lot more music than other simlar apps do. "], ["Great app...tropical music all the way", " Great app.,you can download any song right away. ...love it. .. "], ["Its awesome", " Because u can find all ur song an there high in volume so uh v even dont eva fear having a low ringtone "]], "screenCount": 8, "similar": ["com.sohretdl.FreeMusic", "app.simple.mp3.downloader", "com.musicdownload.mp3musicdownloaderpro", "download.mp3.music.app", "com.programmi.invenio_x_music", "com.search.mp3.free.download", "com.football.livescores", "com.dawncoast.twilight", "com.mu.mudvldpr", "com.flashlight.mobile", "com.mp3skull.music", "com.tellmei.ringtone", "com.download.mp3music", "com.fjb.fjb3", "com.wanclemusic", "com.yong.yinyue.gongju", "com.ringtonemaker.musicplayer", "com.getdownkl.mp3music", "com.vimtec.ringeditor"], "size": "1.4M", "totalReviewers": 1394, "version": "1.0.5"}, {"appId": "com.djloboapp.djlobo", "category": "Music & Audio", "company": "D.J. Lobo App, LLC", "contentRating": "Low Maturity", "description": "DJ Lobo (from La Mega 97.9)Good DJs are hard to come by, but in NYC the citizens are blessed to have one man who delivers insanely infectious music on a daily basis, the one and only DJ Lobo. Thousands stay tuned to La Mega 97.9 Monday through Friday at 7 p.m. to forget the headaches of their daily grind and have the #1 Tropical Music DJ ease their worries with the best in salsa, tipico, bachata, merengue, raggaeton, hip-hop and house. But since we're not all perfect and can't stay tuned in every night, DJ Lobo created his very own app, so you can have his mixes with you on the go!DJ Lobo is one busy man, that's why you can only hear his mixes live during certain times of the week. But with his all-new iPhone app you can now listen in on some of his exclusive mixes at any time of the day! Best part yet? It's absolutely free of charge and it comes pre-loaded with hundreds of MIXES! DJ Lobo makes sure to update you on every move he makes, whether it's keeping you tuned into his next event, or making sure you get hottest mix he's put together. DJ Lobo's app will give you the freshest mixes week in and week out at your fingertips!Developed by: EspinalLab, LLChttp://www.espinallab.com", "devmail": "apple@djloboapp.com", "devprivacyurl": "N.A.", "devurl": "http://www.djloboapp.com&sa=D&usg=AFQjCNHdXhmly_yZh0bfDZMVgyPdz3pM5w", "id": "com.djloboapp.djlobo", "install": "100,000 - 500,000", "moreFromDev": "None", "name": "DJ Lobo", "price": 0.0, "rating": [[" 4 ", 204], [" 1 ", 133], [" 2 ", 36], [" 5 ", 1521], [" 3 ", 100]], "reviews": [["Wow so cool app", " Get it , it won't let you down "], ["Great", " I work prefect on my galaxyS4 Me encantaaaaaaa :)) "], ["Great App", " I'm glad DJ Lobo made an Android app this time. Awesome app, a lot of variety. Great interface and organization of music genres. "], ["Eh Lolo", " Is one of the best app ever try it people...n it free "], ["Like it but", " This app was working fine till I updated it and now it freezes a lot so please fix it. "], ["Good", " I like it and hope make what i want :-) "]], "screenCount": 5, "similar": ["com.spartacusrex.prodj", "com.dreamring.dj", "com.beatronik.djstudiodemo", "com.mediashare.djsoundboard", "com.mobileroadie.app_18504", "com.beatronik.djstudio", "com.edjing.edjingpro", "com.ghanni.mixdj_mono_Reggae_Party", "com.gdev.unji", "com.soundeffects.scratchmaster", "com.beatronik.pocketdjfull", "com.burnsmod.djpad", "com.adjpro", "com.djtachyon.android.VirtualTurntable", "com.punsoftware.mixer", "com.edjing.edjingdjturntable"], "size": "6.0M", "totalReviewers": 1994, "version": "2.0.11"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtafab.json_merged.json b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtafab.json_merged.json new file mode 100644 index 0000000..5a12710 --- /dev/null +++ b/mergedJsonFiles/Top Free in Music & Audio - Android Apps on Google Play.html_ids.txtafab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.doodleapp.ringtonebox", "category": "Music & Audio", "company": "PerfectionHolic Apps", "contentRating": "Everyone", "description": "\u00e2\u2122\u00aa Ringtone Maker Pro \u00e2\u2122\u00aa\"Fade In/Out\" and \"File Volume\" are well supported for MP3!Don't pay for any ringtone any more! Ringtone Maker Pro is the app you want, to make unlimited ringtones, notification/SMS tones, and alarm tones using songs On your device. Simply select a song, swipe the audio wave, select a short clip, and create your ringtone. It's so easy! Get started creating your own tones with your favorite songs---------------------------------FEATURES\u00e2\u0153\u201c Copy, cut paste and preview\u00e2\u0153\u201c MP3, WAV, AAC/M4A, AMR files in SD card.\u00e2\u0153\u201c Fade In/Out for MP3.\u00e2\u0153\u201c Adjust file volume for MP3.\u00e2\u0153\u201c Record a new audio clip to edit.\u00e2\u0153\u201c Search ringtone by quick scrolling or typing.\u00e2\u0153\u201c Show edited ringtones in History.\u00e2\u0153\u201c Preview demo before saving.\u00e2\u0153\u201c Set as Ringtone/ Notification/ Alarm.\u00e2\u0153\u201c Set ringtone for one or more contacts.\u00e2\u0153\u201c Assign ringtone to one or more contacts.---------------------------------FAQ1.Q: Why can't I find my songs in Ringtone Maker Pro? A: Please make sure your SD card mounted correctly and you have audios in your SD card. If your audio still won't show, use \"Menu\"->\"Refresh List\", the device's Media scanner then will find songs for you. But it depends on your device and it may take time.2. Q: Where does the app save my edited ringtones? A: In /sdcard/media/audio/ringtones3. Q: What are the best durations for ringtone, notification and alarm? A: For ringtone, 30s would be best. For notification, 6s would be best. For alarm, well, no duration is best for everybody, but longer is better.---------------------------------PERMISSIONS:1. WRITE_EXTERNAL_STORAGE: to store your editted tones.2. READ_CONTACTS, WRITE_CONTACTS: to set tones for contacts3. WRITE_SETTINGS: to set default tones4. GET_ACCOUNTS: to contact with you when you feedback5. INTERNET, READ_PHONE_STATE, ACCESS_WIFI_STATE, ACCESS_NETWORK_STATE: to get ad.---------------------------------Ringdroid code: http://code.google.com/p/ringdroid/Apache License, Version 2.0: http://www.apache.org/licenses/LICENSE-2.0.html", "devmail": "contact@perfectionholic.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.doodleapp.ringtonebox", "install": "500,000 - 1,000,000", "moreFromDev": ["com.doodleapp.speedtest", "com.doodleapp.equalizerpro", "com.doodleapp.flashlight", "com.doodleapp.launcher.theme.extremeios7", "com.doodleapp.launcher.theme.business", "com.doodleapp.launcher.theme.punk", "com.doodleapp.equalizer", "com.doodleapp.launcher.theme.past", "com.doodleapp.launcher", "com.doodleapp.superwidget", "com.doodleapp.launcher.theme.soft", "com.doodleapp.launcher.theme.flat", "com.doodleapp.zy.easynote"], "name": "Ringtone Maker Pro", "price": 0.0, "rating": [[" 1 ", 144], [" 2 ", 49], [" 5 ", 1623], [" 3 ", 94], [" 4 ", 304]], "reviews": [["Good app", " Great to make your personal tones on. The only thing I don't like is the fact that u can't find tones on the app. They have to already be in the library befire u can change it. Other then that I woyld have given it a 5 star rating. "], ["The best one out there!", " Making a ringtone looks great and pretty darn fast and accurate than the others I found out there. Strongly recommended! "], ["Excellent app", " Awesome amazing wonderful the best one great job thanks "], ["The Very Best, Period!!!", " Awesome, awesome, awesome, awesome. Nuff said. You need this app if you want the easiest, fastest & best quality ringtones. Love it! "], ["Best trim", " I tried many apps but all not useful only this is perfect it's free and also without ads Thank you very much for developing. "], ["Needs Improvement", " It has a simple and easy to use interface. It makes the ringtone just fine. There are 2 major problems, though. It won't allow you to search for a contact when you select the option to assign the ringtone to a specific contact. The search function also does a poor job of searching for particular songs in your library. You have to search by artist. Not good if you have a large library like I don't. "]], "screenCount": 7, "similar": ["com.bell.brain0", "com.munets.android.bell365hybrid", "com.ringtoneAndroid", "com.mobile17.maketones.android.free", "tool.music.ringtonemaker", "com.herman.ringtone", "com.mobile17.maketones.android.paid", "yong.rington.google", "ringtone.maker.mp3.cutter", "com.doodleapps.taskkiller", "com.ai.doit", "me.bosegoogle.app", "com.easymp3cutter", "com.xcs.mp3cutter", "com.bbs.mostpopularringtones", "com.vimtec.ringeditor", "com.henryxucn.ringtone", "com.tellmei.ringtone"], "size": "1.4M", "totalReviewers": 2214, "version": "1.0.6"}, {"appId": "com.gismart.guitar", "category": "Music & Audio", "company": "Gismart", "contentRating": "Everyone", "description": "Real Guitar is one of the most realistic guitar simulator apps featuring a user-friendly interface and an awesome sound quality. All the notes have been recorded from the live acoustic guitar. With the help of Real Guitar you can easily strum, pluck, and strike the strings to play the chord of any complexity and figure out your favourite tunes, riffs and songs or make up your own. You can learn and master new chords and jingles with Real Guitar, as well.\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 Main features: \u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u0153\u201d A huge chords database with tabs (tablature)\u00e2\u0153\u201d Solo mode\u00e2\u0153\u201d Songbook\u00e2\u0153\u201d Hi-Fi sound\u00e2\u0153\u201d On-the-fly chords switching\u00e2\u0153\u201d Two type of guitars: with nylon and steel stringsOfficial Android version ! iPhone version can be found at http://www.itunes.com/apps/RealGuitarFree", "devmail": "gismartapps@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://realguitar.idea.informer.com/&sa=D&usg=AFQjCNFa5wd976cFH4ktfOcV8xNLfvki1A", "id": "com.gismart.guitar", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.gismart.ukulelefree", "com.gismart.carracing", "com.gismart.realdrum", "com.gismart.abckids", "com.gismart.realdrumfree", "com.gismart.guitar.tuner", "com.gismart.carracingfull", "com.gismart.ukulele.pro"], "name": "Real Guitar Free", "price": 0.0, "rating": [[" 3 ", 926], [" 1 ", 997], [" 4 ", 1807], [" 5 ", 10243], [" 2 ", 331]], "reviews": [["Please", " Get rid of that irritating squeak. Without that it would be pretty good. It's described as \"One of the most realistic guitar apps\" My guitar doesn't squeal as I change chords. "], ["Awesome", " I tried titanic song it really came well but the sad part is no one was there to hear that.... I would be really happy if it had recording feature on it.. So 4 stars..... "], ["How do you", " Make it lefty??? Can't play nada right handed "], ["Great, on the whole!!!", " But really, that squeak is very irksome....plz get rid of it.....I feel like oiling it each time..... "], ["Luv u sweetie...", " I luv parineeti chopra... .. "], ["The rocker 09990", " It doesn'n have the songs i want but it's a good app.....good app????!!!! ....i'm sorry!!! This app is mother***ing best of all time thanx a lot ..... by the way i'm a huge fan of THE ROCK \"dowin jonson\" "]], "screenCount": 4, "similar": ["the.guitarist", "fr.webrox.bestguitarlessons.lite", "vg.nettn.com", "br.com.rodrigokolb.realdrum", "br.com.rodrigokolb.realbass", "com.bti.myGuitar", "com.smule.magicpiano", "com.nullapp.guitar", "ru.ee", "siroco.ventures.guitarstar", "nadsoft.guitarlessonsfree", "com.androidguitar.onbeatlimited", "com.ultimateguitar.tabs", "br.com.rodrigokolb.realguitar", "com.google.android.music", "tutorial.DrawSample"], "size": "13M", "totalReviewers": 14304, "version": "1.7"}, {"appId": "com.flexbyte.groovemixer", "category": "Music & Audio", "company": "Flexbyte Software", "contentRating": "Everyone", "description": "GrooveMixer is the real-time drum machine for creating and mixing music beats on your Android. It is music beat maker.The drum machine includes pattern sequencer, 8-channel step sequencer (one pattern), pattern/channel mixer, sample list with file explorer for importing WAV loops/drums from your sdcard.GrooveMixer is the great solution for music composers to make hip hop, house, dubstep and other music grooves. This drum machine was created for mobile musicians wanted to sketch their music rhythm ideas everywhere. If you are one of them, GrooveMixer is your pocket rhythm station, your pocket beat maker that is always with you.Guitarists and drummers can use it as a metronome or a drum accompaniment.It does not matter what music experience you have, GrooveMixer is good choice to produce sound. If you are beginner (you do first music steps) and just want to try to compose something, GrooveMixer will be your good friend on this amazing way - the way of beats and sound!Just look our demos (songs/tracks) or read tutorials on http://groovemixer.com/tutorials/ site.Groove Mixer drum machine features:* Drum machine with 256 patterns* Volume mixer with mono\\solo buttons* Stereo mode (balance, panning)* Step sequencer with 8 channels* Beats per minute (BPM): 20-400* Friendly and easy-to-use interface* Save and load your groove beats* Export sound beats to audio WAV files* Sample preview before using in app* Samples are loaded from SDCARD* 808, 909 and Linn drumkits* Unlimited song length* Support various time signatures* Built-in zip extractor to install downloaded sample packsFriendly and well designed user interface works good on small and large screens.This music creation tool works without any restrictions.", "devmail": "support@flexbyte.com", "devprivacyurl": "N.A.", "devurl": "http://groovemixer.com&sa=D&usg=AFQjCNFt35UcRL8OgF5RJb--7yd94d9Apg", "id": "com.flexbyte.groovemixer", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "GrooveMixer - Music Beat Maker", "price": 0.0, "rating": [[" 1 ", 241], [" 5 ", 1383], [" 3 ", 131], [" 2 ", 52], [" 4 ", 353]], "reviews": [["Great app easy to use", " This is a great app for laying down some quick drum patterns to play along with. Would enjoy being able to make triplets quintuplets and septuplets in the future. Waiting for synths to be added but until then i still enjoy laying down some good beats "], ["Good 4 ur health", " If you are sick and love music, mess around with this app:)\u00e2\u2122\u00aa "], ["Needs synths", " I love the app and I've had it for over a year, but it needs synth samples. "], ["I'm being generous", " It really deserves a 4.5 average....but today was a good day. "], ["Can I use for YouTube games I make etc", " First of all. AMAZING! Second can I use the music I make for my YouTube videos , games I make stuff like that? I would mention you in credits and permits you when someone asks about the music. "], ["Please HELP!!!", " I worked on the track all day a that track and song just started crashing... I have unistalled and reinstalled and I just wont load my song... it just says please wait and then crashes.... Pleasssseeeee HELP! "]], "screenCount": 9, "similar": ["com.imageline.FLM", "com.groovemixer.packdrums", "com.paullipnyagov.drumpads24", "com.beatronik.djstudiodemo", "com.freshtouchmedia.bassdrop", "hr.podlanica", "com.mobile17.maketones.android.free", "com.magix.android.mmjam", "com.mobilebeats.beatsf", "de.geoteach.DubPad", "com.soundeffects.dubstep", "com.groovemixer.samples.rbeat", "com.bti.dMachine", "com.andymstone.metronome", "com.soundcloud.android", "com.beatmakerdownloaddiamond", "com.edjing.edjingdjturntable", "electrum2.drums"], "size": "5.0M", "totalReviewers": 2160, "version": "1.4.3"}, {"appId": "gabriel.metronome", "category": "Music & Audio", "company": "Gabriel Sim\u00c3\u00b5es", "contentRating": "Low Maturity", "description": "Mobile Metronome is the best rated free metronome on Android Market. It is easy to use, robust and has everything any musician can ask from a metronome, being the best choice for any Android device!List of features: - Fine tempo tuning from 10 to 230 BPM- Tap tempo- Load and save presets- Adjustable tempo signature for simple, compound and complex meters.- From 2 to 20 beats per measure- Beat subdivision as quarter, eighth, triplet, sixteenth, quintuplet and sextuplet notes- Beat emphasis- 4 soundpacks- Adjustable volume- Visual beat counter- Italian tempo markings- Automatically turns off when there\u00c2\u00b4s an incoming call- Runs in background- Settings are saved automatically on exitAbout permissions:- INTERNET and ACCESS NETWORK STATE are required for ad-support only;- ACCESS COARSE LOCATION helps displaying advertisement which is relevant in your location;- READ PHONE STATE allows Mobile Metronome to stop automaticaly when there's an incoming call.- WAKE LOCK garantees the metronome won't stop after screen goes offIncompatibility reports:-HTC wildfire: misplacement of toggle buttons on the screenAlso remember to check Mobile Metronome Pro on Android Market!", "devmail": "mobilemetronome@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://mobilemetronome.gabrielsimoes.tk&sa=D&usg=AFQjCNELutAmxz1b_KBfSHrS8fn09Y8Q8Q", "id": "gabriel.metronome", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Mobile Metronome", "price": 0.0, "rating": [[" 3 ", 420], [" 2 ", 131], [" 1 ", 254], [" 4 ", 1663], [" 5 ", 7608]], "reviews": [["Great app for a DJ!", " As a DJ it can be difficult to count beats in some songs to know when to cue the mix. I set the metronome to the required BPM of the song and when it's needed I use one earphone to hear the metronome and use my headphones as normal to keep track of the mix. Top quality app. Highly recommend for any DJ who wants to improve their mix. Thanks a lot. "], ["Awesome!!", " My students with a smartphone can't use this as an excuse anymore ,argument invalid ,excellent app,would be better if you can make more different sounds for the beats :D "], ["Love this app, use it to practice all the time.", " Simple and easy to use, great design. Two comments: for some reason the sound quality is terrible through headphones and I wish there were more options for visualizing the beat other than just the number count. "], ["Amazing Metronome", " It's an amazing metronome. Easy slider to quickly change tempo. Ability to tap out the tempo. Time signatures. Beat subdivisions Different sounds for the metronome. Goes all the way down to 10 bpm and up to 230 bpm. "], ["A must have for ANY musician!", " As a drummer, this app came very much in handy during my band's trip to the studio. It is not only a great metronome, but it's also a great teacher. This app alone taught me more about time signatures and BPM than any music theory book could. Also great for practices and shows for the inexperienced. VERY recommended for aspiring progressive musicians. "], ["Ads ruin it", " The metronome will occasionally lose time while loading a new ad which makes it basically worthless; incredibly frustrating during intense practicing or teaching. Also, the content of the ads can be inappropriate. If it can't function properly as a free app I'm certainly not going to take a chance on paying for it. "]], "screenCount": 3, "similar": ["com.maven.metronome", "com.resoundspot.metronome.lite", "gabriel.metronome.pro", "com.saicheems.release.classicmetronome", "de.stefanpledl.drummersmetronome", "com.netigen.metronomedemo", "gabriel.audioslower.lite", "spaceware.micro.metronome", "com.frozenape.tempo", "com.studiosol.metronomo", "crazy.SmartMetronorm", "spaceware.simple.metronome", "gabriel.audioslower.pro", "appinventor.ai_venturella_salvatore.GuitarTuner", "com.zybnet.metronomefree", "com.andymstone.metronomepro", "com.andymstone.metronome", "com.soundcorset.client.android", "the.DigitalMetronome"], "size": "225k", "totalReviewers": 10076, "version": "1.2.4F"}, {"appId": "com.musixmatch.android.lyrify", "category": "Music & Audio", "company": "musiXmatch", "contentRating": "Low Maturity", "description": "musiXmatch is the #1 Music Enhanced Music Player on Google Play Store with +20 million users in the world and the largest and most exhaustive official catalog of synchronized lyrics. Use it as Lyric Finder, Viewer or Lyrics downloader or for fetching lyrics offline from your mp3.Enjoy your music with songs lyrics moving synchronized with your music and sing along with your friends. Much better than pure Karaoke! Key features \u00e2\u02dc\u2026 NEW: Equalizer and Cover Art fixing \u00e2\u02dc\u2026 NEW: Now Support Spotify Notification \u00e2\u02dc\u2026 Remove Ads option\u00e2\u02dc\u2026 Last.fm Scrobbling, Social Share\u00e2\u02dc\u2026 Super Fast MusicID for unlimited Shazam-like tags with Lyrics\u00e2\u02dc\u2026 Search for Lyrics by typing words, artist name, song title, \u00e2\u02dc\u2026 Get instant Lyrics notifications from other music players \u00e2\u02dc\u2026 Fix your music tag/ meta data \u00e2\u017e\u0153 Want to be a mXm beta tester ? Join us here http://bit.ly/BetamXm \u00e2\u017e\u0153 Help us translating musiXmatch in your language http://bit.ly/translatemXmProblems ? we hear you here http://bit.ly/BetamXm3rd party Supported players:Default Android Music Player, Spotify, Samsung Music Player, HTC Music Player Archos Music Player, Rhapsody Android Beta, bTunes, \u00c2\u00b3 (cubed), WIMP, Zimly,Just Playlists, PowerAMP, Winamp (experiencing some problems on it), myTouch 4G, Google Music (visit support.musixmatch.com for automatic notification issue),Player Pro (market), DAAP Media Player, Folder Player,GoneMAD Music Player, MIUI Music Player\u00e2\u02dc\u2026\u00e2\u02dc\u2026 Works Better on 3G 4G or WIFI \u00e2\u02dc\u2026\u00e2\u02dc\u2026", "devmail": "androidapp@musixmatch.com", "devprivacyurl": "http://musixmatch.com/eula/&sa=D&usg=AFQjCNFM_V1C2aZX3W4vZncm34FX8CfNRA", "devurl": "http://support.musixmatch.com&sa=D&usg=AFQjCNEEXXgNx5Pml79QyCP1RnVNgqmgNw", "id": "com.musixmatch.android.lyrify", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "musiXmatch Music Lyrics Player", "price": 0.0, "rating": [[" 3 ", 7191], [" 4 ", 23963], [" 1 ", 4505], [" 5 ", 83089], [" 2 ", 2153]], "reviews": [["a lot of the songs don't have lyrics", " But If u Google you'll probably find any songs lyrics. many other issues. it was 5 star when I started using it but not even close. they're lucky I'm giving them 2stars "], ["Not sure I like this it has possibilities", " First off the initial log on does not auto rotate on my tf300t. I can live with that since the ui is landscaped. I have not yet tried all the features, it takes a while to understand what is available, but one thing I don't understand with this player as well as many others is that it lists (and plays) songs stored on my sd card twice! Yes twice. I have verified there is only one copy of each on the sd card, so what's up with that?? "], ["Awesome app but.....", " One of the best music apps ever but still wud be nicer if the coverart can be automatically updated once it has bin purchased cos it's kind of tiring having to do coverart for each album or song wen one has over 500 songs on phone. Pls pls look into auto coverart... great app! "], ["Warnning", " I have had this app for about a month and I really love it. However, after the new update, my NQ mobile tells me that it has a virus, please fix this and I'll reinstall it "], ["Good app", " Great app but they're making fool us that they have equalizer. Every time they said for update and in that update they said that we have equalizer but for equalizer we have to pay for that and that's not good "], ["Ok but need improvement", " Its good to have coverart but why don't popup song title above won't disappear..such irritating to watch those title..coveract should be cool without these stuff..keep up a good job updating after this guys.. "]], "screenCount": 15, "similar": ["com.tbig.playerpro", "com.musicmax.music", "com.maxmpz.audioplayer", "media.music.musicplayer", "com.shazam.android", "com.jrtstudio.music", "hr.podlanica", "com.tbig.playerprotrial", "com.jrtstudio.AnotherMusicPlayer", "com.nullsoft.winamp", "com.doubleTwist.androidPlayer", "com.tunewiki.lyricplayer.android", "cn.voilet.musicplaypro", "com.n7mobile.nplayer", "com.team48dreams.player", "com.google.android.music"], "size": "Varies with device", "totalReviewers": 120901, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json new file mode 100644 index 0000000..60b5355 --- /dev/null +++ b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaaaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.surpax.ledflashlight.panel", "category": "Productivity", "company": "Surpax Technology Inc.", "contentRating": "Low Maturity", "description": "Super-Bright LED Flashlight instantly turns your device into a bright flashlight. The ultimate lighting tool takes full advantage of the LED light. Strobe/Blinking Mode is also supported and it's FREE!Features:- Super Bright Flashlight - Guaranteed! - Convenient - Switch On/Off the light just like using a real flashlight- Strobe/Blinking Mode supported - Blinking frequency adjustable- Stunning graphics - This is the most beautiful flashlight you can get in hand!\u00e2\u20ac\u00a8Enjoy!Key words: torch, strobe, bright, linterna, \u00d1\u201e\u00d0\u00b5\u00d0\u00bd\u00d0\u00b5\u00d1\u20ac\u00d1\u2021\u00d0\u00b5, El feneri, flashlight, LED, light, flash, free, camera, night", "devmail": "contact.android.surpax@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://www.surpax.com&sa=D&usg=AFQjCNGxiKWcFHi223_6d7ZkqNRADX7jjQ", "id": "com.surpax.ledflashlight.panel", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.surpax.ledflashlight"], "name": "Super-Bright LED Flashlight", "price": 0.0, "rating": [[" 2 ", 2222], [" 1 ", 4918], [" 4 ", 61382], [" 3 ", 14133], [" 5 ", 535360]], "reviews": [["It turns on the LED", " Really nothing great about this app. The strobe light function doesn't really hit high enough Hz range to call it a \"feature\" "], ["Makes light out of darkness. For the low price of about 5 seconds of ...", " Makes light out of darkness. For the low price of about 5 seconds of your time.\tIts nice coming home through the back door and not have to slowly guess where I'm going. "], ["more wrk needs to be done", " the widget doesn't wrk properly. i will like it beter if de light doesnt go of when u its runing in the background "], ["Great!", " I definitely recommend this app. Of all the ones I have tried, this by far beats them all. I just recently got the galaxy s4 that has the flash on it. My phone before that I bought two years ago, the galaxy s, which didn't have flash on it. That is THE ONLY reason I did not have this app. It really makes me feel safer knowing that I basically have a flashlight whenever I need it. "], ["Flaky", " Sometimes the flashlight works, sometimes it doesn't. It seemed to work when I first installed it, but now the light doesn't turn off even if you can get the switch to work, and the only way to turn it off is to exit the app. Using Samsung Galaxy s4. I will probably uninstall. "], ["Releases private information!", " Most apps just use one ad network (Admob). This app uses 5 or more to send your private info to companies! Found out by the use of the app TrustGo Ad Detector. Uninstall. "]], "screenCount": 4, "similar": ["com.et.easy.download", "com.socialnmobile.hd.flashlight", "com.andronicus.torch", "com.zentertain.flashlight3", "com.dropbox.android", "ch.smalltech.ledflashlight.free", "com.gau.go.touchhelperex.theme.sector", "com.adobe.reader", "goldenshorestechnologies.brightestflashlight.free", "com.koo.lightmanager", "com.intellectualflame.ledflashlight.washer", "com.ihandysoft.ledflashlight.mini", "flashlight.led.clock", "com.iphonease.ledflashlight.button", "com.devuni.flashlight"], "size": "1.5M", "totalReviewers": 618015, "version": "1.0.2"}, {"appId": "com.adobe.reader", "category": "Productivity", "company": "Adobe Systems", "contentRating": "Everyone", "description": "Adobe\u00c2\u00ae Reader\u00c2\u00ae is the free, trusted leader for reliably viewing and interacting with PDF documents across platforms and devices. Install the free Adobe Reader mobile app to work with PDF documents on your Android tablet or phone. Easily access, manage, and share a wide variety of PDF types, including PDF Portfolios, password-protected documents, fillable forms, and Adobe LiveCycle\u00c2\u00ae rights-managed PDFs. Use with Adobe Document Services to convert and export PDF files.View PDF documents\u00e2\u20ac\u00a2 Quickly open PDF documents from email, the web, or any app that supports \"Share\"\u00e2\u20ac\u00a2 View PDF Portfolios, password-protected PDFs, annotations, and drawing markups\u00e2\u20ac\u00a2 Contextual text search using snippets \u00e2\u20ac\u00a2 Select single page or continuous scroll modes \u00e2\u20ac\u00a2 Easily zoom in on text or images for a closer view\u00e2\u20ac\u00a2 Read in dark locations with comfort using Night Mode\u00e2\u20ac\u00a2 Read long passages with Brightness LockExport PDF files to Word or Excel using the Adobe ExportPDF online service\u00e2\u20ac\u00a2 Convert PDF files to DOC, DOCX, XLSX or RTF formats for easy editing\u00e2\u20ac\u00a2 Purchase ExportPDF from within Adobe Reader \u00e2\u20ac\u00a2 Integrated login for ExportPDF subscribersCreate PDF files using Adobe PDF Pack online services\u00e2\u20ac\u00a2 Create PDF files from Word or Excel\u00e2\u20ac\u00a2 Convert images to PDF for easy sharing \u00e2\u20ac\u00a2 Purchase PDF Pack from within Adobe Reader \u00e2\u20ac\u00a2 Integrated login for PDF Pack and Adobe Acrobat\u00c2\u00ae Plus subscribers Store and access documents in the cloud with Acrobat.com \u00e2\u20ac\u00a2 Share files across all of your desktop and mobile devices with Acrobat.com\u00e2\u20ac\u00a2 Automatically save changes back to the cloud\u00e2\u20ac\u00a2 Synchronize last page read across multiple devices via Acrobat.comNavigate through PDF content\u00e2\u20ac\u00a2 Use bookmarks to jump directly to a section in your PDF document\u00e2\u20ac\u00a2 Tap on links in a PDF to open linked web pages\u00e2\u20ac\u00a2 Return to your previous location after going to a link or bookmark\u00e2\u20ac\u00a2 Go to any page by tapping the page number to enter a new page\u00e2\u20ac\u00a2 Quickly navigate through large documents using thumbnailsAnnotate and comment on PDF documents\u00e2\u20ac\u00a2 Add comments anywhere in your PDF with sticky notes\u00e2\u20ac\u00a2 Add text with the Add Text tool \u00e2\u20ac\u00a2 Provide feedback using the highlight, strikethrough, and underline tools\u00e2\u20ac\u00a2 Easily mark up PDF content with the freehand drawing tool, and easily undo mistakesFill out forms\u00e2\u20ac\u00a2 Quickly fill out PDF forms\u00e2\u20ac\u00a2 Have confidence that the form is correct with field validation, calculation, and formatting\u00e2\u20ac\u00a2 Save, sign, and forward forms to othersOrganize your documents\u00e2\u20ac\u00a2 Create folders to easily organize and find documents \u00e2\u20ac\u00a2 Copy documents to mark up or to use as templates\u00e2\u20ac\u00a2 Rename documents\u00e2\u20ac\u00a2 Easily select and delete multiple documents Electronically sign documents\u00e2\u20ac\u00a2 Get documents signed with Adobe EchoSign using \u00e2\u20ac\u0153Send for Signature\u00e2\u20ac\ufffd\u00e2\u20ac\u00a2 Use the Ink Signature tool to sign any document using your fingerPrint and share documents\u00e2\u20ac\u00a2 Share PDFs with other applications using \"Share\" \u00e2\u20ac\u00a2 Email PDFs as attachments\u00e2\u20ac\u00a2 Print your documents with Google Cloud PrintAvailable languages:English, Chinese Simplified, Chinese Traditional, Czech, Danish, Dutch, French, German, Italian, Japanese, Korean, Polish, Portuguese, Russian, Spanish, Swedish, and TurkishPrice:Adobe Reader for Android is free.By downloading, you agree to the Terms of Use at http://www.adobe.com/products/eulas/#mobileproducts.", "devmail": "adobereader-android@adobe.com", "devprivacyurl": "http://www.adobe.com/special/misc/privacy.html&sa=D&usg=AFQjCNEwTX0yItAtqRKwUzYnh9uW_BAK9A", "devurl": "http://blogs.adobe.com/readermobile/&sa=D&usg=AFQjCNGIoRyNiLwOPHa2DMulpGtoNutgJg", "id": "com.adobe.reader", "install": "100,000,000 - 500,000,000", "moreFromDev": ["com.adobe.air", "com.adobe.livecycle", "com.adobe.revel.importer", "com.adobe.monocle.companion", "com.adobe.grouppix", "com.adobe.psmobile", "com.adobe.shadow.android"], "name": "Adobe Reader", "price": 0.0, "rating": [[" 4 ", 80716], [" 1 ", 15165], [" 5 ", 289836], [" 3 ", 30427], [" 2 ", 8136]], "reviews": [["Bate & Switch", " If I could give this less than one star I would. What kind of bate and switch is this? I can read it for free but I have to pay to convert it first. I would have never updated if I knew this was going to happen. This went from a 5 star app to a ZERO app. "], ["Why pay for something that's free?", " Every time I try to download a pdf attachment from Gmail this app keeps telling me that I have to pay to download it - Why? I can just download it for free myself and open it and read it for free - Charging someone to download their own pdf attachments from Gmail is a rip off & you should be ashamed for doing it - of course no one will pay cause you can download it without the app for free! "], ["Very good but far from perfect", " Attempts to follow the design guidelines, like using a \"hamburger\" button for a navigation sidebar, are appreciated; I just wish the put more effort into doing it properly. While mostly functional, the application feels heavy and out of place at times (gingerbread styled UI elements and a menu button if shame), and the only way to make it scroll smoothly on some devices is by forcing GPU accelerated 2D rendering. Given the amount of 4.0+ devices out there already, especially *tablets*, I wish they used targeted a more recent platform, and put more effort into polishing the UI and UX. "], ["Pay for what?", " I dont understand why I have to pay to view my own documents in my email. your description clearly says adobe is free to use. I use adobe because i love the idea of my doc. Looking exactly the way it should on my phone but now I have to find a different reader because i refuse to pay to view and edit my own documents. Ill go somewhere else now. "], ["Great app!", " Overall, everything works great but you can't rotation the documents! That's the only bad thing! "], ["Really?!", " It was awesome before the update, now when ever I want to save a file I'm yold to sign up for a monthly subscription fee. Just terrible I wish I could give it zero stars "]], "screenCount": 24, "similar": ["com.foxit.mobile.pdf.lite", "com.foobnix.pdf.reader", "air.adobe.flex.TourDeMobileFlex", "air.com.adobe.pstouchphone", "com.google.android.calendar", "air.com.adobe.connectpro", "the.pdfviewer3", "com.intsig.camscanner", "com.dropbox.android", "com.socialnmobile.dictapps.notepad.color.note", "org.ebookdroid", "com.touchtype.swiftkey", "com.appsverse.photon", "com.google.android.apps.docs", "com.surpax.ledflashlight.panel", "air.com.adobe.adobepresenter", "air.com.adobe.pstouch", "air.com.adobe.ThRead", "com.evernote", "com.estrongs.android.pop", "air.com.adobe.DCOMobile", "air.com.adobe.contentviewer", "air.com.adobe.conference.maxcompanion2011", "mobi.browser.flashfox", "udk.android.reader"], "size": "Varies with device", "totalReviewers": 424280, "version": "Varies with device"}, {"appId": "com.dropbox.android", "category": "Productivity", "company": "Dropbox, Inc.", "contentRating": "Everyone", "description": "Dropbox is a free service that lets you bring all your photos, docs, and videos anywhere. After you install Dropbox on your computer, any file you save to your Dropbox will automatically save to all your computers, your Android device, and even the Dropbox website! With the Dropbox app, you can take everything that matters to you on the go.Read your docs or flip through your albums when you're out and about. Save photos or videos to your Dropbox and share them with friends in just a couple taps. Even if you accidentally leave your Android in a taxi, your stuff is always safe on Dropbox.Features:\u00e2\u20ac\u00a2 Always have your stuff with you, no matter where you are.\u00e2\u20ac\u00a2 Save photos and videos to your Dropbox.\u00e2\u20ac\u00a2 Share your photos and docs with family and friends.\u00e2\u20ac\u00a2 Save email attachments straight to your Dropbox.\u00e2\u20ac\u00a2 Easily edit docs in your Dropbox.Terms of Service: https://www.dropbox.com/terms?mobile=1", "devmail": "android-feedback@dropbox.com", "devprivacyurl": "https://www.dropbox.com/privacy", "devurl": "http://www.dropbox.com&sa=D&usg=AFQjCNHkUkIvFbMV_t27v7cTn2Rd8cyuVw", "id": "com.dropbox.android", "install": "100,000,000 - 500,000,000", "moreFromDev": "None", "name": "Dropbox", "price": 0.0, "rating": [[" 5 ", 261085], [" 1 ", 10558], [" 3 ", 14930], [" 2 ", 4037], [" 4 ", 54985]], "reviews": [["Still behind", " 1 star removed for iOS style icon, this is android and everything is edgie here not rounded. Another star removed for lack of dark them, on many phones nowadays white consumes battery and doesn't look good. And the third star removed because of the option \"export\" placement, it is under \"more\" - seriously? Since files are not actually on the phone this the option I use most and it is under \"more\", actually \"share\" and \"favorite\" I have never used so far. Sometimes it looks that developers dont use their app "], ["Better", " The update seems to have sorted the problems I was Experiencing but really reading through some of the reviews all I see is some people have got their knickers in a twist over an icon LOL if I was a dropbox developer I would give them a nice bright pink icon still some wouldnt be happy think they need a dummy "], ["Service good, app Win8 ugly", " Drop box is a great service, but why on earth did you make your app monotone and flat? It looks like an old Windows 1.0 app now... Or Windows 8 Retro (AKA \"Metro\"). YUK! Minus 2 stars fur that. "], ["Works perfect again!", " Vids are loading again on my phone's Dropbox :D Thank you, Devs! "], ["Secure", " Upload time quite slow, but is secure! Preferred previous blue icon though. Nice ui ;) "], ["Versatility!", " I love this application. I can use files on my PC, Mac, Droid & Kindle. What's not to love? "]], "screenCount": 5, "similar": ["la.droid.qr", "com.google.android.calendar", "com.google.android.apps.unveil", "com.surpax.ledflashlight.panel", "com.intsig.camscanner", "com.adobe.reader", "com.rechild.advancedtaskkiller", "com.ttxapps.dropsync", "com.socialnmobile.dictapps.notepad.color.note", "com.sec.pcw", "com.touchtype.swiftkey", "com.google.android.apps.giant", "com.google.android.apps.docs", "com.evernote", "com.google.android.keep", "com.sec.app.samsungprintservice"], "size": "10M", "totalReviewers": 345595, "version": "2.3.11.4"}, {"appId": "com.google.android.apps.docs", "category": "Productivity", "company": "Google Inc.", "contentRating": "Everyone", "description": "* With Google Drive, you can store all your files in one place, so you can access them from anywhere and share them with others * Use the Google Drive Android app to access your photos, documents, videos and other files stored on your Google Drive * Upload files to Google Drive directly from your Android device * Share any file with your contacts * Access files others have shared with you on Google Drive * Make any file available offline so you can view them even when you don't have an Internet connection * Manage files on the go * Create and edit Google documents with support for tables, comments and rich text formatting * Create and edit Google spreadsheets with support for text formatting, multiple sheets and sorting * Edits to your Google documents and spreadsheets appear to collaborators in seconds * View Google presentations with full animations and speaker notes * View your PDFs, Office documents and more * Scan documents, receipts and letters for safe keeping in Drive; then search by contents once uploaded * Print files stored in Google Drive on the go using Google Cloud Print * Open files stored in Google Drive through Drive enabled apps in the browser * Optimized experience to take advantage of larger screens for tablet users, Honeycomb (Android 3.0+)", "devmail": "N.A.", "devprivacyurl": "http://www.google.com/policies/privacy&sa=D&usg=AFQjCNE7y6nm7TcHvct7CDJRmWrYBHvMEQ", "devurl": "https://support.google.com/docs/bin/answer.py", "id": "com.google.android.apps.docs", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.google.android.tts", "com.google.android.apps.plus", "com.google.android.apps.maps", "com.google.android.apps.enterprise.cpanel", "com.google.android.play.games", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.earth", "com.google.android.apps.books", "com.google.android.inputmethod.japanese", "com.google.android.apps.translate", "com.google.android.music", "com.google.android.calendar", "com.google.android.talk", "com.google.android.apps.magazines", "com.google.android.apps.ads.publisher", "com.google.android.apps.m4b", "com.google.android.gm", "com.google.android.voicesearch", "com.google.android.apps.authenticator2", "com.google.android.apps.giant", "com.google.android.street", "com.google.android.apps.enterprise.dmagent"], "name": "Google Drive", "price": 0.0, "rating": [[" 3 ", 11723], [" 4 ", 28046], [" 1 ", 7304], [" 5 ", 91729], [" 2 ", 4708]], "reviews": [["It's ok ... When it works !", " This application freezes more than any other app I've gotten . Not only does app freeze my phone does as well . "], ["A must-have", " Lets you do most of the file manipulation that's supported by the web interface. Document editor implements very few of the features found in the web- based version. "], ["My go to cloud storage", " I give it 4 stars because upload speed always seem slow even no matter the connection I have. "], ["Password protection", " There is one thing that I'm missing... I would like if possible to add password when start program like dropbox has. Now Everyone who take my phone can see what I have in my storage... "], ["Lifesaver", " I love how you can now create/edit documents right from your phone. Google has made a lot of things so simplistic, great app. "], ["Dropbox is the BEST", " I have not been able to edit my documents and save directly on google drive. It keeps asking me to save to my phone. While in dropbox its very easy to edit and save your documents without saving to your phone. Kindly fix this problem so that we can be able to enjoy the full benefits of cloud computing. "]], "screenCount": 24, "similar": ["com.lineten.calendarwidget", "com.dropbox.android", "com.android.chrome", "com.adobe.reader", "com.rcs.mydocs", "com.evernote", "com.jwc.play_console", "com.touchtype.swiftkey", "com.harmonicapps.gaio"], "size": "Varies with device", "totalReviewers": 143510, "version": "Varies with device"}, {"appId": "com.socialnmobile.dictapps.notepad.color.note", "category": "Productivity", "company": "Notes", "contentRating": "Everyone", "description": "Color Note is a simple notepad app. It gives you a quick and simple notepad editing experience when you write notes, memo, email, message, shopping list and to do list. Color Note Notepad makes taking a note easier than any other notepad and memo apps.* Notice *If you cannot find widget of Color Note notepad notes, please read below FAQ.* Features for Color Note notepad notes *-Organize notes by color-Sticky note Widget-Checklist notes for To do list & Shopping list-Checklist notes to get things done (GTD)-Organize your schedule by note in calendar-Password Lock note : Protect your notes by passcode-Secured backup notes to sd storage-Supports online back up and sync. You can sync notes between phone and tablet.-Reminder notes on status bar-List/Grid View-Search notes-Notepad supports ColorDict Add-On-Powerful Reminder : Time Alarm, All day, Repetition.(lunar calendar)-Quick memo / notes-Wiki note link : [[Title]]-Share notes via SMS, email, twitter-Use color to categorize notes* Online backup and sync cloud service for Color Note notepad notes *-Notes will be encrypted before uploading notes using the AES standard, which is the same encryption standard used by banks to secure customer data.-It does not send any of your notes to server without your signing up.-Sign-in with Google or Facebook.* Permissions for notepad notes *-Internet Access : For online backup & sync notes-Modify/delete SD card contents : For backup notes to sdcard-Prevent phone from sleeping, control vibrator, automatically start at boot : For reminder notes* FAQ for Color Note notepad notes *Q : How do you put a sticky note widget on the home screen?A : Goto home screen and long press empty space and choose widget, Color Note will be there for sticking on page. Q : How come the widget and the alarm and remider notes functions don't work?A : If the app is installed on the SD card, your widget, reminder and etc. will not work properly because Android doesn't support them! If you have already moved app to SD card, but you want those features, you have to move it back to device and reboot your phone.Settings - Applications - Manage Applications - Color Note - Move to DeviceQ : Where is backed up notes data at sdcard?A : /data/colornote on sdcardQ: I forgot my master password, how can I change it?A: Menu -> Settings -> Master Password -> Menu Button-> Clear Password. You will lose current locked notes when you clear password!Q: How can I create to do list note?A: New - Select checklist note - Put items - Save. Tap an item to striketrough.When you're finished using the notepad, an automatic save command preserves your individual note.Keywords : ColorNote Notepad,note, notebook, notepad, notes, Shopping List, Todo list, Todo, To do List, To do, 2do, To-do, Shopping, list maker, Calendar, Task, Memo, text editor, Sticky Note, Post It, notes, notepad, memo pad, memo widget, sticky, editor, getting things done, GTD, journal, awesome, supports colordict", "devmail": "notesupport@socialnmobile.com", "devprivacyurl": "http://www.colornote.com/privacy-policy.html&sa=D&usg=AFQjCNEz_86oQyLakpQLy4T0s_us6bISUg", "devurl": "http://www.colornote.com&sa=D&usg=AFQjCNHgV3jI5hpccC_hhytxSGsXc8EpbQ", "id": "com.socialnmobile.dictapps.notepad.color.note", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.socialnmobile.colordict", "com.socialnmobile.hd.flashlight", "com.socialnmobile.dictdata.deutsch.german.freedict", "com.socialnmobile.dictdata.jmdict", "com.socialnmobile.dictdata.chinese.stardict", "com.socialnmobile.dictdata.dictionary.english.thesaurus", "com.socialnmobile.flashlight", "com.socialnmobile.dictdata.cmuaes", "com.socialnmobile.dictdata.dictionary.english.wordnet3", "com.socialnmobile.hangulkeyboard", "com.socialnmobile.dictdata.spanish.i2ee2i"], "name": "ColorNote Notepad Notes", "price": 0.0, "rating": [[" 3 ", 14319], [" 1 ", 3513], [" 2 ", 2684], [" 4 ", 64554], [" 5 ", 278608]], "reviews": [["The best little note keeper out their", " This is the best little note keeper I've ever used. I've have tried several no keepers but this one tops them all thanks keep up the good work. "], ["Awesome", " Awesome little tool and I use it all the time. From all my user names and passwords (in as locked file for security), to the list of things to get at Home Depot, Note Pad can't be beat "], ["I lOvEe this app!!!", " It's simple, cute and I can never lose my notes when I change phones b/c it's linked to my Google acct. which I love as well. It's not buggy and rarely force closes... All in all I'm happy with the application and will use it forever. "], ["Need my NOTES", " Never had a problem with my notes...EVER. I HAD TO RESET MY PHONE AND MY NOTES WERE GONE I WENT BACK AND GOT THE APP AGAIN. "], ["Super handy.", " Keeps me organised, my goals in check, my thoughts , to do list, need and wants, things to do, songs to buy, spending ect. Can't live without it and its backed up too. Hooray for this app. "], ["Only 1 minor issue", " The app keeps the pages grouped by color. Would give 5 star if Option is given to put the pages in order of date created/ edited irrespective of the page color "]], "screenCount": 21, "similar": ["com.tubik.notepad", "com.khymaera.android.listnotefree", "com.flufflydelusions.app.enotesclassiclite", "com.nhn.android.navermemo", "com.gau.go.launcherex.gowidget.notewidget", "com.anydo", "com.gs.stickit", "yong.app.notes", "de.softxperience.android.noteeverything", "ru.andrey.notepad", "my.handrite", "com.taxaly.noteme", "com.pengpeng.simplenotes", "mobisle.mobisleNotesADC", "alpha.earthalbum.photo.travel.wallpaper", "com.workpail.inkpad.notepad.notes", "chensi.memo"], "size": "Varies with device", "totalReviewers": 363678, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaaab.json_merged.json b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaaab.json_merged.json new file mode 100644 index 0000000..3450a83 --- /dev/null +++ b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaaab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.rechild.advancedtaskkiller", "category": "Productivity", "company": "ReChild", "contentRating": "Everyone", "description": "Advanced Task Killer is also known as ATK which is #1 task kill (manage) app. It is a tool to kill applications running. -Ignore List-One tap widget-Auto kill-Customize item heightATK is often used to kill app and clean memory. We do suggest people use ATK manually kill apps instead of auto killing app.1. How to use it (for new users to quick start)?ATK is pretty simple. Open this tool and take a look at the running applications list? Uncheck some apps you don't want to kill (such as Advanced Task Killer and some system apps) Tap the button 'Kill selected apps', it will kill all applications checked. 2. How to use it (for new users to do more)?If you don't want to kill any app, you can tap it on the running applications list. Then it's checking box will turn to gray. 3. Why there are app running that I haven't used or even opened?Some app will start up once you turn on your phone or be invoked by some events. 4. What is ignore list/ignore?Ignore list is for you to ignore some app you don't want to kill. If you long press on the app listed on the main screen of ATK, the menu will pop up, then you can select 'Ignore', the application would be moved to ignore list. When you tap 'Kill selected apps', it won't be killed any more. 5. What is default action for long press?You can set your default action for long press and click on the settings. The system default action for long press is pop-menu. That means you when you long press on the application (displays on the running applications list), a pop-menu would shows up. For example, if you want to switch to the application after you long press on it, you can set the default action of long press to 'Switch to'. 6. Why I lost my network connection after I tap 'kill selected apps'? This is because some apps related with network connection are killed, such as 'voicemail'. You can ignore it instead of killing it. 7. Why my Home reloaded?This is because some apps related with Home are killed. Such as 'HTC Sense', 'Mail'(if it is integrated with Home). You can ignore it instead of killing it. 8. Why I cannot receive notification of Email?This is because you killed 'Email'. Instead of killing it, you need to ignore it. 9. What is Auto Kill?If you want to kill apps automatically you need to choose one of auto-kill level- Safe: Only kill the apps aren't running but still consume memory.- Aggressive: Kill the apps running background and apps aren't running.- Crazy: All apps except for apps you are using with.You should be able to see Auto Kill information shows on the title, like 'Auto-Kill: 12:20'. That means auto kill will start at 12:20, you can also change the frequency to impact the auto kill start time. App killer is only a tool to kill apps and task. It won't help your battery directly. But if you kill any app which consumes battery a lot, you might think app killer is helping your battery.Advanced Task Killer Pro is paid version which doesn't contain ads.Note: For android 2.2 and later version, task manager cannot kill services and front apps, you have to force stop them. If you use task manager to kill them, services might restart; also notification won't be erased from the top bar. So we don't suggest people use task manager kill them.KW: taskiller taskkiller task killer taskmanager manager panel taskpanel process app killer, task killer pro", "devmail": "rechild.support@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://rechild.mobi&sa=D&usg=AFQjCNFkVJBi035rXX4OMbnEuHiQsM0xWQ", "id": "com.rechild.advancedtaskkiller", "install": "50,000,000 - 100,000,000", "moreFromDev": ["com.rechild.advancedtaskkillerfroyo", "com.rechild.advancedtaskkillerpro", "com.rechild.cleaner"], "name": "Advanced Task Killer", "price": 0.0, "rating": [[" 2 ", 7094], [" 1 ", 14594], [" 5 ", 320894], [" 3 ", 24081], [" 4 ", 84505]], "reviews": [["Underestimated it!!", " I've had this app as long as I've had my phone. When Yhu guys did the updates for \"check \" to see if we had any issues for phone, I thought it was.just a flaw it kept saying my phone was fine. Well I installed this ios 7 lockscreen, which kept on switching off for some reason, and leaving my phone vulnerable to people picking it up. I tapped the check button, and lo and behold, the app was the problem. ATK prompted me to uninstall the lockscreen, to which I did! Now I don't have any issues!! Thanks!! "], ["Best task killer in the world", " This app is awesome cause it allows u to kill any running apps in second s and with the new update 2\u00c2\u00b72 it tells u if your device has any problems 5stars "], ["I'd give this 4 stars....", " ....if it wasn't constantly updating practically every day. And if it actually killed processes and kept them dead. "], ["SUPER APP!! A \"MUST HAVE\" !!", " THIS IS BY FAR THE BEST WEATHER APP OUT THERE. THAT'S ONLY PART OF IT. IT SHOWS THINGS LIKE THE LOCATION, SIZE AND TIME OF RECENT EARTHQUAKES AND WAY MORE. GET THIS INCREDIBLE TOOL NOW! "], ["Awesome", " I've had for a year now, and I use it without thinking, ATK solves all of my lag and/or slowness problems. I think ATK should get 10/5 stars. "], ["Great, easy app killer", " Works great and is very easy to use. I like it way better than the one on my Antivirus. A well done app! "]], "screenCount": 2, "similar": ["com.adobe.reader", "org.dayup.gtask", "com.dropbox.android", "com.symantec.monitor", "ch.teamtasks.tasks.paid", "com.evernote", "com.dianxinos.dxbs", "com.socialnmobile.dictapps.notepad.color.note", "com.surpax.ledflashlight.panel", "com.netqin.aotkiller", "ch.teamtasks.tasks", "com.gau.go.launcherex.gowidget.taskmanagerex", "com.intsig.camscanner", "com.google.android.calendar", "com.james.SmartTaskManager", "mobi.infolife.taskmanager"], "size": "135k", "totalReviewers": 451168, "version": "2.0.3B203"}, {"appId": "com.estrongs.android.pop", "category": "Productivity", "company": "ES APP Group", "contentRating": "Everyone", "description": "ES, 200 millions global downloads, file manager trend leader on Android! Rated one of best resource management tools on Android market.V3 is coming! Classic Theme can be downloaded on Google Play.ES File Explorer is a free, full-featured file and application manager. It functions as all of these apps in one: file manager, application manager, task killer, cloud storage client (compatible with Dropbox, Google Drive, SkyDrive, Box.net, Sugarsync, Yandex, Amazon S3, and Ubuntu One), FTP client, and LAN Samba client. It provides access to pictures, music, video, documents, and other files on both your Android devices and your computers.ES File Explorer allows Android users, no matter where they are, to manage their resources for free. You can see and access all of your files from your mobile device and share them with others. The app makes it easy to stay connected over 3G, 4G, EDGE, or Wi-Fi to share with friends, upload photos, and watch videos.ES File Explorer 3.0 currently supports 30+ languages:English, Russian, Japanese, French, Spanish, German, Traditional Chinese, Simplified Chinese, Dutch, Italian, Hebrew, Vietnamese, Slovak, Czech, Hungarian, Ukrainian, Tamil, Catalan, Turkish, Lithuanian, Portuguese(pt), Portuguese(br)...This standard version is for Android 2.1, 2.2, 2.3, 3.1, 3.2, 4.0,4.1 and 4.2. Android 1.5/1.6/2.0 users, please use ES File Explorer Cupcake version.You can download older versions from our official website.Features List: * File Manager \u00e2\u20ac\u201c Manage your files like you do on your desktop or laptop using Multiple Select, Cut/Copy/Paste, Move, Create, Delete, Rename, Search, Share, Send, Hide, Create Shortcut, and Bookmark; operations can be performed on local files (on your Android device) or remotely (on your computer)* Application Manager \u00e2\u20ac\u201c categorize, uninstall, backup, and create shortcuts to your apps* Remote File Manager \u00e2\u20ac\u201c when enabled, manage files on your phone from your computer* Built-in ZIP and RAR support allows you to compress and decompress ZIP files, unpack RAR files, and create encrypted (AES 256 bit) ZIP files* Built-in viewers and players for various file types, including photos, music, and videos; supports third-party applications, such as Documents To Go, for opening others* Shows thumbnails for APKs and images* Text viewers and editors* Access your home PC via WiFi with SMB* Functions as your FTP and WebDAV client. Manage files on FTP, FTPS, SFTP, and WebDAV servers just like you manage files on your SD card* Supports Dropbox, Box.net, Sugarsync, Google Drive (Google Docs is now a part of Google Drive), SkyDrive, Amazon S3, Yandex and more. ES File Explorer is an enhanced cloud storage client with more functions than the official versions,it can save photos, videos, and other files to your internet drives and share them with others.* Bluetooth file browser You can copy and paste files between Bluetooth ready devices. It supports OBEX FTP for browsing devices and transferring files between Bluetooth devices.* Kill tasks with a single click -- includes a simple widget for automatically killing tasks, with an ignore list to ignore the applications you want to keep running. To use this feature, you must have ES Task Manager module installed.* Root Explorer -- the ultimate set of file management tools for root users. Provides access to the entire file system and all data directories, and allows the user to change permissions.* Developers can visit our website for the developer interface for picking files from your applications, emailing attachments, etc.* More features included, and many more to comeWe\u00e2\u20ac\u2122re working to create the best file manager on Android Market, so please do not hesitate to CONTACT US with your comments, suggestions, or any issues you may have.", "devmail": "contact@estrongs.com", "devprivacyurl": "N.A.", "devurl": "http://www.estrongs.com&sa=D&usg=AFQjCNFDa8YVDa38I5_W78YKTed7t_DUmw", "id": "com.estrongs.android.pop", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.estrongs.android.taskmanager", "com.estrongs.android.pop.classic", "com.estrongs.android.pop.cupcake"], "name": "ES File Explorer File Manager", "price": 0.0, "rating": [[" 2 ", 3230], [" 3 ", 12880], [" 4 ", 53174], [" 5 ", 281988], [" 1 ", 5655]], "reviews": [["It's okay but...", " Wifi file transfer between two mobiles are really slow. only 1.46 MB/sec. Please increase the speed as soon as possible. "], ["Why not installing??", " This to be my all in one application. Used it to browse my pc and other devices on lan.. To upload on dropbox, to manage all my files and annnnd ANLLaaand everything that one can imagine. From gallery to music player this was my only choice. But recently I just formatted my device and when I installed this on my phone, it said \"could not install. code error-24\" why why why???? Please fix it.. Am on jb 4.2.1 . please fix this error. Now installed es file explorer for cupcake.. That is working.... "], ["THE. BEST. FILE. MANAGER. PERIOD.", " This is by far THE. BEST. FILE. MANAGER. PERIOD. I can't stress this enough. For the android os there is no better file app then this one. It can do everything and more. If you only have one file management app make it this one. "], ["Excellent program!", " Pro- Does as advertised. Reliable, stable, user friendly. Con- More widget styles would be great, maybe a couple different skins. Sounds pretty, I know, but just as a bonus, yo! "], ["Pretty Frikken Good", " This mofo does everything a file manager could possibly hope to do. I use it regularly to stream movies to my phone and tablet from my laptop. I don't even have to connect my phone to my PC with a USB cable anymore to put new music on it. BAM! Copy that shit over Wi-Fi using this app! "], ["Its big, its bulky...", " but is definately the best file manager out there. Even with the relatively large size it seems to run faster than apps that come in under 500k. This one is 3.93M. You people out there, especially app writers do know the difference between k, m, and M, right??? I would give this 6 or 7 stars it is so far superior to anything else... "]], "screenCount": 10, "similar": ["com.jrummy.root.browserfree", "com.smartwho.SmartFileManager", "com.lonelycatgames.Xplore", "com.metago.astro.pro", "com.metago.astro", "com.adobe.reader", "com.speedsoftware.explorer", "org.openintents.filemanager", "com.agilesoftresource", "nextapp.fx", "com.speedsoftware.rootexplorer", "com.rhmsoft.fm", "net.adisasta.androxplorer", "nextapp.fx.rr", "com.james.SmartTaskManager", "fm.clean"], "size": "Varies with device", "totalReviewers": 356927, "version": "Varies with device"}, {"appId": "com.ijinshan.kbatterydoctor_en", "category": "Productivity", "company": "KS Mobile", "contentRating": "Low Maturity", "description": "Battery Doctor, the professional power manager, is the best FREE battery saving app capable of extending your battery life.Over 150 MILLION downloads over Android and iOS worldwide supporting 19 languages.Defend Your Juice!- Disable unnecessary apps that drain your battery!- Task Killer kills tasks with one click!- Kill apps when screen is off!- Accurate battery remaining time!- Accurate charging remaining time!- Schedule power saving modes for work/class/sleep and more!- Unique 3 Stage Charging system!- Wifi/Data/Bluetooth toggle!- Brightness control!- CPU Management (for rooted phones)!- Battery temperature!- Charging Tips!- 15 languages supported!- Simple easy-to-use interface!Accurately Estimates Remaining Battery TimeTells how long battery will last under a variety of situations (playing games, wifi on or off, etc)Professional ChargingBattery Doctor regulates the manner in which your device is charged with a Unique 3 Stage Charging system to ensure you get the most out of your battery and reminds you not to over charge. It also has features that can monitor and regulate power consumption.Widget IncludedOur \"Task Killer\" widget will optimize your power consumption conveniently. The 4x1 widget makes it easier to manage Wifi, Data, Brightness, etc, and set power saving modes.Battery Doctor fans, please join our beta testing group. Be the first to try our recent updates, report bugs, and contact developers.http://bit.ly/17AtLdnQ&AQ: Can Battery Doctor save power and extend battery life?A: Yes!Tap the circle at the home screen (Save Power) to kill power hog apps that are not currently in use to improve battery life. Run our app while charging to let Battery Doctor manage the process with its Unique 3 Stage Charging system that ensures a longer battery life.Use the \"Task Killer\" widget to optimize your power consumption convenientlyQ: What is a full charge and why does it matter?A: Plug in your phone when the battery has about 20% remaining and continue to charge until Battery Doctor tells you the 3rd stage of trickle charging is complete. Do not overcharge by keeping your device plugged in nor undercharge by charging in short bursts whenever convenient. Q: How does \"Saving Mode\" work?A: \"Saving Mode\" is an extreme setting that shuts down all non-essential functions of your phone with exception of making phone calls and sending/receiving text messages. WiFi, Data, GPS, etc will all be shut down to ensure battery life and defend your juice.Q: How do I set up the widgets?A: The \"Task Killer\" widget will automatically appear on your home screen with installation. The other widget that monitors WiFi/GPS/etc can be installed just as any other widget on your device would be set up.======================================================================Twitter.com/ksbatterydoctorFacebook.com/ksbatterydoctor", "devmail": "feedback@ksmobile.com", "devprivacyurl": "N.A.", "devurl": "http://www.ksmobile.com/&sa=D&usg=AFQjCNE79x7I0l4TEgHuMrk9TuKHtpHUng", "id": "com.ijinshan.kbatterydoctor_en", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Battery Doctor (Battery Saver)", "price": 0.0, "rating": [[" 4 ", 26244], [" 1 ", 2422], [" 5 ", 107905], [" 3 ", 6169], [" 2 ", 1251]], "reviews": [["Consumes More", " Found no difference after installing it. Battery still discharging with the same pace or probably even more faster, as it is a continuing running application in the background. "], ["Effective power manager capable of intelligently shutting down power ...", " Effective power manager capable of intelligently shutting down power unnecessary apps in order to comserve power for those apps most needed; wgile perserving precious communication capability "], ["Gr8 app.......", " Better than du battery saver app. du battery saver didn't work at all battery backup was as it is but this app is working fine as because i use a micromax mobile it gave me a problem on battery backup but now its fixed "], ["Pretty good", " Very helpful except when it's glitchy. I once uninstalled this app and my battery lasted about five times shorter than usual. But that seems more like a (once again) glitch. "], ["Freaking Excellent!", " Download this app. I love when developers put their collective heads together and come up with something great. It's really something special. I'm getting freaking sentimental. "], ["Great but...", " It's good and all but it's. Always making my phone lag, I'f you could fix that It would be great. "]], "screenCount": 8, "similar": ["com.fasteasy.battery.deepsaver", "imoblife.batterybooster", "com.cleanmaster.mguard", "com.antutu.powersaver", "org.gpo.greenpower", "com.macropinch.pearl", "com.jappka.bataria", "com.alportela.battery_booster", "com.easy.battery.saver", "com.geekyouup.android.widgets.battery", "com.gau.go.launcherex.gowidget.gopowermaster", "com.dianxinos.dxbs", "mobi.infolife.batterysaver", "ch.smalltech.battery.free", "com.latedroid.juicedefender", "com.dianxinos.dxbs.paid", "com.a0soft.gphone.aDataOnOff"], "size": "5.2M", "totalReviewers": 143991, "version": "4.3.1"}, {"appId": "com.evernote", "category": "Productivity", "company": "Evernote Corporation", "contentRating": "Low Maturity", "description": "\u00e2\u02dc\u2026 New York Times \u00e2\u20ac\u02dcTop 10 Must-Have App\u00e2\u20ac\u2122, Winner: TechCrunch Crunchies, Mashable Awards and the Webbys. \u00e2\u02dc\u2026 Evernote is an easy-to-use, free app that helps you remember everything across all of the devices you use. Stay organized, save your ideas and improve productivity. Evernote lets you take notes, capture photos, create to-do lists, record voice reminders--and makes these notes completely searchable, whether you are at home, at work, or on the go. Key Features:- Works with Evernote Business: Capture, browse, search, and share Business Notes and Business Notebooks from your smartphone or tablet.- Sync all of your notes across the computers and devices you use- Create and edit text notes, to-dos and task lists - Save, sync and share files - Search for text inside images- Organize notes by notebooks and tags- Email notes and save tweets to your Evernote account- Connect Evernote to other apps and products you use- Share notes with friends and colleagues via Facebook and Twitter\u00e2\u02dc\u2026 Premium feature: take notebooks offline to access them anytime \u00e2\u02dc\u2026 Premium feature: allow others to edit your notebooks\u00e2\u02dc\u2026 Premium feature: add a PIN lock to your Evernote appHere are some ways to use Evernote for your personal and professional life:- Research smarter: snap photos of whiteboards and books- Take meeting and class notes, draft agendas and research notes- Plan a trip: keep track of travel plans, plane tickets and passports- Organize and save recipes; search by ingredients later- Create a grocery list or task list and check things off as you go- View web pages saved in Evernote on your desktop- Capture ideas and inspiration on the go- Access files and notes you create on your phone from your desktop- Keep track of products and prices for comparison shopping purposes- Keep finances in order: save receipts, bills and contracts- Reduce paper clutter by taking snapshots of restaurant menus, business cards and labels- Use Evernote as part of your GTD system to help you stay organized- To get the most out of your Evernote experience, download it on all of the computers and phones that you use.Evernote is available on any computer, phone and tablet device.More information about permissions at:http://evernote.com/privacy/data_usage.phpLearn more: http://www.evernote.com/about/getting_started/", "devmail": "N.A.", "devprivacyurl": "http://evernote.com/privacy/&sa=D&usg=AFQjCNHTyefT6GQ6A6mnOKPeqKUA_qjesg", "devurl": "http://www.evernote.com&sa=D&usg=AFQjCNHjz04lGDlIindmH3Ax1DOtqvT2mA", "id": "com.evernote", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Evernote", "price": 0.0, "rating": [[" 5 ", 542501], [" 3 ", 17904], [" 1 ", 7730], [" 4 ", 143258], [" 2 ", 4171]], "reviews": [["Replacing one note", " This is not a completely satisfying substitute, but after 10 years of trying to get one note to work outside of a Windows environment , I have decided to commit fully to this app. My philosophy is, 1 man 1 app. "], ["Handy app but its few flaws quickly become a great pain.", " It's the little things that count. --- [1] --- Cannot select multiple lines when using check-boxes/dots/numbers: Putting this into context, lets say I want to delete 5 items/lines from a list. *Without* check-boxes/dot-points, it takes 3 steps (highlight beginning > highlight end > press delete). *With* check-boxes/dot-points, the QUICKEST way to do it takes 9 steps (NINE!). What if I had a list of 30 items and I wanted to delete 20? Try it out. --- [2] --- Dot-points / numbered lines automatically inserts blank lines upon saving. If I wanted a blank line, I can add one myself. It also forces auto-indentation (pressing 'left-indent' just removes the dot-point altogether). Please, just let the user control the layout how they want. "], ["Great", " I had an issue with Bluetooth keyboards that the devs immediately acknowledged and then fixed. Great responsiveness! "], ["Did Not Work Well For Me", " Lenovo tablet, ICS. Used the app to clean all the caches per the menu. Immediately after, things got very slow and web pages just never fully loaded. I rebooted and same problems. After a few hours, things are slowly starting to get back to normal. I would be afraid to try it anymore, and uninstalled. "], ["Web-Backup is great!", " So useful to have access to notes from computer as well as smartphone, etc. No hassle when updating phone or (eek!) Lost or Stolen. And updates keep making it better. "], ["Great notes app!", " I use evernote and penultimate to take notes in school and it has been a wonderful experience! I would appreciate performance boosts on older / milestone phones. Overall amazing app. "]], "screenCount": 10, "similar": ["com.surpax.ledflashlight.panel", "com.microsoft.office.onenote", "com.google.android.apps.docs", "com.touchtype.swiftkey", "com.dropbox.android", "com.intsig.camscanner", "com.adobe.reader", "mobisle.mobisleNotesADC", "de.softxperience.android.noteeverything", "com.socialnmobile.dictapps.notepad.color.note", "ru.andrey.notepad", "com.evernote.world", "com.evernote.widget", "my.handrite", "com.evernote.skitch", "com.google.android.calendar", "com.pengpeng.simplenotes", "com.evernote.hello", "com.google.android.keep", "com.evernote.food"], "size": "Varies with device", "totalReviewers": 715564, "version": "Varies with device"}, {"appId": "com.google.android.calendar", "category": "Productivity", "company": "Google Inc.", "contentRating": "Everyone", "description": "The Calendar app displays events from each of your Google Accounts that synchronizes with your Android device. You can also:- Create, edit, and delete events.- View all your calendars at the same time, including non-Google calendars.- Quickly email all event guests from a notification with a customizable message.Known issues with HTC devices:- Day and week views may not work on some HTC devices.- Notes and pictures may be removed from all calendar events, but will still be available in HTC's Notes app.- Local unsynced events may be lost after installing Google Calendar.- Notifications won't make sounds unless HTC's Calendar app is disabled.- Touching an email invitation in a mail app opens Calendar in the browser rather than the app.", "devmail": "N.A.", "devprivacyurl": "http://www.google.com/policies/privacy&sa=D&usg=AFQjCNE7y6nm7TcHvct7CDJRmWrYBHvMEQ", "devurl": "http://support.google.com/calendar", "id": "com.google.android.calendar", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.google.android.gm", "com.google.android.voicesearch", "com.google.android.talk", "com.google.android.play.games", "com.google.android.tts", "com.google.android.apps.enterprise.cpanel", "com.google.android.apps.plus", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.android.apps.maps", "com.google.earth", "com.google.android.apps.books", "com.google.android.apps.unveil", "com.google.android.apps.translate", "com.google.android.street", "com.google.android.apps.magazines", "com.google.android.apps.enterprise.dmagent", "com.google.android.music", "com.google.android.apps.m4b"], "name": "Google Calendar", "price": 0.0, "rating": [[" 2 ", 1631], [" 5 ", 19498], [" 4 ", 6597], [" 3 ", 3513], [" 1 ", 2350]], "reviews": [["Doesn't do anything the preview above shows.", " Is there something wrong with me? This app sucks. It doesn't show any words in the month view, only tiny bars of color (not helpful at all!). I can't change the colors of the calenders even though above it says I can. And it doesnt look anything like that! No split screen or anything. It sucks! "], ["Causes battery to die", " The newest version of this app caused my Nexus S 4G to Sync until the battery died. I removed the update and defaulted to stock version and all is well. "], ["No .just no", " I want a calendar that will simply show me an entire classical-straight forward month category. This doesn't achieve it "], ["That clock", " I appreciate that innovation is inevitable, but getting used to the time setting feature is going to take awhile. TBH I'd prefer the old up/down arrow selector to select the hour and minutes. I regularly use Pages Manager for Facebook, and its time scheduler feature. I'd like to have the same system for both. Your 24 hour clock is nice, but I have to put on a different head to use it! "], ["Just can't find a decent calendar...", " I installed this because my HTC Amaze calendar does not send me birthday notifications. It works great for appointments but for some reason it would never send me a notification for birthdays. So I installed Google's version because I wanted something to sync up with all my accounts and it's just not working. The month view shows events on days there are supposed to be events but when clicking on the day it doesn't display anything at all. It's impossible for me to see what the events are. Frustrating!!! "], ["Day to day calendar", " I just place my everyday life schedule and it would even remind me when I shall get going so I won't be late for event I inputted address Color system made it even more clear thou I still go with blue often Lovely thing to use especially when I am on trip to other time zones or flights "]], "screenCount": 12, "similar": ["com.lineten.calendarwidget", "sk.mildev84.agendareminder", "com.anod.calendar", "com.android.chrome", "com.roflharrison.agenda", "com.josegd.monthcalwidget", "com.gau.go.launcherex.gowidget.calendarwidget", "netgenius.bizcal", "com.digibites.calendar", "jp.co.johospace.jorte", "com.timleg.egoTimerLight", "org.withouthat.acalendar", "com.dvircn.easy.calendar"], "size": "2.2M", "totalReviewers": 33589, "version": "201306302"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtabaa.json_merged.json b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtabaa.json_merged.json new file mode 100644 index 0000000..76449f2 --- /dev/null +++ b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtabaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.google.android.apps.unveil", "category": "Productivity", "company": "Google Inc.", "contentRating": "Medium Maturity", "description": "Search by taking a picture: point your mobile phone camera at a painting, a famous landmark, a barcode or QR code, a product, or a popular image. If Goggles finds it in its database, it will provide you with useful information.Goggles can read text in English, French, Italian, German, Spanish, Portuguese, Russian, and Turkish, and translate it into other languages.Goggles also works as a barcode / QR code scanner.Features:- Scan barcodes using Goggles to get product information- Scan QR codes using Goggles to extract information- Recognize famous landmarks- Translate by taking a picture of foreign language text- Add Contacts by scanning business cards or QR codes- Scan text using Optical Character Recognition (OCR)- Recognize paintings, books, DVDs, CDs, and just about any 2D image- Solve Sudoku puzzles- Find similar products", "devmail": "N.A.", "devprivacyurl": "http://www.google.com/policies/privacy&sa=D&usg=AFQjCNE7y6nm7TcHvct7CDJRmWrYBHvMEQ", "devurl": "https://support.google.com/websearch/answer/166331&sa=D&usg=AFQjCNEPD-aObNwAdDL3ls7VP-ttzwQS_A", "id": "com.google.android.apps.unveil", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.google.android.tts", "com.google.android.play.games", "com.google.android.apps.maps", "com.google.android.apps.enterprise.cpanel", "com.google.android.apps.plus", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.earth", "com.google.android.apps.books", "com.google.android.inputmethod.japanese", "com.google.android.apps.translate", "com.google.android.music", "com.google.android.apps.gesturesearch", "com.google.android.apps.chrometophone", "com.google.android.calendar", "com.google.android.talk", "com.google.android.apps.magazines", "com.google.android.apps.ads.publisher", "com.google.android.apps.m4b", "com.google.android.gm", "com.google.android.voicesearch", "com.google.android.apps.authenticator2", "com.google.android.apps.giant", "com.google.android.street", "com.google.android.apps.enterprise.dmagent"], "name": "Google Goggles", "price": 0.0, "rating": [[" 5 ", 80301], [" 4 ", 31910], [" 2 ", 4743], [" 3 ", 13491], [" 1 ", 11067]], "reviews": [["Search visually", " It's a visual search engine. Search images with your camera. Take a pic with it and it'll figure out what that thing is and tell you all about it. WOW "], ["Clunky UI", " Needs a serious UI refresh to make it fit in with the whole Google Now theme, and an update for the app icon as it's very low-res on my Nexus 5. The camera keeps flashing too which is annoying. Good app, but there's a lot of improvements to be made... "], ["Crashing when used continuos mode", " This app works great when camera option is used but when I tried using the continuous mode option the application crashed. Please look into it as feeling very sorry for giving less rating for this innovative application "], ["Great now and great on my original Droid.", " For the new users: for it to recognize your pic the image you snap must be in the Google database. Your old worn out nikes may not be there! Beautiful with established images, such as pictures in a museum, as well as translating, which it just did from the google web page on my laptop. No complaints here and it's free, so please quit your whining. "], ["Still Disappointed", " On November 7, 2013 a new version (1.9.2) of Goggles appeared. As a tool it still provides very limited functionality when compared with versions released before 1.9.1. More objects are recognized now than immediately after the intro of v. 1.9.1. The bad news is that the app. still doesn't keep track of earlier tagged results . Photos can be stored locally (option), but will always require re-scanning and re-submitting. "], ["Rarely use... But is amazing when I have", " Ignore the ding-dongs posting reviews ut: \"It can't seem to find cartoon characters in a motion picture\" or \"...can't identify the numbers on my clock.\" Take this app for what it is. It's designed to help you identify pieces of 2d art from a definitive set of images sitting in a database such as photography created by someone famous (it's not going to identify grandma Thelma from a lineup), known paintings from notable artists etc... The few times I've conjured Goggles I have found what I needed. :) "]], "screenCount": 8, "similar": ["com.lineten.calendarwidget", "com.dropbox.android", "com.android.chrome", "com.adobe.reader", "com.jwc.play_console", "com.touchtype.swiftkey", "com.harmonicapps.gaio"], "size": "2.6M", "totalReviewers": 141512, "version": "1.9.3"}, {"appId": "com.intsig.camscanner", "category": "Productivity", "company": "IntSig Information Co.,Ltd", "contentRating": "Everyone", "description": "Turn any Smartphone into a Scanner with CamScanner for Intelligent Document ManagementCamScanner is an intelligent document management solution for individuals, small businesses, organizations, governments and schools. It is the perfect fit for those who want to scan, sync, edit, share and manage various contents on all devices.* 60 million mobile users\u00e2\u20ac\u2122 choices for document scanning worldwide* CamScanner\u00ef\u00bc\u015250 Best iPhone Apps, 2013 Edition \u00e2\u20ac\u201c TIME* \u00e2\u20ac\u0153The application employs its own image cropping and enhancing algorithm that leads to clearer images.\u00e2\u20ac\ufffd \u00e2\u20ac\u201c Makeuseof.com* \u00e2\u20ac\u0153CamScanner may just be the best deal for scanning documents on your iPhone.\u00e2\u20ac\ufffd \u00e2\u20ac\u201c CNET.com* Top Developer \u00e2\u20ac\u201c Google Play StoreFeatures:*Access Documents from the WebNow you can log in to your account at www.camscanner.net and edit file name, add tag, add notes; manage documents and share document via copying the link or social media.*Quickly Scan DocumentUse your phone camera to SCAN (take a picture of) all kinds of paper documents: receipts, notes, invoices, whiteboard discussions, business cards, certificates, etc. Batch Scan Mode saves you even more time. It auto detects and adjusts the document orientation.*Optimize Scan QualitySmart cropping and auto enhancing make CamScanner unique. It ensures the texts and graphics in scanned documents are clear and sharp with premium colors and resolutions.*Easy Search DocumentFind any documents within seconds. OCR for Search allows you to easily find keywords within PDF files, saving you the trouble of browsing among tons of documents.*Advanced Document EditingCamScanner enable you to edit document name, add notes, customize watermark and make annotations on your mobile. *Intelligent Document ManagementIntelligent document management on the go. You can allocate documents in groups, sort documents by Date, tag documents, view documents in List/Thumbnail mode and etc. Set passwords for confidential documents to avoid information leaks.*Sign up and Sync DocumentsSign up with CamScanner and backup/sync documents on the go. Just log in and you can access, edit, share and sync documents across smart phones, tablets, computers and the Cloud.*Share & Upload SupportUpload the scanned documents to cloud storages; Fax scanned documents; Share documents between mobile devices and computers via WiFi; Share documents on your mobile or at www.camscanner.net via sending the document link.Premium Account-\tAdd extra 10G cloud space for storing documents-\tSupport high-quality scans-\tExtract texts in PDF files for later editing or sharing-\tDocuments link shared with password protection-\tNo limits on times of making annotations on documents-\tNo watermarks on PDF file generated-\tNo adsCamScanner Users Scan and Manage * Bill, Invoice, Contract, Tax Roll, Business Card\u00e2\u20ac\u00a6* Whiteboard, Memo, Script, Letter\u00e2\u20ac\u00a6* Blackboard, Note, PPT, Book, Article\u00e2\u20ac\u00a6* Credential, Certificate\u00e2\u20ac\u00a63rd Party Cloud Storage Services Supported:Box.com,Google Drive, Dropbox,Get More Cloud Space for FREE- Sign up for CamScanner \u00e2\u20ac\u201c 200M - Successfully bring a new registrant - 100M/user with maximum number of 10 users.- Tell others why you like CamScanner via social media \u00e2\u20ac\u201c 100M/time- Write a review in Google Play - Get 200M cloud space for free- Educational users sign up for CamScanner \u00e2\u20ac\u201c Remove ads and watermark and get extra 200M- Users of full version sign up for CamScanner \u00e2\u20ac\u201c Get extra 200MFree version is an ad-supported version and scanned documents are generated with watermark. Cloud Storage services - Evernote, SkyDrive are available for 7 days, plus a limit of 30 pages for annotationsCheck out other INTSIG products:CamCard - Business Card ReaderCamDictionary We'd love to hear your feedback: asupport@intsig.com Follow us on Twitter: @CamScannerLike us on Facebook: CamScannerFollow us on Google+: CamScanner", "devmail": "android_support@intsig.com", "devprivacyurl": "N.A.", "devurl": "http://www.camscanner.net&sa=D&usg=AFQjCNG-zOoDHrZ7d1a_5shUQ0bsCiTRUQ", "id": "com.intsig.camscanner", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.intsig.BCRLite", "com.intsig.csbilldt", "com.intsig.camcardhd.license", "com.intsig.BCRLatam", "com.intsig.camscannerhd", "com.intsig.BizCardReader", "com.intsig.camcardhd", "com.intsig.notes", "com.intsig.lic.camscanner", "com.intsig.lic.camscannerhd"], "name": "CamScanner -Phone PDF Creator", "price": 0.0, "rating": [[" 2 ", 1564], [" 4 ", 27893], [" 3 ", 6787], [" 1 ", 2943], [" 5 ", 108760]], "reviews": [["Top App! Made scanner redundant", " This is an excellent app which has pretty much made my scanner redundant! I now use this to scan documents to send to colleagues, associates as well as my accountant. The portability it offers is beyond comparison to any portable device available. "], ["Useful but not intuitive", " Developers need to spend more effort on making navigation easier to use and understand. I don't use the app regularly enough to remember how to navigate and have to fumble around trying to figure how to do basic things all over again. Simply isn't as intuitive as it should or could be. But it gets the job done nicely once you do remember. "], ["Awesome", " Works better than my expensive computer scanner and I also have it with me on the go any time. This app allows me to work home or anywhere. "], ["Awesome App", " I love this app. I highly recommend it for anyone that is a student or professionals that need scanned documents on the go. I have used this app to make copies when I am attending meetings away from copiersand scanners. As a grad student this is very convenient to document resources and viewing them on all of my devices. "], ["Excellent scanner", " I couldn't be more happy with this app. It's quick and easy. And is also great for home a nd at work. "], ["Great Mobile Scan App!!!", " Very effective mobile scan app. Pages in scan doc can be rearranged instantly. Resolution is the best have seen yet on a mobile scan app. This app also has an easy document merge feature. This is definitely one of my most used apps. "]], "screenCount": 21, "similar": ["com.dropbox.android", "com.foxit.mobile.pdf.lite", "net.halfmobile.scannerfree", "com.scan.to.pdf.trial", "com.foobnix.pdf.reader", "the.pdfviewer3", "com.adobe.reader", "org.ebookdroid", "com.ape.camera.docscan", "com.pwnwithyourphone.documentscanner", "com.cerience.reader.app", "appinventor.ai_progetto2003.SCAN", "com.google.android.apps.docs", "com.thegrizzlylabs.geniusscan", "com.pwnwithyourphone.documentscanner.trial", "udk.android.reader"], "size": "11M", "totalReviewers": 147947, "version": "2.7.1.20131121"}, {"appId": "com.google.android.keep", "category": "Productivity", "company": "Google Inc.", "contentRating": "Low Maturity", "description": "Quickly capture what\u00e2\u20ac\u2122s on your mind and be reminded at the right place or time. Create a checklist, enter a voice note or snap a photo and annotate it. Everything you add is instantly available on all your devices \u00e2\u20ac\u201c desktop and mobile.With Google Keep you can:\u00e2\u20ac\u00a2 Keep track of your thoughts via notes, lists and photos\u00e2\u20ac\u00a2 Add reminders to important notes and be reminded through Google Now\u00e2\u20ac\u00a2 Have voice notes transcribed automatically\u00e2\u20ac\u00a2 Use widgets to capture thoughts quickly\u00e2\u20ac\u00a2 Color-code your notes to help find them later\u00e2\u20ac\u00a2 Swipe to archive things you no longer need\u00e2\u20ac\u00a2 Turn a note into a checklist by adding checkboxes\u00e2\u20ac\u00a2 Use your notes from anywhere - they are safely stored in the cloud and available on the web at http://keep.google.com and via the Google Keep app in the Chrome Web Store.", "devmail": "android-apps-support@google.com", "devprivacyurl": "http://www.google.com/policies/privacy&sa=D&usg=AFQjCNE7y6nm7TcHvct7CDJRmWrYBHvMEQ", "devurl": "https://support.google.com/", "id": "com.google.android.keep", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.google.android.tts", "com.google.android.apps.plus", "com.google.android.apps.maps", "com.google.android.apps.enterprise.cpanel", "com.google.android.play.games", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.earth", "com.google.android.apps.books", "com.google.android.inputmethod.japanese", "com.google.android.apps.translate", "com.google.android.music", "com.google.android.apps.gesturesearch", "com.google.android.calendar", "com.google.android.talk", "com.google.android.apps.magazines", "com.google.android.apps.ads.publisher", "com.google.android.apps.m4b", "com.google.android.gm", "com.google.android.voicesearch", "com.google.android.apps.authenticator2", "com.google.android.apps.giant", "com.google.android.street", "com.google.android.apps.enterprise.dmagent"], "name": "Google Keep", "price": 0.0, "rating": [[" 4 ", 10460], [" 3 ", 3639], [" 1 ", 1222], [" 5 ", 32092], [" 2 ", 939]], "reviews": [["Needs image option!", " Please fix adding picture to note option to include an image thats already a part of your gallery. Currently, you can only add a pic if you snap it while creating/editing the note. Not good for people with \"afterthoughts.\" "], ["Did not receive Reminder", " I could have set something incorrectly, but I just tried the \"new\" Keep. Typed in a grocery list, set the grocery store address as the Location reminder. However, went to the store and it never came up. Still a fan of Keep, just not sure why the Location based reminder did not work. GPS was on. Using Droid Razr. "], ["Usually I like most Google products, but two major things I don't like about ...", " Usually I like most Google products, but two major things I don't like about Keep is that you don't have the option to view it in a list mode instead of a picture mode with a good chunk of text displayed. And I don't like the character limits. I would give it a below average rating, but being a Google product I am giving it a one star. "], ["Location reminder not working", " Would be 4 star if the location reminders would work. Search everywhere about this issue and nothing shows up. Service Location, GPS and GoogleNow are enabled and multiple tries without success. On my LG Optimus G (like a Nexus 4) running stock 4.1.2. "], ["Wow", " Ive removed Keep a long, long time ago. Happened to be browsing today, and ive seen that the rating has gone up by a point due to the latest update. Rating five stars now! "], ["Love the App!", " I love the Keep App. Switched from using evernote to using this app now. Only complaint after using evernote is that I wish you could categorize multiple notes into folders instead of having to scroll threw all of them to find the ones you need. Also, wish you could add checklists, but still be able to input info later on in note without it all having to be a checklist "]], "screenCount": 14, "similar": ["com.lineten.calendarwidget", "com.socialnmobile.dictapps.notepad.color.note", "com.android.chrome", "com.dropbox.android", "com.evernote", "com.jwc.play_console", "com.touchtype.swiftkey", "com.harmonicapps.gaio"], "size": "2.5M", "totalReviewers": 48352, "version": "2.0.35"}, {"appId": "codeadore.textgram", "category": "Productivity", "company": "Codeadore", "contentRating": "Everyone", "description": "Create beautiful pictures out of any text and share them with your friends on Facebook, Instagram, Whatsapp, etc.. or save them in your gallery.USER REVIEWS\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u20ac\u201c \u00e2\u20ac\u0153Simple: great, great, great.\u00e2\u20ac\ufffd\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u20ac\u201c \u00e2\u20ac\u0153Awesome app. Very creative and fun. Easy to use also!!\u00e2\u20ac\ufffd\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u20ac\u201c \u00e2\u20ac\u0153I love this app. It helps me get things out on instagram\u00e2\u20ac\ufffd\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 \u00e2\u20ac\u201c \"I have fun with the designs and frames. U need to take time and play with it.\u00e2\u20ac\ufffd AWARDS\u00e2\u0153\u201d App of the day 28 May 2012\u00e2\u0153\u201d Featured in Android Magazin (Dutch Edition) May 2012TOP FEATURES\u00e2\u0153\u201d Custom backgrounds\u00e2\u0153\u201d Emojis\u00e2\u0153\u201d Custom stickers\u00e2\u0153\u201d Variety of fonts\u00e2\u0153\u201d Many cool text effects (reflection, shadow, rotation & more...)\u00e2\u0153\u201d Filters\u00e2\u0153\u201d FramesYou can save them in your gallery, or share them with your friends on Facebook, Instagram, Twitpic, Pinerest,Whatsapp, Streamzoo, Picstitch, Instacollage ,Instaframe (or Pic stitch), BBM (BlackBerry Messenger), etc.You may use it with Picstitch, Instacollage, Instaframe, Twitpic, ebuddy, line, viber, pinterest, and many other other apps.It comes with many cute and beautiful backgrounds, frames, filters, fonts, effects & more...Textgram can be used along with other photo editing applications like: brannan, sutro, hefe, photogrid, picsart, grid, walden, inkwell, drawcam, fontself, amaro, collages, collage, piccollage, earlybird, yakitori, nashville, studio, hudson, toaster.ABOUT PERMISSIONS:INTERNET ACCESS - Used for Textgram Store, where extra templates, backgrounds, stickers & frames are available to download for free.STORAGE - Used to save the textgrams you create, and to save the items downloaded from Textgram Store.GET_ACCOUNTS - This is used by Pocket Change to identify users across multiple devices. This way, rewards earned through Pocket Change, will still be available if you change your phone and reinstall the app on a new device.", "devmail": "codeadore@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://www.codeadore.com/textgram&sa=D&usg=AFQjCNFbvIMD6krE7Gbw6eoroj4rxhH-VQ", "id": "codeadore.textgram", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "Textgram (for BBM & Instagram)", "price": 0.0, "rating": [[" 4 ", 27357], [" 1 ", 2280], [" 3 ", 8812], [" 5 ", 90219], [" 2 ", 1531]], "reviews": [["Awesome", " Makes texting so much more fun and happy. My friends and family think it's cool. "], ["Thank you very much codeacore", " This a very useful creative app. Easy to use. Very friendly app. Awesome;) "], ["New...higher rating once I use app more. Thanks", " Perfect and chess the right personalization application thank you so much I haven't used it much though but still have enjoyed. "], ["Dont like it....", " Man...why me it aint working it just gave me a black screen....uninstalling is what im finna do.. "], ["Not for me", " It is a cute program, but it is a pain to have to keep going back just to start a text. Now if it would change your keyboard font and make it so you pick a picture to use every time it would be better. Less hassle that. So going to uninstall it for the room. But have fun with it if you do not mind the hassle. "], ["Desiree- OH WOW!!!", " Loving the new templates especially the hello kitty one!!!! LOVE LOVE LOVE THIS APP!!! KEEP UP THE GOOD WORK!!! WOOHOO!!! THE UPDATE MADE AN ALREADY GOOD APP EVEN BETTER!!!! : ) "]], "screenCount": 8, "similar": ["jp.naver.line.android", "com.kakao.talk", "ekri.bimb.text.com", "us.instext.instextus", "org.koxx.pure_messenger", "com.skype.raider", "bml.prods.instasave", "codeadore.textgrampro", "com.hk.bbautotext", "com.natrobit.tweegram", "com.mobili.messagingqrhd", "com.texty.sms", "com.whatsapp", "com.viber.voip", "com.bbm", "com.sec.chaton", "kik.android"], "size": "21M", "totalReviewers": 130199, "version": "2.3.2"}, {"appId": "com.metago.astro", "category": "Productivity", "company": "Metago", "contentRating": "Everyone", "description": "ASTRO Cloud & File Manager has over 70 million downloads worldwide! Organize, view and retrieve all of your pictures, music, videos, documents or other files regardless of where they are located: * Phone * Tablet * Clouds (Facebook, Dropbox, Google Drive, Box or SkyDrive) * PC, Mac, Linux (via built in networking)Click here to ask to join our Beta Test Google + Group: http://plus.google.com/b/103095216021321867726/communities/106251776630475861309Ever try to find a file but can't remember where you put it? ASTRO has the most robust SEARCH technology in the mobile world, giving you the ability to do anything from broad searches across all locations mentioned above for types of content (pics, music, videos, etc.) to very specific searches based on file name, size, location, etc. And, with ASTRO's unique \"CLOUD HOPPING (TM)\", you can move files from one cloud to another in a single copy or move/paste - without having to download them first before sending to your destination cloud! ASTRO now has support for Leef Bridge, a powerful, yet simple, innovative USB flash drive that allows users to easily transfer files to other devices (Android phones, tablets, Macs and PCs) without the need for cables, cloud services, Wi-Fi or any type of data connection. Leef Bridge features a micro USB connector and full-size USB connector that access the same memory so users can share content, photos, videos, music and documents to and from any compatible device. Visit www.2leef.com/bridge for more information and a list of compatible devices.What are some of the benefits to ASTRO\u00e2\u20ac\u2122s new Indexing functionality:- After your first search, results are almost instantaneous across all indexed locations (mobile device, clouds, networked locations) - If you are offline, you can still search for files that have been indexed. - Eliminates redundant network calls in ASTRO, making some operations faster. - Better file browsing experience in areas with spotty or slow network coverage. How does ASTRO\u00e2\u20ac\u2122s new Indexing functionality work? - As you browse through directories on your device, clouds or networked locations, ASTRO begins indexing your files in the background in order to speed up future searches you perform. - It will also build your index whenever you do a search. It will build the index for your internal and external sd cards very quickly (typically under 15-20 seconds). Clouds or networked locations will take longer and also depends on the number of files in those locations.- You can also choose to proactively index any of your other locations like clouds (Box, Dropbox, Google Drive, SkyDrive) and networked locations by doing a search on those locations or by going to Settings, Search index and click Rebuild index. Keep in mind if you choose to index a 500GB server you have at home, it may take a while. :) - You can go to Settings, Set Default Search Locations to set your default locations. - You can go to Settings, Search index and clear your index at any time as well. - SWIPE SCREEN RIGHT to get to Clouds, Network Locations or Saved Searches fast- SWIPE SCREEN LEFT to get to Tools (App Backup, Task Killer, SD Card Usage), Settings and HelpIt gives you the ability to stop processes that burn battery life (Task Killer) and backup your apps (App Backup) in case you lose or change phones. Features include: file management, content management, multi-cloud, cloud content management with Facebook, Google Drive, Dropbox, Box and SkyDrive, android file browser, file and/or app backup, image and text viewers, networking, Bluetooth, SFTP, Zip, downloader, thumbnails, search files, application manager, task manager, attachments...Quick Start Guide, FAQ's and Documentation: http://support.metago.net.ASTRO supports 11 languages including: English, French, Spanish, Italian, German, Japanese, Korean, Traditional Chinese, Simplified Chinese, Russian & Portuguese.", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://www.metago.net&sa=D&usg=AFQjCNF_rq1x8YkBaQ_UWKHGpCOxLMx8kw", "id": "com.metago.astro", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.metago.astro.network.bluetooth", "com.metago.astro.smb", "com.metago.astro.pro"], "name": "ASTRO File Manager with Clouds", "price": 0.0, "rating": [[" 4 ", 65020], [" 2 ", 7287], [" 1 ", 24205], [" 5 ", 261318], [" 3 ", 20178]], "reviews": [["Worsened over the years", " 1 out of 9 reports sent to their feedback system remains unanswered during the last 12 months or thereabout. ------- During the last six months it's become more and more sluggish and unstable, force-closes or working incredibly slow both when opening the app and browsing the explorer itself. "], ["Someone explain?", " Why does this application come up when performing system scans as a threat to \"leaking identity\"? Shows it contains (5) AD Plugins.. x(3) In Mobi, x(1) Ad Mob, x(1) Millenial. For those who are looking for a \"file exp\". I would look elsewhere for now... "], ["Almost good...", " One thing that is needed is something any file management program needs is the ability to sort by type or file extension. For some reason this was left out. Please add this, then I will give you 5 stars! "], ["what happened to your app?", " Oh man! This was once such a nice dependable app. Now it doesn't even work. Almost 24,000 one star reviews. That's roughly 10%. Eh one in ten, a very common statistic that most would find acceptable. Still 25k people thought you we're so bad they took time to leave 1 star. I never give 1 star out of gp for all devs. I am now. If you had a dissatisfied customer day you could fill a stadium. "], ["Why is it running so slow now?", " It used to run great and seamless now clicking ANYTHING (and I mean anything including the back button) cause the \"astro file manner isn't responding\" "], ["Read Its Best Feature", " Dear friends I want to Tell you some of the Unique and best feature of Astro that is It helps in playing movie of any format eitheir mob.avi etc Despite In Andriod In Its own file manager(My Files) When You click on mob.avi format it diriecty shows you `No file can perform this action`. Leave it Now open the Astro file manager and long press on any video format here right in the cirner you will see open as option now if your file is video click on open as video now choose Mx player etc "]], "screenCount": 14, "similar": ["jp.co.jumble.android.filemanager", "com.smartwho.SmartFileManager", "nextapp.fx", "com.estrongs.android.pop", "com.adobe.reader", "org.openintents.filemanager", "com.agilesoftresource", "jp.co.yahoo.android.yfiler", "mobi.infolife.taskmanager", "com.estrongs.android.pop.cupcake", "com.lonelycatgames.Xplore", "com.speedsoftware.rootexplorer", "com.rhmsoft.fm", "net.adisasta.androxplorer", "com.james.SmartTaskManager", "fm.clean"], "size": "Varies with device", "totalReviewers": 378008, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtabab.json_merged.json b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtabab.json_merged.json new file mode 100644 index 0000000..e0b59ab --- /dev/null +++ b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtabab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.kfactormedia.mycalendarmobile", "category": "Productivity", "company": "K-Factor Media, LLC", "contentRating": "Low Maturity", "description": "************************************************TOP 5 FACEBOOK AND TOP 10 IPHONE PAID COMES TO YOU TO ANDROID FOR FREE ************************************************The most popular calendar application on Facebook with over 100 million users is now here on Android! Now with MyCalendar, you will never forget your friends' birthdays again!Key Features: \u00e2\u02dc\u2020 Import birthdays from Facebook \u00e2\u02dc\u2020 Add birthdays of all contacts from your phone and add custom birthdays\u00e2\u02dc\u2020 Customizable reminder settings: delivers notifications straight to your iPhone) \u00e2\u02dc\u2020 Easily message your friends and wish them \"Happy Birthday \" along with custom message with just one click! We are working hard on our next version! More features coming soon! Thanks for your patience!SUPPORT: Please click \"Settings\" > \"Report a Problem\" from inside our application to reach us.---------------------------------------Use of this application is governed by the K-Factor Media, LLC Terms of Service. Collection and use of personal data are subject to K-Factor Media, LLC's Privacy Policy. Both policies are available at http://www.mycalendarbook.com/privacy.php and http://www.mycalendarbook.com/terms.php. Social Networking Service terms may also apply.We have partnered with AppLovin Corporation to bring you a more social experience including but not limited to tools that allow you to: more easily invite your friends to our app, receive alerts from your friends, and receive social advertising. To serve you this experience we may share your personal data with AppLovin, and the use of your data by AppLovin is subject to AppLovin's Privacy Policy and Terms of Use. Both policies are available at www.applovin.com", "devmail": "appsupportemail@gmail.com", "devprivacyurl": "http://www.mycalendarbook.com/privacy.php&sa=D&usg=AFQjCNEYPPlJjIVuhkWzFmdIF2QtZfZg_g", "devurl": "http://www.mycalendarmobile.com&sa=D&usg=AFQjCNFikQ-MuLgjUSfIAC6QxzAm77iB2g", "id": "com.kfactormedia.mycalendarmobile", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.kfactormedia.fragen", "com.kfactormedia.twentyone", "com.kfactormedia.perguntas", "com.kfactormedia.prayr", "com.kfactormedia.mychristmastree", "com.kfactormedia.mycalendar", "com.kfactormedia.preguntas"], "name": "MyCalendar", "price": 0.0, "rating": [[" 4 ", 148996], [" 1 ", 10811], [" 5 ", 481905], [" 2 ", 8013], [" 3 ", 55553]], "reviews": [["MyCalendar", " Never ever works! Someone will ask for my birthday, never showed that I have request. Sucks big time! "], ["Love this app. I've had people ask me how do I remember everyone on ...", " Love this app. I've had people ask me how do I remember everyone on their birthdays. ;) "], ["Excellent", " I used to forget birthday dates, but not anymore with my calendar. "], ["Great App", " Must for people who tend to forget birthdays and do not have the time to jot down everything. Automatic notifications are generated by the application whenever birthdays of people you know are close or on that day. "], ["Love it it helps me keep up with family n friends birthdays!!!", " Had it for a few years now!! "], ["Too cool", " Us usefull to wish bday by remembering d dates "]], "screenCount": 3, "similar": ["com.digibites.calendarplus", "com.anod.calendar", "net.eggenstein.android.calwidget", "com.astreo.jppictureiq", "com.astreo.itpictureiq", "com.contactapp.contact", "com.astreo.photosqi", "com.astreo.logoiq", "com.calone.free", "uk.co.olilan.touchcalendar", "com.google.android.calendar", "com.astreo.ptpictureiq", "com.nhn.android.calendar", "com.astreo.pictureiq", "com.gau.go.launcherex.gowidget.calendarwidget", "com.digibites.calendar", "jp.co.johospace.jorte", "sk.mildev84.agendareminder", "netgenius.bizcal", "net.daum.android.solcalendar", "com.astreo.fotosci", "mikado.bizcalpro", "org.withouthat.acalendar", "com.dvircn.easy.calendar"], "size": "3.0M", "totalReviewers": 705278, "version": "2.75"}, {"appId": "com.microsoft.skydrive", "category": "Productivity", "company": "Microsoft Corporation", "contentRating": "Everyone", "description": "SkyDrive is the place to store your files so you can access them from virtually any device. With SkyDrive for Android, you can now easily access and share files on the go. You can also upload photos or videos from your phone to SkyDrive.Features\u00e2\u20ac\u00a2\tAccess all of your SkyDrive content including files shared with you.\u00e2\u20ac\u00a2\tView recently used documents.\u00e2\u20ac\u00a2\tChoose multiple photos or videos to upload from your phone.\u00e2\u20ac\u00a2\tShare your files and photos \u00e2\u20ac\u201c send a link in email or in another app.\u00e2\u20ac\u00a2\tOpen your SkyDrive files in other Android apps.\u00e2\u20ac\u00a2\tManage your files \u00e2\u20ac\u201c delete, or create new folders.", "devmail": "N.A.", "devprivacyurl": "http://go.microsoft.com/fwlink/p/", "devurl": "http://answers.microsoft.com/en-us/windowslive/forum/skydrive", "id": "com.microsoft.skydrive", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.microsoft.office.onenote", "com.microsoft.rdc.android", "com.microsoft.xboxmusic", "com.microsoft.onx.app", "com.microsoft.xboxone.smartglass", "com.microsoft.office.lync15", "com.microsoft.xle", "com.microsoft.office.lync", "com.microsoft.Kinectimals", "com.microsoft.switchtowp8", "com.microsoft.wordament", "com.microsoft.office.officehub", "com.microsoft.bing", "com.microsoft.tag.app.reader", "com.microsoft.smartglass"], "name": "SkyDrive", "price": 0.0, "rating": [[" 3 ", 1559], [" 4 ", 2974], [" 1 ", 1211], [" 2 ", 644], [" 5 ", 10971]], "reviews": [["Fix!!!", " I can't upload any file from the main storage. Every time I try to upload it says, error, the file might have been deleted from the sd.... I possess an Acer Iconia Tab A500 "], ["Not Great if you have a lot of pictures", " My family uses Sky drive to store our pictures just in case anything happens to the computer. We have about 4Gb worth of them. It takes FOREVER just to load thumbnails. Dropbox and Google Drive don't have the same issue though. "], ["Booo...", " Too simple of an app. Does not allow you to read or edit the file from within the app. You either have to have MS Office app installed. And ended with the MS app you would need to have a MS office 365 subscription, which is only accessible from a Pc. It also is very hard to find how to move one file to another folder. "], ["Poor options", " I don't understand why there is no option to re-upload failed files. And when screen off upload isn't working. There is no option to give permission! "], ["Connection Issue", " I love SkyDrive but it always makes at least 3 retrying before a file is successfully downloaded or uploaded. The message \"Make sure you are connected..\" appears while my connection is excellent. "], ["Need to get better to beat others", " The app has its good looking, but when to upload a file here comes the problem. There is no option to upload automaticaly a photo, or even when I try, the feature to do manually fails in not upload the file. "]], "screenCount": 6, "similar": ["com.texty.sms", "com.ninetyfiveapps.wordshortcuts", "com.google.android.apps.docs", "com.themsteam.mobilenoter", "com.outlook.Z7", "com.adobe.reader", "com.evernote", "ru.andrey.notepad", "com.dhh.sky", "com.womboidsystems.HotmailToOutlook2013", "com.hotmailliveemailnumber2", "com.halo.companion", "com.basiliapps.tasks", "com.xbox.kinectstarwars", "com.anttek.remote.skydrive", "com.skype.raider", "com.killerud.skydrive"], "size": "3.1M", "totalReviewers": 17359, "version": "1.1"}, {"appId": "com.dianxinos.dxbs", "category": "Productivity", "company": "DU APPS STUDIO", "contentRating": "Everyone", "description": "DU Battery Saver is a FREE battery saving app that makes your battery last longer! Get up to 50% more battery life for your Android tablets and phones with smart pre-set battery power management modes and easy one-touch controls that solve battery problems and extend battery life. It\u00e2\u20ac\u2122s the simplest way to keep your Android phone working when you need it and protect against poor charging, battery hogging apps and overlooked device settings that can shorten your battery life.Over 25,000,000 users' choice with 4.7 stars! Upgrade to PRO and get up to 70% battery power savings! >>> THE WORLD'S LEADING BATTERY SAVER & POWER MANAGER! <<<\u00e2\u2014\ufffd Global Saver \u00e2\u20ac\u201d 17 languages supported (French, Spanish, Portuguese, Russian, Arabic, German, Bahasa Indonesia, Japanese, Chinese, Korean and more)\u00e2\u2014\ufffd Easy & Powerful Saver \u00e2\u20ac\u201d Increase your battery life by up to 50% \u00e2\u2014\ufffd Simple Saver \u00e2\u20ac\u201d Use smart pre-set battery power management modes or create your own to get high performance and great battery savings\u00e2\u2014\ufffd Convenient Saver \u00e2\u20ac\u201d \u00e2\u20ac\u0153Optimize\u00e2\u20ac\ufffd desktop widget allows you to stop power-consuming background apps with a one-touch to boost your battery life\u00e2\u2014\ufffd Fast Saver \u00e2\u20ac\u201d Instantly find battery power saving problems with the \u00e2\u20ac\u0153Optimize\u00e2\u20ac\ufffd button\u00e2\u2014\ufffd Effective Saver \u00e2\u20ac\u201d Protect your battery with healthy battery charging to extend life of your battery\u00e2\u2014\ufffd Adapts to You \u00e2\u20ac\u201d Automatically save battery power with Smart Power settings (PRO upgrade).>>> POWERFUL FREE BATTERY SAVING FEATURES <<<\u00e2\u2014\ufffd ACCURATE STATUS \u00e2\u20ac\u201d Smart technology helps you know exactly how much charge you\u00e2\u20ac\u2122ve got left with detailed analysis of Android apps AND hardware (CPU, display, sensors, WiFi, radio, etc.)\u00e2\u2014\ufffd SMART PRE-SET MODES \u00e2\u20ac\u201d Choose mode that fits your battery power usage, or customize to find the right balance of battery life and performance using our battery saver: - General Mode \u00e2\u20ac\u201d Save battery power even while keeping most Android services running; - Long Standby \u00e2\u20ac\u201d Keeps dialing and SMS available while maximizing standby time; - Sleep Mode \u00e2\u20ac\u201d Turns off most services EXCEPT THE CLOCK to save your battery power until the morning - Custom Mode \u00e2\u20ac\u201d Create your own mode to get exactly the battery savings you need \u00e2\u2014\ufffd ONE-CLICK OPTIMIZE \u00e2\u20ac\u201d Instantly discover and fix battery power-consumption problems and unlock detailed settings to super-tune your battery savings \u00e2\u2014\ufffd ANYTIME OPTIMIZATION \u00e2\u20ac\u201d Manage background apps and Android phone hardware easily and safely with smart home screen widget (i.e. Battery level widget, Hardware switch widget, Mode switch widget);\u00e2\u2014\ufffd BETTER BATTERY DETAILS \u00e2\u20ac\u201d Show Android phone battery power level by % or time remaining;\u00e2\u2014\ufffd HEALTHY CHARGE MANAGER\u00e2\u20ac\u201d Track and implement healthy charging practices to keep your battery working at its best; >>> MUST-HAVE PRO FEATURES of DU Battery Saver <<<\u00e2\u2014\ufffd INTELLIGENT MODE-SWITCHING: Automatically switch battery saving modes based on your preferences - Battery Level \u00e2\u20ac\u201d Switch to any preset mode when the battery power reaches a specific level; - Time Schedule \u00e2\u20ac\u201d Switch to any battery saver mode based on time of day;\u00e2\u2014\ufffd AUTO-CLEAR APPS: Automatically shuts down battery power-draining apps that run in the background; - Set an Auto-Clear schedule at any interval you choose; - Protect important apps from auto-clear by adding them to the Ignore List. - Clears unnecessary background power consumption apps on screen lock \u00e2\u2014\ufffd CPU FREQUENCY (Root devices): Save even more power by reducing the speed of your Android phone\u00e2\u20ac\u2122s processor when the screen locks.Please follow us on: http://www.facebook.com/dubatterysaverQuestions about DU Battery Saver? Visit http://www.duapps.com or contact us at feedback@duapps.com.Please send us email, not just leave comment, so that we can reach you for assistance.", "devmail": "feedback@duapps.com", "devprivacyurl": "N.A.", "devurl": "http://duapps.com&sa=D&usg=AFQjCNHf9A5yc9pxNyPGK-dmovKTb1HrxA", "id": "com.dianxinos.dxbs", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.dianxinos.dxbs.paid"], "name": "DU Battery Saver & Widgets", "price": 0.0, "rating": [[" 2 ", 4425], [" 4 ", 75693], [" 3 ", 22755], [" 1 ", 6799], [" 5 ", 365835]], "reviews": [["Big Dog Status", " My phone was drained like a bath tub untill discovered this app my battery last much longer and it kills powerhog apps that drain my battery and keeps track of my battery level. Thanks guys.. "], ["Love this", " I think this app really helps me keep my phone alive! It shows me what percent my battery is on and how long I have till it dies. It has a simple buttom to push for it to optimize you battery life and it saves me tons of time trying to stop all the programs that are taking up the battery! "], ["Nice app", " Team, I got my problem resolved and its working fine. Thnkz a lot. Sudhakaar "], ["So good so far!!!", " It's only been a week. Appears alright. "], ["Know your system better", " This app make you know your system better. And how to make it long live. Somehow it has a bug with xperia z ultra. I need to replug the charger whenever reach 99% or it will stuck at 99% forever for no reason. "], ["Does what it is intended to..", " 70% battery remaining after 12 hr of use. Awesome app. Also got an idea about the battery, its characters and drain pattern. Solved the only drawback of my galaxy s3-poor battery life. Perfect 5 stars. "]], "screenCount": 24, "similar": ["imoblife.batterybooster", "com.antutu.powersaver", "org.gpo.greenpower", "mobi.infolife.batterysaver", "com.jappka.bataria", "com.geekyouup.android.widgets.battery", "com.gau.go.launcherex.gowidget.gopowermaster", "com.easy.battery.saver", "com.ijinshan.kbatterydoctor_en", "com.macropinch.pearl", "ch.smalltech.battery.free", "com.evernote.widget", "com.alportela.battery_booster", "com.latedroid.juicedefender", "com.rdr.widgets.core", "com.a0soft.gphone.aDataOnOff"], "size": "3.6M", "totalReviewers": 475507, "version": "3.4.0"}, {"appId": "com.hp.android.print", "category": "Productivity", "company": "Hewlett Packard Development Company, L.P.", "contentRating": "Low Maturity", "description": "The HP ePrint App makes printing from your Android smartphone or tablet easy, whether you are at home, in the office, or on the go (1).Supports all HP ePrint enabled Printers and over 200 HP networkable legacy printer models including HP Officejet, HP LaserJet, HP Photosmart, HP Deskjet and HP Envy. A full list of supported printers available at the Hewlett-Packard web site.Give it a try!Key Features & Benefits:\u00e2\u20ac\u00a2 Print from your smartphone or tablet locally over Wi-Fi, virtually anywhere via the Cloud to a web-connected HP ePrint printer, or directly to an HP wireless direct supported printer. [1] \u00e2\u20ac\u00a2 Print photos, PDFs, web pages, and Microsoft Office documents.\u00e2\u20ac\u00a2 Share and print documents, photos, or content from other Android apps with HP ePrint.\u00e2\u20ac\u00a2 Need to print while on the go? Locate and print securely to thousands of HP Public Print Locations worldwide. Locations such a FedEx Kinkos, UPS stores and many Airport Kiosks and VIP lounges. Let the app locate and find the closest print location for you. [1] [2] \u00e2\u20ac\u00a2 Enhanced Print Job Control (ie variable photo sizes, number of copies, two-sided printing, etc.)\u00e2\u20ac\u00a2 Dedicated photo tray support. If your printer has a photo tray, it will be automatically selected for photo printing. \u00e2\u20ac\u00a2 Anywhere/Cloud printing: The HP ePrint app can print to any web-connected HP ePrint printer from virtually anywhere with just a few clicks.Interested in scanning content to your phone? Install our companion app, HP Printer Control!To learn more details about this app and other HP mobile applications:www.hp.com/go/mobile-printing-solutions[1] Printing to an HP web-enabled printer requires an Internet connection and may require HP ePrint account registration (for a list of eligible printers, supported documents and image types and other HP ePrint details, see www.hp.com/go/eprintcenter). Mobile devices require Internet connection and email capability. May require wireless access point. Separately purchased data plans or usage fees may apply. Print times and connection speeds may vary.[2] Usage of HP ePrint app at mobile print locations requires separately purchased wireless internet service. Availability and cost of printing varies by mobile print location. Public Print Location program availability in US, Canada and select European countries.", "devmail": "cloud_services_support@hp.com", "devprivacyurl": "http://www8.hp.com/us/en/privacy/master-policy.html&sa=D&usg=AFQjCNEUBf8dUyIYL-HanYM-DKJJtWJCJw", "devurl": "http://www.hp.com/go/mobile-printing-solutions&sa=D&usg=AFQjCNExepl-wuL4acRX63TdX_GFA3R-1g", "id": "com.hp.android.print", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.hp.hpmobilerelease", "com.hp.livephoto", "com.hp.mobileRecorder", "com.hp.sitescope.mobile.android", "com.hp.eprint.ppl.client", "com.hp.esupplies", "com.hp.printercontrol", "com.hp.support", "com.hp.hpinsights", "com.hp.eps", "com.hp.android.printservice", "com.hp.ee", "com.hp.hpflow"], "name": "HP ePrint", "price": 0.0, "rating": [[" 3 ", 1311], [" 1 ", 2113], [" 4 ", 3034], [" 5 ", 9131], [" 2 ", 589]], "reviews": [["Useless since a few updates ago", " I would use this app a lot for printing attached email files & pdf diagrams at work, now it's completely unusable. Error message on any networked hp laser printer says \"Chosen personality not available, try using PS or PCL\" after sending the job. "], ["No longer works.", " The app stopped being able to print. It also claims it needs to pre-process files in the cloud which it didn't do before. Very disappointed. "], ["New Release Crashes on Note 2", " Attempt to select printer and application crashes. Very disappointing. Great when it works but now it is doing brand damage to HP. "], ["It's better than nothing...barely.", " When it works, it works. When it doesn't, it doesn't. And the latter occurs way too much. Printing web pages is clumsy, when it works at all. Individiual physical pages print out of order and it's random whether they come out landscape or portrait. Since the newest updates, e.g., November 2013, more and more print jobs are getting lost. (An HP help desk rep recently told me that web printing doesn't work very well with mobile hotspots. That's funny. I can't get it to work systematically but I've gotten enough printed to know that the mobile hot spot isn't the problem.) The notifications seem to be working finally. It was nice of them to add the black printing option to the app but it would be nice if that setting could be REMEMBERED. In short, the app itself seems to work fine enough (not that there isn't lots of room for improvement). It's HP's server that isn't reliable. Web printing is not (yet) a good alternative to the real thing. (But Microtech's alternative is trying to prove me wrong.) "], ["Useless", " There is a printer 2 feet in front of me and I have no way to print to it. Why tablets are forbidden but laptops aren't. I even have a USB port but no drivers. "], ["Was Excellent", " This started off being very poor but as time has gone by, it's been improved no end. Update 4/7/13 once printed notifications aren't working properly, also not always printing anymore. :-( "]], "screenCount": 5, "similar": ["jp.co.canon.oip.android.opal", "jp.gr.java_conf.mitchibu.myprinter_free", "com.kalvi.tco", "com.pauloslf.cloudprint", "com.rcreations.send2printer", "mlc.print", "com.google.android.apps.cloudprint", "jp.co.microtech.android.eprint_free", "com.threebirds.easyviewer", "jp.co.microtech.android.eprint", "net.jsecurity.printbot", "com.cortado.thinprint.cloudprint", "com.snapfish.mobile", "com.dynamixsoftware.printershare", "com.btoa", "com.HPCodeScan", "com.flipdog.easyprint", "com.sec.app.samsungprintservice", "com.ivc.starprint"], "size": "6.5M", "totalReviewers": 16178, "version": "2.3.1"}, {"appId": "mobi.infolife.taskmanager", "category": "Productivity", "company": "INFOLIFE LLC", "contentRating": "Everyone", "description": "Kill tasks, free memory, speed up phone, save battery.\u00e2\u2013\u00a0 Feature-----------------------------\u00e2\u20ac\u00a2 Kill selected tasks\u00e2\u20ac\u00a2 App or game killer\u00e2\u20ac\u00a2 Android optimizer\u00e2\u20ac\u00a2 Ignore apps when kill tasks\u00e2\u20ac\u00a2 Auto kill tasks on every screen off\u00e2\u20ac\u00a2 Regular kill\u00e2\u20ac\u00a2 Startup Kill\u00e2\u20ac\u00a2 One click task kill widget\u00e2\u20ac\u00a2 Quick uninstaller\u00e2\u20ac\u00a2 Show battery life\u00e2\u20ac\u00a2 Support all android version\u00e2\u20ac\u00a2 Kill GPS: Kill apps to stop GPS\u00e2\u20ac\u00a2 Memory Booster, RAM Booster\u00e2\u20ac\u00a2 Memory Cleaner, RAM Cleaner\u00e2\u20ac\u00a2 Permission manager addon for Android 4.3 (App Ops)\u00e2\u20ac\u00a2 Holo style\u00e2\u2013\u00a0 User Reviews-----------------------------\"I'm always searching for bigger and better. Tried many task killers over the years. Keep coming back to this one.\tLight on resource + reliable persistence + Screen off kill (rare option) + Automatic timed kill + Ignore list for persistent tasks = Minimum ram usage + battery conservation. I t's simple and it works. \"-- by Cao Wabunga\"Better than Advanced Task Killer!! I put their widget side-by-side & this one got stuff atk didn't with identical settings. My new fav app ;)\" -- by Rachel Ricci\"EXCELLENT!!! :-D This app is great! I just updated my previous phone& I eent this phone; as soon ss I got this phone I immediately went to Google Play so to find this app so I could download it again. ALSO, I've tried other apps like what this app does & is, but always have come back. Like old saying....\"I've tried the rest, but I always have cone back to the best\". This is my 2nd or 3rd time Downloading this app Again. Each time I get a new phone I make sure this is one of my very 1st apps that I Reinstall! !\" -- by Gary Kess\"I honestly wish everyone who supports and uses ATK, would give your's a try. They'd never go back to ATK!!!! ATM does SO much more than ATK!!!!A TON more features!!!!\" -- by by Matt Meltzer\u00e2\u2013\u00a0 Description-----------------------------The Advanced Task Manager can list all the running tasks on your phone and it can help you stop any of the tasks easily and quickly. It is also a task management tool which can manage all the installed apps on your phone.The task management mechanism of android system has been changed after the release of the version 2.2 of the android system. Task killers cannot kill the services and notifications on your phone.By use of the Advanced Task Manager, you can thoroughly stop tasks in the following steps: 1) long press the task that you want to stop 2) chose the \u00e2\u20ac\u0153force stop\u00e2\u20ac\ufffd option3) press the the \u00e2\u20ac\u0153force stop\u00e2\u20ac\ufffd button on the application info system panelIf you want to manage running services, click menu->service, then it will open the system service panel where you can stop running services.**Please note that installing the following apps such as: Advanced Task Killer, Super Task Killer FREE, ES Task Manager, Automatic Task Killer, Mobo Task Killer, Android Booster together with Advanced Task Manager may make your phone unstable or cause potential conflict.**\u00e2\u2013\u00a0 FAQ-----------------------------Q: Why do apps restart again after killing?A: Some apps are restarted by system events. Apps cannot be prevented from restarting because of system limitation. We suggest you to enable auto kill in settings, and it will kill tasks on every screen off. It will help to save battery life and release memory for the phone.Q: How can I add apps to the ignore list?A: You can long press the task that you want to ignore, and then you will get a poped up context menu, click \"Ignore\". The ignored apps will not be shown in the task list, and will never be killed. You can manage the ignored apps in settings.Q: How can I manage startup apps?There is \"Startup Kill\" in settings. It can help you to kill tasks when system starts up.\u00e2\u2013\u00a0 Trademark-----------------------------The Android robot is modified from work created and shared by Google and used according to terms described in the Creative Commons 3.0 Attribution License.#KWapp killer, app manager, android booster, app kill", "devmail": "support@infolife.mobi", "devprivacyurl": "http://www.infolife.mobi/privacy.html&sa=D&usg=AFQjCNH829UBoMNrkHMfbhhSd4fuul4aWQ", "devurl": "http://infolife.mobi&sa=D&usg=AFQjCNHA9WQqj-HiOu8aenCWU19SFq78Kw", "id": "mobi.infolife.taskmanager", "install": "10,000,000 - 50,000,000", "moreFromDev": ["mobi.infolife.gamebooster", "mobi.infolife.app2sd", "mobi.infolife.cache", "mobi.infolife.appbackup", "mobi.infolife.taskmanagerpro", "mobi.infolife.eraser", "mobi.infolife.batterysaver", "mobi.infolife.installer", "mobi.infolife.launcher2", "mobi.infolife.itip", "mobi.infolife.percentage", "mobi.infolife.eraserpro", "mobi.infolife.uninstaller", "mobi.infolife.itag", "mobi.infolife.cwwidget", "mobi.infolife.smsbackup"], "name": "Advanced Task Manager - Killer", "price": 0.0, "rating": [[" 2 ", 2118], [" 5 ", 156679], [" 3 ", 10109], [" 1 ", 3303], [" 4 ", 39865]], "reviews": [["Auto Kill Interval", " I have a few apps which relaunch immediately after auto-kill. It would help to have a list to which apps can be added which auto-kills the apps at a shorter interval (in my case, I do not need apps such as radio or certain social apps running after I exit--they should remain killed after I exit [having an exclusive list with a user-programmable kill interval of select apps would serve such purpose].) Unable to return to app after a Force Stop (no buttons or other option displayed). (app is installed on a nook HD [unmodified; unrooted].) UPDATE: The app functions properly, other than the in ability to return to app after a Force Stop (another task killer app exhibited the exact same behavior, so I suspect the behavior may be exclusive to nook HDs). "], ["Best one.", " This is the best one so far. Too bad none of these KEEP apps \"dead\"...I'm sure that's an \"Android rule\", but if you set up auto kill well, it does great. "], ["Good", " Just a shame the apps don't stay killed until needed. "], ["Great. Thanks!", " A must have for your Android smart phone. Only wish the apps would stay dead. I do it several times for my one game when it starts to freeze up. Then it works fine "], ["Great ATM", " Its smooth its easy...its just great. I love it my Galaxy Grand has just got soooo smooth. I just updated the device to 4.2 JB but since then it went a little crappy. Didn't no what to do. Downloaded many task managers but all in vain. This one is doing its job right. Happy for now. 4 stars untill I get satisfied. :) great work Dev "], ["Does what its suppose to", " It kills all tbe open apps but I have a note 2 so the phone automatically starts running programs again "]], "screenCount": 21, "similar": ["org.greenbot.technologies.galaxys.taskmanger", "com.symantec.monitor", "org.dayup.gtask", "com.rechild.advancedtaskkiller", "com.estrongs.android.pop", "com.metago.astro", "ch.teamtasks.tasks.paid", "com.rechild.advancedtaskkillerpro", "com.netqin.aotkiller", "com.gau.go.launcherex.gowidget.taskmanagerex", "com.james.SmartUninstaller", "com.rechild.advancedtaskkillerfroyo", "com.james.SmartTaskManager", "imoblife.memorybooster.lite", "com.grprado.android.stm", "com.rhythm.hexise.task"], "size": "Varies with device", "totalReviewers": 212074, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtacaa.json_merged.json b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtacaa.json_merged.json new file mode 100644 index 0000000..9e3f0f7 --- /dev/null +++ b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtacaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.touchtype.swiftkey.phone.trial", "category": "Productivity", "company": "SwiftKey", "contentRating": "Everyone", "description": "Try SwiftKey free for one month.SWIFTKEY - THE MIND-READING KEYBOARDNo.1 best-selling app in 58 Google Play countries, over 200,000 ***** reviews\u00e2\u20ac\u0153Shockingly accurate, making for a creepy-fast typing experience.\u00e2\u20ac\ufffd - TIME MagazineSWIFTKEY MAKES TOUCHSCREEN TYPING FASTER, EASIER AND MORE PERSONALIZED- SwiftKey takes the hard work out of touchscreen typing, replacing your phone or tablet\u00e2\u20ac\u2122s keyboard with one that understands you.- It provides the world\u00e2\u20ac\u2122s most accurate autocorrect and next-word prediction in 60 languages.- It connects seamlessly across all of your devices, with SwiftKey Cloud.SMART & LEARNING- SwiftKey predicts your next word before you\u00e2\u20ac\u2122ve even pressed a key.- It intelligently learns as you type, adapting to you and your way of writing.- SwiftKey doesn\u00e2\u20ac\u2122t just learn your popular words, it learns how you use them together.SWIFTKEY CLOUD: CONNECTED & SEAMLESS ACROSS DEVICES- Backup and Sync keeps your personal language insights seamlessly up to date across all your devices.- Teach SwiftKey your writing style based on your language use from your Facebook, Gmail, Twitter, Yahoo, SMS and Blog. - Your language model can be enhanced each morning with Trending Phrases based on current news and what\u00e2\u20ac\u2122s hot on Twitter.MULTI-LINGUAL- Enable up to three languages at once.- Naturally combine languages without having to change a setting.- SwiftKey supports contextual prediction in 60 languages and counting.See http://www.swiftkey.net/en/#features for full list of supported languages.TAP OR FLOW YOUR WORDS- Switch seamlessly between tapping and gesture-typing with SwiftKey Flow.- SwiftKey Flow combines the mind-reading capabilities of SwiftKey with the speed and ease of gliding your fingers across the screen, with real-time predictions.- Type entire sentences without lifting your finger from the screen, simply by sliding to the space bar between words.MULTIPLE LAYOUTS- Innovative keyboard layouts and modes for a better experience for all users across all screen sizes- Full, Thumb and Compact layouts- All three layouts can be resized and undocked to floatVIDEO TIPS & SUPPORT COMMUNITYVisit our awesome website for tips, videos, support and much more: http://www.swiftkey.net/PRIVACYWe take your privacy very seriously. This keyboard never learns from password fields. SwiftKey Cloud is an opt-in, secure, encrypted service and gives you full control over your data. Internet connection permission is required to install this app, so that language module files and cloud personalization data can be downloaded.Our robust privacy policy explains and protects your rights and privacy. Read it in full at http://www.swiftkey.net/privacy", "devmail": "N.A.", "devprivacyurl": "http://swiftkey.net/privacy&sa=D&usg=AFQjCNH2efZkvoWGNkM-_YqXlOrareJpIA", "devurl": "http://www.swiftkey.net&sa=D&usg=AFQjCNFMjd60LJXen17kqt9mXpfiQ5W4QA", "id": "com.touchtype.swiftkey.phone.trial", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.touchtype.swiftkey.tablet.full", "com.touchtype.swiftkey"], "name": "SwiftKey Keyboard Free", "price": 0.0, "rating": [[" 4 ", 23540], [" 3 ", 7366], [" 1 ", 4807], [" 2 ", 2440], [" 5 ", 95395]], "reviews": [["Still trying it out but I'm loving it!", " Listen, this is the first time I'm writing a review for any app i used. I just dowloaded it and is still observing this app but this solved my issue with my phone having inconsistent haptic feedback and vibration (htc one). If this continues to fix my issue, I will definitely purchase this app! It will also be the first time I will purchase something on the store. Big ups to swiftkey!! Good job!! "], ["Really good...", " I love the keyboard. However I hate that you have to buy it after a month. It really is great except that it's so short lived. "], ["Love", " I really love this.. Its hurts that it just a trial but it stated its free... "], ["Amazing", " Oh my God this keyboard had to be the best one EVER created. I only started the trial today & I'm dreading the day I have to leave it. I will never pay for any app, I don't care how amazing. If this was free. Oh my God, need I say anything? And that's the one & only reason why I am rating this only 4 stars. That & there's no option to minimise the keyboard. EDIT: Ok this app was so awesome i miss it... I may just break my rule & pay for the app "], ["Emoji's?", " Can you make it possible to access the emoji's for Android 4.3 for the Galaxy S4? Other then that this keyboard is AMAZING. "], ["Useful app.", " Great intuitive app. Cuts down typing time by guessing words and mistypes as options. I am happy with it. "]], "screenCount": 24, "similar": ["com.whirlscape.minuumkeyboard", "com.aitype.android.p", "com.cootek.smartinputv5", "com.aitype.android", "com.dasur.slideit", "com.jlsoft.inputmethod.latin.jelly.free", "com.jb.gokeyboard", "inputmethod.latin.ported", "com.nuance.swype.dtc", "com.nuance.swype.trial", "com.klncity1.emojikeyboard", "com.aitype.android.tablet", "com.google.android.inputmethod.latin", "org.pocketworkstation.pckeyboard", "net.cdeguet.smartkeyboardtrial", "com.beansoft.keyboardplus"], "size": "Varies with device", "totalReviewers": 133548, "version": "Varies with device"}, {"appId": "la.droid.qr", "category": "Productivity", "company": "DroidLa", "contentRating": "Everyone", "description": "Change your smartphone into a powerful QR Code, Barcode, and Data Matrix scanning utility. Import, create, use, and share data in a matter of taps. This intuitive, full-featured and multi-language QR utility will change the way you interact with QR Codes and their smart actions and activities. Get the app PCWorld and Android Magazine awarded 5 out of 5 Stars. QR Droid allows you to digitally share just about anything. COST-FREE and AD-FREE.THE LATEST VERSION\u00e2\u20ac\u2122S FEATURES INCLUDE:- A tap on the Menu button acts as a Home button to bring you to the top of the menu tree. - Intuitive, more aesthetically pleasing UI added to My Profile in Zapper Technologies\u00e2\u201e\u00a2. - Updated privacy, menu and settings allow you more control over Zapper Technologies. - Sort and group your history to help you quickly access your most-used QR Codes. - Amazon Store location bug fixed to ensure relevant store will appear wherever you are. - Zapper\u00e2\u201e\u00a2 Profile \u00e2\u20ac\u201c complete your profile once to seamlessly register, login and pay at participating websites using your Zapper profile (powered by QR Droid\u00e2\u20ac\u2122s own Zapper Technologies).ALL FEATURESQR Droid is true to its roots: a first class scanner. All the features you would expect to have, and more, are right here!- Create a code from a contact or bookmark and let a friend scan it to their device \u00e2\u20ac\u201c no typing needed!- Scan retail items, compare prices, read product reviews, and buy with a \"zap\" of your phone.- Map where you are and where you're going to, share it with friends, colleagues and family.- Benefit from discounts and special offers by scanning barcodes on coupons and vouchers.- Scan a QR Code on a subway wall or from a catalog and have an item delivered directly to your doorstep.- View websites and movie clips while you're out and about.- Scan a QR Code in a magazine and watch a video immediately.- Scan QR Codes from your camera, browser, SD card, or saved image.- Create and share QR Codes in less than a second from maps, contacts, bookmarks, installed apps & more- 'Inbox' and 'Feedback' options. Receive important updates & give feedback directly to QR Droid\u00e2\u20ac\u2122s support team using the in-app messaging system.- Create XQR Codes for massive \u00e2\u20ac\u02dcPlain Text\u00e2\u20ac\u2122 and \u00e2\u20ac\u02dcContact\u00e2\u20ac\u2122 QR Codes.- USSD codes are never opened automatically, preventing remote wipe attacks of your device.- Add QR Droid Widgets free to help you get the most from QR Droid. Install a widget on your Android homepage to take you directly into the specific part of the app you use most: create business cards, history, bookmarks and others. Download QR Droid Widgets at http://0.qr.ai or use the pre-installed widgets in the QR Droid app.- Zap a QR Code to gain access to private WiFi networks.PERMISSIONS & USABILITYDesigned with security as a top priority, the best QR utility on the market offers a simple interface with abundant functionality This functionality for improved usability requires access to certain permissions in your device. ***** View the detailed permissions: http://qrdroid.com/adhoc/permissions.htm.***** View how to Scan & Create QR Codes & Barcodes: http://qrdroid.com/adhoc/how_scan_create.htm.SOCIAL- Like us on Facebook: https://www.facebook.com/qrdroid.- Follow us on Twitter: https://twitter.com/QrDroid.- Visit http://www.qrdroid.com for more info and our blog.DISCLAIMERS- 'QR Code' is a registered trademark of Denso Wave Incorporated.- QR Codes ARE NOT recommended for use with confidential/secret information.- QR Droid\u00e2\u201e\u00a2 uses ZXing library. Apache License 2.0.- Direct download installable QR Droid\u00e2\u201e\u00a2 APK here: http://g.qr.ai.", "devmail": "info@droid.la", "devprivacyurl": "http://www.qrdroid.com/privacy.php&sa=D&usg=AFQjCNEP5rBIiPmHWH8vHRB2OyJnfIMGMg", "devurl": "http://qrdroid.com/&sa=D&usg=AFQjCNETc2eCxxBmJ4C0abYfJjIpZVoj_g", "id": "la.droid.qr", "install": "10,000,000 - 50,000,000", "moreFromDev": ["la.droid.wifi", "la.droid.qr.priva", "la.droid.qr.services", "la.droid.qr.widgets", "la.droid.gps"], "name": "QR Droid\u00e2\u201e\u00a2", "price": 0.0, "rating": [[" 4 ", 19222], [" 1 ", 4104], [" 2 ", 1578], [" 3 ", 5948], [" 5 ", 73168]], "reviews": [["Excellent job dev team", " Just yest I scanned a doc with 5 page and just couldn't find the way to merge them. And today i got an update just to do that...awesome!!! good job "], ["Good app", " Nearly perfect. Should allow user to set error correction level. "], ["Excellent", " This scans QR Codes and creates them. "], ["Great resource", " I've used this on a number of devices. Has worked great for me. "], ["Best in its class.", " As i said very good app and small in size. "], ["Inconsistent", " Works on my phone but refuses to work on my tablet. Autofocus not working to on my tablet. "]], "screenCount": 5, "similar": ["com.mtag.flashcode", "com.adobe.reader", "com.google.android.apps.docs", "com.touchtype.swiftkey", "jp.eqs.apps", "com.dropbox.android", "me.scan.android.client", "uk.tapmedia.qrreader", "com.app.qrcodereader", "com.dodo.scannersecure", "com.evernote", "com.socialnmobile.dictapps.notepad.color.note", "appinventor.ai_progetto2003.SCAN", "com.google.android.apps.unveil", "com.intsig.camscanner", "tw.com.quickmark"], "size": "10M", "totalReviewers": 104020, "version": "5.4.3"}, {"appId": "com.att.myWireless", "category": "Productivity", "company": "AT&T Services, Inc.", "contentRating": "Low Maturity", "description": "Tap into convenience with the myAT&T app. myAT&T lets you manage your AT&T Wireless, U-verse\u00c2\u00ae, home phone and Internet accounts with your Android Smartphones. \u00e2\u20ac\u00a2 View and pay your bill\u00e2\u20ac\u00a2 View wireless voice, text, and data usage\u00e2\u20ac\u00a2 Trouble logging in? Recover your User ID and reset your password \u00e2\u20ac\u00a2 View U-verse\u00c2\u00ae voice and television usage\u00e2\u20ac\u00a2 Add or remove wireless account services\u00e2\u20ac\u00a2 Review wireless rate plan details\u00e2\u20ac\u00a2 Enroll and manage paperless billing\u00e2\u20ac\u00a2 Set up and manage AutoPay\u00e2\u20ac\u00a2 Reset your wireless voicemail password\u00e2\u20ac\u00a2 Manage bill ready notifications\u00e2\u20ac\u00a2 Manage stored payment profiles\u00e2\u20ac\u00a2 Account and usage alerts for wireless accounts\u00e2\u20ac\u00a2 Find AT&T store locations and schedule appointments\u00e2\u20ac\u00a2 Get help for your AT&T services myAT&T requires an active AT&T account that is registered for online account management. Visit http://www.att.com/myatt to register your account and download the myAT&T app. myAT&T does not support Premier business accounts or GoPhone/Prepaid accounts.", "devmail": "android.applications@att.com", "devprivacyurl": "http://www.att.com/privacypolicy&sa=D&usg=AFQjCNHGf1VK0ejFIi1m5UlqPHEkMbccrg", "devurl": "http://wireless.att.com&sa=D&usg=AFQjCNEHRDWdi7XHa1LdZwlaz4dqfuLk-g", "id": "com.att.myWireless", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.att.android.markthespot", "com.att.um.androidvmv", "com.att.android.digitallocker", "com.att.workbench", "com.att.wificlient", "com.att.featuredapps.handset", "com.att.ufix.sstmobile", "com.att.mobile.android.vvm", "com.att.android.tablet.attmessages", "com.att.android.attsmartwifi", "com.att.connect", "com.att.android.mobile.attmessages", "com.att.android.uverse", "com.att.soonr.backupandgo"], "name": "myAT&T", "price": 0.0, "rating": [[" 1 ", 3129], [" 5 ", 12546], [" 3 ", 2018], [" 2 ", 773], [" 4 ", 4073]], "reviews": [["**Fixed ** Junk update!!!!!!!", " App no longer works due to Att requiring an update in your operating system 4.0:( unable to uninstall and use old version. Fix it please. ***Thanks for fixing it so it can be used with the older os. *** "], ["When are we going to get rid of the \"404 Error\"?", " Since the \"update\" was installed, I can no longer see my account information such as my balance or pay my bill. I can see my usage, but that doesn't help me to pay a bill, when you can't even get to the billing portion of the app. It then tells you that if the problem persists, to click on the bottom link to \"Report a Problem\", and that takes you to send an e-mail to an account with a non-existent gmail address. The e-mail addy is test@gmail.com. Where did someone come up with the idea to have people try to resolve a technical issue by sending them to send an e-mail to a non-existent entity? I have uninstalled it and reinstalled it and nothing works. The app is now a POS. Get it together AT&T! "], ["Truly improved", " I'm one of the many stuck with an older version of the OS who complained about being left out of the last update. Glad they did the right thing by making it work for us again. Showing more types of usage at once is a useful improvement. "], ["Wtf?", " Was receiving error code 404. Now I can't even log into the app at all. What's going on AT&T? Can you correct these problems? I love having the ability of swapping sim card to newly purchased gsm unlocked phone for prepay, but the longer I use AT&T services the more displeased I become due to so many problems I am having with the app and the confusion and difficulties when calling support numbers to simple reload my minutes. Becoming very disappointed with AT&T. "], ["Crap!", " You want to alienate people by forcing them to upgrade to use this app? I uninstalled this garbage! Lets just make it more difficult to pay our bills! I've been with AT&T for 8 years now...want to lose a loyal customer? Keep this crap up & you will!! Maybe if everyone gives this update one star they might get a clue...one can hope *after seeing that you dropped the block to older phones sure to the outrage of millions of your customers I'm now satisfied and you get ask your stars back! "], ["Disappointing, but more than you deserve.", " Appears you have instituted the pre upgrade app back. I'll report as I understand and verify the functionality better. Until than one star; in the meantime try to comprehend the definition of \"Quality\". In closing believe you might have difficulty with this, allow me..\"Do it right the first time, on time, all the time and always exceed your customer's expectations\". "]], "screenCount": 5, "similar": ["com.xora.att", "com.drivemode", "com.uievolution.client.rbt", "com.google.android.apps.docs", "com.rechild.advancedtaskkiller", "com.dropbox.android", "com.anydo", "com.adobe.reader", "com.evernote", "com.asurion.android.premiumbackup.atnt", "com.touchtype.swiftkey", "com.smartcom", "com.google.android.calendar", "com.mtag.att.codescanner", "com.mobitv.client.tv", "com.wavemarket.waplauncher", "com.sec.pcw", "com.sec.app.samsungprintservice"], "size": "Varies with device", "totalReviewers": 22539, "version": "Varies with device"}, {"appId": "com.gau.go.launcherex.gowidget.gopowermaster", "category": "Productivity", "company": "GO Launcher EX", "contentRating": "Everyone", "description": "Battery Saver \u00e2\u20ac\u201c World\u00e2\u20ac\u2122s best power manager with 15,000,000+ downloads and 4.5 star rating! GO Battery Saver & Widget , the professional power manager , is the best battery saving app which is capable of extending your battery life.Main features include power saving mode, smart saving, toggle control, power testing, etc. Never worry about finding a charger in the middle of the day again!User Comments\"I love the widgets and the ability to make your own modes. This is the best battery app I have found.\" - Padraig Comer\"What else can I write? Its a great app with a lot of great function. Must have:-)\" - Krzysiek Skiper\"Thanks for this brilliant battery life saver. I wouldn't know what I would do with out it.\" - Premlata ShinhMain Features- Accurately estimates battery remaining time - Widget that improves battery performance with personalized UI design- Indicates how much battery power will be extended if you shut down WiFi, Bluetooth,etc- Battery consumption optimization in just one click- Smart battery save - Charging Maintenance to help keep the charging process safe and healthyContact UsEmail\u00ef\u00bc\u0161golauncher@goforandroid.comUse of this app is governed by our Terms of Service: http://www.goforandroid.com/GDTEN/terms-of-service.htm and Privacy Policy: http://www.goforandroid.com/GDTEN/privacy.htm", "devmail": "golauncher@goforandroid.com", "devprivacyurl": "http://www.goforandroid.com/GDTEN/privacy.htm&sa=D&usg=AFQjCNHCSQCHdnNM_HxCcLovBE8dgSlBEw", "devurl": "http://www.goforandroid.com&sa=D&usg=AFQjCNGCs05Grjwn2PlaiypnOSvFELoUEg", "id": "com.gau.go.launcherex.gowidget.gopowermaster", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.gau.go.launcherex.gowidget.fbwidget", "com.gau.go.launcherex.gowidget.clockwidget", "com.gau.go.launcherex.gowidget.notewidget", "com.gau.go.touchhelperex.theme.sector", "com.gau.go.launcherex.gowidget.weatherwidget", "com.gau.go.toucherpro", "com.gau.go.launcherex.theme.defaultthemethree", "com.gau.go.touchhelperex.theme.wp8", "com.gau.go.launcherex.gowidget.twitterwidget", "com.gau.go.touchhelperex"], "name": "GO Battery Saver &Plus Widget", "price": 0.0, "rating": [[" 1 ", 3741], [" 5 ", 72791], [" 2 ", 2263], [" 4 ", 18512], [" 3 ", 7612]], "reviews": [["Seems like a solid app, but could use some usability improvements", " There are a few issues with the profiles. You cannot edit or remove stock profiles or create short cuts to specific profiles, which I was expecting with the paid version of the app. "], ["Amazing!", " It isn't like all the other crazy prank apps. This sped up my phone, and made the battery last at least twice as long! And I don't have to worry about viruses! (Right? That's what Optimize is for, right?) Thank you so much! "], ["Great app....", " Great app works well but eats a lot of ram... Can u reduce the ram usage then it will become excellent & one more thing when i charge through my charger it shows USB.... Plz fix it too. "], ["excellent more than doubled battery life", " hardly any compromise on useability works really well and battery lasts all day now without charging. still got 30% left after 14 hours not bad to say I was struggling to get 6 hours out of battery "], ["Can't skin placed widget", " Theme selection only appears to work at initial placement. "], ["Premium", " After I have charged my phone, my phone suddenly rebooted and my premium features suddenly disappear. It said that I need to buy the feature but I have been using it for almost a year. I wasted 75 points to get this on GetJar and they will say I need to buy?!? What a waste of time and effort! If you don't fix this, uninstalling app "]], "screenCount": 6, "similar": ["imoblife.batterybooster", "com.alportela.battery_booster", "com.dianxinos.dxbs", "com.jbapps.contactpro", "com.a0soft.gphone.aDataOnOff", "com.jiubang.goscreenlock.theme.undersea", "com.jiubang.goscreenlock.theme.bug", "com.antutu.powersaver", "com.jiubang.goscreenlock", "com.jappka.bataria", "com.jiubang.goscreenlock.plugin.lockscreen", "com.geekyouup.android.widgets.battery", "com.ijinshan.kbatterydoctor_en", "com.jiubang.goscreenlock.theme.right", "org.gpo.greenpower", "com.jiubang.goscreenlock.theme.icecream", "com.dianxinos.dxbs.paid", "com.jiubang.goscreenlock.theme.sense", "mobi.infolife.batterysaver", "com.jiubang.goscreenlock.theme.fourkey", "com.easy.battery.saver", "com.latedroid.juicedefender"], "size": "6.5M", "totalReviewers": 104919, "version": "4.26"}, {"appId": "com.et.easy.download", "category": "Productivity", "company": "2Easy Team", "contentRating": "Low Maturity", "description": "Are your files too large to download? Expect to download your files much faster?Unsupported formats or failed download?Want a perfect solution?Here is your answer!Easy Downloader is a professional, safe, stable and free mobile terminal software for downloading, effectively and quickly reducing all your downloading headache. It can not only enable you download large files in different formats easily, but also help you organize all the files in order.Highlights: a.\tProfessional. Multi-Protocol: HTTP, FTP supported, BT will be supported soon;. Multi-Browser: Stock browser, Dolphin browser, Sky fire, Boat Browser, Firefox, etc.b.\tEffective . Multi-Threading: Speedup the download by 50%;. Multi-Task: Download different files simultaneously;. Pause/resume your downloads: Continue disconnected downloads;. Keep your downloads safe and unbroken on silly network breakages;c.\tEasy. Bookmark: Many websites for free downloading are preset in the bookmark. . Category: All downloaded files are well organized in order;. File Manager: Easily manage all files in SD Card. Downloading Status: progress bar, downloaded notification. Copy/Paste links: Download tasks can be started by copying/pasting the link directly;. Share Link: Download task can be started by \u00e2\u20ac\u0153share Link\u00e2\u20ac\ufffd (long press then \"Share Link\" -> \"Easy Downloader \")Please email us Downloader@2easydroid.com to provide more sources of downloadable websites so that we can update them in the next version for all Easy Downloader users.Thanks so much!Key Words: Download, downloader, download all, fast download, professional, easy file explorer, file manager, download all files, free, downloader, free downloader, fast download, download everything, multi-threading speed", "devmail": "Downloader@2easydroid.com", "devprivacyurl": "N.A.", "devurl": "http://www.2easydroid.com/&sa=D&usg=AFQjCNESz0Dc6ZpR2FGY4D8OeQBb0_U9cA", "id": "com.et.easy.download", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.et.easy.download.pro"], "name": "Easy Downloader", "price": 0.0, "rating": [[" 3 ", 5215], [" 5 ", 67322], [" 1 ", 3881], [" 2 ", 1382], [" 4 ", 13583]], "reviews": [["very nice apps... working wel on my xperia z... tanx..", " hop ul make somee improvements like the possibility to downlod youtube vdeos... "], ["super cool", " this up should update more maybe download music vidoes and youtube videos "], ["real easy", " nice app very cool interface easy to use .. "], ["Excellent", " Very cool easy to use love it. "], ["Good app but", " Don't like the gallery pic ad thing "], ["Sd card", " Love this application just wish the downloads would save to sd card idk could just be my phone lg l9 "]], "screenCount": 4, "similar": ["com.acr.androiddownloadmanager", "com.easy.video.player", "de.omoco.waketube", "com.dv.adm", "diewland.settings", "com.easy.privacy.cleaner", "com.estrongs.android.pop", "com.appfiredist.downloadpro", "com.hwkrbbt.downloadall", "it.blackbaydev.vidz", "com.okythoos.android.turbodownloaderbeta", "com.surpax.ledflashlight.panel", "it.tolelab.fvd", "com.easy.battery.saver", "com.easy.video.player.codecv5", "com.antivirus.tablet", "com.lunarfang.blocker", "com.easy.app.manager", "com.fvd", "com.okythoos.android.tdmpro", "com.manager.download.internet.idm.android.downloader.video.firefox.chrome.torrent.files.for.videos", "com.mobo.task.killer", "com.easy.cleaner.ads"], "size": "1.2M", "totalReviewers": 91383, "version": "2.2.1"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtacab.json_merged.json b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtacab.json_merged.json new file mode 100644 index 0000000..64bdd77 --- /dev/null +++ b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtacab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.agilesoftresource", "category": "Productivity", "company": "AVG Labs", "contentRating": "Everyone", "description": "#1 ZIP application and first Android archiver is with you since beginning of 2009. AndroZip File Manager helps you copy, delete, move, unzip/unpack, compress, encrypted ZIP supported, search, and organize your files, music, pictures, and folders just like you would do on your PC. Frequently updated with new and useful features. Optimized for tablets.With over 13 million downloads and its support of ZIP, encrypted ZIP, RAR, TAR, GZIP and BZIP2. AndroZip File Manager is definitive leader among similar applications on the market.Full support for decompression of encrypted ZIP files (Standard, AES-128 and AES 256 bit) compatible with WinRaR and other PC archivers as well as compression of encrypted ZIP files. AndroZip supports Standard ZIP file encryption compatible with WinRaR and other PC archivers (AES 128 and AES 256 bit encryption available in paid version)Besides the archive functionality it also lets you send files, e.g. via email.Optimized specifically for both, phone and tablet displays. Due to many added features like drag and drop functionality, AndroZip File Manager is preferred among tablet users.Use it also to back up your applications and install new application APK on your phone, and manage phone memory and resources via task manager. Installs to SD card.********************************What others say about AndroZip\"AndroZip comes to the rescue, providing a file explorer, task manager, archive manager, app backup tool, and more, all within a simple and intuitive interface.\" (PCWorld, MacWorld and Washington Post had same review)\u00e2\u20ac\u0153Of all the file managers I have tried for the Android platform, the one that stands heads above the rest is the free AndroZip File Manager...\u00e2\u20ac\u0153(Jack Wallen, TechRepublic)\u00e2\u20ac\u0153Just like winzip or winrar\u00e2\u20ac\ufffd (Eric, AndroZip user)**************************Permissions: - INTERNET is used only to get Google AdMob ads (in paid version AndroZip is not using INTERNET permission)- WRITE EXTERNAL STORAGE is used to copy, move, delete, zip, unzip, unrar \u00e2\u20ac\u00a6 files on SD card (necessary for file management)- GET TASKS is used to see processes on your device (used in task manager part of AndroZip)- WAKE LOCK is used to keep AndroZip \"alive\" while for example copying, unpacking, packing large files- RESTART PACKAGES is used to allow user of AndroZip to kill background processesFile manager with multiple/batch delete, move, copy, create ZIPTask killer, application managerInstall apps: APK filesShort tap and long tap menus", "devmail": "mobile-support@avg.com", "devprivacyurl": "http://www.avg.com/ww-en/privacy&sa=D&usg=AFQjCNFZYs_D1fxXMWTLf5AwFDljOT49Qg", "devurl": "http://www.avg.com/ww-en/avg-labs&sa=D&usg=AFQjCNEUQH1tuQtsqHDsue3bgZ-3gtN0SQ", "id": "com.agilesoftresource", "install": "10,000,000 - 50,000,000", "moreFromDev": "None", "name": "AndroZip\u00e2\u201e\u00a2 File Manager", "price": 0.0, "rating": [[" 5 ", 65863], [" 4 ", 19669], [" 2 ", 1490], [" 3 ", 6277], [" 1 ", 3143]], "reviews": [["Its perfect!", " The interface is smooth and easy, it has a good selection of options of things to do with the files themselves. Navigation is great, also. And group copying/moving is both easy & useful. 5/5*! I don't even know what improvements could be made. Root viewing? I don't if that's even possible without having a rooted device. "], ["Solid App", " Useful. Pop ups are annoying but expected for a free app. Only app that shows unnamed files. Sometimes a document doesn't have a name, only an extension. No other file explorer dectects them. "], ["Great", " Is there a reason why is used by default that retarded sort order? Probably just to annoy new users.... Old feedback: I had a problen, i reported and now is fixed, great job. :) "], ["Not Functioning on Android 4.4", " This app was working great before the latest update on the Nexus 10 Tablet. It stops working anytime you try to extract a zip file. Please fix it! "], ["Super Super & Superior", " Super type app in all apps I saw in life in this category. "], ["Gives error while opening password protected files", " A good app. App manager is good but gives error when try to open PASSWORD PROTECTED ZIP or RAR... That is so disapointing.. Hope this will fixed in next update... "]], "screenCount": 6, "similar": ["com.avg.family", "com.asrazpaid", "aoki.taka.passzip", "com.james.SmartTaskManager", "com.asrpro.androtm", "com.smartwho.SmartFileManager", "com.alarmclock.xtreme.free", "com.estrongs.android.pop", "com.metago.astro", "com.adobe.reader", "com.anglelabs.volumemanager.pro", "com.lonelycatgames.Xplore", "com.winzip.android", "com.alarmclock.xtreme", "com.anglelabs.stopwatch.free", "org.openintents.filemanager", "com.rbigsoft.easyunrar.lite", "net.adisasta.androxplorer", "jp.co.jumble.android.filemanager", "com.anglelabs.volumemanager.free", "fm.clean", "nextapp.fx", "ru.zdevs.zarchiver", "com.anglelabs.stopwatch", "com.asrlite.androtm", "com.estrongs.android.pop.cupcake"], "size": "2.0M", "totalReviewers": 96442, "version": "4.6.2"}, {"appId": "com.teamviewer.teamviewer.market.mobile", "category": "Productivity", "company": "TeamViewer", "contentRating": "Everyone", "description": "TeamViewer provides easy, fast and secure remote access to Windows, Mac and Linux systems. TeamViewer is already used on more than 200,000,000 computers worldwide. You can use this app to:- Control computers remotely as if you were sitting right in front of them. - On the go support your clients, colleagues, and friends - Gain access to your office desktop with all of the documents and installed applications - Remotely administrate unattended computers (e.g. servers) Features: - Effortlessly access computers behind firewalls and proxy servers- Intuitive touch and control gestures (including Windows 8 multitouch support)- Full keyboard functionality (including special keys such as Windows\u00c2\u00ae, Ctrl+Alt+Del )- Transfer files in both directions- Multi monitor support- Sound and video transmission in real-time- Highest security standards: 256 Bit AES Session Encoding, 2048 Bit RSA Key Exchange - Plus so much more \u00e2\u20ac\u00a6Quick guide:1. Install this app 2. Install or start TeamViewer on your computer from our website3. Enter your computer\u00e2\u20ac\u2122s TeamViewer ID and password", "devmail": "support@teamviewer.com", "devprivacyurl": "N.A.", "devurl": "http://www.teamviewer.com&sa=D&usg=AFQjCNGnjCdRJJ87zdh6WUsoTeMn3_yfGg", "id": "com.teamviewer.teamviewer.market.mobile", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.teamviewer.quicksupport.market.samsung", "com.teamviewer.quicksupport.addon.samsung", "com.teamviewer.quicksupport.market", "com.teamviewer.quicksupport.addon.alcatelb", "com.teamviewer.quicksupport.addon.medionP9514", "com.teamviewer.meeting.market.mobile", "com.teamviewer.quicksupport.addon.medionE10310E7310", "com.teamviewer.quicksupport.addon.alcateld", "com.teamviewer.quicksupport.addon.alcatela", "com.teamviewer.quicksupport.addon.archos", "com.teamviewer.quicksupport.addon.alcatelc", "com.teamviewer.quicksupport.addon.medionS9714"], "name": "TeamViewer for Remote Control", "price": 0.0, "rating": [[" 4 ", 8533], [" 2 ", 810], [" 3 ", 2428], [" 1 ", 1839], [" 5 ", 68104]], "reviews": [["Great", " Its perfect good interface sorry bad inglish :p pero es bueno el programa it gets the work done y simplemente es bueno con el motivo de pasar infomation from my pc to my phone and viceversa "], ["The best remote control", " It works great even on my Galaxy Ace. The solution to oh so many problems. "], ["Session automatically finished", " I use sony xperia J with Android 4.1.2 . Whenever I try establishing the session with my PC (after providing the password through mobile or confirming the request from PC), the session immediately and automatically getting disconnected and it displays the message \"Session with XXXXX is finished\". I have mailed you the event log..Kindly fix this "], ["Fabulous\u00c2\u00a1", " Works as indicated, and no complaint's as of yet. Very well done... Kudos! This is going to be perfect for when I want to connect to my mom's PC to help her out. I'm sure most of you guys relate, surely some of you have \"tech\" un-inclined parent's. This will help boat loads, thanks\u00c2\u00a1 "], ["Perfect for remote assistance and over all laziness tool", " This app not only comes with the ability to control your PC wirelessly no matter where you are it also gives you the ability to performed a 2 way drag and drop file / folder transfer. I have been using this for years on PC and finally tried the android version and on both nexus 5 and 7 it runs seamlessly as long as you have hood internet access, 3G isn't recommended as it is way to slow for you to do anything with any find of speed, sadly LTE isn't in my area so I cannot comment on that. "], ["Works Great", " I installed TeamViewer 8 on my desktop and this app on my tablet. The only issue i have with the remote session is the screen sizing. In Splashtop it is auto setting, but does not seam to be with TeamViewer. TV has many more advantages compared to ST, one it is free to use over the outside network and requires no firewall port setting to work. TV 9 which is in beta also has a wake on lan function so you can wake your remote computer even if shut down in windows 7. TV is more than a remote controller, you can host meetings with many remote users at one time. Only one con TV does not work if you open Microsoft Media Center, however it does not crash your session like ST. In TV you can open the task bar and shut the open Media Center and continue with your session. Great product, now if only i can get the auto screen sizing to work i will be very happy. "]], "screenCount": 12, "similar": ["pl.androiddev.mobiletab", "com.Relmtech.Remote", "com.adi.remote.phone", "com.logmein.joinme", "com.logmein.ignitionpro.android", "com.touchtype.swiftkey.phone.trial", "com.sec.pcw", "com.evernote", "com.developersinfo.android.remote", "com.texty.sms", "com.touchtype.swiftkey", "com.splashtop.remote.pad.v2", "com.realvnc.viewer.android", "com.rcreations.ipcamviewerBasic", "com.steppschuh.remotecontrolcollection", "com.rcreations.WebCamViewerPaid"], "size": "11M", "totalReviewers": 81714, "version": "9.0.1555"}, {"appId": "com.aitype.android", "category": "Productivity", "company": "A.I.type", "contentRating": "Everyone", "description": "The best keyboard on the Android Market! *** Trial version - text prediction will be available for 14 days only (other great features are unlimited!). ***Tablet user? Download FloatNSplit Tablet Keyboard and get a whole new experience in typing!So, what makes A.I.type Keyboards simply THE BEST?* It\u00e2\u20ac\u2122s smart! The keyboard suggests your next word, completes your current word and corrects your typos based on the context of what you are writing (limited to 14 days on free version).* It gets smarter! As you type, the keyboard learns your common words, phrases and style, and improves its text prediction accordingly. We call it \u00e2\u20ac\u201c MyType (limited to 14 days on free version).* It\u00e2\u20ac\u2122s accurate! You don\u00e2\u20ac\u2122t have to be very precise with the keys you hit. Even if you miss keys frequently, the keyboard will understand and correct you (limited to 14 days on free version).* it's has Emoji's icons to use with Keyboard and an Emoji's Previewer Compensating Android system lack of support (limited to 14 days on free version).* It\u00e2\u20ac\u2122s coooooool! You can change colors, themes, background images, fonts! You can resize the keyboard by dragging the resize key! You can make you keyboard look exactly like iPhone4, Windows Phone 7 or ICS (and more!)\u00e2\u20ac\u00a6* It\u00e2\u20ac\u2122s efficient! You have navigation buttons, you can undo and redo your changes, copy, cut and paste from the keyboard and more. ***And the newest feature: just swipe up to get a numeric / navigation / symbols row!**** It supports so many languages! The keyboard has over 35 keyboard layouts, and other than in English, text prediction is provided in Spanish, German, French, Italian, Arabic, Russian, Dutch, Korean, Greek, Swedish and Hebrew.* It\u00e2\u20ac\u2122s safe! A.I.type never collects, analyzes or sends your personal information, passwords, credit card numbers etc. * It warns you when it corrects your text! Well, it may sound trivial, but getting corrected without a notice is so annoying\u00e2\u20ac\u00a6 So you get a visual indication before auto-correction is applied, and a beep after the correction.A.I.type is the next word in predicting your next word!Privacy notice: while installing A.I.type Keyboard, you will receive a warning message about collecting sensitive data. This is the standard general-purpose Android message issued for any downloaded keyboard and it does not pertain to A.I.type. Our keyboard DOES NOT COLLECT YOUR SENSITIVE DATA.Psychic word completions and predictions are generated by A.I.type\u00e2\u20ac\u2122s servers on the Cloud. When the device is offline or Internet connection is too slow, or if you disabled Cloud-based prediction, word suggestions will be generated by the device only.Because A.I.type keeps improving, it\u00e2\u20ac\u2122s recommended that you enable auto-update on Android Market so you always have the latest version.Note: always download you\u00e2\u20ac\u2122re a.I.type applications only from Google Play! (Can you really trust anonymous hackers and crackers not to steal your private data?)Please contact support@aitype.com with any feedback, issue or suggestion.Writing has never been easier!\u00d9\u201e\u00d9\u02c6\u00d8\u00ad\u00d8\u00a9\u00d8\u00a7\u00d9\u201e\u00d9\u2026\u00d9\ufffd\u00d8\u00a7\u00d8\u00aa\u00d9\u0160\u00d8\u00ad,\u00d9\u0192\u00d9\u0160\u00d8\u00a8\u00d9\u02c6\u00d8\u00b1,teclat,kl\u00c3\u00a1vesnice,tastatur,\u00cf\u20ac\u00ce\u00bb\u00ce\u00b7\u00ce\u00ba\u00cf\u201e\u00cf\ufffd\u00ce\u00bf\u00ce\u00bb\u00cf\u0152\u00ce\u00b3\u00ce\u00b9\u00ce\u00bf,teclado,\u00d8\u00b5\u00d9\ufffd\u00d8\u00ad\u00d9\u2021 \u00da\u00a9\u00d9\u201e\u00db\u0152\u00d8\u00af,n\u00c3\u00a4pp\u00c3\u00a4imist\u00c3\u00b6,clavier,\u00d7\u017e\u00d7\u00a7\u00d7\u0153\u00d7\u201c\u00d7\u00aa,billenty\u00c5\u00b1zet,tastiera,\u00e1\u0192\u2122\u00e1\u0192\u0161\u00e1\u0192\ufffd\u00e1\u0192\u2022\u00e1\u0192\u02dc\u00e1\u0192\ufffd\u00e1\u0192\u00a2\u00e1\u0192\u00a3\u00e1\u0192\u00a0\u00e1\u0192\u02dc\u00e1\u0192\u00a1,\u00ed\u201a\u00a4\u00eb\u00b3\u00b4\u00eb\u201c\u0153,tastat\u00c5\u00abra,klaviat\u00c5\u00abra,toetsenbord,klawiatura,\u00d0\u00ba\u00d0\u00bb\u00d0\u00b0\u00d0\u00b2\u00d0\u00b8\u00d0\u00b0\u00d1\u201a\u00d1\u0192\u00d1\u20ac\u00d0\u00b0,\u00d1\u201a\u00d0\u00b0\u00d1\ufffd\u00d1\u201a\u00d0\u00b0\u00d1\u201a\u00d1\u0192\u00d1\u20ac\u00d0\u00b0,tangentbord,\u00e0\u00b9\ufffd\u00e0\u00b8\u203a\u00e0\u00b9\u2030\u00e0\u00b8\u2122\u00e0\u00b8\u017e\u00e0\u00b8\u00b4\u00e0\u00b8\u00a1\u00e0\u00b8\u017e\u00e0\u00b9\u0152,klavye,\u00d0\u00ba\u00d0\u00bb\u00d0\u00b0\u00d0\u00b2\u00d1\u2013\u00d0\u00b0\u00d1\u201a\u00d1\u0192\u00d1\u20ac\u00d0\u00b0", "devmail": "Support@AItype.com", "devprivacyurl": "http://www.aitype.com/index.php", "devurl": "http://www.aitype.com&sa=D&usg=AFQjCNFDVySyZNCEGvMBrA7WVrHnbJ_PtQ", "id": "com.aitype.android", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.aitype.android.lang.es", "com.aitype.android.tablet.p", "com.aitype.android.emoji", "com.aitype.android.lang.it", "com.aitype.android.p", "com.aitype.android.lang.fr", "com.aitype.android.theme.christmas", "com.aitype.android.lang.pt", "com.aitype.android.theme.ezreader", "com.aitype.android.theme.christmas2012", "com.aitype.android.lang.ru", "com.aitype.android.lang.he", "com.aitype.android.tablet", "com.aitype.android.lang.de", "com.aitype.android.lang.ar", "com.aitype.android.lang.tr"], "name": "A.I.type Keyboard Free", "price": 0.0, "rating": [[" 5 ", 52429], [" 3 ", 4136], [" 2 ", 1418], [" 4 ", 11727], [" 1 ", 2978]], "reviews": [["Love It", " I love the fact that i can use emojis obviously we dont have iphones thats why our emojis are black and not in color. i wish it would last longer then 14 days. This is the only app ive been using for a great keyboard and emojis.with other apps you have to download a bunch of stuff and its just annoying. So keep up the good work \u00f0\u0178\u2018\ufffd "], ["I personally love it you can't come emojis buts thats alright with me\u00f0\u0178\u2122\u02c6", " "], ["The first keyboard that fits my fingers!", " I installed this app on the samsung galaxy mega and I love it. The keys can be sized to fit my fingers and the amount of predictions given speeds up my typing tremendously! "], ["Freezing", " This keyboard was great until it started to lag then freeze up while typing... Plz fix HTC one "], ["Galaxx nexus 3", " Smart app...dwnld it an chat fast...but you r sure u never stall our personal data??? "], ["Good", " I like it alot but can u please make it do u can see the emojis in color "]], "screenCount": 8, "similar": ["com.beansoft.keyboardplus", "com.whirlscape.minuumkeyboard", "com.cootek.smartinputv5", "com.dasur.slideit", "com.jlsoft.inputmethod.latin.jelly.free", "com.jb.gokeyboard", "com.touchtype.swiftkey.phone.trial", "com.nuance.swype.dtc", "com.nuance.swype.trial", "com.touchtype.swiftkey", "com.google.android.inputmethod.latin", "inputmethod.latin.ported", "com.klncity1.emojikeyboard", "org.pocketworkstation.pckeyboard", "com.beautifulapps.superkeyboard.free", "net.cdeguet.smartkeyboardtrial"], "size": "7.7M", "totalReviewers": 72688, "version": "1.9.9.8"}, {"appId": "com.latedroid.juicedefender", "category": "Productivity", "company": "Latedroid", "contentRating": "Low Maturity", "description": "*** Over 7,000,000 Downloads! ***JuiceDefender - Battery Saver is a powerful yet easy to use power manager app specifically designed to extend the battery life of your Android device. Packed with smart functions, it automatically and transparently manages the most battery draining components, like 3G/4G connectivity and WiFi.The _preset modes_ are the perfect way to gain precious hours of battery life - literally as easy as one tap!JuiceDefender also allows _complete customization_ through a clean and intuitive user interface; and once configured it runs by itself, improving battery life in a fully automated manner.Finally, it _integrates seamlessly_ with power control widgets and shortcuts, without interfering with manual settings.With JuiceDefender - Battery Saver you can easily manage Mobile Data, WiFi and CPU speed, you can keep power consumption under control (e.g. disabling connectivity when the battery runs low), schedule regular Synchronization events, enable or disable connectivity for specific apps, auto-toggle WiFi depending on your location, and much more.When it comes to smartphones, battery life is never enough: run at full capacity when you need it, but save battery when you don\u00e2\u20ac\u2122t, with JuiceDefender.Over 7 million downloads show that it really works - try it for a few days and see for yourself, it\u00e2\u20ac\u2122s free!Features*:- 5 Preset Profiles (from default mode to full customization)- Easy and Intuitive User Interface- Home screen Battery Widgets- Mobile Data toggle automation- 2G/3G toggle automation**- WiFi toggle automation + Auto-Disabling option- Location-aware WiFi Control (e.g. enable WiFi only at home/work, disable it otherwise)- Battery Consumption Optimization (e.g. when screen off, battery under threshold, etc.)- Comprehensive Connectivity Scheduling (regular schedule, night time/peak time, week days/weekends)- Connectivity Control for Specific Apps with Interactive Training mode- CPU scaling when phone is idle**- Smart Brightness control- Bluetooth control with Automatic Reconnect- Full Activity Log- It\u00e2\u20ac\u2122s FREE!* Some features require upgrading to JuiceDefender Plus or Ultimate.** Available if supported by your ROMMore information, reviews, and support: JuiceDefender.comJoin the community: facebook.com/JuiceDefender", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://juicedefender.com&sa=D&usg=AFQjCNEKkt9QM1uLpwlG9bHDGqxvkkyojw", "id": "com.latedroid.juicedefender", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.latedroid.ultimatejuice", "com.latedroid.juicedefender.beta", "com.latedroid.juicedefender.plus", "com.latedroid.seepuplusplusp", "com.latedroid.ultimatejuice.root", "com.latedroid.juiceplotter", "com.latedroid.seepu"], "name": "JuiceDefender - battery saver", "price": 0.0, "rating": [[" 4 ", 56619], [" 5 ", 144855], [" 1 ", 6280], [" 3 ", 12972], [" 2 ", 3387]], "reviews": [["Not worth the resources", " You know what saves battery? Not using juice defender. Got twice the battery life after removing it. Sure these battery saving apps shut things off when there not being used but the the program itself uses resources and is always running, therefore using more battery life. Besides android manages its system services without needing extra apps "], ["Battery not charging bug?", " It wont display battery charging state when set to agressive proile. Need to restart the phone to see ifs full or not. now i set it to balanced, and i think its now working. "], ["Works wells when it works", " When it is actually ob it works amazingly but for some reason it keeps turning off... one second the little sing is in the corner screen of my phone and then it's not.... i keep having to go into the app and click the disable button and then the enble... would be five stars if it stayed on!!!! "], ["Wow!", " I thought it was just hype. I've tried a couple battery savers unrooted, but they didn't really do much at all. My battery is usually close to dead by the end of the day. Today... still at 90%!!!! This is the real deal. Oh and I'm on the basic default setting. "], ["Uses more battery than it saves", " It seems they forgot about this app. Paid for the pro version, but it hasn't been updated in more than a year. Anyways, doesn't do much good. I deleted the app because there was absolutely NO difference in battery life with it on. "], ["Not sure if it's working", " I can't really tell if this saves my battery or not. I uninstalled it for a few days to see if I could compare, but my battery still seems to go down fast either way. "]], "screenCount": 8, "similar": ["imoblife.batterybooster", "com.antutu.powersaver", "org.gpo.greenpower", "mobi.infolife.batterysaver", "com.jappka.bataria", "androidcap.batterysaver", "com.geekyouup.android.widgets.battery", "com.easy.battery.saver", "com.gau.go.launcherex.gowidget.gopowermaster", "com.dianxinos.dxbs", "com.ijinshan.kbatterydoctor_en", "com.macropinch.pearl", "ch.smalltech.battery.free", "com.alportela.battery_booster", "com.dianxinos.dxbs.paid", "com.a0soft.gphone.aDataOnOff"], "size": "Varies with device", "totalReviewers": 224113, "version": "Varies with device"}, {"appId": "com.cootek.smartinputv5", "category": "Productivity", "company": "CooTek", "contentRating": "Low Maturity", "description": "HIGHLIGHTS:\u00e2\u20ac\u00a2 TouchPal Wave - Sentence gesture, use the gesture to input commonly used phrases/sentences\u00e2\u20ac\u00a2 TouchPal Curve\u00c2\u00ae - Word gesture technology\u00e2\u20ac\u00a2 Sliding up or down gesture to input number or symbol \u00e2\u20ac\u00a2 Emoji X: Flip up Space for emoji & smileys\u00e2\u20ac\u00a2 Contextual prediction\u00e2\u20ac\u00a2 Blind type on your touchscreen \u00e2\u20ac\u00a2 Save > 90% of keystrokes\u00e2\u20ac\u00a2 Learns your Tweets/messages/contacts to personalize candidate outputs\u00e2\u20ac\u00a2 Walkie-Talkie style voice input\u00e2\u20ac\u00a2 T+ dual-letter layout: bigger keys than QWERTYOther Features: \u00e2\u20ac\u00a2 Support more than 70 languages\u00e2\u20ac\u00a2 Toolbar plugins (Twitter plugin)\u00e2\u20ac\u00a2 Mixed language prediction\u00e2\u20ac\u00a2 Keyboard meter and speed statistics tracker \u00e2\u20ac\u00a2 Multiple themes available\u00e2\u20ac\u00a2 One-hand keyboard layout for large touchscreenInstall & activateAfter installation, please launch the TouchPal from app list and follow the steps to activate TouchPal X. You may receive a warning when activating TouchPal X saying \u00e2\u20ac\u0153This keyboard may collect your personal data.\u00e2\u20ac\ufffd We take your privacy seriously. TouchPal X does not collect your private data including password or credit card info. The warning message when you enable the keyboard is a standard message in Android for ANY third-party keyboard app. Refer to our privacy policy at www.touchpal.com/privacypolicy.html.HOW TO USE TOUCHPAL WAVE - SENTENCE GESTUREOnce you start entering a word, you can use TouchPal Wave\u00e2\u201e\u00a2 to tap on the first correct prediction it makes, and then drag it down to the space bar. Words will dynamically emerge out of the keys, suggesting next possible words in your sentence. You can drag your finger from word to word, eventually entering an entire sentence in a matter of seconds.Permission Explanation\u00e2\u20ac\u00a2 READ_CONTACTSSupport importing contact name as user word. Can ONLY be enabled manually by user. \u00e2\u20ac\u00a2 READ_SMSSupport importing sent SMS text. Can ONLY be enabled mannually by user. * TouchPal take your privacy seriously. All the personalization learning service will ONLY be enable by user.SUPPORTED LANGUAGESEnglishEnglish (UK)English (US)AlbanianArabicBasqueBengaliBopomofoBosnian (Cyrillic)Bosnian (Latin)BulgarianBurmeseCangjieCatalanChinese HandwritingCroatianCzechDanishDutchEstonianFinnishFrenchGalicianGermanGreekHebrewHindiHungarianIcelandicIndonesianItalianKazakhKhmerKoreanLaosLatvianLithuanianMacedonianMalagasyMalayanMarathiNorwegianPersianPinyin/BihuaPolishPortuguesePortuguese (Brazil)RomanianRussianSerbianSerbian (Latin)Simple CangjieSlovakSlovenianSpanishSpanish (Latin)SwedishTagalogTamilTeluguThaiTibetanTurkishUighurUkrainianUrduVietnamWubiFOLLOW USFollow us on Twitter: @TouchPalFan us on Facebook: \"TouchPal\"Google+: https://plus.google.com/u/0/communities/105746648636072214666Website: www.touchpal.com", "devmail": "touchpal_keyboard.feedback@cootek.cn", "devprivacyurl": "http://www.touchpal.com/privacypolicy.html&sa=D&usg=AFQjCNHDRaF-wSXCqnDn7uAq2i9yvle7wg", "devurl": "http://www.touchpal.com&sa=D&usg=AFQjCNFo90yGhUy9USQWCH3MgjqAfHP5rg", "id": "com.cootek.smartinputv5", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.cootek.smartinputv5.tablet"], "name": "TouchPal X Keyboard", "price": 0.0, "rating": [[" 3 ", 4760], [" 4 ", 11216], [" 5 ", 40006], [" 1 ", 4149], [" 2 ", 2189]], "reviews": [["touchpal store doesnt load", " excellent keyboard app, but cant download languages, so need to find alternative. changing from 5 stars to 4. "], ["Thise is the best keyboard ever", " The last update was slow and some changes went in the wrong direction, but the developers reconsider and now the best keyboard for Android is back. This is the fastest way to write or swipe in an Android. Thanks. "], ["These guys got it write!", " TouchPal is the obvious successor to the original Shapewriter keyboard. The logic behind punctuation, super fast shape writing recognition, simple smileys and stuff, prediction and context is right on, and it seems to automatically save your custom words. I've tried all the shape writing keyboards and this one wins, hands down. Like any shape writing keyboard, if you're not used to this style of typing, it will take you a day or two to get into the swing of things, but after that you'll never look back. "], ["Good, but predictive getting to be unbearable each update..", " Thought I'd update my review after yet another update that makes the once good predictive text even worse. What is going on? It used to learn, it's apparently 'intelligent' - not now. It now wants to capitalise every other word & constantly gives me 1st choices of words I hardly ever use! "], ["FAncy but not as functional", " As u can see if ur a fast typer the caps sometimes stick together with the second word. I chose this because it has Buhua input, but u cant take away simplified Chinese which makes it very not user friendly. The outlook is fancy but if u want to input numbers or symbols it is annoying as well. I rate it a 4 because it has functions that other keyboard app doesnt provide. "], ["Best keyboard app!!\u00e2\ufffd\u00a4\u00e2\ufffd\u00a4", " This is what i want for a keyboard! I love this app so much. I never get disappointed even a minute for downloading TouchPal X! \u00f0\u0178\u02dc\u0161 (I just need more emojis like all the iphone emojis for making this perfect\u00f0\u0178\u02dc\u2030 Hope you add more emojis!) "]], "screenCount": 16, "similar": ["com.whirlscape.minuumkeyboard", "com.aitype.android.p", "com.linpusime_tc.android.linpus_tckbd", "com.aitype.android", "com.jlsoft.inputmethod.latin.jelly.free", "org.pocketworkstation.pckeyboard", "com.google.android.inputmethod.latin", "com.touchtype.swiftkey.phone.trial", "com.nuance.swype.dtc", "com.nuance.swype.trial", "com.touchtype.swiftkey", "com.jb.gokeyboard", "inputmethod.latin.ported", "com.klncity1.emojikeyboard", "com.beansoft.keyboardplus", "net.cdeguet.smartkeyboardtrial"], "size": "Varies with device", "totalReviewers": 62320, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtadaa.json_merged.json b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtadaa.json_merged.json new file mode 100644 index 0000000..c9f42b4 --- /dev/null +++ b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtadaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.texty.sms", "category": "Productivity", "company": "MightyText - SMS Text Messaging / Texting from PC", "contentRating": "Everyone", "description": "Text Messaging from your Computer or Tablet, using your CURRENT Android phone number.\u00e2\u02dc\u2026 Send & Receive SMS on your computer or tablet.\u00e2\u02dc\u2026 Instant Notifications on computer/tablet when SMS hits phone.\u00e2\u02dc\u2026 17,000 5-Star ratings\u00e2\u02dc\u2026 100% Free (no additional charge from your carrier - text free)\u00e2\u02dc\u2026 See who's calling your phone, and see battery level -- on your computer/tablet\u00e2\u02dc\u2026 Sync/backup your photos & videos from your phone\u00e2\u02dc\u2026 NEW! Group Messaging (Group Texting)\u00e2\u02dc\u2026 NEW! SMS from Gmail on computer using your Android phone #\u00e2\u02dc\u2026 30 Seconds Setup Time\u00e2\u02dc\u2026 Send Picture Messages (MMS Messaging) on PC. Backup MMS Text Messaging\u00e2\u02dc\u2026 Messages stay synced w/ your phone's SMS inbox\u00e2\u02dc\u2026 SMS Backup & Restore: Backup MMS & SMS Text Messaging from any device** Install this on your Android Phone (not Tablet) *2 Easy Steps:(1) Install this Android App on your phone(2) On your computer go to https://mightytext.net/appOR, To start texting from tablet, first install this app on your phone, then install MightyText Tablet app on your Android tablet:https://play.google.com/store/apps/details?id=com.mightytext.tablet*NOTE* - MightyText sends msgs via your phone, so your carrier will charge as if you sent SMS from your phone. We charges no additional fee (free SMS sync & Secure SMS backup). Save text messages (SMS) & save picture messages (MMS).Save Battery Life: Saves battery - you can send SMS & Send MMS from tablet or PC,. Your phone's screen is off (this saves phone battery!). Saving your screen is the ultimate battery saver. See a live battery indicator & battery widget on the computer.Phone Calls: See who's calling you, LIVE, on your computer/tablet. Call Logs are stored to show missed calls & incoming calls & outgoing calls.Dialer on Computer/Tablet: Live dialer from computer app so you can dial contacts from the computer (dialer -> phone call)Backup SMS & MMS: A super backup alternative; we save SMS text messages securely, like a Dropbox for your SMS text messages, like iMessageVideo / Photo Sync: See photos & videos you take on your phone in your MightyText account on your computer (coming soon for MightyText tablet app). Similar to Google+ Hangout..Phone's Contacts: Contacts plus photos from your phone are sync'd so you can see contact namesEmoticons/Emoji supportText free (SMS) if you have unlimited texting. Text plus see who's calling on PCText now from gmail w/ our new Gtext chrome for gmail text messagingSMS Tool:SMS Filter comingMightyText's different from messsging apps like zlango, iMessage, WhatsApp, Nimbuzz AS we sync directly w the SMS inbox. We aim to be the best messaging app for Android (imessage for android)Avast will give a warning about our app; because we send SMS on your behalf. You can safely use MightyText - we never send SMS on your behalf without you explicitly hitting send.On PC we aim to use a minimalistic text message UI like iMessage or BBM. Works over WiFi/Mobile Data, or FoxFi. Tested w/ the following apps: textgram, foxfi,texting pro. Compatible w/: Chomp SMS, Pansi, GoSMS. MT is not an SMS bomber SMS bulk app.keywords: SMS backup and restore, imessage,mms backup & SMS, backup mms messaging, texting apps, texting from computer, text free, texting free, text messages from tablet, texting from tablet, remote desktop, sms tracking, remote sms, backup sms, contacts,text messages apps,save call logs, textgram, save text messages, save sms messages, emoji, save sms messages to cloud, texting,save text messages to cloud, low battery alerts, save battery , battery alerts on computer, battery saver, sms tracker agent, sms dropbox, sms apps, colornote, hide text messages,texting apps, text pictures, ubersocial, sms popup, iphone messaging, imessage for android, text messaging, group messagingBy clicking \"Install\" you agree to these Terms of Service: http://mightytext.net/tosAndroid & Chrome are trademarks of Google Inc. Use of these trademarks is subject to Google Permissions", "devmail": "info@mightytext.net", "devprivacyurl": "http://mightytext.net/privacy&sa=D&usg=AFQjCNFdKrnXgAKvMh7GtNkluj_4ZvW-MQ", "devurl": "http://mightytext.net&sa=D&usg=AFQjCNGpTpYBLlmEHcMdJzX7Gq5rRWKNFw", "id": "com.texty.sms", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "SMS Text Messaging \u00e2\u2020\u201dPC Texting", "price": 0.0, "rating": [[" 2 ", 601], [" 1 ", 1357], [" 3 ", 1446], [" 5 ", 19209], [" 4 ", 4706]], "reviews": [["Best app EVER... But!", " This app really is a life save but I really wish it worked on custom ROMs. I got so sick of TouchWiz being slow that I installed CyanogenMod, however this app can't send a message more than 160 chars long on CM, so I am completely Gutted. I relied on this app so much but now I can't use it to its full advantage unless I want my phone to be slow as a whole. "], ["Doesn't work anymore", " It was okay for a day or two but now I just get an endless loop logging onto my acct on my pc. Also always seems to be trying to upload pics at random times. So... was 4 stars, now zero stars. "], ["Very convenient", " It has very nicely linked together my phone, tablet, and laptop (both personal and work). I love being able to text in a chat window and without ever touching my phone. The one drawback is that I still have to go thru the texts on my phone tho Mark theme as read. "], ["One of the few Android utility apps that sincerely deserves five stars I am ...", " One of the few Android utility apps that sincerely deserves five stars\tI am not one to give glowing reviews of an app. Nearly every app has faults of some kind or fails at some essential aspect of presentation. MightyText does not. The execution of this software combined with the richness of features is phenomenal. You can seamlessly text between computer and phone, and you are able to do this with more functionality than you'd ever want. If I were creating a \"best apps of 2013\" list, MightyText would be my #1. It should be standard in Android phones. "], ["Texting made easy", " This app is a perfect compliment to Gmail and integrates so well with Android. The only thing it's missing is a Whatsapp free service. "], ["Almost perfect", " I would've given this a five star review, except that it has layout problems on some of the computers that I use, both in Linux and in Windows. If they can get the CSS fixed so that it works regardless of monitor size and resolution, I'll happily give it five stars. It makes texting friends, relatives, coworkers, etc, wonderfully easy! No more having to constantly mistype my words on a phone screen (even on a Galaxy Note 2, my hands are too large for the screen), no more having to try to read small text (I'm middle-aged now, and it's just easier to see text on a monitor than a phone), and best of all: the UI makes texting as easy as using a well-designed IM application instead of a crappy SMS interface. "]], "screenCount": 4, "similar": ["jp.naver.line.android", "com.kakao.talk", "com.popularapp.fakecall", "com.jb.gosms.plugin.gochat", "com.ani.apps.sms.messages.collection", "com.uc.browser.en", "com.jb.gosms", "com.empireapps.Emoji2", "com.mysms.android.sms", "com.ThumbFly.FastestSms", "codeadore.textgrampro", "com.textmeinc.textme", "com.whatsapp", "com.mightytext.tablet", "com.handcent.nextsms", "codeadore.textgram", "com.p1.chompsms"], "size": "1.3M", "totalReviewers": 27319, "version": "4.40"}, {"appId": "com.anydo", "category": "Productivity", "company": "Any.do", "contentRating": "Low Maturity", "description": "Millions use Any.do every day to remember all the tasks they want to-do and make sure they get them done. Key benefits: Seamless cloud sync, Speech recognition, Alerts, Any.do Moment, Snooze tasks, Google Task Sync, Notes, Sub tasks, Amazing Widgets, Repeating / Recurring Tasks, Missed call, Auto complete, In app actions, Gesture support & much more! \u00e2\u02dc\u017e Get the most out of Any.do:\u00e2\u2013\u00a0 Beautiful & Functional - Any.do is beautifully designed, simple to use and user friendly.\u00e2\u2013\u00a0 Always there when you need it - Any.do syncs seamlessly with the cloud so you can stay on top of just about anything across all your devices.\u00e2\u2013\u00a0 Any.do puts the power in your hands - Drag & drop to plan your agenda, swipe off a task to mark it as complete & shake your android to clear your completed tasks. It just feels right.\u00e2\u2013\u00a0 Speak your mind - Instead of typing just tap the microphone icon and say what you want to do. Any.do will automatically convert your words into text in almost any language.\u00e2\u2013\u00a0 Type less, DO more - Mobile typing can be a hassle; Any.do\u00e2\u20ac\u2122s auto-suggest predicts what you want to do as you type it.\u00e2\u2013\u00a0 Any.do works for you - Simply add a time based reminder for the things you want to do and Any.do will remind you just at the right time. You can even try some repeat options.\u00e2\u2013\u00a0 Better together - Share lists with your friends, family, and colleagues to accomplish even more. Here are some ideas: A shared grocery list with your spouse, plan an event with your friends or just make sure you\u00e2\u20ac\u2122re on top of an office project.\u00e2\u2013\u00a0 Any. DO is available in different languages: English, French, German, Italian, Japanese, Korean, Dutch, Swedish, Spanish, German, Portuguese, Chinese (simplified & traditional), Russian, Arabic & Hebrew.\u00e2\u02dc\u017e What makes our app so hot:\u00e2\u0153\u201d Just like real life - Swipe a task with your finger to mark it as complete.\u00e2\u0153\u201d Shake it away - Shake your device to remove all completed tasks.\u00e2\u0153\u201d Powerful widgets - Add a widget to your home screen to see all the things you need to do - just when you need them.\u00e2\u0153\u201d Don't miss another call - Turn missed calls into reminders.\u00e2\u0153\u201d Take actions - With Any.do you can easily make calls, text, emails and even schedule meetings from within the app\u00e2\u0153\u201d Make it personal - Choose your favorite app theme (white or black).\u00e2\u0153\u201d Do it your own way - You can easily customize your folders, so you can organize your tasks to best suit your needs (for example: Work, Home, Errands). Plus, you can have as many folders as you wish.\u00e2\u0153\u201d Your tasks, Your choice - You can switch between Date view (Today, Tomorrow, Upcoming & Someday) and Folder view, it's up to you.\u00e2\u2122\u00a5 Our Customers Say \u00e2\u2122\u00a5\u00e2\u20ac\u0153I want to say that I absolutely love this app and that's an understatement! I love the modern look, ease of use and how much it has helped me already. I just wanted to let you know how awesome this app is and that I have downloaded the Chrome extension as well. Thank you so much!\u00e2\u20ac\ufffd (Sarah L.)\u00e2\u20ac\u0153What you've developed is awesome and fills a real need in the busy Professionals daily life. Thank you so much for your hard work and I'm so excited to start using Any.do frequently. Keep up the awesome work!\u00e2\u20ac\ufffd (Max N.)\u00e2\u20ac\u0153You have tapped into the awesome.\u00e2\u20ac\ufffd (Erick T.)We \u00e2\u2122\u00a5 to stay connected with our users! If you have any feedback, questions or concerns, please email us at: android@Any.do or visit: www.Any.do/faqFor news and updates you can follow us on Twitter and Facebook:http://twitter.com/Anydohttp://www.facebook.com/Any.doHelp translate Any.do to your language: Go to http://www.getlocalization.com/anydo to get started.NOTE: We are asking for permissions to access your personal information and read contacts. We ask this to enable you to collaborate with your friends. Read more about our permissions requirements on our FAQ page - http://www.Any.do/faq and our privacy policy http://www.Any.do/privacy", "devmail": "feedback+androidtodo@any.do", "devprivacyurl": "http://www.any.do/privacy&sa=D&usg=AFQjCNHdP7pRqhK_kpB-9cM_fHF728r4zQ", "devurl": "http://www.any.do&sa=D&usg=AFQjCNHO-Wyfypfk9Kl48KWoRb5X6qyuvQ", "id": "com.anydo", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "Any.do To-do List & Task List", "price": 0.0, "rating": [[" 5 ", 51021], [" 3 ", 3730], [" 1 ", 2119], [" 2 ", 1448], [" 4 ", 13249]], "reviews": [["SUGGESTION", " I would like to suggest you to add a feature - remind every \"user defined\" days. There are millions if things that we have to do every 2 or 3 or 4 or 5 or 6 days. We have option for remind every day or every week but not fkr days in between. Please add it...please. "], ["Some things need to be changed otherwise nice app :)", " The tasks which we add are immediately added to TODAY list. We have so many things to do all cannot be added or should not be added to TODAY. There should be an option to add to TODAY, TOMORROW, UPCOMING or SOMEDAY. But highly recommended and fast and reliable. Till now I have not experienced any problems. "], ["Very nice and handy", " Simple enough to make whole week plan in just few minutes but also feature rich to meet all my needs. It would be just perfect if my phone's (galaxy s3) native phone function be aware of that I check the missing call from any.do notifications. But still excellent. "], ["It's a bit of a faff.", " For a basic list-programme, it's nothing special or intuitive. It's hard not to put everything down for Today, and deletion is well-nigh impossible. "], ["Rolling back to Gtasks.", " I feel sorry for migrating from Gtasks to Any.do. Almost 80% of the functionality not working. I kept a remainder today @ 11.30AM. It did not reminded at all. I missed couple of payments which I asked any.do to remind. This app is only for fancy. Not doing the core work. Better not rely on this. "], ["Unstable sync, slow updates", " -- PROS -- Simple straight foward and clean interface. -- Plan your day feature makes organizing easy. -- useful pop up reminders. -- Google chrome extension -- CONS -- No folder organization. -- can't select custom time in plan your day -- limited repeat options -- lose manual sorting when signing out and back in -- missing items when syncing with chrome -- Takes far too long to come out with fixes and updates. -- no remove completed tasks button "]], "screenCount": 4, "similar": ["com.handyapps.tasksntodos", "ch.teamtasks.tasks.paid", "org.dayup.gtask", "org.chrisbailey.todo", "com.othelle.todopro", "com.wunderkinder.wunderlistandroid", "com.somcloud.somtodo", "com.todoist", "com.adylitica.android.DoItTomorrow", "com.guidedways.android2do", "com.socialnmobile.dictapps.notepad.color.note", "no.intellicom.tasklist", "com.timleg.egoTimerLight", "com.james.SmartTaskManager", "com.taskos", "ch.teamtasks.tasks"], "size": "7.7M", "totalReviewers": 71567, "version": "2.34"}, {"appId": "com.jrummy.root.browserfree", "category": "Productivity", "company": "JRummy Apps Inc.", "contentRating": "Everyone", "description": "Root Browser is the ultimate file manager for rooted users. Explore all of Android's file systems and take control of your Android device.Check out ROM Toolbox which has included this app and added many more features.For fast and friendly support please email us at jrummy.apps@gmail.com. We will be glad to help answer your questions and troubleshoot with you. Features include:\u00e2\u02dc\u2020Two file manager panels \u00e2\u02dc\u2020 Batch copy/paste, zip, tar, delete, move any file or folder\u00e2\u02dc\u2020 Explore apk, rar, zip & jar files\u00e2\u02dc\u2020 Change file permissions and ownership\u00e2\u02dc\u2020 View and edit any file\u00e2\u02dc\u2020 sqlite explorer\u00e2\u02dc\u2020 Move, copy, rename, and delete files.\u00e2\u02dc\u2020 Create and delete directories (folders).\u00e2\u02dc\u2020 Send files by email.\u00e2\u02dc\u2020 Add new files & folders in any directory\u00e2\u02dc\u2020 Install zips using clockwork recovery\u00e2\u02dc\u2020 Execute script files\u00e2\u02dc\u2020 Show list of files with thumbnails for images.\u00e2\u02dc\u2020 Bookmark any folder\u00e2\u02dc\u2020 Open files and folders with other apps\u00e2\u02dc\u2020 Change the theme (double tap home button)\u00e2\u02dc\u2020 Sort by name, size & date\u00e2\u02dc\u2020 Extract single files from zip/apks/jars\u00e2\u02dc\u2020 Search for files or folders", "devmail": "jrummy.apps@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://support.jrummyapps.com/&sa=D&usg=AFQjCNFVnRA8Shi84c2MD5NLQ79FBuc_NA", "id": "com.jrummy.root.browserfree", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.jrummy.busybox.installer", "com.jrummy.busybox.installer.pro", "com.jrummy.apps.google.play.api", "com.jrummy.liberty.toolboxpro", "com.jrummy.cache.cleaner", "com.jrummy.droidx.overclock", "com.jrummy.root.browser", "com.jrummy.font.installer", "com.jrummy.roottools", "com.jrummy.app.manager", "com.jrummy.list.tmobile.themes", "com.jrummy.app.managerfree", "com.jrummy.liberty.toolbox", "com.jrummy.apps.boot.animations", "com.jrummy.apps.build.prop.editor", "com.jrummy.apps.rom.installer"], "name": "Root Browser", "price": 0.0, "rating": [[" 5 ", 9303], [" 4 ", 1333], [" 2 ", 164], [" 1 ", 399], [" 3 ", 482]], "reviews": [["Two thumbs way up...!!!", " This app is the only one of its kind that you want whether your device is rooted or not. It does what it says it will do and it's free... I have tried others even paid for them but they don't have what this does. I'm sure you have tried others same as me so take the next step. Just try it. Easy access to all my files no matter where they are and the UI is simple and easy to use. The only thing that I have an issue with is it could use a few more bells and whistles. Great job with this one guys... "], ["Ads Ads Ads - Requires Net access!", " Ads Ads Ads - Heaps of spam Ads - Tries to download files to your phone without you knowing. Requires Network Access for a file manager ??? Why ??? Remove Network access and Ads & I would give 5 stars. "], ["Great app", " This app is wonderful as far as simplicity and functionality. I use it off of rom tool box which is another app completely worth getting! The only thing i wish root browser had was the option to see how large something is as far as storage wise but that being so small compared to all of the amazing features that this app already possesses it doesnt even matter! :) "], ["Simple, fast and useful file manager", " The app looks simplistic, but everything you need to manage files and folders are in there, including a handy editor for text files. "], ["TECHNO-JOY!", " Definitely not for the faint of heart. If you have ANY techno-fear, this probably isn't your thing. If, like me, you have techno-joy, this app is too soon for you. I cannot imagine not having this app. Best root explorer on the market. Bar none. "], ["Awesome", " I love this app. It works as intended and is fast, flexible, fun and freaking awesome. "]], "screenCount": 8, "similar": ["com.rootuninstaller.free", "com.smart.swkey", "com.uc.browser.en", "com.estrongs.android.pop", "com.joeykrim.rootcheck", "nextapp.fx.rr", "com.speedsoftware.explorer", "com.ilegendsoft.mercury", "com.neeraj.xplorer", "zsj.android.uninstall", "mobi.browser.flashfox", "com.keramidas.TitaniumBackup", "com.speedsoftware.rootexplorer", "com.skyfire.consumer.browser", "com.mhuang.overclocking", "com.estrongs.android.pop.cupcake"], "size": "2.4M", "totalReviewers": 11681, "version": "2.2.3"}, {"appId": "com.google.android.apps.cloudprint", "category": "Productivity", "company": "Google Inc.", "contentRating": "Everyone", "description": "Download the latest release of the official Google Cloud Print app. With Cloud Print for Android you can:* Print from any compatible Android device to any Google Cloud Print connected printer* Share a picture or a document from apps like Gallery directly to Cloud Print* Track the status of your print jobs Printing from Android has never been easier.", "devmail": "android-apps-support@google.com", "devprivacyurl": "http://www.google.com/policies/privacy&sa=D&usg=AFQjCNE7y6nm7TcHvct7CDJRmWrYBHvMEQ", "devurl": "http://www.google.com/cloudprint&sa=D&usg=AFQjCNF0nrV_uajlHpRDe9jMuefRFjjvPA", "id": "com.google.android.apps.cloudprint", "install": "500,000 - 1,000,000", "moreFromDev": ["com.google.android.tts", "com.google.android.apps.plus", "com.google.android.apps.maps", "com.google.android.apps.unveil", "com.google.android.apps.enterprise.cpanel", "com.google.android.play.games", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.earth", "com.google.android.apps.books", "com.google.android.inputmethod.japanese", "com.google.android.apps.translate", "com.google.android.music", "com.google.android.calendar", "com.google.android.talk", "com.google.android.apps.magazines", "com.google.android.apps.ads.publisher", "com.google.android.apps.m4b", "com.google.android.gm", "com.google.android.voicesearch", "com.google.android.apps.giant", "com.google.android.street", "com.google.android.apps.enterprise.dmagent"], "name": "Cloud Print", "price": 0.0, "rating": [[" 4 ", 356], [" 1 ", 161], [" 5 ", 1828], [" 2 ", 74], [" 3 ", 140]], "reviews": [["Needs multiple account support", " Works well, but on my phone I have two Google accounts (work and personal) but it will only link to one. This means I can't print to my work printer. Clicking the account email and selecting the account would solve this. "], ["Simply beautiful", " I opened the app and printed straight to my previously registered HP printer. Menu is not very helpful, and I don't know how setting up a new printerwould work, but for me... superb! "], ["Awesome but...", " The actual function of this app is great. Print from almost anywhere in Android. The downside is that you don't get the option to see a *print preview*. Seeing a print preview helps to make last minute corrections to the print settings before printing and wasting paper and toner. This issue is also apparent when printing from Google apps (they don't use this particular app to print but do use Cloud Print). I have noticed that printing spreadsheets (Google Drive Sheets) can turn out terribly small spreadsheets even when choosing to print on the correct paper size with the correct orientation... But Google Drive Docs print just fine... Also printing landscape pictures are defaulted to portrait printing. Without Print Preview it is easy to overlook this which means that your photo will print on only about half the page... As far as printing from anywhere goes. The app can only print from an app that uses the global share menu. Some apps don't have this option for various reasons. One temporary solution is to first take a screen shot and then print that screen shot. This isn't the best answer, but it may work for some people. I hope that Google adds cloud printing to Gmail soon. "], ["Too limited", " Without a cloud printer you still need to power up the PC and have chrome installed. This rather defeats the point of printing from the phone or tablet for me. "], ["Does what it says", " Can't ask for anything more works great with my Nexus 4, worked like a charm. "], ["Not reliable", " It's a nice idea but the app usually says that my printer is offline. The only reliable way to make it work is to remove it in Chrome on my laptop and reinstall it, which defeats the object of the exercise. It used to be possible to print from my android RAZR maxx to my printer over WiFi but now that so many mobile app makers are just using Google's shonky cloud print technology, I can't print. Please Google, if you can't do it right, please stop replacing existing technology that works fine. "]], "screenCount": 17, "similar": ["com.pauloslf.cloudprint", "com.dropbox.android", "com.android.chrome", "com.threebirds.easyviewer", "com.hp.android.print", "com.touchtype.swiftkey", "com.hp.android.printservice", "com.flipdog.easyprint", "com.sec.app.samsungprintservice"], "size": "1.9M", "totalReviewers": 2559, "version": "0.6.1b"}, {"appId": "com.speaktoit.assistant", "category": "Productivity", "company": "Speaktoit", "contentRating": "Low Maturity", "description": "Speaktoit Assistant is a virtual assistant for Android devices. Your very own customizable Assistant awaits your commands \u00e2\u20ac\u201c answering your questions, performing tasks, notifying you about important events, and making your daily routine easier (and, often, more fun along the way).The Speaktoit Assistant has been named:\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 New York Times: Top 10 Android App of the Year\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 Forbes: Top 10 Mobile App for Productivity\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 Red Herring Top 100 Global Winner\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026 PC World: Best free Android apps of 2011Your Speaktoit Assistant uses natural language technology to answer questions, find information, launch apps, and connect you with various web services (like Google, Wikipedia, Twitter, Facebook, Foursquare, Evernote, Yelp, and others).What else can your Assistant do?It Remembers - As the Assistant learns about your favorite places, services, and preferences, it takes into account your current environment and schedule in order to provide the best suggestions and Assistant functions customized to you.It Understands - There's no need to memorize any commands or learn any special tricks to make the Assistant work for you - just speak naturally, the Assistant will understand you.It Cares - Your Assistant offers proactive assistance when it thinks you might need it - your best interests are always in mind.It Speaks Your Language - The multilingual Assistant is available in English, Spanish, Russian, German, Chinese and Portuguese - and it's currently being trained in many other languages that will launch soon.It's Always at Your Service - Your Assistant is cross-platform: use the same Assistant on your smartphone, tablet, or laptop.It Learns - Want your Assistant to respond or react in a specific way? Teach it to further improve its efficiency!The list of the Assistant\u00e2\u20ac\u2122s skills is too large to fit here, you can find them in the application under the little light bulb next to the microphone. Some of them are: talk, call numbers and contacts, send and receive texts messages and email, set alarms, search websites, get answers from encyclopedias, find places, read news, get weather forecasts, do basic math, updates Facebook statuses, tweet, organize calendar, tasks and notes, play music and videos, open sites and applications, translate, navigate, check in on Foursquare, remind, learn from you new commands and much more.Currently, the Assistant work with the following services: Google, Twitter, Facebook, Foursquare, Evernote, Yelp, TripAdvisor, Wikipedia, Chacha, IMDB, Eventful, News360, Amazon, Gmail, Google Images, Google Calendar, Google Maps, Google Navigation, Waze and it\u00e2\u20ac\u2122s being connected to more.Compare it to other voice assistants like Apple Siri, Nuance Dragon Go, Vlingo, Evi, Voice Actions, Voice Search, Wolfram Alpha, Iris, IBM Watson, Maluuba, Skyvi, Jeannie, AIVC, EVA Intern, and other voice control applications.", "devmail": "contact@speaktoit.com", "devprivacyurl": "N.A.", "devurl": "http://www.speaktoit.com&sa=D&usg=AFQjCNF2ZFruT7x9s0N9YASFy4vXOQRRTA", "id": "com.speaktoit.assistant", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "Assistant", "price": 0.0, "rating": [[" 5 ", 165397], [" 4 ", 31469], [" 3 ", 7446], [" 2 ", 2239], [" 1 ", 4156]], "reviews": [["Great little assistant", " This would be a lot better if it would just STOP CRASHING!!! Therefore I've taken it down to 2 (two) stars....Sorry "], ["Doing good now", " I didn't get along with Sam at first but now we get along fine and she's good for a laugh. I wish she wasn't so literal but I guess it is necessary. she hasn't called me potty mouth or told me much about my manners lately so I'll keeper. I did however tell her I wanted to change my name to something easy. that was my name for a while. she mispronounces my name. she's always if I want to send a message or call a friend. if I had a friend I wouldn't be talking to my asdistant. "], ["Works well until....", " It crashes and it has been doing that a lot since the last update. Needs work. "], ["Basic features need a subscription!", " Really?! The free version is totally useless, while the paid-by-subscription one is not worth it, as the cost-to-value ratio approaches zero. Using Google Now you get personalized learning and voice activation for free. You don\u00e2\u20ac\u2122t like Google? Then there are similar other apps completely free, and often better than Assistant (you should definitely try Dragon Mobile Assistant for its best of the breed speech recognition engine.) In any case, Assistant is just an expensive toy and a money grabbing scheme. "], ["Amazing!", " Sound was good. The avatar are good. But it was more work and frustration. It wasn't love at first try. I Hate it! Still I must like the abused. .After several months of hit and misses. I have found to love this application. My Assistant, Michael, is great. Actually, I should had installed it on my phone. This is where he works best. Now he is a part of my family and business. Can't wait to see for more updates. "], ["Great with one exception", " Why isn't the voice activation free? All the other assistants that have a voice activation feature are free and that is a feature I am looking for. With three kids sometimes I need to just be able to call out something without having to touch or \"shake\" my phone. I wish you would consider making that option free. Until then I may have to rely on Dragon. "]], "screenCount": 10, "similar": ["com.lukasoft.android.voicecontrol", "andy2.xml", "com.advancedprocessmanager", "com.google.android.calendar", "com.nautka.asistenteagenda", "it.smemotech.ludmilla", "la.droid.qr", "com.sherpa.asistentesherpa", "com.pannous.voice.actions.free", "com.brandall.nutter", "com.socialnmobile.dictapps.notepad.color.note", "com.nuance.balerion", "com.coffeebeanventures.easyvoicerecorder", "com.bulletproof.voicerec", "mobi.voiceassistant.ru", "com.artificialsolutions.teneo.va.prod"], "size": "12M", "totalReviewers": 210707, "version": "1.7.4"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtadab.json_merged.json b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtadab.json_merged.json new file mode 100644 index 0000000..3171c0b --- /dev/null +++ b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtadab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.nuance.swype.trial", "category": "Productivity", "company": "Nuance Communications, Inc", "contentRating": "Low Maturity", "description": "New Swype is even more powerful and personal! Get it today! This trial version is good for 30 days.\u00e2\u20ac\u00a2 250+ Million Users and Growing\u00e2\u20ac\u00a2 Guinness World Record \u00e2\u20ac\u201c Fastest Time to Type a Text Message \u00e2\u20ac\u00a2 Own the Original Swype Keyboard that Started it All \u00e2\u20ac\u201c Accept No Imitations SWYPE \u00e2\u20ac\u201c YOUR KEYBOARD FOR LIFE: Swype is all about YOU. Whether you\u00e2\u20ac\u2122re a fast tapper, exact typer or a Swype Ninja, get ready for a better, faster keyboard experience that gets smarter the more you use it. Swype pays attention to the way you input text and creates a personal language model that follows you from device to device. Swype \u00e2\u20ac\u201c the world\u00e2\u20ac\u2122s most powerful keyboard. SWYPE KEYBOARD FEATURE EXCLUSIVES:BILINGUAL SUPPORT \u00e2\u20ac\u201c Swype now lets you enter words from two languages at once! Words suggested by Swype will automatically adjust to your bilingual language preferences.MORE CUSTOMIZATION OPTIONS \u00e2\u20ac\u201c Swype lets you customize your keyboard including long-press delay, vibration duration, keyboard height and mini left/right keyboards in landscape mode.ACCESSIBILITY SUPPORT \u00e2\u20ac\u201c Swype supports Android\u00e2\u20ac\u2122s \u00e2\u20ac\u0153Talkback\u00e2\u20ac\ufffd and \u00e2\u20ac\u0153Explore by Touch\u00e2\u20ac\ufffd accessibility features. When accessibility features are enabled the user\u00e2\u20ac\u2122s entered text will be spoken back.PERSONAL DICTIONARY BACKUP & SYNC \u00e2\u20ac\u201c Swype enables you to backup your personal dictionary to the cloud and synchronize it with any Android device where Swype is installed \u00e2\u20ac\u201c never lose the words that you add to your personal dictionary again! (Opt-in feature)SWYPE LIVING LANGUAGE & HOTWORDS keeps you always up to date with a real-time, crowd-sourced and news derived language model that gives you immediate access to our continuously updated language dictionary. Imagine having instant access to the hottest words and phrases that people are using at that moment. Swype\u00e2\u20ac\u2122s Living Language will also further localise your dictionary with an additional dialect supplement for your preferred language. (Opt-in feature)NEXT WORD PREDICTION \u00e2\u20ac\u201c So intelligent, it's like Swype can read your mind! The most powerful language models on the market train your device to learn your unique vocabulary and predict your words based on previous usage, Swype can predict commonly used words and phrases such as \u00e2\u20ac\u0153Return of the Jedi\u00e2\u20ac\ufffd, and \u00e2\u20ac\u0153Dancing with the Stars.\u00e2\u20ac\ufffdLANGUAGE DOWNLOADS \u00e2\u20ac\u201c Swype supports more than 71 downloadable languages and 20 dialects.TABLET KEYBOARDS \u00e2\u20ac\u201c Swype features three unique tablet keyboard designs: a full screen keyboard, a small and moveable keyboard, and a split screen keyboard.DRAGON DICTATION \u00e2\u20ac\u201c Swype comes with best-in-class voice recognition so you can go hands-free and dictate text quickly with a simple press of the voice key on the Swype keyboard. Dragon allows you to see phrase-based results in near real-time without leaving the dictation UI. With Dragon\u00e2\u20ac\u2122s streaming dictation, you can see what you are saying as you say it!SMART EDITOR \u00e2\u20ac\u201c Swype analyzes entire sentences and underlines potential errors for quick fixing, and suggests likely alternatives.KEYBOARD THEMES \u00e2\u20ac\u201c With a wide variety of themes to choose from, you can personalize the look of your Swype keyboard to one that is all your own.VOICE/TEXT DICTIONARY SYNC \u00e2\u20ac\u201c When you add new words to your personal dictionary, they automatically sync to Dragon Dictation, meaning you can instantly dictate the new word.SMART TOUCH \u00e2\u20ac\u201c Swype learns your unique style of input and continuously adapts to your typing patterns for a truly personalized and accurate keyboard experience.GESTURES \u00e2\u20ac\u201c Use Swype gestures for quick everyday tasks such as:\u00e2\u20ac\u00a2 Select All (Swype key to \u00e2\u20ac\u02dcA\u00e2\u20ac\u2122)\u00e2\u20ac\u00a2 Cut (Swype key to \u00e2\u20ac\u02dcX\u00e2\u20ac\u2122)\u00e2\u20ac\u00a2 Copy (Swype key to \u00e2\u20ac\u02dcC\u00e2\u20ac\u2122)\u00e2\u20ac\u00a2 Paste (Swype key to \u00e2\u20ac\u02dcV\u00e2\u20ac\u2122)\u00e2\u20ac\u00a2 Search (Swype key to \u00e2\u20ac\u02dcS\u00e2\u20ac\u2122)Want to learn more? New users visit: http://www.youtube.com/watch?v=y2pQmNfOoKUReturning Swypers visit: http://www.youtube.com/watch?v=h75VTpHQIUAFor support, please see our knowledge base or contact our technical support team at http://technicalsupport.nuance.com.", "devmail": "N.A.", "devprivacyurl": "http://www.nuance.com/company/company-overview/company-policies/privacy-policies/index.htm&sa=D&usg=AFQjCNEmbL8xohjbw_1W4kuuwabdTLZo3w", "devurl": "http://www.swype.com&sa=D&usg=AFQjCNET3Qye2ou-902ZQijxG1Awi6Um5w", "id": "com.nuance.swype.trial", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.nuance.balerion", "com.nuance.swype.dtc"], "name": "Swype Keyboard Free", "price": 0.0, "rating": [[" 3 ", 783], [" 1 ", 713], [" 5 ", 6215], [" 4 ", 1536], [" 2 ", 308]], "reviews": [["Love Swype", " Hate the lag! I shouldn't be able to outrun Swype, and I do, I am constantly having to stop and wait for it to catch up, and most of the time even when it does catch up there are words missing! I typed parts of this little message over three different times due to skipped words! Please make it stop lagging : ( "], ["Meh.", " HTC one here. The short cuts are cool as is the concept, but I spend a major amount of my time going back to correct the words it got wrong. Also the keyboard itself SUCKS at loading. I wait a couple seconds when I open my text app, then it has to basically reload after every text... It makes me hate texting convos. So during this review I had to go back and change 10 words. "], ["Slow on typing", " Very nice shortcut to get arrows by swiping settings key to symbol key....but it is so laggy to catch up with the words typed. "], ["Fast, decent predictive. Loads too slowly", " Better than entering text letter by letter for certain. Predictive is reliable, but has recurring words it refuses to get right. Thigh instead of though is probably the worst offender on that front. The only reason it drops three stars is because it way too often takes several seconds to open, just leaving a blank space on your screen for the duration. I'm on the HTC one, and the default keyboard never had this problem either, so it's an app issue that needs tweaks. "], ["Lagging lagging........Lagging", " It takes forever for the keyboard to open. Annoying. And it lags like a b!+(#! What the heck happened to how awesome you were? I was going to purchase this keyboard but not after this nightmare. Maybe next time I'll leave all mistakes your keyboard makes and let you see how horrible this keyboard reallis. "], ["Ughhh", " Start w/ the good.. I love that I can change the theme of the keyboard &the Boston Strong theme makes this Boston girl VERY HAPPY (note the 3rd star). Ever since I BOUGHT this (that's right, purchased for $3.99 bc I don't like the version my GS3 came with) it's been a problem. The Swype is slow& I feel like it's not as accurate. I'll be on my 5th word& it will be back@ the beginning. When it finally catches up, it's missing words. Basically just lagging like a mofo. I'm bummed out and freakin' disappointed. "]], "screenCount": 13, "similar": ["com.whirlscape.minuumkeyboard", "com.aitype.android.p", "com.cootek.smartinputv5", "com.aitype.android", "com.dasur.slideit", "com.jlsoft.inputmethod.latin.jelly.free", "org.pocketworkstation.pckeyboard", "jellybeankeyboard.f.g", "com.touchtype.swiftkey.phone.trial", "com.bigbuttons", "com.touchtype.swiftkey", "com.picomat.magickeyboardfree", "com.vllwp.inputmethod.latin", "inputmethod.latin.ported", "com.beansoft.keyboardplus", "com.beautifulapps.superkeyboard.free"], "size": "17M", "totalReviewers": 9555, "version": "1.6.3.22544"}, {"appId": "com.coffeebeanventures.easyvoicerecorder", "category": "Productivity", "company": "Digipom", "contentRating": "Everyone", "description": "Easy Voice Recorder is a fun, simple and easy to use audio & voice recorder. Use it to reliably record your meetings, personal notes, classes, and more, with no time limits!Please note that Easy Voice Recorder cannot record phone calls on most phones, and may not be compatible with all devices. For more information, please see the help ( http://www.digipom.com/easy-voice-recorder-help/ ). If there are any problems, please contact us and we can troubleshoot the problem together.Main features\u00e2\u02dc\u2026 Record to high-quality PCM and AAC, or use AMR to save space.\u00e2\u02dc\u2026 Share and manage your recordings easily, and back them up to your PC.\u00e2\u02dc\u2026 Record in the background and control the recorder with a home screen widget.You can also use powerful Jelly Bean audio filters on supported devices, rename and delete your recordings, save them as a ringtone, integrate with Tasker and Locale, and much more.Pro featuresThe pro version offers additional power and control. Here are just some of the additional features, available on supported devices:\u00e2\u02dc\u2026 Record in stereo.\u00e2\u02dc\u2026 Record with a Bluetooth microphone.\u00e2\u02dc\u2026 Boost input volume with microphone software gain.\u00e2\u02dc\u2026 Skip silent parts.\u00e2\u02dc\u2026 Manage and organize your recordings with folders, and save recordings to your SD card.\u00e2\u02dc\u2026 Switch to the camcorder microphone for louder and clearer recordings.\u00e2\u02dc\u2026 Control the recorder from anywhere using the status bar. Recordings can also be pinned to the status bar.With many more enhancements and additions, and more to come in the future.Additional InfoIf you would like to help translate Easy Voice Recorder into your language, we would love to see you over at the translation project ( http://crowdin.net/project/easy-voice-recorder ). We also have a test group for alpha and beta testers ( https://groups.google.com/forum/?fromgroups#!forum/easy-voice-recorder-testing ).SupportPlease test using the free version before upgrading to pro. If there are any problems, please contact us and we can troubleshoot the problem together.Please note that Easy Voice Recorder cannot record phone calls on most phones. Some devices have known issues or may be incompatible, and recording quality varies between devices. On some devices, Bluetooth is supported only for phone calls, and not for application audio. If the app force-closes after an install or upgrade, your firmware may have corrupted the install. Please uninstall and reinstall if this happens.For more information, please see the help ( http://www.digipom.com/easy-voice-recorder-help/ ).Permission detailsRecord audio - Record audio from your microphone.Bluetooth, modify audio settings, sticky broadcasts - Support Bluetooth.Modify system settings - Support ringtones.Write to external storage - Save recordings to your external storage.Prevent phone from sleeping - Allow recordings to continue even with the screen turned off.Network access - Required by Google AdMob and other advertising platforms.Network state - Detect if there is an Internet connection available before trying to retrieve an ad.", "devmail": "contact@digipom.com", "devprivacyurl": "http://www.digipom.com/privacy-policy-for-applications/&sa=D&usg=AFQjCNHl0TzJLGJriSA6_JYK75Zz8pMI5Q", "devurl": "http://www.digipom.com/&sa=D&usg=AFQjCNHbBke0t58c3w_5kvKVheDe09x8Zw", "id": "com.coffeebeanventures.easyvoicerecorder", "install": "5,000,000 - 10,000,000", "moreFromDev": "None", "name": "Easy Voice Recorder", "price": 0.0, "rating": [[" 4 ", 4251], [" 5 ", 17127], [" 2 ", 303], [" 3 ", 1229], [" 1 ", 810]], "reviews": [["Easy to use and works well..", " Good quality, simple to use, easy to share files... "], ["Awesome", " Luv it. Got to revisit all my meetings. Now I'm considered the Mr. Know it all. Im usually asked by the team if something mentioned was agreed upon. Luv it. Boss Luvs me "], ["Great, no headaches", " With other note taking apps I'd have to worry about my phone force shutting down before the one minute mark. Now with this app I can record (with no headaches) with the app minimized, the screen locked, and I've recorded 30 mins with no hassle. Awesome! "], ["Great", " Amazing and free app. Also saves the audio in a format that I can easily transfer to any of my audio devices in my house/car. "], ["Easy to use; assign file names; cannot share after file name assigned", " "], ["Nice", " I have no idea of using another voice recording app. Xcelent! "]], "screenCount": 7, "similar": ["com.nll.asr", "si.matejpikovnik.voice.pageindicator", "com.speaktoit.assistant", "com.digipom.nightfilter", "com.eliferun.soundrecorder", "info.dorodoro.clearvoicerecorder", "com.RecordingAppAdcoms", "com.digipom.nightfilter.pro", "it.OOloop.spyvoice", "com.kohei.android.pcmrecorder", "com.nll.acr", "polis.app.callrecorder", "com.andlabs.vr", "com.soundmobilesystems.android.recorder", "com.appstar.callrecorder", "com.digipom.easyvoicerecorder.pro", "com.tokasiki.android.voicerecorder", "com.globaleffect.callrecord", "name.markus.droesser.tapeatalk"], "size": "Varies with device", "totalReviewers": 23720, "version": "Varies with device"}, {"appId": "com.bluetornadosf.smartypants", "category": "Productivity", "company": "BlueTornado", "contentRating": "Medium Maturity", "description": "Get Skyvi NOW! Skyvi knows everything from Local Businesses to Celebrities! She can text/call friends, find places, make witty remarks and even tells jokes. Update Facebook and Twitter Too! GET IT NOW! Tell FRIENDS! [Change Log Below]TELL FRIENDS to DOWNLOAD!HELP! MAKE a YouTube Video & we'll FEATURE it HERE! (Email to feedback@bluetornadosf.com)We know it's not perfect, but we're working hard to make it better than Siri! If you like Skyvi, please support us with a 5-Star Review!Got Siri jealousy? Get Skyvi Now!Key Features:-Voice Texting-Fast find and call places-Get directions-Call Contacts-Play music-Local weather and time-Fun chats, witty remarks, tells jokes-Text by Voice-Tweet or Update Facebook with Voice-Ask questions with voiceIf you've tried other voice ,hands free, handsfree and digital assistant apps like Iris, vLingo, Speaktoit Assistant, Andy, Sonalight Text by Voice, Jeannie, AIVC, TiKL, EVA Intern, Voice Search, Gosms, Dropbox, or Voice Actions be sure to try Skyvi and be amazed! Finally be hands-free!Disclaimer: Skyvi is not affiliated with Apple or Siri in anyway.RECENT CHANGES:4/22:Fixed random crash due to ads3/07:Fixed crash bug on navigate and call2/14:Fixed sound settings problemsFaster startupCrash bug1/04:Fixed no location errorsFixed startup crashes12/07:Fix startup crash for certain users11/30:Fixed crash bug when getting Sms11/27:Speed ImprovementsBug fixes11/05:Fixed bugs for reading SMSLower battery use10/31:Smaller download sizeSpeed and stability improvements10/16:Better texting supportBug fixes10/12:Tablet supportBug fixes09/28:Bug fixesFix voice data not available to some users09/18:Fixed voice reply sometimes not working09/13:Fixed crash bugsFixed manual sms replyFixed screen flicker09/11:Nicer UI!Bug FixesCool Car modes!09/04:Mic problems fixed for more peopleSMS sent smootherCrash bugs09/03:Fixed mic problems!08/31:Get the New SkyviPunctuation!Faster and better07/19:Move app to SD cardForced close fixes06/22:Fixed Twitter crash bug06/16:Widgets!Improved navigation06/06:Skyvi remembers your friend's nicknames!06/01:Fixed facebook integration problem05/25:Fixed phantom texts for Verizon customersFixed bug in navigation05/17:Plays music! :-)Keywords: chat, speak, talk, talking, voice, speaking, speech, assistant, concierge", "devmail": "developer@bluetornadosf.com", "devprivacyurl": "http://skyviapp.com/terms&sa=D&usg=AFQjCNGcKJWVh-nfRZtLls6ZUk5PULsFGg", "devurl": "http://www.SkyviApp.com&sa=D&usg=AFQjCNGAHzxEkQ8ZnkPe7RX6hHDPR5D91g", "id": "com.bluetornadosf.smartypants", "install": "5,000,000 - 10,000,000", "moreFromDev": ["com.bluetornadosf.joyride"], "name": "Skyvi (Siri for Android)", "price": 0.0, "rating": [[" 5 ", 181101], [" 4 ", 44542], [" 2 ", 3639], [" 3 ", 13875], [" 1 ", 7419]], "reviews": [["1 of my top 3", " Next to Assistant and 3D Assistant. This app seems to work get w txt, separches. I can get that as Android default. Assistant will verbally set up alarms for a \"hour from now\" or read ur agenda. "], ["Uhhhh?", " This is one confused app. When Testing I checked \"find places\" on the menu and said \"Verizon store\". The response was \"is something missing from your life, I can also read text messages\" Uninstslling "], ["Never a problem we get along great!!", " I love this lady!!! If only she would let me change her name lol "], ["Neat", " Strictly business, unlike Siri. Typically after each of it's responses, it'll either tell you to give it a five star review, or it'll advertise other apps. Really annoying, but I guess it works. It's basically Siri devoid of any fun or character. "], ["Best app EVER", " I don't usually rate apps they're just apps some are good some aren't. Then there is this one. It's FREAKING AMAZING!!!!! forget the rest ignore others get this app! "], ["Great", " She scared me a bit though. I said you're stupid to see what she would say. Then she said I'll try to remember that when robots take over the world "]], "screenCount": 6, "similar": ["com.smartwho.SmartFileManager", "com.speaktoit.assistant", "com.advancedprocessmanager", "com.dexetra.iris", "com.james.SmartTaskManagerLite", "com.electricsheep.asi", "com.netqin.mobileguard", "com.pannous.voice.actions.free", "andy2.xml", "com.tools.androidsystemcleaner", "com.james.SmartUninstaller", "com.rdr.widgets.core", "com.nuance.balerion", "com.bulletproof.voicerec", "com.james.SmartTaskManager", "org.withouthat.acalendar"], "size": "2.7M", "totalReviewers": 250576, "version": "2.180"}, {"appId": "com.microsoft.office.onenote", "category": "Productivity", "company": "Microsoft Corporation", "contentRating": "Low Maturity", "description": "Microsoft OneNote for Android phones is your digital notebook for capturing what's important in your personal and professional life. Jot down your ideas, add pictures, update your shopping list, and check your to-do's from this Microsoft Office app. Whether you're at home, in the office or on the go, your notes travel with you. They are automatically saved and synced in the cloud, so you always have the latest on all your devices. Share notes with friends and colleagues. Plan vacations, share meeting minutes or lecture notes with people around you. *IMPORTANT: Upgrading users should sync their existing application data before upgrading*KEY FEATURES: * Updated navigation makes it easier to view and find your notes* Improved note formatting and consistency across your devices* Ink annotations and rich text formatting now viewable* Most recently used notebook lists sync across devices* Automatically sync your notes to SkyDrive Pro* Home screen widgets to help you quickly capture photo, audio and other quick notesRequirements: * Requires Android OS 4.0 or later. Compatible with Android phones only* A free Microsoft account is required to use OneNote for Android phones * To sync your notes to SkyDrive Pro, sign in with your organization's Office 365 or SharePoint account.* OneNote for Android phones opens existing notebooks created in Microsoft OneNote 2010 format or laterNow available for free for a limited timeKeywords:Note, Notes, Note taking, List, Lists, Organizer, Todo, SharePoint, Notebook, Task, Office, SkyDrive, Office 365", "devmail": "N.A.", "devprivacyurl": "http://o15.officeredir.microsoft.com/r/rlidOMPrivacyPolicy", "devurl": "http://www.office.com/onenote&sa=D&usg=AFQjCNEAc86HJ4aBXaf_mGKskvoWU9ahvA", "id": "com.microsoft.office.onenote", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.microsoft.rdc.android", "com.microsoft.xboxmusic", "com.microsoft.onx.app", "com.microsoft.xboxone.smartglass", "com.microsoft.skydrive", "com.microsoft.office.lync15", "com.microsoft.xle", "com.microsoft.office.lync", "com.microsoft.Kinectimals", "com.microsoft.switchtowp8", "com.microsoft.wordament", "com.microsoft.office.officehub", "com.microsoft.bing", "com.microsoft.tag.app.reader", "com.microsoft.smartglass"], "name": "OneNote", "price": 0.0, "rating": [[" 2 ", 905], [" 4 ", 1790], [" 5 ", 4084], [" 3 ", 1412], [" 1 ", 1999]], "reviews": [["Great Job OneNote Team!", " This is an awesome app. The note formating fidelity across devices (although not perfect) is better than any other app on the market. This app has a lot of potential the reason for only 4 stars is that still a couple of quality features that could be added. With that being said I plan on giving loads of feedback to help this app reach it full potential. I hope OneNote team is responsive :-) "], ["Memory hungry", " The app uses so much device memory that I need to uninstall until it is capable of being moved to USB storage. I store most of my notes in tables using my PC but cannot create or amend the layout of a table from the app. Please add this feature. "], ["Bluetooth keyboard support! How to create notebooks?", " Latest update fixed the lack of bluetooth keyboard support making this an excellent alternative to Evernote and SpringPad! However, I still cannot figure out how to create a new notebook, strange. Also, formatting options could be a little more upfront, rather than hidden behind a menu. If possible (won't hold you against it if not, as it'd be a system limitation), can you add ctrl-B/I/U for formatting from a bluetooth keyboard? "], ["Non standard", " Good categorisation (but no tags). Editor is non-standard and doesn't support the same features (select all?); on-screen keyboards like Swype with clipboard shortcuts don't work with those shortcuts. Wants to sync only when starting the app. (Edit: clarified keyboard comment; New version doesn't change substance of review). "], ["Note 3 Pen wont work", " I have this on my Surface and the program kicks butt. However, this android app. does not allow the pen to work on my note3. If the pen worked on the note3, this would be a 5 star rating. "], ["Great, but...", " I have used onenote for as long as I can remember. Isync it with my cell phone, computers, and Ipad for school assignments. I like the fact that I can have a notebook for each subject and add tabs, and then pages with in the tabs. So I am able to sort it by subject, week, assignments, notes, you name it. Now, I gave it a but.... because I just got a samsung galaxy and am not able to add tabs in the notes. There is not much editing I can do as far as adding pages inside a notebook. I would need a notenook for everyweek and that is clutter to me. Other than that, one note is great for organization. "]], "screenCount": 5, "similar": ["com.ninetyfiveapps.wordshortcuts", "com.khymaera.android.listnotefree", "com.google.android.apps.docs", "com.cerradotecnologia.atalhosmicrosoft", "info.lolfind.keys.office", "com.adobe.reader", "mobisle.mobisleNotesADC", "com.evernote", "com.socialnmobile.dictapps.notepad.color.note", "ru.andrey.notepad", "com.andromo.dev48963.app52331", "my.handrite", "com.basiliapps.tasks", "my.handrite.prem", "com.xbox.kinectstarwars", "com.repaircomputermontreal.microsoftprojecttutorials", "com.halo.companion"], "size": "20M", "totalReviewers": 10190, "version": "15.0.2020.2302"}, {"appId": "mobi.infolife.uninstaller", "category": "Productivity", "company": "INFOLIFE LLC", "contentRating": "Everyone", "description": "Easy & Fast & Handy uninstall tool for android, remove apps by several taps. Clean up storage and free up more spaces.\u00e2\u2013\u00a0 Feature-----------------------------\u00e2\u20ac\u00a2 App remove\u00e2\u20ac\u00a2 Batch uninstall\u00e2\u20ac\u00a2 Fast uninstall by one click\u00e2\u20ac\u00a2 List all installed apps\u00e2\u20ac\u00a2 Show app name,version,update time,size\u00e2\u20ac\u00a2 Search app by name\u00e2\u20ac\u00a2 Various sort mode\u00e2\u20ac\u00a2 App share\u00e2\u20ac\u00a2 Launch app\u00e2\u20ac\u00a2 Cached app list\u00e2\u20ac\u00a2 Search in Google Market\u00e2\u20ac\u00a2 Support Android 1.6-4.x\u00e2\u20ac\u00a2 Support App2SD\u00e2\u20ac\u00a2 Uninstall History (Recycle Bin)\u00e2\u20ac\u00a2 Uninstall Reminder\u00e2\u2013\u00a0 User Reviews-----------------------------\"Great app Easy to use, uninstalls completely and quickly. Highly recommend.\" -- by Linnea Clayton\"Does what it says. This is a nice and simple app that does exactly what it says, and does it well. It is especially useful for those like me who often install many apps to see what one works best me. Being able to mass remove apps saves a good deal of time.\" -- by Shawn Koniche\"Perfect! This is the best uninstaller,just right since my application manager always hang..two thumbs up for the developer.thank you so very much.keep up the good work..\" -- by genalyn dumagsa\"Best app ive ever used for removing programs it works very quickly the developers did a great job making it. I h8ghoy recommend this app. Good job on the app you guys.\" -- by Andrew Rodriguez\"App works flawlessly and is so easy to use I think my mother could handle it!\tThis is one app that really lives up to its advertising. This makes it almost too easy to remove an app I don't want to keep, a must for any body's tool box.\" -- by Dan DeBurger\u00e2\u2013\u00a0 Description-----------------------------Easy Uninstaller is a tool to uninstall apps for android phones. It is quite easy to use, you can select multiple apps that you want to uninstall, and click \"Uninstall Selected Apps\" button to uninstall them. Easy Uninstaller also supports app search & sort. Type keyword in the textbox on the top to search the app that you want to uninstall. Click \"Menu\"->\"Sort\" to sort the apps in many sort types. Long press specified app, a context menu will pop up and provide more options. You can view app details by clicking \"Application Details\". You can share apps by clicking \"Share\", and you can search the app in the Google market by clicking \"Search in Google Market\".Easy Uninstaller cannot uninstall pre-loaded or pre-installed apps in the system because it is limited by the system mechanism.\u00e2\u2013\u00a0 FAQ-----------------------------Q: How to uninstall android app?Check the apps that you want to uninstall, then tap the uninstall button.Q: Why can't it list pre-loaded apps?A: Pre-loaded apps cannot be uninstalled, only if your phone is rooted, you can search \"root uninstall\" in Google market.Q: Why are some apps not on the list?A: Try to click \"Menu\"->\"Refresh\" to clean the cache and re-load the app list.Q: Why can't I close the app?A: The notification bar icon is used for quick start of the app. If you don't want the notification bar icon shown after you exit the app, you can just disable it in the settings. Click \"Menu\"->\"Setting\", uncheck the \"Notification Bar Icon\" checkbox.#KWapp uninstaller, app remover, batch uninstall, app manager", "devmail": "support@infolife.mobi", "devprivacyurl": "http://www.infolife.mobi/privacy.html&sa=D&usg=AFQjCNH829UBoMNrkHMfbhhSd4fuul4aWQ", "devurl": "http://infolife.mobi/&sa=D&usg=AFQjCNFRj489yTffFx5_MtsoWPytKcvxvA", "id": "mobi.infolife.uninstaller", "install": "5,000,000 - 10,000,000", "moreFromDev": ["mobi.infolife.gamebooster", "mobi.infolife.app2sd", "mobi.infolife.cache", "mobi.infolife.appbackup", "mobi.infolife.percentage", "mobi.infolife.eraser", "mobi.infolife.batterysaver", "mobi.infolife.installer", "mobi.infolife.launcher2", "mobi.infolife.itip", "mobi.infolife.uninstallerpro", "mobi.infolife.eraserpro", "mobi.infolife.taskmanagerpro", "mobi.infolife.itag", "mobi.infolife.cwwidget", "mobi.infolife.taskmanager", "mobi.infolife.smsbackup"], "name": "Easy Uninstaller App Uninstall", "price": 0.0, "rating": [[" 2 ", 452], [" 4 ", 7725], [" 5 ", 43878], [" 1 ", 1095], [" 3 ", 2010]], "reviews": [["Doesn't uninstall pre-installed apps!", " I was hoping that this would allow me to uninstall a load of the pre-installed apps that I would never use on my HTC Desire HD - but it doesn't :-( In fact I could only see one app that I would never use in Easy Uninstaller's list - and that was Twitter. And even then, it just uninstalled the updates, which is worse than leaving it as it was! So I will be uninstalling Easy Uninstaller immediately, as it is worse than useless for my needs. "], ["Simple yet immensely useful", " This app is the anti-dote to my i-need-this-app-right-now-but-will-never-use-it-again problem. It lets me cleanup the messy app collection that I have. Exactly as promised. However, I have a gripe. When i uninstall 15 - 20 apps, I have to tap Ok on the Uninstall Confirmation dialog 15 - 20 times, which is a bit annoying. If the devs can implement a background uninstall/do not show me this dialog (if that's even a thing) it will be perfect! "], ["Does what it says.", " This is a nice and simple app that does exactly what it says, and does it well. It is especially useful for those like me who often install many apps to see what one works best me. Being able to mass remove apps saves a good deal of time. "], ["Great app!", " This is awesome it is a great way to get rid of unwanted junk "], ["Great app", " Easy to use, uninstalls completely and quickly. Highly recommend. "], ["It's a little beauty.", " It works as expected, couldn't be better. "]], "screenCount": 21, "similar": ["com.rootuninstaller.free", "com.et.easy.download", "name.dohkoos.rootuninstaller", "com.baloota.dumpster", "com.potatotree.finaluninstaller", "com.androidlord.cacheclear", "zsj.android.uninstall", "com.bright.uninstaller", "com.bazinga.cacheclean", "com.gau.go.launcherex.gowidget.taskmanagerex", "com.avg.uninstaller", "com.inturi.net.android.TimberAndLumberCalc", "com.droidware.uninstallmaster", "bazinga.uninstaller", "com.rhythm.hexise.uninst"], "size": "Varies with device", "totalReviewers": 55160, "version": "Varies with device"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json new file mode 100644 index 0000000..9abef13 --- /dev/null +++ b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaeaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.careerbuilder.SugarDrone", "category": "Productivity", "company": "CareerBuilder.com", "contentRating": "Low Maturity", "description": "Search the US's largest online job site on the go with CareerBuilder's Jobs app. It's powerful, easy to use, and completely free. Features include:-\tSearch for jobs with advanced search options-\tUse your current location to find jobs near you-\tApply to jobs with your CareerBuilder account- Register an account from within the app- Login with your Facebook account- Have a resume saved on your phone or Dropbox account? Upload it from within the app- See data about who else has applied to jobs with Job Competition reports from the Applied Jobs view- Share jobs with your friends via text message, email and Facebook- Keep up to date with the status of your job applications by taking a short survey-\tSave jobs to review later-\tReceive personal job recommendations-\tGet a list of jobs similar to any job you like-\tApply to jobs without being logged in or registered with CareerBuilder- Attach resume file from your phone for applying-\tAutomatically syncs your resumes, cover letters, saved jobs, and jobs you have applied to with your CareerBuilder account- Support for in-app screening questions", "devmail": "android@careerbuilder.com", "devprivacyurl": "http://www.careerbuilder.com/jobseeker/info/privacy.aspx&sa=D&usg=AFQjCNHIRphJf9Hov574AWpb4IgWrkhyCg", "devurl": "http://www.careerbuilder.com&sa=D&usg=AFQjCNF-dNS5XKtWZrIrVwTgTBaaMmE2iA", "id": "com.careerbuilder.SugarDrone", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "Jobs", "price": 0.0, "rating": [[" 5 ", 1405], [" 1 ", 401], [" 3 ", 284], [" 4 ", 458], [" 2 ", 157]], "reviews": [["I sent my resume and got the job.", " I applied to school bus driver position for first student in troy, mi without my cdl. They called me, I went in for a two day class. I passed my 4 cdl tests at sos and passed my dot physical and drug test now I have a good paying job driving for troy public schools which is ten mins away from where I live "], ["Great", " I did 50 mobile apps in 8 days I've gotten three call backs and accepted 2 jobs "], ["This app makes the job search more convenient. That's what I wanted so I ...", " This app makes the job search more convenient. That's what I wanted so I give it 5 stars. "], ["Amazing app", " Since update it now has it all thank u devs. "], ["Great app!", " Had quite a few call backs. "], ["Adding Dropbox did it!", " Along with applying from the app and other recent features, this app is now near perfect. "]], "screenCount": 13, "similar": ["com.careerigniter.app", "vn.careerbuilder.app", "com.monsterindia.seeker.views", "com.progressusmedia.jobsplus", "com.monster.android.Views", "com.govt.job.alert", "com.resume.maker.free.ads", "com.proven.jobsearch", "com.careerjet.android", "com.glassdoor.app", "com.simplyhired.simplyandroid", "naukriApp.appModules.login", "com.linkup.JobSearchEngine", "com.indeed.android.jobsearch", "com.snagajob.jobseeker", "com.jnsapps.workshiftcalendar"], "size": "1.9M", "totalReviewers": 2705, "version": "2.7.1"}, {"appId": "org.withouthat.acalendar", "category": "Productivity", "company": "Tapir Apps UG (haftungsbeschr\u00c3\u00a4nkt)", "contentRating": "Everyone", "description": "aCalendar - makes your day, week and month!FEATURES\u00e2\u2014\ufffd intuitive navigation with smooth transitions\u00e2\u2014\ufffd day, week & month calendar\u00e2\u2014\ufffd 48 colors per calendar, per-event color if supported by the calendar (Android 4.1+ with Google calendars only)\u00e2\u2014\ufffd flexible recurrences (e.g., every 3 weeks)\u00e2\u2014\ufffd birthdays & anniversaries with photos from your addressbook and editing\u00e2\u2014\ufffd Fullscreen widgets\u00e2\u2014\ufffd custom event font size\u00e2\u2014\ufffd uses Android's native calendar backend and synchronization\u00e2\u2014\ufffd no battery drain\u00e2\u2014\ufffd moon phases and zodiac signs for birthdays\u00e2\u2014\ufffd QR barcode sharing of events\u00e2\u2014\ufffd NFC sharing (if supported by the device) NEW\u00e2\u2014\ufffd free\u00e2\u2014\ufffd no adsEXTRA FEATURES only in aCalendar+\u00e2\u2014\ufffd Agenda view\u00e2\u2014\ufffd Public holidays (AT,AU,BE,CA,CH,CZ,DE,DK,ES,FI,FR,IT,JP,NL,NO,RU,SE,UK,US)\u00e2\u2014\ufffd Text and file sharing\u00e2\u2014\ufffd Privacy and availibility settings\u00e2\u2014\ufffd Create new local calendars (Android 4 only)\u00e2\u2014\ufffd Manage attendees and invitations\u00e2\u2014\ufffd Drag'n'Drop (Android 4 only)\u00e2\u2014\ufffd Samsung S Pen / Stylus Support (AirView & Navigation, no painting!)\u00e2\u2014\ufffd SMS and Email reminders for Google Calendar (Android 4 only)\u00e2\u2014\ufffd many more features planned\u00e2\u2014\ufffd Helps protect the habitat of the endangered Mountain TapirUSAGE\u00e2\u2014\ufffd move forward and backward by swiping vertically or volume rocker\u00e2\u2014\ufffd switch between calendar views with a horizontal swipe (opens the day or week you start the swipe gesture on) or double-tap for day view\u00e2\u2014\ufffd tap to open event\u00e2\u2014\ufffd long-press to add new event\u00e2\u2014\ufffd long-press on mini-month to go to today or jump to date\u00e2\u2014\ufffd tap on photo to open quick contact menu\u00e2\u2014\ufffd 3-finger-tap to go to todayTRANSLATIONSnative language support for English, Arabic, Czech, Danish, Dutch, German, Greek, Spanish, Finnish, French, Hebrew, Italian, Japanese, Korean, Polish, Portuguese, Russian, Slovak, Swedish, Turkish and Chinese with more to come - contact me if there is a bad translation or you'd like your language added!PERMISSIONSaCalendar only asks for mandatory permissions for its functionality: Read and write contact data for birthdays as well as read and write calendar data for events. 'Send Email to guests' is bound to 'write calendar data' by Google. NFC is for sharing events by touching another NFC-enabled phone, and requires manual confirmation.APP2SDUnfortunately app2SD cannot be supported, because homescreen widgets do not work from SD. This is an Android limitation. But aCalendar is optimized not only for speed but also for size.LOVE\u00e2\u2122\u00a5 If you like aCalendar, please rate or comment and recommend it to your friends. Also now available is aCalendar+ for some extra features \u00e2\u2122\u00a5BETAaCalendar is still beta software. If you find a bug please send an email to support@tapirapps.de and we'll try to fix it.ROADMAPThere are many more features planned, most notably\u00e2\u2014\ufffd more calendar widgets\u00e2\u2014\ufffd there are several more (current and planned) features in aCalendar+KEYWORDSCalendar, Kalender, Agenda, Kalend\u00c3\u00a1\u00c5\u2122, Calendrier, \u00ce\u2014\u00ce\u00bc\u00ce\u00b5\u00cf\ufffd\u00ce\u00bf\u00ce\u00bb\u00cf\u0152\u00ce\u00b3\u00ce\u00b9\u00ce\u00bf, \u00e3\u201a\u00ab\u00e3\u0192\u00ac\u00e3\u0192\u00b3\u00e3\u0192\u20ac\u00e3\u0192\u00bc, \u00ec\u00ba\u02dc\u00eb\u00a6\u00b0\u00eb\ufffd\u201d, \u00e6\u2014\u00a5\u00e5\u017d\u2020, \u00d8\u00aa\u00d9\u201a\u00d9\u02c6\u00d9\u0160\u00d9\u2026 ,\u00d7\u2122\u00d7\u2022\u00d7\u017e\u00d7\u0178, \u00e0\u00a4\u2022\u00e0\u00a5\u02c6\u00e0\u00a4\u00b2\u00e0\u00a5\u2021\u00e0\u00a4\u201a\u00e0\u00a4\u00a1\u00e0\u00a4\u00b0, Kalenteri, Takvim, Kalendar, Calender, Kalendarz, Napt\u00c3\u00a1r, \u00d0\u00ba\u00d0\u00b0\u00d0\u00bb\u00d0\u00b5\u00d0\u00bd\u00d0\u00b4\u00d0\u00b0\u00d1\u20ac\u00d1\u0152, Kalendorius, Birthday, AnniversaryFREEaCalendar is free and will stay free and ad-free. No features will be taken away, but some advanced calendar features might only come to aCalendar+.", "devmail": "support@tapirapps.de", "devprivacyurl": "N.A.", "devurl": "http://www.tapirapps.de&sa=D&usg=AFQjCNHpOz58ZaPp7bH1tEdKH-2VylEWWA", "id": "org.withouthat.acalendar", "install": "5,000,000 - 10,000,000", "moreFromDev": ["org.withouthat.acalendarplus"], "name": "aCalendar - Android Calendar", "price": 0.0, "rating": [[" 5 ", 15386], [" 2 ", 394], [" 1 ", 591], [" 4 ", 4786], [" 3 ", 1210]], "reviews": [["Wonderful", " Oh how I love thee Calendar, let me count the days ;-) Great app, very useful. Its my personal reminder, planner, organizer...... "], ["Getting better", " Update from last year's (2012) review. Now 5 stars. Heaps of improvement. Now it syncs with my Goggle calendar and across my other devices. The best calendar there is in the Android world. And, free at that. Works great. Thanks devs for listening to suggestions. (RMB-CDO PHL) "], ["Awesome", " Much better than my Android calendar! Would be 5 stars if. I could setup a couple of reoccurring reminders ! Thanks "], ["One of the Best", " An excellent calender app. Provides more and better functionality than other apps. "], ["Great App Great Flexibility", " Has a lot of features and options the other calendar apps don't have. "], ["Easy, colorful and intuitive.", " Could benefit from some ad ded sound options. "]], "screenCount": 6, "similar": ["com.digibites.calendar", "com.google.android.calendar", "com.kfactormedia.mycalendarmobile", "com.timleg.egoTimerLight", "com.josegd.monthcalwidget", "com.calone.free", "com.gau.go.launcherex.gowidget.calendarwidget", "netgenius.bizcal", "sk.mildev84.agendareminder", "jp.ne.gate.calpad", "jp.co.johospace.jorte", "com.anod.calendar", "uk.co.olilan.touchcalendar", "com.itbenefit.android.calendar", "mikado.bizcalpro", "com.dvircn.easy.calendar"], "size": "945k", "totalReviewers": 22367, "version": "0.15.5"}, {"appId": "com.popularapp.fakecall", "category": "Productivity", "company": "ABISHKKING", "contentRating": "Everyone", "description": "Fake Caller ID and Fake Message Free in Android Market!Fake SMS/Text function was added!!You can send fake sms/ text messages to yourself, or can make a fake sms/ text messages from other person.The most professional and beautiful fake caller id and SMS/text application in Android Market! Get out the trouble, give yourself a fake-call id or sms (text messages) !Simulate a fake caller id to rescue yourself from an awkward situation, like boring meeting, annoying conversation, meaningless interview...The fake-call id won't charge you any fee, it is totally FREE.Features:- The name changed to \"Call Assistant\" when you installed fake call/sms (text messages) in you phone;- Simulate Fake calling screen as real as your different phone: Samsung UI, Sony Erisson, HTC Sense,ICS, etc- Customize fake caller id, picture, number, in-call voice and ringtone for a new fake call ;- Schedule multi fake calls/sms (text messages) ;- Customize and manage the different in-call voice and ringtones for each fake call/sms (text messages) ;- Fake call/sms (text messages) quick set ;- Schedule a new fake call/sms (text messages) at a specific time;- Fake call/sms (text messages) logs- Fake now, past, even in the future;- Select fake caller id from your contacts;- Also showed in your fake call history;- Fake call/sms (text messages) ringtone ,vibration and fake call voice can be customized ;- Play Fake voice after fake call answered;- Share Fake caller id with your friends from Gmail, Messaging and Twitter;- 6 different Android system message icons to choose for fake your message;- 6 different Android system fake calling page to choose for your quick fake call;Description of permissions for Fake Call:1. Your messages;This permission can insert the fake SMS into your real SMS log;2. Your personal informationThis permission can make a fake call from your contacts, and also insert to real call log;3. Network communicationThis permission is for bluetooth earphone and networks;4. StorageThis permission can record and edit fake calling voices, which are stored in the SD card\u00ef\u00bc\u203a5. Hardware controlsThis permission is to set a fake call or a message vibration;6. Phone callsThis permission is for you can receive the real call during the fake calling;7. System toolsThis permission is to fulfill the fake call or message even after reboot the phone;Please be noted: All permissions are ONLY for better service, we never collect user information.", "devmail": "abishkking@gmail.com", "devprivacyurl": "N.A.", "devurl": "N.A.", "id": "com.popularapp.fakecall", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.popularapp.ringtone", "com.popularapp.periodcalendar"], "name": "Fake Call & SMS", "price": 0.0, "rating": [[" 3 ", 1135], [" 1 ", 609], [" 4 ", 4142], [" 2 ", 287], [" 5 ", 17446]], "reviews": [["One thing missing", " Program is great, but When you receive fake call, first you have to unlock the screen (my phone is SGS4 and I'm using pattern to unlock display ) and after than it's show the screen with buttons for take or reject the fake call. In normal conditions the pattern doesn't shows when you receive a real phone call. "], ["BEST APP IN CATEGORY.", " Best app reeall Smooth,easy,fast,simple & much more a must have great job guyz "], ["Really Useful", " I know that using this app either makes me a coward or deceitful, but its really saved me a lot of stress and at the end of the day I'd rather lie to someone than hurt their feelings by telling them that I have to go because they are so boring. "], ["Gud but one problem", " It is very fast and quick...and looks like real call...but new screen like of samsung galaxy grand should also be there....hope you update it "], ["A life saver!!", " This app does EXACTLY what it says it does and very well at that! The message function has helped get me out of MANY potentially sticky domestic arguements. Being able to place messages in my inbox that are timestamped in the past is a lifesaver! Honesty is usually the best route for a healthy relationship but it never hurts to use this app to avoid an arguement. If you think about it this app can potentially SAVE your relationship! 5 stars and for a free app you can't get much better! "], ["The best", " Meh nd my friend both luv rayray from mb nd I used this app tew trick ha into believing I wuz Realli tlkin tew rayray she wuz so jelous "]], "screenCount": 8, "similar": ["com.globaleffect.callrecord", "com.deepsa.apps.thecallfaker", "com.agilestorm.fakecall.free", "com.jb.gosms.plugin.gochat", "com.mtrackerkn4", "jp.naver.line.android", "com.jb.gosms", "com.ani.apps.sms.messages.collection", "com.p1.chompsms", "com.ninja.sms", "com.texty.sms", "net.everythingandroid.smspopup", "com.mightytext.tablet", "com.peoplegap.callannouncer", "com.handcent.nextsms", "com.skype.raider"], "size": "3.3M", "totalReviewers": 23619, "version": "2.31"}, {"appId": "com.microsoft.office.officehub", "category": "Productivity", "company": "Microsoft Corporation", "contentRating": "Low Maturity", "description": "Please note: Office Mobile requires a qualifying Office 365 subscription. (See requirements below).Microsoft Office Mobile is the official Office companion optimized for your Android phone. You can access, view and edit your Microsoft Word, Microsoft Excel and Microsoft PowerPoint documents from virtually anywhere. Documents look like the originals, thanks to support for charts, animations, SmartArt graphics and shapes. When you make quick edits or add comments to a document, the formatting and content remain intact.KEY FEATURES: Access documents from virtually anywhere: * Cloud \u00e2\u20ac\u201c With your phone, you can access Office documents that are stored on SkyDrive, SkyDrive Pro, or SharePoint.*** Recent Documents \u00e2\u20ac\u201c Office Mobile is cloud-connected. The documents you\u00e2\u20ac\u2122ve recently viewed on your computer are readily available on your phone in the recent documents panel. * Email Attachments \u00e2\u20ac\u201c You can view and edit Office documents attached to email messages. Office documents look stunning: * Great-Looking Documents - Word, Excel and PowerPoint documents look great on your phone, thanks to support for charts, animations, SmartArt Graphics, and shapes.* Optimized for phone - Word, Excel and PowerPoint have been optimized for the small screen of your phone. * Resume Reading - When opening a Word document from SkyDrive or SkyDrive Pro on your phone, it automatically resumes at the place where you left off reading, even if you last viewed the document on your PC or tablet.* Presentation Views - The Slide Navigator view in PowerPoint lets you browse slides faster, while speaker notes help you practice your presentation.Make quick edits and share: * Documents Remain Intact - Formatting and content remain intact when you edit Word, Excel, or PowerPoint documents on your phone.* Create \u00e2\u20ac\u201c You can create new Word and Excel documents on your phone.* Comments - You can review comments that have been made in Word and Excel documents on your phone and add your own comments.Requirements: * A qualifying Office 365 subscription is required to use this app. Qualifying plans include: Office 365 Home Premium, Office 365 Small Business Premium, Office 365 Midsize Business, Office 365 Enterprise E3 and E4 (Enterprise and Government), Office 365 Education A3 and A4, Office 365 ProPlus, Office 365 University, and Office 365 trial subscriptionsNOTE: If you don\u00e2\u20ac\u2122t have an Office 365 subscription, \u00e2\u20ac\u00afyou can buy Office 365 Home Premium from http://www.office.com. With Office 365 Home Premium, you also get the latest version of Office for up to 5 PCs, Macs, and Windows tablets - and an additional 20 GB of SkyDrive cloud storage and Skype world minutes***.* Requires a phone running Android OS 4.0 or later. * Microsoft Office 2013 on a PC is needed for features like recent documents and resume reading.**Office 365 account and setup necessary. Data connection required. Storage limits and carrier fees apply.***SkyDrive storage and Skype world minutes are not available in all markets.For more information, please visit http://www.office.com/mobile Keywords:Word, Excel, PowerPoint, Office, Microsoft Office, Office Mobile, spreadsheet, presentation, Office 365", "devmail": "N.A.", "devprivacyurl": "http://o15.officeredir.microsoft.com/r/rlidOMPrivacyPolicy", "devurl": "http://www.office.com/mobile&sa=D&usg=AFQjCNFLl9orY3KgdZiYCXglobK0usR9ng", "id": "com.microsoft.office.officehub", "install": "500,000 - 1,000,000", "moreFromDev": ["com.microsoft.office.onenote", "com.microsoft.rdc.android", "com.microsoft.xboxmusic", "com.microsoft.onx.app", "com.microsoft.xboxone.smartglass", "com.microsoft.skydrive", "com.microsoft.xle", "com.microsoft.office.lync15", "com.microsoft.Kinectimals", "com.microsoft.switchtowp8", "com.microsoft.wordament", "com.microsoft.office.lync", "com.microsoft.bing", "com.microsoft.tag.app.reader", "com.microsoft.smartglass"], "name": "Office Mobile for Office 365", "price": 0.0, "rating": [[" 1 ", 1038], [" 3 ", 301], [" 4 ", 432], [" 2 ", 212], [" 5 ", 1896]], "reviews": [["Won't work on Samsung Galaxy Tablet 10.1", " The only way I could write this review was to install in on my Samsung phone which I will never use with this app. This is just like Microsoft, put out a new product that won't run on one of the most common tablets out there! "], ["poor support for students", " I cannot sign in because the email I used to verify being a student doesn't allow me to sign in. I would really like to start using it though! So far no one has been able to help me. "], ["No Nexus 7 support?", " Well, can't speak for other tablets, but it can't be installed on either my first or second-gen 7s. No support for some of the most popular tablets on the market? That really reduces my use. "], ["Same as on Windows Phone", " Sadly creating PowerPoints on a phone is not a reality yet, however you can still view them. Although you can make Word/Exel documents. This does require a 365 account "], ["Does not work on galaxy note 2", " I am so disappointed that it will not work on my phone. I have signed in multiple times, and it just cycles back to the first screen each time. Big thumbs down: ( "], ["Could be so much better", " On Galaxy Note 2: The excel is decent. Word side is awful. Please fix the default view for legibility relative to a screen size or provide pinch-zoom functionality. Also, it can't edit .doc/.dot. WTF use is that? "]], "screenCount": 6, "similar": ["com.google.android.apps.docs", "cn.wps.moffice_eng", "info.lolfind.keys.office", "com.tf.thinkdroid.amlite", "com.adobe.reader", "com.cj.an0002", "cn.wps.moffice_i18n", "com.picsel.tgv.app.smartoffice", "com.andromo.dev48963.app52331", "com.mobisystems.editor.office_registered", "com.mobisystems.office", "com.halo.companion", "com.cerradotecnologia.atalhosmicrosoft", "com.xbox.kinectstarwars", "com.repaircomputermontreal.microsoftprojecttutorials", "com.infraware.polarisoffice.entbiz.gd", "com.olivephone.edit"], "size": "27M", "totalReviewers": 3879, "version": "15.0.1924.2000"}, {"appId": "com.evernote.widget", "category": "Productivity", "company": "Evernote Corporation", "contentRating": "Low Maturity", "description": "**The latest version of Evernote is required in order to use the Evernote Widget app**The Evernote Widget lets you go directly to core Evernote features right from your home screen.3 widget options:- List widget (Android 3.0+): Provides a scrollable list and display reminders. - Large widget: Same as the small widget, plus snippets of recently viewed notes.- Small widget: Create new text, snapshot and audio notes, and jump to the search screen.How to install:Once you install this app, tap and hold on the home screen, then select your preferred widget from the popup.The story behind this widget:We want every users to have the best Evernote experience possible. Unfortunately, if Evernote is installed on the SD card, then the widgets that comes with the app are unavailable. Thanks to this Evernote Widget application, anyone can take advantage of this time saving feature regardless of where Evernote is installed.Learn more about the widget: http://evernote.com/evernote/guide/android/#8", "devmail": "N.A.", "devprivacyurl": "http://www.evernote.com/about/privacy/&sa=D&usg=AFQjCNFI-T_OYY7lxlectCrsW5VBzl0y3g", "devurl": "http://www.evernote.com/&sa=D&usg=AFQjCNFUAXCwp1d7XjZIzmApzsaKJVONUQ", "id": "com.evernote.widget", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.evernote.food", "com.evernote.hello", "com.evernote.skitch", "com.evernote"], "name": "Evernote Widget", "price": 0.0, "rating": [[" 2 ", 290], [" 3 ", 744], [" 5 ", 8393], [" 4 ", 2103], [" 1 ", 903]], "reviews": [["Widget needs one more option", " I would like the ability to have a 1x1 Widget that acts as a folder, that I can \"tap,\" opens up to the different options, and \"tap\" which I want to use. "], ["The best.", " Evernote is a great app. This addition makes it the best. I have it on my phone screen for easy access to adding any type of note. "], ["Best Note syncing app for all Mac's, iPad & Android Galaxy.", " If you are 100% Apple integrated & you need the best note sync (actually better than iOS 7 notes app) - with alerts, seamless syncing and so many features - It took some time but I love my Galaxy Note 3 better now. Evernote will help you transition & synchronize. *Con - You are unable to copy, drop and paste pictures into a Mac Note. Please update this. "], ["Brought back the old widget", " Thanks guys that's all I needed. Great widget "], ["STOPPED WORKING", " Am not sure if it is The Evernote App, or it's widget, but either way I recommend skipping updates if you have an older device & would like the widget to display something more useful than a white square. "], ["Works great, suggestion for next release", " Update: Scaling fixed. This now rocks again. ....... I'm on the LG G2. My home screens are 5 icons wide instead of the normal 4. The old widget style allowed me to stretch the widget to 5 places. New list widget does not. Would look a lot nice of this was possible. "]], "screenCount": 7, "similar": ["tm.app.worldClock", "com.digibites.calendar", "com.anod.calendar", "com.gau.go.launcherex.gowidget.clockwidget", "com.gau.go.launcherex.gowidget.notewidget", "com.josegd.monthcalwidget", "com.geekyouup.android.widgets.battery", "com.gau.go.launcherex.gowidget.calendarwidget", "com.socialnmobile.dictapps.notepad.color.note", "com.gtp.nextlauncher.widget.switcher", "com.dianxinos.dxbs", "com.alarmspider.organizer", "com.studiohitori.everwebclipper", "com.gtp.nextlauncher.widget.contact", "com.rdr.widgets.core", "com.gau.go.launcherex.gowidget.gopowermaster"], "size": "1.3M", "totalReviewers": 12433, "version": "3.1.1"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaeab.json_merged.json b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaeab.json_merged.json new file mode 100644 index 0000000..f049743 --- /dev/null +++ b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtaeab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.phoneapps99.unblockyoutube", "category": "Productivity", "company": "Sana", "contentRating": "Low Maturity", "description": "You must first install our application \"Droid - Proxy\" in order to use \"Unblock Youtube\"You can install Droid proxy from google play https://play.google.com/store/apps/details?id=com.phoneapps99.aabiproxyThis is a free application which uses tor network to unblock Youtube.If you have any problem in configuring/running this app, you can email at sanaandroid@gmail.comIf you dont install Droid Proxy, Unblock youtube will automatically take you to the google play location of the app, you can install Droid Proxy from there as well.After you configure Droid Proxy you can Unblock YoutubeDroid Unblock Youtube works in almost all countries including USA, Europe, UK, France, Italy, Africa, India, Pakistan, Saudi Arabia, UAE, Iran, ChinaSpecially for countries where Youtube is blocked, like Saudi Arabia Unblock Youtube and Pakistan Unblock YouTube.Unblock YouTube uses tor networkBest part of tor network is that its really fastTagsUnblock Youtube, Open YouTube, Free Youtube Proxy, Free Youtube VPN, Open Youtube Pakistan, Unban Youtube, Unblock Youtube, Youtube Unblocker, Youtube Unblock in Pakistan, Unblock You tube in Pakistan, VPN for youtube", "devmail": "sanaandroid@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://phoneapps99.com&sa=D&usg=AFQjCNF679ithPoGu0wjYa_RkomFsNSbnA", "id": "com.phoneapps99.unblockyoutube", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.phoneapps99.touchBalance", "com.phoneapps99.freesmspakistan", "com.phoneapps99.ramzanwallpapers", "com.phoneapps99.freesmsindia", "com.phoneapps99.aabiproxy", "com.phoneapps99.prayerstiming", "com.phoneapps99.unblockfacebook", "com.phoneapps99.proxybrowser", "com.phoneapps99.bollywoodactresswallpapers", "com.phoneapps99.unblockyoutubepakistan", "com.phoneapps99.ramadantiming", "com.phoneapps99.ramadanwallpapers", "com.phoneapps99.ramzantiming", "com.phoneapps99.airpushadsdetector", "com.phoneapps99.pakistanelections2013"], "name": "Droid - Unblock Youtube", "price": 0.0, "rating": [[" 2 ", 54], [" 5 ", 1066], [" 3 ", 117], [" 4 ", 202], [" 1 ", 276]], "reviews": [["Just because.", " The top three reviews on here are so retardly fake that I just had to give this useless app one star to balance out the universe. "], ["Maybe", " I didn't even download the hole thing and it already looks good "], ["Cool", " Cool thanks for the best game I could ask for. "], ["It looking awesome but I've not use whole contents", " Awesome "], ["It sucks...", " I gave 3 stars despite my disappointment.... Oy for the appreciation that this app comes from my country ppl...good luck for the better products in future. "], ["good very nice", " Excellent "]], "screenCount": 3, "similar": ["com.vpnoneclick.android", "org.nyquil.youtubesleuthfree", "com.digitalportal.popupplayeryoutube", "mobi.mgeek.YoutubeSearch", "com.okythoos.android.turbodownloaderbeta", "com.et.easy.download", "com.manager.download.internet.idm.android.downloader.video.firefox.chrome.torrent.files.for.videos", "com.youtuberatingspreview", "com.androidstudioapps.unblock_youtube", "com.expressvpn.vpn", "it.tolelab.fvd", "com.danek.ps3youtubecontroller", "com.hb", "com.dv.adm", "com.lunarfang.blocker", "de.omoco.waketube", "com.hwkrbbt.downloadall"], "size": "982k", "totalReviewers": 1715, "version": "2.0"}, {"appId": "flashlight.led.clock", "category": "Productivity", "company": "Flashlight + Clock", "contentRating": "Everyone", "description": "Flashlight free app. It has beautiful combination of flashlight and clock. This is the brightest, simple and very useful camera led flashlight and clock app. Never be caught in the dark without a light again. FEATURES- Camera LED flashlight : Use camera LED as a light source.- Screen flashlight : Use screen as a light source. You can change colors and brightness. - Transparent flashlight : \u00e2\u20ac\u02dcCamera + flashlight\u00e2\u20ac\u2122 enables you to see even the dark and narrow space like under the furniture.- Digital clock : Watch the big digital clock while using phone as a flashlight.PERMISSIONS- Camera, Flashlight : Camera flash, LED light, Camera view- Internet, Access network state : AdsKEYWORDSflashlight, torch, brightest, LED, flash, best flashlight app, free flashlight, strobe, best flashlight, color flashlight, brightest flashlight, night, LED flashlight, light, clock, lantern, transparent flashlight, galaxy flashlight, flash, light, free led torch app, led torch, best led torch, color torchDEVICESSamsung Galaxy flashlight, Galaxy S flashlight, LG Optimus G flashlight, Optimus L flashlight, Google Nexus flashlight, Sharp aquos flashlight, HTC One flashlight, Sony Xperia flashlight", "devmail": "support@androidpub.com", "devprivacyurl": "N.A.", "devurl": "http://www.androidpub.com&sa=D&usg=AFQjCNFnlzoTV9g_fpvHI2VLy7RXtDCuMg", "id": "flashlight.led.clock", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "LED Flashlight & Clock", "price": 0.0, "rating": [[" 1 ", 320], [" 3 ", 827], [" 2 ", 178], [" 5 ", 18457], [" 4 ", 2415]], "reviews": [["Great on Galaxy S4", " Galaxy doesn't have a built in camera app like my htc inspire does. I just wanted a simple flashlight that has a dark screen. This one is great plus it uses the camera for the screen if you want. "], ["Needed a good light app with no problems", " This is working out really well for me easy to use . Works great. "], ["Awesome, useful app!", " This is an awesome multi-coloured wonder. This app cant be missed. Making the dark be lit by its amazing reds, yellows, blues, oranges, purples and pink this app is always handy to use! "], ["Flashlight app", " Really helps me find things in the dark. Also helps when my nieces want a flashlight. ^^ "], ["Good app", " This application is so nice they help u u wans thrown some thing and he going to hole but I like this application I will give them 5 starj "], ["Love it", " Love the camera feature helps alot for fixing a car at night when u are able to get ur phone down where ur working and cant see..awesome!!!!! wish my phone wasnt so big now lol "]], "screenCount": 6, "similar": ["tm.app.worldClock", "com.socialnmobile.hd.flashlight", "com.andronicus.torch", "com.zentertain.flashlight3", "com.surpax.ledflashlight.panel", "goldenshorestechnologies.brightestflashlight.free", "ch.smalltech.ledflashlight.free", "com.surpax.ledflashlight", "com.intellectualflame.ledflashlight.washer", "com.ihandysoft.ledflashlight.mini", "com.idmobile.flashlight", "org.dyndns.devesh.flashlight", "com.gau.go.launcherex.gowidget.clockwidget", "torcia.plus", "com.iphonease.ledflashlight.button", "com.devuni.flashlight"], "size": "524k", "totalReviewers": 22197, "version": "1.0.6"}, {"appId": "com.wunderkinder.wunderlistandroid", "category": "Productivity", "company": "6 Wunderkinder GmbH", "contentRating": "Everyone", "description": "Wunderlist is the easiest way to manage and share your daily to-do lists. Whether you\u00e2\u20ac\u2122re running your own business, planning an overseas adventure or sharing a shopping list with a loved one, Wunderlist is here to help you get things done. \u00e2\u20ac\u0153The beauty of Wunderlist lies in its simplicity. It easily syncs across all major computing platforms, and its interface is made up mostly of Tasks and Lists.\u00e2\u20ac\ufffd - CNET.Wunderlist has also been featured in The New York Times, The Verge, TechCrunch, Lifehacker, The Guardian, Wired, and Vanity Fair, just to name a few. Benefits:\u00e2\u20ac\u00a2 Wunderlist syncs across all your devices to keep you on top of all the things you want to do, from anywhere. \u00e2\u20ac\u00a2 Easily share lists with your colleagues, friends and family to collaborate on anything from team projects to group dinners.\u00e2\u20ac\u00a2 Intuitive design and friendly reminders ensure you never forget important deadlines (or birthday gifts) ever again. Unlock Wunderlist Pro for $4.99/month or $49.99/year:\u00e2\u20ac\u00a2 Add Comments and start a conversation with your teammates about any of your to-dos. You can leave feedback, ask a question or add some extra insight all from within Wunderlist.\u00e2\u20ac\u00a2 Attach files including photos, spreadsheets, presentation decks, PDFs, videos and even sound bites to any to-do.\u00e2\u20ac\u00a2 Assign to-dos to colleagues, study partners and friends to delegate responsibility and keep team activities on track.\u00e2\u20ac\u00a2 Unlimited Subtasks take the stress out of projects like business proposals by letting you break down complex goals into smaller to-dos. Wunderlist is free to download and use. Upgrading to Wunderlist Pro adds the above \u00c2\u00a0features and is available through an auto-renewing subscription.Our Terms of Use: http://www.6wunderkinder.com/terms-of-useOur Privacy Policy: http://www.6wunderkinder.com/privacy-policyFollow us on Twitter at http://www.twitter.com/wunderlistLearn more about Wunderlist at http://wunderlist.com/homeHave questions? Head over to http://support.wunderlist.com", "devmail": "support@wunderlist.com", "devprivacyurl": "http://www.6wunderkinder.com/privacy-policy/&sa=D&usg=AFQjCNHQbB0UjHMmEcPkEJH6KvZAnLwsUw", "devurl": "http://www.6wunderkinder.com&sa=D&usg=AFQjCNGCBO1dlQsCdVulmFVsbtjyfo0ScQ", "id": "com.wunderkinder.wunderlistandroid", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.wunderkinder.wunderlistandroidedu"], "name": "Wunderlist - To-do & Task List", "price": 0.0, "rating": [[" 4 ", 12436], [" 2 ", 777], [" 3 ", 2222], [" 5 ", 28945], [" 1 ", 1159]], "reviews": [["Its throwing an error message !!!", " No doubt I really liked this app and because of this I downloaded it on my office Laptop, work desktop and personal laptop.. however when I downloaded this to my phone, for some reason it keeps throwing a message \"Sorry, this app Wunderlist(Process com.wunderXXXXXX) has stopped unexpectedly. please try again\". with an option to either \"Force close\" or \"Report\". and when I click on report it again gives the same error but this time without force close. is there anything wrong, please advise if someone knows the fix !!!! "], ["Not great", " This would be a lot more useful if you were actually able to share lists. The function is there but it doesn't actually work "], ["Effortless from both sides", " OK but not the best for many shortcomings. "], ["Almost there...", " The desktop client and Android app are decent. Smooth scrolling, functional and an overall good deal for a free app. The thing that doesn't get five stars for me is this: The widget doesn't include \"Today\" and \"This Week\" sections. Otherwise a great app, but this limitation causes me logistical issues and is a time waster. (The antithesis of the philosophy of this app) "], ["Please add prioritizing", " A and B priorities needed. Rank the A's and B's eg. A1 is the first A to complete. A's need to be acted on now and B's might never get acted on. "], ["Best task list, hands down", " I've tried other task and to-do lists, but Wunderlist beats them all with its seamless integration and updating across my devices (desktop, Android, Windows phone for work). Works the way I need it to and increases my productivity. "]], "screenCount": 12, "similar": ["com.handyapps.tasksntodos", "org.dayup.gtask", "com.cjb.listmaster", "org.chrisbailey.todo", "com.anydo", "com.othelle.todopro", "ch.teamtasks.tasks.paid", "com.todoist", "com.adylitica.android.DoItTomorrow", "com.guidedways.android2do", "com.socialnmobile.dictapps.notepad.color.note", "no.intellicom.tasklist", "com.customsolutions.android.utl", "com.timleg.egoTimerLight", "com.taskos", "com.todo.gtask"], "size": "Varies with device", "totalReviewers": 45539, "version": "Varies with device"}, {"appId": "com.jb.gosms.plugin.gochat", "category": "Productivity", "company": "Go Wallpaper Dev Team", "contentRating": "Low Maturity", "description": "GO SMS Pro Free Message Plugin, enables you to send free message by network. No any SMS cost.(After installed, you will have the same experience as before like GO Chat)\u00e2\u2122\u00a5\u00e2\u2122\u00a5\u00e2\u2122\u00a5Direction \u00e2\u2122\u00a5\u00e2\u2122\u00a5\u00e2\u2122\u00a51. To use the plugin for Free Message, please update your GO SMS Pro to version v5.0 or above. 2. Sign in your account of GO SMS.3. Find GO button on the right top of conversation, click to make it lighted and you can send free message to the person.Recommend your friends to install GO SMS Pro and Free Message plugin, it will be the best thing of unlimited chat among your friends.Dear user. The GO SMS Pro is to heavy now. So we need to separate it form the GO SMS Pro. We will make it more light to use. And the experience will be better.Thanks for your support!!", "devmail": "gomessanger@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://gosms.goforandroid.com/&sa=D&usg=AFQjCNHEq0jkU6yPPHJuk_i31RQrwnd4NA", "id": "com.jb.gosms.plugin.gochat", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.jb.gosmspro.theme.birdlover", "com.jb.gosms.theme.getjar.wpseven", "com.jb.gosms.messagecounter", "com.jb.gosmspro.theme.free.iphone", "com.jb.gosms.widget", "com.jb.gokeyboard", "com.jb.gosmspro.theme.icecream", "com.jb.gosmspro.theme.gjtheme2", "com.jb.gosmspro.theme.iphone", "com.jb.gosmspro.theme.thief", "com.jb.gosmspro.theme.go", "com.jb.gosmspro.theme.loveletter", "com.jb.gosmspro.theme.rainyday", "com.jb.gosmspro.theme.grey", "com.jb.gosms.theme.getjar.cutemonster", "com.jb.gosmspro.theme.dark", "com.jb.gosms.fr", "com.jb.gosms.theme.futurism", "com.jb.gosms.indivitheme.blackboard", "com.jb.gosms.theme.sweet", "com.jb.gosms.ko", "com.jb.gosms", "com.jb.gosms.sticker.boboandbanana"], "name": "GO SMS Pro Free Message Plugin", "price": 0.0, "rating": [[" 5 ", 3621], [" 2 ", 145], [" 1 ", 508], [" 3 ", 441], [" 4 ", 721]], "reviews": [["Not happy", " This is nothing like the original go chat. I can't even find this program on my phone. It has to be opened EVERY time from the market. And where are all the menus and options. WTF guys? "], ["Overall good but contacts button on farword work after clicking many times App is ...", " Overall good but contacts button on farword work after clicking many times\tApp is fantastic, very fast and easy to use, only one thing that i'm having trouble is the contacts buttons on forwarding message, it ahould be llitle wide and work on first touch. "], ["Regret on a mistake", " I Always refuse to do any update because the old version is good. Now I accidentally uninstall the old go chat. Seriously regret. The theme doesn't apply to my go contacts too.and yes, I prefer 2 in 1 also, with go sms "], ["Does it work?", " If this really works I'm gonna give this 5 stars because this is over kill if it really allows free messaging "], ["Last couple updates broken", " I am unable to activate go chat from the button at top right corner of chat box and have to go to main screen and swipe over and select free message plugin option, also logs me out in the middle of a chat and seems to not keep regular texts and go chat texts in the same conversation thread. The fact it logs me out for no good reason and doesn't try to reconnect if there is an interruption in signal is really unacceptable. "], ["Delay Availability", " Even when there is no more wifi connection or my chat mate is already lost there connection, they still appear online. "]], "screenCount": 4, "similar": ["com.go.livewallpaper.plasmatree", "com.reactor.livewallpaper.fallingsakura", "com.popularapp.fakecall", "com.go.livewallpaper.matrix2pro", "com.texty.sms", "com.mightytext.tablet", "com.handcent.nextsms", "com.jbapps.contactpro", "com.p1.chompsms"], "size": "1.7M", "totalReviewers": 5436, "version": "1.3"}, {"appId": "com.cozi.androidfree", "category": "Productivity", "company": "Cozi", "contentRating": "Low Maturity", "description": "Manage your jam-packed life and keep the whole family in the loop with Cozi, Appy Award Winner for Best Family App and named #1 \"must-have app for a better life\" by The TODAY Show. There's nothing stationary about your life, so why depend on a family calendar that hangs on a fridge or wall? Cozi makes your mobile device the ultimate family organizer with a shared calendar, shopping lists, to do lists and more the whole family can access on the go. FAMILY CALENDAR\u00e2\u20ac\u00a2 An easy to use color-coded calendar, view an individual's schedule or the whole family at once\u00e2\u20ac\u00a2 Add or edit appointments that everyone in the family can see\u00e2\u20ac\u00a2 Set reminders so no one misses soccer practice or an important event\u00e2\u20ac\u00a2 Get an agenda for the upcoming week sent by email to any family memberSHOPPING LISTS\u00e2\u20ac\u00a2 Shared grocery lists the whole family can access \u00e2\u20ac\u00a2 Retrieve lists when you're at the store and quickly cross off items or add new ones while you shop\u00e2\u20ac\u00a2 See items added by other family members when you're on the go, no more coming home with everything but the one thing you really neededTO DO LISTS\u00e2\u20ac\u00a2 Create a shared to do list, a honey do list or chore checklists for the kids\u00e2\u20ac\u00a2 Have your to do items right there in your pocket to remind yourself or send them to a family member to remind them \u00e2\u20ac\u00a2 Create as many lists as you want - to do lists are a great place to keep planning checklists like packing lists, the kids camp list, emergency supplies and moreFAMILY JOURNAL\u00e2\u20ac\u00a2 Jot down a special moment and add a photo all while you're on the move\u00e2\u20ac\u00a2 Cozi's journal is designed especially for busy moms and dads, so it's quick and easy to keep favorite memories you don't want to forgetWIDGETSHome screen widgets give you quick access to your family calendar, shopping lists and to do lists. Choose from small and large widget sizes to customize your at-a-glance view.PLUS\u00e2\u20ac\u00a2 Your Cozi calendar, shopping lists, to do lists and family journal are accessible from your mobile phone or tablet as well as from any computer by visiting cozi.com.\u00e2\u20ac\u00a2 The web version of Cozi also includes additional features like a meal planner and recipe box. \u00e2\u20ac\u00a2 Cozi also offers a premium ad-free version with additional features called Cozi Gold (available as an in-app purchase). Premium features include: Contacts (a shared address book), Birthday Tracker, more reminders, mobile month view, change notifications and more. \u00e2\u20ac\u00a2 No matter where or how you and your family sign in to Cozi, you'll always be looking at the same information. \u00e2\u20ac\u00a2 The whole family shares one account that everyone can access using their own email address (as specified in Settings) and the shared family password.\u00e2\u20ac\u00a2 Cozi is available for all kinds of phones and tablets. Just search for \"Cozi\" in your favorite mobile app store.\u00e2\u20ac\u00a2 International users please note: This is the U.S. version of Cozi Family Organizer and not all features may function as expected. RAVE REVIEWSSee why everyone from Family Circle to Real Simple to Parenting to Working Mother Magazine is raving about Cozi.\u00e2\u20ac\u00a2 Appy Award Winner for Best Family/Parenting App\u00e2\u20ac\u00a2 Voted #1 \"Practical\" Android App for Moms \u00e2\u20ac\u201cBabble\u00e2\u20ac\u00a2 \"An online calendar we love.\" \u00e2\u20ac\u201cParents Magazine\u00e2\u20ac\u00a2 \"Cozi is, in short, ridiculously handy.\" \u00e2\u20ac\u201cPC World \u00e2\u20ac\u00a2 \"Cozi just works.\" \u00e2\u20ac\u201cThe Wall Street Journal\u00e2\u20ac\u00a2 \"The only FlyLady approved application.\" \u00e2\u20ac\u201cThe FlyLady\u00e2\u20ac\u00a2 \"Too good to be true.\" \u00e2\u20ac\u201cFamily Fun Magazine \u00e2\u20ac\u00a2 \"Incredibly helpful.\" \u00e2\u20ac\u201cBetter Homes and GardensNOTE: If you experience any problems with your Cozi app, please don't hesitate to CONTACT US directly at cozi.com/support. We're unable to help if you only leave a comment in the app store. Our support team is top notch and we want to help you!", "devmail": "support@cozi.com", "devprivacyurl": "N.A.", "devurl": "http://www.cozi.com/support&sa=D&usg=AFQjCNHnXIgNbag0q4dBHbcJPf6_K14-JQ", "id": "com.cozi.androidfree", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.cozi.androiduscellular", "com.cozi.androidlite", "com.cozi.androidtmobile"], "name": "Cozi Family Calendar & Lists", "price": 0.0, "rating": [[" 5 ", 7037], [" 3 ", 583], [" 2 ", 198], [" 4 ", 2672], [" 1 ", 311]], "reviews": [["This app crashes when using a Moto X.", " I use this app for work, and now that I've upgraded my phone it just doesn't work. Please fix!! "], ["Awesome", " Very easy to use, and love to get calendar reminders. Shopping list has made it so easy for our family. Journal is excellent for photo sharing with our family while on trips away from home. Love it "], ["Great for sharing lists!", " I love this app! I just wish my company would let me synch with Outlook. I don't use the calendar because of this. "], ["Works great!", " I love this app, it keeps my husband and I updated on our schedule. It would b cool if it had some type of money organizer. Thnx "], ["Keeps crashing!", " I updated to KitKat 4.4 on my Moto X, now Cozi just crashes constantly. So far, this app is the only one having problems since I installed KitKat. "], ["I love love LOVE this app. Having a family on the larger side (4 ...", " I love love LOVE this app. Having a family on the larger side (4 kids ranging in age from 4 months to 12 years), this app helps me keep appointments, birthdays, engagements, shopping lists, and more all in one place! I haven't experienced any glitches and even love the online version because they have recipes! You can easily adds the ingredients to your shopping list. Genius! "]], "screenCount": 17, "similar": ["org.koxx.pure_calendar", "com.digibites.calendar", "com.google.android.calendar", "uk.co.olilan.touchcalendar.trial", "com.timleg.egoTimerLight", "com.josegd.monthcalwidget", "org.withouthat.acalendarplus", "com.gau.go.launcherex.gowidget.calendarwidget", "netgenius.bizcal", "jp.ne.gate.calpad", "jp.co.johospace.jorte", "com.anod.calendar", "uk.co.olilan.touchcalendar", "mikado.bizcalpro", "org.withouthat.acalendar", "com.dvircn.easy.calendar"], "size": "4.8M", "totalReviewers": 10801, "version": "6.2.2184"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtafaa.json_merged.json b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtafaa.json_merged.json new file mode 100644 index 0000000..37bb47f --- /dev/null +++ b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtafaa.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.mytwc.common.resource", "category": "Productivity", "company": "Time Warner Cable", "contentRating": "Low Maturity", "description": "Introducing a major update to My TWC! See all the new features below.My TWC\u00e2\u201e\u00a2 helps you manage your Time Warner Cable account and services. Use it to review and pay your bill, get detailed billing information, check and troubleshoot equipment, manage your service/technician appointments, and access Home Phone voicemail.Billing- NEW: View your bill summary, real-time payment history, past statements, and real-time recent activity- Pay your bill using a credit card, debit card or checking account *Services and Troubleshooting- NEW: Troubleshoot and fix equipment issues- NEW: See any outages that may be occurring in your area- Perform an equipment health check to see if there are issues - Check your full list of services and equipmentAppointments- View/reschedule/cancel your service appointments VoiceZone\u00e2\u201e\u00a2- Receive notifications for new Home Phone voicemails (Android 2.2 and above)- Listen to and manage your Home Phone voicemail- View incoming call logs- Manage call forwarding so calls can be forwarded to any number, including your cell phoneOther Features- NEW: Find TWC WiFi\u00e2\u201e\u00a2 Hotspots near you- Find TWC Stores near you- Access the TWC Channel Guide- Get RR email and news* Hawaii customers cannot make payments with checking accounts", "devmail": "N.A.", "devprivacyurl": "http://help.twcable.com/html/my_twc_privacy_notice.html&sa=D&usg=AFQjCNF-ctLcp8g0MrycFsOFYbHKs4XSCQ", "devurl": "http://timewarnercable.com&sa=D&usg=AFQjCNEz6GIIax_tJtPRlbWNm7ZrQ1m_3g", "id": "com.mytwc.common.resource", "install": "500,000 - 1,000,000", "moreFromDev": "None", "name": "My TWC\u00e2\u201e\u00a2", "price": 0.0, "rating": [[" 3 ", 224], [" 5 ", 1233], [" 4 ", 455], [" 1 ", 558], [" 2 ", 123]], "reviews": [["Billing feature NEVER works", " The main reason I downloaded this app was to check my bill balance and make payments. The payment feature hasn't worked ONCE since I've had the app. Please fix ASAP! "], ["Save Billing info", " I'm tired of having to type my credit card in every time I make a payment. You should give us the option to save a credit card or debit card. "], ["Only 'good' for one thing.", " I put quotations around good to be sarcastic, this app is anything but. The only reason i had to download this app was to pay my bill. I had to uninstall and reinstall twice for it to even work. When i was typing in my name for ' name on card ' it kept adding multiple letters when i only clicked one. Only use is to pay my bill because their website on my phone wouldn't let me. "], ["Awful", " Hey record this show for me. No problem. Oh are you ready to watch it? Well don't worry about it. I didn't bother honoring your request to record. Time warner is awful on a good day. How hard is it to make an app? "], ["Galaxy S3", " This app doesn't work for its sole main purpose. What's the point if u can't use it to pay ur bill....aggravated. "], ["V 4.2 TOTAL FAILURE", " UPDATE: Latest version ( v4.2) did not correct error condition. UNINSTALL since app billing function fails. ORIGINAL COMMENT If you cannot access billing then basically its an info only application. Have attempted time and time again to access and use billing functions to no avail. Constant \"Network Error\" prevents access to invoice and payment functionality. Notes Why does app run in background? No reason for utility type app to use resources unless accessed. "]], "screenCount": 8, "similar": ["com.mventus.selfcare.activity", "com.TWCableTV", "sns.myControl", "com.timewarnercable.intelligentHome", "com.mobile_infographics_tools.mydrive", "com.tcompany.callforward", "com.vj.filemanager", "com.intsig.camscanner", "com.samsung.swift.app.kiesair", "com.timewarnercable.wififinder", "com.resume.maker.free.ads", "sp.app.myWorkClock", "com.tri.apps.voicememo", "com.twcsports.android", "com.ThinkZZO.MyBinder", "net.lescharles.tools.sim.lockwarner", "com.anydo", "com.att.um.androidvmv", "in.bsnl.portal.bsnlportal", "com.wdc.wd2go", "com.twcdeportes.android"], "size": "8.9M", "totalReviewers": 2593, "version": "4.2"}, {"appId": "com.a0soft.gphone.aDataOnOff", "category": "Productivity", "company": "Sam Lu", "contentRating": "Everyone", "description": "Does the phone run out of battery quickly? Does the phone always die at crucial moment? This app extends many extra hours to the battery life by managing Internet connection intelligently and in the background.*** Over 10,000,000 Downloads! ***You don't need to manually turn on/off the Internet connection anymore. This app extends battery life by using a smart algorithm to turn on/off the Internet connection, reduce battery consumption and data usage, but still keep the important background data synchronized.1. Auto manage 3G/4G/WiFi connection in the background2. Show battery level and usage in the status bar3. Efficient & easy to useWhat customers are saying:\u00e2\u0153\u201d With Juicedefender got 2 days on a charge. Installed 2x Pro & got 5 DAYS. UNBELIEVABLE! Spent hours on setup for JD & only about 5 minutes with 2x Pro. Would not have believed this was possible if I had not experienced it myself. (Marvin Jackson)\u00e2\u0153\u201d I had another, \"easier\", battery saver installed on my new Neo V on Jan 18th. It consistently turned on background traffic and connection to mobile network costing me about 1MB/24h. 2x Battery saved my data package, not 1 Kb wasted! Needless to say battery performance improved by 30%-35%.Thank you! (Foivos L)\u00e2\u0153\u201d My battery life on HTC sensation is around 3-4 days now compared to 24 hrs before All other apps like juicedefender, green power, etc which I tried before, suck big time. Thumbs up! (patrick)\u00e2\u0153\u201d This is great. I had juicedefender which worked well, but this makes it last literally like 3 hours longer. (Kelby)INSTALL AND FORGET:Or take time to configure the settings to get the most out of it and the longest battery usage time!SATISFIED OR MONEY BACK GUARANTEETry PRO version for 24 hours and get a refund if you don't like it.FEATURES:\u00e2\u02dc\u2026 Manage Internet connection intelligently in the background\u00e2\u02dc\u2026 Ensure data transmission completeness by keeping the Internet connection up until the transmission is finished\u00e2\u02dc\u2026 Support night mode (PRO-only)\u00e2\u02dc\u2026 Support whitelist and blacklist\u00e2\u02dc\u2026 Auto turn off the screen when you put the phone upside down on the table or into the pocket\u00e2\u02dc\u2026 Build-in screen filter to further reduce the screen brightness for saving battery\u00e2\u02dc\u2026 Support fully charged notification and low battery warning\u00e2\u02dc\u2026 Battery icon theme is changable\u00e2\u02dc\u2026 Configurable enable intervals and settings\u00e2\u02dc\u2026 Option to keep connection when charging or tethering\u00e2\u02dc\u2026 Option to not enable mobile data when screen unlocked \u00e2\u02dc\u2026 Respect system settings\u00e2\u02dc\u2026 Play sound after when screen on or off\u00e2\u02dc\u2026 Home screen widgets\u00e2\u02dc\u2026 Display battery usage and time since last unplugged, estimated battery run out time, battery health status, voltage, temperature, etc. informationDashClock EXTENSION:\u00e2\u02dc\u2026 requires DashClock Widget by Roman Nurik\u00e2\u02dc\u2026 estimated battery run out time\u00e2\u02dc\u2026 detailed battery information\u00e2\u02dc\u2026 battery icon theme (battery icon & level, battery level)Sony Smart Watch:\u00e2\u02dc\u2026 widget, app shows phone's battery info\u00e2\u02dc\u2026 notify when phone's battery is low\u00e2\u02dc\u2026 LiveWare\u00e2\u201e\u00a2 extension for SmartWatch\u00e2\u02dc\u2026 Smart Connect extension for SmartWatch 2REVIEWS:\u00e2\u0153\u201d http://goo.gl/VlZGQ\u00e2\u0153\u201d http://goo.gl/mmtpN\u00e2\u0153\u201d http://goo.gl/qAdkI\u00e2\u0153\u201d http://goo.gl/vOMFX (Video)\u00e2\u02dc\u2026 AppNext 2013 best app ever awardsWe have been selected as a Google I/O 2011 Developer Sandbox partner, for its innovative design and advanced technology.CREDITS:Croatian-Bruno \u00c5\u00a0vorini\u00c4\u2021Czech-Michal Fiur\u00c3\u00a1\u00c5\u00a1ekDutch-Niko StrijbolFrench-Johan JaworskiIndonesian-Dwi UtomoItalian-Michele MondelliJapanese-Yuanpo ChangKorean-\u00ec\u017e\u00a5\u00ec\u0160\u00b9\u00ed\u203a\u02c6Polish-Grzegorz Jab\u00c5\u201ao\u00c5\u201eskiPortuguese-Wagner SantosRomanian-Stelian BalincaRussian-\u00d0\u02dc\u00d0\u00b4\u00d1\u20ac\u00d0\u00b8\u00d1\ufffd a.k.a. \u00d0\u0153\u00d0\u00b0\u00d0\u00bd\u00d1\ufffd\u00d1\u0192\u00d1\u20ac (IDris a.k.a. MANsur), Ghost-UnitSlovak-Patrik \u00c5\u00bdecSpanish/Swedish-Tomas SylverbergTurkish-Kutay KuFTiVietnamese-Tr\u00e1\u00ba\u00a7n Thanh B\u00c3\u00acnhIf you are interested in helping us to translate this app to your native language, please let me know. Thanks.", "devmail": "a0soft+2xBattery@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://android.a0soft.com/download.htm&sa=D&usg=AFQjCNHP0gGdU8w_q_Y5QFQMFL9a8evnHg", "id": "com.a0soft.gphone.aDataOnOff", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.a0soft.gphone.acc.pro", "com.a0soft.gphone.app2sd", "com.a0soft.gphone.aDataOnOff.pro", "com.a0soft.gphone.aCurrencyPro", "com.a0soft.gphone.Engadget", "com.a0soft.gphone.bfont", "com.a0soft.gphone.app2sd.pro", "com.a0soft.gphone.aCompassPlus", "com.a0soft.gphone.acc.free", "com.a0soft.gphone.hideapp", "com.a0soft.gphone.aCurrency", "com.a0soft.gphone.aCompassPro", "com.a0soft.gphone.aSpotCat", "com.a0soft.gphone.uninstaller", "com.a0soft.gphone.aCompass"], "name": "2x Battery - Battery Saver", "price": 0.0, "rating": [[" 3 ", 3159], [" 2 ", 1059], [" 1 ", 2663], [" 5 ", 26779], [" 4 ", 6825]], "reviews": [["Very good", " Nothing worked on my rooted nexus 4 with latest KitKat update, I tried juice defender, battery defender,easy battery etc. But this application switches the data and works perfectly, but estimate time it says it will show later "], ["Please download it fast", " Please download it fast on my mobile. Help please. I want 24 hour battery backup "], ["So far so good", " It took me a minute to get it downloaded but I did an so far great "], ["Lost with this app", " I am lost with the app. I was so happy to use it on my Samsung GS3 But after few days, because of an update of this app my phone battery was draining like anything. Dear developer, please do something so that it can work fine. "], ["Great again", " Dev is fast to respond and fix issues "], ["It works. It works WELL!", " I have a Sony Xperia Z. I am a heavy user. I could kill a battery in 5 hours. Now, my phone lasts the whole day. I'm loving it. I upgraded to premium. It's well worth it! "]], "screenCount": 8, "similar": ["imoblife.batterybooster", "com.antutu.powersaver", "org.gpo.greenpower", "mobi.infolife.batterysaver", "com.jappka.bataria", "androidcap.batterysaver", "com.geekyouup.android.widgets.battery", "com.easy.battery.saver", "com.gau.go.launcherex.gowidget.gopowermaster", "com.dianxinos.dxbs", "com.ijinshan.kbatterydoctor_en", "com.macropinch.pearl", "ch.smalltech.battery.free", "com.alportela.battery_booster", "com.latedroid.juicedefender", "com.dianxinos.dxbs.paid", "com.gokimo.qk.qNavi"], "size": "2.9M", "totalReviewers": 40485, "version": "2.73"}, {"appId": "com.chrome.beta", "category": "Productivity", "company": "Google Inc.", "contentRating": "Low Maturity", "description": "Welcome to Chrome Beta for Android!- Preview the latest features: Try out the newest features. (Sometimes these may be a little rough around the edges.)- Give early feedback: Let us know what you think and help make Chrome for Android a better browser.You can install Chrome Beta alongside your current version of Chrome for Android. Chrome Beta will request additional permissions when using Chrome Sync for the first time.", "devmail": "android@chromium.org", "devprivacyurl": "N.A.", "devurl": "http://www.google.com/chrome/android&sa=D&usg=AFQjCNH_BzcE3IMaezxMxXw55U0XzGe9bA", "id": "com.chrome.beta", "install": "500,000 - 1,000,000", "moreFromDev": "None", "name": "Chrome Beta", "price": 0.0, "rating": [[" 1 ", 874], [" 2 ", 503], [" 5 ", 10054], [" 3 ", 1161], [" 4 ", 3015]], "reviews": [["Was great", " It is the simple things that make a difference. The add a tab festure at the top left was simple and ingenious removing it was just plain stupid. So it went from a 5 to a 1. "], ["Great browser", " It feels pretty much as capable as a desktop browser and it's zippy but the newest update removed the new tab icon which really bugs me "], ["Won't load pages over 3g/4g", " Chrome Beta used to work better than the regular version of Chrome... Until recently. After the latest update, whenever I try to load a page over 3g or 4g, it acts like its loading but after finishing it just shows a white screen. Tried clearing cache, restarting phone, restarting the app, etc. Nothing has helped. Pages load fine over WiFi. Its not my network either, because the regular Chrome app loads pages just fine. But, I guess things like this should be expected once in a while when using a beta app. "], ["Great feature poor execution", " Seems be buggy with pages running infinite scroll type interfaces lags and crashes also hogs loads of memory is there any way to use SD card as the cache rather than onboard memory as this seems to bottleneck. The last couple of updates resulted in a horrible scrolling bug which is present on the full release. Scrolling seem to get stuck and the page jumps up and down amd doesnt render correctly. "], ["Tab support is lacking", " So tabs are fine but the inability to open multiple tabs is a bit annoying. Also, what happened with the bookmarks page? If I can't open multiple tabs, don't make me do three times as many clicks to open the same amount of tabs! Before it was fine in that at least it stayed on the bookmarks page between new tabs. Now it goes back to the search page every time! "], ["Lightning fast update", " I used to use Dolphin because it was so much faster than chrome but the latest update just made chrome lightning fast. Default browser changed. Good job Google! "]], "screenCount": 7, "similar": ["com.safeincloud", "com.google.android.tts", "mobi.mgeek.TunnyBrowser", "com.opera.mini.next.android", "com.google.android.play.games", "com.google.android.apps.maps", "com.texty.sms", "org.dmfs.carddav.Sync", "com.dynamicg.timerecording.pro", "com.anydo", "com.google.android.apps.plus", "com.google.android.youtube", "com.google.android.googlequicksearchbox", "com.google.earth", "com.google.android.apps.books", "com.google.android.apps.translate", "com.android.chrome", "tw.com.quickmark", "com.google.android.talk", "com.adylitica.android.DoItTomorrow", "com.mightytext.tablet", "com.smarterdroid.wififiletransferpro", "com.google.android.apps.magazines", "com.taskos", "com.google.android.gm", "fi.rojekti.clipper", "com.google.android.voicesearch", "org.dmfs.caldav.lib", "org.dayup.gnotes", "com.google.android.music", "com.opera.mini.android", "com.google.android.street"], "size": "Varies with device", "totalReviewers": 15607, "version": "Varies with device"}, {"appId": "com.avg.uninstaller", "category": "Productivity", "company": "AVG Mobile", "contentRating": "Everyone", "description": "Clear out those unused and unwanted apps to make room for the stuff you really want.Download AVG uninstaller for FREE now!Do you have apps you hardly ever use? Do you know which ones eat up the most storage space, mobile data, and battery power? We all love to download apps, but we often end up hardly ever using them. And we don\u00e2\u20ac\u2122t realize they could be draining our battery, mobile data, and storage space\u00e2\u20ac\u201dall of which can affect our phone or tablet\u00e2\u20ac\u2122s overall performance.AVG Uninstaller is a FREE app that lets you quickly view the last time you used an app and tells you how much battery, data, and space it\u00e2\u20ac\u2122s using. You can then choose to quickly and easily remove those apps (apks) you no longer want or use to free up space for the apps you really want and help improve your device\u00e2\u20ac\u2122s performance - all without the hassle of going through multiple Android OS tasks.AVG Uninstaller can even suggest which apps to remove. Simply choose how long an app should go unused before being suggested for removal, and decide how often you want to be advised of these suggestions. You can even whitelist specific apps so that they are never suggested for removal.Download AVG uninstaller for FREE now!App features:View rarely used apps\u00e2\u20ac\u00a2 Quickly see which installed apps (apks) you don\u00e2\u20ac\u2122t or hardly ever use and decide if they\u00e2\u20ac\u2122re worth the storage space, battery consumption, and data usage they take up. \u00e2\u20ac\u00a2 Set a default or customize how often you want to be notified of apps that you haven\u00e2\u20ac\u2122t used in 1 week, 2 weeks, 1 month or ever.* Please note this feature requires a 72 hour learning period to understand your app usage behavior Free up storage space\u00e2\u20ac\u00a2 Manage your device memory more easily.\u00e2\u20ac\u00a2 See how much storage space you can free up by removing apps (apks) you rarely or hardly ever useReduce battery usage\u00e2\u20ac\u00a2 View your apps by how much battery they take up and remove the ones that take up too much battery power.\u00e2\u20ac\u00a2 Reduce data usage\u00e2\u20ac\u00a2 Check which apps are taking the biggest chunk of your mobile data plan and quickly get rid of the ones you think are using too muchSo say goodbye to those unused and unwanted apps today and make more room for the apps and other stuff you need and want. * Please note preinstalled apps (apks) cannot be removedDownload AVG uninstaller for FREE now!Check out our other apps:AntiVirus FREE for Smartphones: http://www.googleplay.com/store/apps/details?id=com.antivirusAntiVirus FREE for Tablets: http://www.googleplay.com/store/apps/details?id=com.antivirus.tabletAVG PrivacyFix (social networking pricay): http://play.google.com/store/apps/details?id=com.avg.privacyfixAVG TuneUp: http://www.googleplay.com/store/apps/details?id=com.avg.tuneupAVG Memory Cleaner: http://www.googleplay.com/store/apps/details?id=com.avg.cleanerAVG Image Shrinker: http://www.googleplay.com/store/apps/details?id=com.avg.shrinkerFor additional info and FAQ\u00e2\u20ac\u2122s visit:http://www.avgmobilation.com/support/frequently-asked-questions/android/uninstaller", "devmail": "mobile-support@avg.com", "devprivacyurl": "http://www.avgmobilation.com/privacy&sa=D&usg=AFQjCNGPyh5OtOES5IWtuHgatTSqiNa-kA", "devurl": "http://www.avgmobilation.com&sa=D&usg=AFQjCNEaqSIMZLvo8nCDod__tV7ajKjR4g", "id": "com.avg.uninstaller", "install": "100,000 - 500,000", "moreFromDev": ["com.avg.cleaner", "com.avg.shrinker", "com.avg.privacyfix", "com.avg.tuneup"], "name": "Uninstaller", "price": 0.0, "rating": [[" 3 ", 111], [" 4 ", 222], [" 5 ", 1132], [" 2 ", 37], [" 1 ", 68]], "reviews": [["HELPFUL!!!", " Thank you so much for making this app. AVG identified an app as malware so i tried to delete it. I couldn't. I then downloaded this and it was able to delete it. Ps: If you find an add that says that your phone is infected with a virus do not install. That app is the virus. "], ["Is this a joke?", " Can't help it but this is like a practical joke. First it takes 3 days to figure out my app use (a clock impressively appears and runs backwards) and when the big day arrives, it tells me all that I already know about the apps that I have installed myself! Since phones come with a lot of manufacturer installed junkware it is this component that I wanted to be able to manage. Unfortunately this app disappoints. "], ["Fast", " Select apps to uninstall and then just conforming. Would be good that it will autoconfirm all apps uninstall. "], ["AVG'S done it again!", " A great app, easy to use. Does everything it says. "], ["Avg is awesome", " I had many apps in my TAB and ehen my mom downloded avg app uninstaller I could just delete them at once! "], ["Good app", " Works perfectly. Love this.recommended 4 all. "]], "screenCount": 8, "similar": ["com.avast.android.mobilesecurity", "com.rootuninstaller.free", "com.webroot.security.full", "com.speaktoit.assistant", "org.antivirus.tablet", "com.lookout", "org.antivirus", "com.wsandroid.suite", "com.nqmobile.antivirus20", "com.bright.uninstaller", "com.teebik.mobilesecurity", "com.antivirus", "mobi.infolife.uninstallerpro", "com.webroot.security", "com.antivirus.tablet", "mobi.infolife.uninstaller", "com.rhythm.hexise.uninst", "bazinga.uninstaller", "com.androidlord.optimizationbox", "com.qihoo.security"], "size": "1.9M", "totalReviewers": 1570, "version": "1.1"}, {"appId": "com.nqmobile.antivirus20", "category": "Productivity", "company": "NQ Mobile Security (NYSE:NQ)", "contentRating": "Low Maturity", "description": "NQ Mobile Security & Antivirus 7.0 is an award-winning mobile security app that provides complete security and privacy protection for over 372 Million users around the world. With three international independent test agency approved certifications, NQ Mobile Security & Antivirus 7.0 not only offers superior antivirus capabilities, privacy protection and anti-spam features, but also covers your Android smartphone with real-time Internet, online shopping and banking, social chat and games account protection, boosts your mobile speed and secures your mobile world completely!--------------- The new generation of NQ Mobile Security is here! ------------------Innovative features---->>New interface design Latest design concepts, high-end, friendly and easy to use>> Powerful mobile optimization: Mobile Speed Booster to find and remove unnecessary processes so your phone works as its optimal level>>Comprehensive account protection for Internet, online shopping and banking, social chat and gaming accountsNow with enhanced game and social account protection, against all mobile threats>>Optimized antivirus engine: Deliver up to 30% more efficiency in faster and more accurate virus scan>>Enhanced mobile acceleration: Add garbage cleaning function, completely accelerate cell phone>>QR Scanner: Quickly detect and remove malicious links hidden in QR codes, eliminating opportunities for potential fraud and scan QR code>>Multi-Language supports: Support not only English, but also Russian and Arabic----NQ Mobile Security 7.0 key features---->>Antivirus & security protection-- Block viruses, malware, spyware and Trojans, and uninstalls malicious apps to protect your phone.--Scan every installed app & check your device's security status--Automatic virus database update (premium) --Anti-eavesdropping protection (premium): scan and alarm if spyware is installed on your phone>>Anti-spam--Protect yourself against unwanted calls & texts.--Set up your phone to filter out blacklisted number(s) or anyone who\u00e2\u20ac\u2122s not in your contacts. --Intercepted calls & texts can be easily viewed in the app.--Choose to only get calls & texts from the contacts you white list.>>APP Manager--Uninstall software by single clicking, which is faster and convenient for users, and it will check all installation files stored in the phone, remind user to delete useless installation files. Even unnecessary preloaded apps can also be uninstalled (ROOT required).>>Internet protection--Protect you from phishing, fraud, harmful sites and malware to ensure safe web-surfing.--Real-time app scanner to block insecure apps during downloading>>Account protection (premium): real-time protection for financial, online shopping, payment, social chat and games account security>>System optimization--Ensure your Android phone is running at top speed by closing apps/killing tasks that run unwittingly in the background--Speed up your device by simply tapping widget on the desktop instead of entering the app. >>Backup & Restore--Backup & restore: easily backup data on mobile phones. Can run on different operating systems including iOS, Android, BlackBerry or Nokia phone and easily transfer your backup data among those platforms through a free account at NQ Space website (i.nq.com).>>Advanced Tools--Traffic monitoring: provides real-time updates on data usage to ensure you don't go over your monthly package limits--Provides report on traffic usage trends and statistics over the past 30 days--Provides apps\u00e2\u20ac\u2122 traffic consumption ranking--Privacy protection: monitors apps\u00e2\u20ac\u2122 access to your private data like contacts, location, SMS messages & identity info without your permission, and uninstall untrustworthy apps.Follow NQ Mobile on Twitter & Facebook to get instant updates & productivity news.Tips: This app may be incompatible with the following apps: Norton, Lookout, AVG, ALYac, Dr.Web, Antivirus Free, Trend Micro, McAfee, Kaspersky, F-secure.", "devmail": "android@NQ.com", "devprivacyurl": "http://www.nq.com/privacy&sa=D&usg=AFQjCNFt37fPmRmQ-VjUWQl4z1eeRI2dnQ", "devurl": "http://www.NQ.com/&sa=D&usg=AFQjCNG1fjLhIL4nN0D0J3byJmTsSExbrg", "id": "com.nqmobile.antivirus20", "install": "10,000,000 - 50,000,000", "moreFromDev": ["com.nqmobile.shield", "com.nqmobile.easyfinder", "com.nqmobile.antivirus20.multilang", "com.nqmobile.antivirus20.retail", "com.nqmobile.antivirus20pro"], "name": "NQ Mobile Security & Antivirus", "price": 0.0, "rating": [[" 1 ", 8473], [" 3 ", 9744], [" 4 ", 24856], [" 5 ", 122542], [" 2 ", 2757]], "reviews": [["Please", " Can you please bring back the graph in \"Network Manager\" in 7.0? It was really useful... now i can't see my exact daily trafic =(. I don't like to have to view it on a daily basis... I like a good oversight on my monthly trafic. "], ["Great App!!", " Thanks a lot to u guys who developed and created this awesome av app.Becuz of u guys, my phone is always protected from new emgerging threats and bugs....and also the optimize feature is great!! "], ["Most effective Antivirus Security!!", " Its very good for my android phone. It protect my mobile n i can upgrade it freely.Thanks for upgrading new version with new facilities.. "], ["Best Mobile App Ever!", " Wow! Extra complete mobile security app ever, in a very friendly n affordable price! I love this app! Excellence job...keep it up buddy! "], ["Excellent!", " Love this app. Easy to use and keeps my phone calls private. Protects my phone and up dates virus threats constantly! Excellent! "], ["Awesome app for all.", " Well done ! Now am Safe thanks to you guys, everyone should use it. Be protected with best app for total security "]], "screenCount": 6, "similar": ["com.lookout", "com.antivirus", "com.netqin.aotkiller", "com.drweb", "com.avast.android.mobilesecurity", "com.netqin.mm", "org.antivirus.tablet", "com.netqin.mobileguard", "com.wsandroid.suite", "com.netqin.ps.language.russian", "com.trustgo.mobile.security", "com.qihoo.security", "com.webroot.security", "com.antivirus.tablet", "com.netqin.cc", "com.teebik.mobilesecurity", "and.anti", "com.netqin.contactbackup", "org.antivirus", "com.symantec.mobilesecurity", "com.zrgiu.antivirus", "com.netqin.ps", "com.nq.familyguardian"], "size": "4.3M", "totalReviewers": 168372, "version": "7.0.10.00"}] \ No newline at end of file diff --git a/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtafab.json_merged.json b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtafab.json_merged.json new file mode 100644 index 0000000..faca688 --- /dev/null +++ b/mergedJsonFiles/Top Free in Productivity - Android Apps on Google Play.html_ids.txtafab.json_merged.json @@ -0,0 +1 @@ +[{"appId": "com.flufflydelusions.app.enotesclassiclite", "category": "Productivity", "company": "Fluffy Delusions", "contentRating": "Low Maturity", "description": "** IF YOU ENJOY THIS APP, CHECK OUT MY NEWLY RELEASED CONVERT EVERYTHING APP **- A Simple Note-Taking App for Android, Plus More Tiny Utilities Than You\u00e2\u20ac\u2122ll Know What to Do With - Lifehacker- Classic Notes + App Box for Android: Like a Better iPhone Notes App for Your Android Phone - App of the Day @ Gizmodo- Classic Notes Lite is an app that does just about everything, and walks your dog - DroidDog- Classic Notes is the most functional, usable, versatile app I've ever come across - AndroidGuys- The Magical Memo Pad that Doubles as a Utility Belt! - Androidtapp- Manages to provide a minimalistic interface that doesn\u00e2\u20ac\u2122t sacrifice quality - App of the Day @ Phandroid - Simple Yet Rich In Features - TalkandroidClassic Notes notepad with App Box is built upon the same principles as Extensive Notes but with a more minimal approach. * Export notes as text to SD* Import / Export CSV as todo, checklist, shopping list* Share notes through facebook, twitter, more.* Create backups* Google translate* Send to Google Docs, Dropbox, pastebin* Text to Speech audio playback* Add to Google Calendar - Set reminders and events * Add notes to status bar* Create Home Screen shortcuts* New Note shortcut* New Note Statusbar entry* Modify timestamp* Easily display create & modification more* Wallpapers - colors, patterns, palettes* Images - via camera or gallery* Video - Record video* Paint notes - fingerpaint / sketch notes* Private notes - Lock notes with a password* Audio notes / voice notes - Record audio of lectures, meetings* File attachments e.g PDF, MS Word, Excel, MP3, PowerPoint, etc* Geotag + Address look up support - Tag locations * In note content search * Todo / checklist support* Prioritize notes, todos, and tasks based on urgency of low, medium, high w/ color* Todo, checklist, shopping list* Easily sort notes, todo, and tasks based on a number of common themes such as last modified, alphabetical, pending reminders, priority* Attach to-do's / checklists * Tagging support* Reminders / Alarms* Abbreviations* Dictionary* Word etymology* Example word usage* Music Related references* Postal Code Lookup* Question and Answer* Slang* Spelling Suggestions* Thesaurus* Album Art* Artist Information* Artist Image* Artists Similar to* Track Information* QR Code notes* Stopwatch* Sales tax / VAT calculator* Discount calculator* Tip calculator* Image caption support* Unit conversions* Acceleration* Area* Bandwidth/Data Type* Circular Measure* Currency* Energy* Flow Rate* Fuel Consumption* Length/Distance* Liquid Volume* Planetary Age* Planetary Weight* Power* Pressure* Sound* Time* Temperature* Weight/Mass* Standard calculator* Mortgage Calculator amortization table monthly payment, interest paid, total interest, principal paid, and balance* Word of the day* Rhyming words* Phrases* Wikipedia search* Film/Cinema extras* Actor/actress lookup* Film lookup * Weather* Stock quotes- Fitness related calculators* Basal Metabolic Rate (BMR)* Body Fat* Body Mass Index (BMI)* Daily Caloric Intake* Max Heart Rate* One Rep Max (1RM)* Target Heart Rate* Waist To Hip Ratio* Water Intake* Ohm's law, resistance, voltage, current* Random password generator* import csv into note* System monitor in extras- Battery level percentage, status, health- SD card total size, available space- Memory usage - total and available memory- Processor/CPU information- Network information ip address, wifi & mobile state- GPS status* Holidays* URL Shortener* Bulleted lists* Random number generator* Days until countdown* Timzone* Decimal to roman numeral* Wavelength to RGB* WHOIS lookup* Folder support* Rotten Tomatoes* Random Quote* Import via Outlook* Airport codes* Area codes* Countdown Timer* Bi-gram phrases* Comments & sub-notes* Recipes* Flashlight / torch* Base64 encode/decode, unique word, lexical density, word lengths* Compare text* Hotkeys", "devmail": "fluffydelusions@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://fluffydelusions.blogspot.com/&sa=D&usg=AFQjCNFl72MB0IHOZl3BqXW_T-0bKGKqgg", "id": "com.flufflydelusions.app.enotesclassiclite", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.flufflydelusions.app.enotesclassic", "com.flufflydelusions.app.commoncalculationlite", "com.flufflydelusions.app.extensive_notes", "com.flufflydelusions.app.extensive_notes_donate", "com.flufflydelusions.app.abcflashcardslite"], "name": "Classic Notes Lite + App Box", "price": 0.0, "rating": [[" 2 ", 121], [" 4 ", 774], [" 5 ", 3089], [" 3 ", 348], [" 1 ", 189]], "reviews": [["Can't rearrange items on lists but...", " ... This is a problem with most note taking apps, and it wasn't really that big of a deal to me for my purposes, especially since it has so many other positive things going for it. However, when I wrote the developer of my complaint, he wrote me back within seconds! So, for having the fastest response time from any developer I've ever written, I will change my rating from 4 to 5 stars! "], ["\"More\" doesn't work", " I touch the list items but does not respond on galaxy S4. Would love to reach all the goodies in the video but can't. May reinstall "], ["Deletes notes", " As other reviewers have mentioned, the app deletes notes of its own accord. Useless app until this fixed, shame. "], ["\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026BEST\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026\u00e2\u02dc\u2026", " I love this notes app! Soooo many options & love the extras feature. Best notes app I've ever seen! I'm a notes junkie ;) & this app is soooooo much more! Thank you for this free app! "], ["Great Ap that constantly crashes on my Samsung S3", " I like this app a lot and I use it constantly. My only complaint is that if constantly crashes, sometimes back to back crashes. I would upgrade to the paid version but I've been reading reviews which say it crashes too. Hopefully the developer will find the problem and fix it. If it wasn't for the constant crashes I would have rated it a 5. "], ["Amazing", " It was very useful and simple to use.mostly other notepads are very difficult to use but this app easy from start. Thanks. Good job "]], "screenCount": 4, "similar": ["my.handrite", "nl.jacobras.notes", "com.gs.stickit", "yong.app.notes", "ru.andrey.notepad", "com.fluffydelusions.app.flashcardcreator", "com.xllusion.quicknote", "com.cubeactive.qnotelistfree", "com.mbile.notes", "com.pengpeng.simplenotes", "com.fluffydelusions.app.converteverything", "com.gau.go.launcherex.gowidget.notewidget", "com.fluffydelusions.app.financewizard", "com.fluffydelusions.lovecolors", "com.breadusoft.punchmemo", "com.socialnmobile.dictapps.notepad.color.note", "com.nullium.stylenote", "com.fluffydelusions.appgarden", "com.fluffydelusions.app.random", "de.softxperience.android.noteeverything", "com.fluffydelusions.app.daysuntil", "com.fluffydelusions.app.verifyroot", "com.fluffydelusions.appgardenpro", "com.fluffydelusions.app.clipboardadmin", "com.fluffydelusions.stayawake", "com.workpail.inkpad.notepad.notes", "com.metamoji.noteanytime"], "size": "1.2M", "totalReviewers": 4521, "version": "1.0.21"}, {"appId": "com.gm.onstar.mobile.mylink", "category": "Productivity", "company": "OnStar, LLC", "contentRating": "Low Maturity", "description": "To connect your vehicle to RemoteLink, make sure you have: - An active OnStar subscription - A compatible mobile device - A compatible vehicle For help installing RemoteLink, go to onstar.com/mobile. OnStar RemoteLink offers an innovative way to connect to your vehicle. After downloading and registering the app, Cadillac, Chevrolet, Buick and GMC owners with an eligible 2010 model year or newer vehicle can use their mobile device to access real-time data from their vehicle and perform commands like unlocking doors remotely. An active OnStar Directions & Connections or Safe & Sound service plan is required to access most features. If you purchased 2014 OnStar equipped vehicle and use RemoteLink just once during your OnStar trial or consecutive subscription, you\u00e2\u20ac\u2122ll retain access to the Key Fob Services\u00e2\u20ac\u201dRemote Start, Remote Door Lock and Remote Horn and Lights features\u00e2\u20ac\u201dfor five years from the date of delivery. Key Fob Services do not include any emergency or other OnStar services. Subsequent owners will be able to activate the remaining term by calling OnStar at 1.888.4.ONSTAR. This application will collect device location and vehicle location and approximate GPS speed each time you use it. You can restrict our access to, or collection of, your device\u00e2\u20ac\u2122s location by disabling the location features of your device or by not using the features of the app that require location information. It is not possible to restrict the access to, or collection of, vehicle location information or approximate GPS speed when you are using the app. If you dispose of, sell, or transfer your vehicle, or your lease ends, you must notify us immediately at 1.888.4.ONSTAR to terminate your OnStar Plan or Remote Key Fob Services for that specific vehicle, and uninstall and cease to use the app. Privacy Statement: https://www.onstar.com/web/portal/privacy", "devmail": "N.A.", "devprivacyurl": "N.A.", "devurl": "http://www.onstar.com/web/portal/helptopics", "id": "com.gm.onstar.mobile.mylink", "install": "500,000 - 1,000,000", "moreFromDev": ["com.gm.VoltDC", "com.gm.cadillac.nomad.ownership", "com.gm.buick.nomad.ownership", "com.gm.gmc.nomad.ownership", "com.gm.chevrolet.nomad.ownership"], "name": "OnStar RemoteLink", "price": 0.0, "rating": [[" 2 ", 278], [" 4 ", 614], [" 1 ", 1092], [" 3 ", 317], [" 5 ", 2432]], "reviews": [["Its not as good as I thought it would be", " It would be really cool to have if it didn't take like 5 minutes from the time you press a button on the remote for it to actually do something. I know it has to go through the cell network and all but it shouldn't take more than a minute. Really it should do it in < 30 seconds. When I send someone a text it show's up on their phone almost instantly why can't this just work like that. It's only really useful if you lock your keys in or something for now. "], ["This thing makes me crazy", " Way too slow and when it does load the info is almost never accurate. I like that it has my vehicle info like Vin, dealer number and such, but please be more accurate and fix the speed and I will rate 5 stars. "], ["Great app", " Works great. Some complain about short lag. But, long distance start is great. Don't forget, signal has to go from phone to onstar, get processed, then signal sent to your car. So why care if it takes a minute. This thing is awesome! "], ["Good start!", " Great app, but can we expand the functionality a little? Being able to set the climate control, turning heated/cooled seats on, setting waypoints in the navigation systems, and other little perks like that seem gimmicky but would help out folks a ton - I use this thing all the time as I leave work to make sure my GMC is nice and toasty before I trudge outside! "], ["Remote Services", " The overall performance of the long distant remote is pretty good, kind of slow yet effective. But it lacks the control of a OEM remote start that was installed after the manufacturing of the vehicle. "], ["Useless now!!! Wasted$", " Use to work....heck now I can't even start my car remotely. Seriously thinking about dropping onstar. What a waste of $. No stars for you onstar!!!! :( "]], "screenCount": 7, "similar": ["pl.androiddev.mobiletab", "com.my.link", "com.kandivali.mylinks.activity", "eu.redzoo.droid.backup", "com.hanman.TrueEye2", "br.com.cds.mobile.verificador.gm", "org.kman.AquaMail.UnlockerMarket", "org.kman.AquaMail", "com.teamviewer.teamviewer.market.mobile", "com.hmausa.bluelink", "com.steppschuh.remotecontrolcollection"], "size": "6.5M", "totalReviewers": 4733, "version": "1.9.5(1047)"}, {"appId": "com.hp.printercontrol", "category": "Productivity", "company": "Hewlett Packard Development Company, L.P.", "contentRating": "Everyone", "description": "HP All-in-One Printer Remote let you check status of your HP Printers and All-in-One devices that are attached to your Wi-Fi network. It supports HP printer with \u00e2\u20ac\u0153ePrint\u00e2\u20ac\ufffd on it*. Key Features & Benefits:\u00e2\u20ac\u00a2 Check the status of your printer. Is it out of paper? Is the device busy?\u00e2\u20ac\u00a2 Check how much ink and toner are left.\u00e2\u20ac\u00a2 What is the name and number of ink cartridges and toners my printer use?\u00e2\u20ac\u00a2 Save or email supply info so that you can see it when you are at the store\u00e2\u20ac\u00a2 Scan from your scanner, from glass or document feeder.\u00e2\u20ac\u00a2 Scan document using the camera on the phone, and enhance it with HP\u00e2\u20ac\u2122s mobile scanning technology.\u00e2\u20ac\u00a2 Save and Share scanned and camera captured document to cloud and email.\u00e2\u20ac\u00a2 Create multi-page .pdf file from scanned images and camera captured imagesBoth printers on local wireless network and printers that are set to wireless direct printing mode are supported.*Full list of supported printers available at Hewlett-Packard web site.For full list, http://h10025.www1.hp.com/ewfrf/wc/document?docname=c02814760&cc=us&dlc=en&lc=en#N121", "devmail": "cloud_services_support@hp.com", "devprivacyurl": "http://www.hp.com/go/privacy&sa=D&usg=AFQjCNFGyvFg3Hop4gr2ShrQeSVVbLs0Rw", "devurl": "http://www.hp.com/go/mobileapps&sa=D&usg=AFQjCNFy5HGKZHoPrYNw-ckI4FJB6HnUrw", "id": "com.hp.printercontrol", "install": "500,000 - 1,000,000", "moreFromDev": ["com.hp.hpmobilerelease", "com.hp.livephoto", "com.hp.mobileRecorder", "com.hp.android.hplfpm", "com.hp.sitescope.mobile.android", "com.hp.eprint.ppl.client", "com.hp.android.print", "com.hp.esupplies", "com.hp.support", "com.hp.hpinsights", "com.hp.eps", "com.hp.android.printservice", "com.hp.ee", "com.hp.hpflow"], "name": "HP All-in-One Printer Remote", "price": 0.0, "rating": [[" 5 ", 1341], [" 3 ", 118], [" 4 ", 328], [" 2 ", 71], [" 1 ", 466]], "reviews": [["Not perfect, but very good", " Everything works fine, I'm using camera capture, scanner capture and printing regularly and can report of hardly any problems. Sometimes it takes some time for the printer to he ready, but that's since it is a wireless printer on the edge of my WiFi reception area. Now what this app could need for the full 5 stars: a nice and modern ui to go with that fancy new app icon :) "], ["Absolute Crap", " Its a joke that a 'Smart Phone' cant print by itself without apps. Whats worse is none of the apps work anyway- this one included. Two HP apps, the printer shows on other $15 app but this doesnt see it??? FAIL "], ["Printer is unavailable", " I hate my hp printer. It worked great, until the warranty was up. Then I was having problems with it printing and scanning wirelessly. Support wants me to pay every time I call, which takes them an hour to fix. I thought this app might work, but it shows my printer and I can select it then it says unavailable. My printer is connected to the network so I have no idea why it won't work. Will buy a different brand, especially after I have seen reviews saying it only prints files in the hp folder. "], ["Hp6700 officejet", " Just got off the phone with HP-4- the six time, new printer purchased 5 months ago, okay wait 4, it HP wants to send me a reconditioned printer really. said it, like this would solve all my problems, wrong. I also have 17 \",entertainment laptop HP, done stick a fork n me, its a done deal, will never, never do business with this company again and to all a goodnight:-),by the way, do so like the app. "], ["Needs to be integrated with HP e-print", " The one problem I have with this app is that, under the files tab, the app doesn't find anything unless the files are saved the HP app folder. All I would use this for, myself, would be to print random documents. However, since the app doesn't see any, there isn't much point in trying. HP e-print does great when attempting to find/print local files. Why not consolidate the two apps into one??? Otherwise this app works as advertised on my GS4. "], ["User-centric simple app", " HP are good at some things, and terrible at others. The PSG group have done a great job here at producing a simple so that actually gets a lot out of your devices. I have a wireless d110 ink gobbler and a great 200 Colour laser printer. I can scan docs using the flatbed scanner on the D110 and then print them on the laserjet. Controls actually work. I would like to be able to set printer defaults using this app though. "]], "screenCount": 6, "similar": ["jp.co.canon.oip.android.opal", "jp.gr.java_conf.mitchibu.myprinter_free", "com.kalvi.tco", "com.pauloslf.cloudprint", "com.rcreations.send2printer", "mlc.print", "com.google.android.apps.cloudprint", "jp.co.microtech.android.eprint_free", "com.threebirds.easyviewer", "com.HPCodeScan", "net.jsecurity.printbot", "com.cortado.thinprint.cloudprint", "com.snapfish.mobile", "com.dynamixsoftware.printershare", "com.btoa", "com.flipdog.easyprint", "com.sec.app.samsungprintservice", "com.ivc.starprint"], "size": "2.6M", "totalReviewers": 2324, "version": "1.2.97"}, {"appId": "com.flyingottersoftware.mega", "category": "Productivity", "company": "Mega Limited", "contentRating": "Everyone", "description": "MEGA is a secure cloud storage service that gives you 50GB for free.Unlike other cloud storage providers, your data is encrypted and decrypted by the client devices only and never by us. Your data is accessible any time, from any device, anywhere. Share folders with your contacts and see their updates in real time.The cloud in your pocket. Access and stream your files from your smartphone or tablet. Upload and sync your media to the cloud.Search, store, download, stream, view, share, rename or delete your files. It's all there - in the palm of your hands.For more info, please check our website: https://mega.co.nz/", "devmail": "android@mega.co.nz", "devprivacyurl": "https://mega.co.nz/%23privacy&sa=D&usg=AFQjCNE2KQA-Z2rnkoXDahEDZiwaaUEiuQ", "devurl": "https://mega.co.nz&sa=D&usg=AFQjCNEpUxHdBi8NIWlO5oha4Qxi4HO2ZQ", "id": "com.flyingottersoftware.mega", "install": "1,000,000 - 5,000,000", "moreFromDev": "None", "name": "MEGA", "price": 0.0, "rating": [[" 1 ", 961], [" 2 ", 291], [" 5 ", 5542], [" 3 ", 641], [" 4 ", 1385]], "reviews": [["Keeps getting better", " Problem: Display glitch when uploading, when choosing which folder to upload to, the one above my selection gets picked. This happens for a few seconds right when the app opens after a share action. Aside from that it would be nice if when switching orientation we didn't get reset to the top of the folder file list. Wish list: A default/recently used folder for uploads so that we don't always have to navigate from the root for every upload. Also would love to be able to sort by date or file size. Thanks! "], ["Awsome services", " Strong security, very large free capacity, high speed for uploading and downloading. Camera upload is very cool. This is one of best cloud services on PC and mobile if keep speed unlimited. Hope the PC client coming soon. "], ["Nice gui and compatibility", " I like the UI, flat and simple. Only lock screen need some improvement, like dropbox's lock maybe. Swyping left screen 3x to show menu. And the major drawback is I cant share a file's link via clipboard. "], ["Love it!", " This is the best cloud file storage I have ever used! It is quick and easy with the simple interface, and me and my family can easily share pictures to each other, it is just so useful! But 2 things you should add/fix. First, please give us the ability to add contacts straight from the app. I still haven't found a way to do that. Also, could you please fix the downloading/uploading notification flickering on the nexus 4. If you fix it, five stars for you! "], ["Seams A-OK", " Just installed a couple of days ago validated on my phone & kept getting the invalid user or login. Finally went on to my laptop and verified my account. Works fine now. Definitely fast! "], ["Great... But...", " Keeps crashing when downloading/viewing files. Please fix! Other wise great app! "]], "screenCount": 4, "similar": ["com.google.android.apps.docs", "com.dropbox.android", "com.metago.astro", "com.microsoft.skydrive", "com.adobe.reader", "com.bazinga.cacheclean", "com.forsync", "dk.alxb.megamanager", "com.uc.browser.en", "com.megacloud.android", "com.texty.sms", "com.womboidsystems.HotmailToOutlook2013", "com.hotmailliveemailnumber2", "org.kman.AquaMail", "com.sandisk.mz", "com.wdc.wd2go"], "size": "2.5M", "totalReviewers": 8820, "version": "1.5.8"}, {"appId": "com.koo.lightmanager", "category": "Productivity", "company": "MC Koo", "contentRating": "Low Maturity", "description": "Configure LED color and its flashing frequency for notification as shown below:- Miss call- SMS- MMS- Gmail- Calendar reminder- Hangouts- *Email- *Facebook- *Facebook Messenger- *Twitter- *WhatsApp- *BBM- *LINE- *GO SMS Pro- *Handcent SMS- *chomp SMS- *Any 3rd party apps- Low battery- Battery charging- Battery charged- No signal- No 3G/4G- No Wifi- Silent Mode On- Vibration Mode On- Ringer Mode On- Mobile Data On- Wifi On- Wifi Hotspot On- Bluetooth OnOn Android 4.1 and 4.2, ROOT is required for those mark with asterisk *. After grant the ROOT permission, you need to restart Light Manager for changes to take effect. However ROOT is not required anymore from Android 4.3 onwards. You need to enable the Notification Access for Light Manager at Setting > Security > Notification Access > Light Manager.There are two operating modes:1) Normal Mode - Only LED color for the first notification will be flashing2) Alternating Mode - A few LED colors will be flashing alternately when multiple notifications are receivedYou may go to the test section to test whether this app works for your device.For Samsung Galaxy SIII (JB):- Device's screen needs to be turned off in order for the notification LED to work- You need to go to Setting > Display > LED indicator and enable \"Notifications\" in order for this application to workFor supported devices list and FAQ, you may go to the link below:https://docs.google.com/document/d/1t26evGufoC4Fha1Vjyho1cgBKHY6MLJGBPHcsGKZVLc/edit", "devmail": "koomingchin@gmail.com", "devprivacyurl": "N.A.", "devurl": "http://forum.xda-developers.com/showthread.php", "id": "com.koo.lightmanager", "install": "1,000,000 - 5,000,000", "moreFromDev": ["com.koo.shaketoggleii", "com.koo.shaketoggle"], "name": "Light Manager - LED Settings", "price": 0.0, "rating": [[" 1 ", 782], [" 2 ", 324], [" 3 ", 547], [" 5 ", 3011], [" 4 ", 897]], "reviews": [["Just got this, Nexus 5. Hope it works!", " Tests worked. Wish there was an option for led incoming calls and led for certain bbm contacts. Had light flow app before and the light wouldn't shut off. "], ["Great app", " Works good on nexus 5! "], ["awesome, simple & customizable (galaxy s4)", " Love having ability to completely customize led notications (practically unlimited colors, blink rate, which apps) & that now it doesn't require rooting (for android 4.3 & up) to add notifications for other apps. Great addition of being able to change hex codes for the default colors to match what your device displays, but one wish would be to add a custom list of color names in the color mapping under the advanced settings so I don't have to remember that FF0033 is fuchsia on my device. "], ["Nexus4 updated 4.4", " After restart device is ok, but silent mode n vibrate mode still not work properly. Pls fix it !! "], ["Normal on an S4", " I wish you could've used 3 colors at once though. Great app in general. "], ["Great app- very useful", " Works perfectly, very handy to see what notification is without unlocking the phone "]], "screenCount": 6, "similar": ["com.knk.smsmc", "com.monkeyspanner.blingblingled", "com.socialnmobile.hd.flashlight", "com.led.notify", "com.surpax.ledflashlight.panel", "com.manzy.flashnotification", "com.gau.go.touchhelperex.theme.sector", "greengar.flash.light", "com.rageconsulting.android.lightflow", "de.dbware.circlelauncher.light", "flashlight.led.clock", "cps.mmxi.scroller2", "com.ta.searchlightFlashlight", "com.bwx.bequick", "com.devasque.noled.weather", "jp.picolyl.led_light", "com.devuni.flashlight"], "size": "929k", "totalReviewers": 5561, "version": "5.4"}] \ No newline at end of file From 9209efbc8c5caeb3a6b7a7f2b9511400ab39bc6f Mon Sep 17 00:00:00 2001 From: 100kristine <100kristine@berkeley.edu> Date: Wed, 27 Nov 2013 21:01:03 -0800 Subject: [PATCH 6/7] moved concat to scripts --- scripts/concat.py | 38 ++++++++++++++++++++++++++++++++++++++ 1 file changed, 38 insertions(+) create mode 100644 scripts/concat.py diff --git a/scripts/concat.py b/scripts/concat.py new file mode 100644 index 0000000..b6ee49f --- /dev/null +++ b/scripts/concat.py @@ -0,0 +1,38 @@ +import json,os + +#ie mergeAllFiles('/Users/Artemis/Desktop/gpstore') + +def mergeAllFiles(directory): + """Searches through current directory and merges + the files that contain app info with the corresponding + reviews from the matching "reviews.json" file. + """ + allDirFiles = os.listdir(directory) + for jsonFile in allDirFiles: + if "_all.json" in jsonFile: + reviewFile = jsonFile[:-8] + "reviews.json" + mergeJson(jsonFile,reviewFile,directory) + return + +def mergeJson(allJson,reviewJson,directory): + """Modifies the json file containing the + main information about the apps to also include + the information contained in the reviews""" + results = [] + + allFile = json.load(open(directory + "/" + allJson)) + reviewFile = json.load(open(directory + "/" + reviewJson)) + + for app in zip(allFile,reviewFile): + for field in app[1].keys(): + app[0][field] = app[1][field] + results +=[app[0]] + + with open(directory + "/" + allJson[:-8]+"merged.json",'w') as f: + json.dump(results,f,sort_keys=True) + + print "Results written to",directory+"/"+allJson[:-8]+"merged.json" + return + + + From cdf056140bb12062abeecb7100c90914daa596de Mon Sep 17 00:00:00 2001 From: 100kristine <100kristine@berkeley.edu> Date: Wed, 27 Nov 2013 21:02:21 -0800 Subject: [PATCH 7/7] concatenate json files --- concat.py | 38 -------------------------------------- 1 file changed, 38 deletions(-) delete mode 100644 concat.py diff --git a/concat.py b/concat.py deleted file mode 100644 index b6ee49f..0000000 --- a/concat.py +++ /dev/null @@ -1,38 +0,0 @@ -import json,os - -#ie mergeAllFiles('/Users/Artemis/Desktop/gpstore') - -def mergeAllFiles(directory): - """Searches through current directory and merges - the files that contain app info with the corresponding - reviews from the matching "reviews.json" file. - """ - allDirFiles = os.listdir(directory) - for jsonFile in allDirFiles: - if "_all.json" in jsonFile: - reviewFile = jsonFile[:-8] + "reviews.json" - mergeJson(jsonFile,reviewFile,directory) - return - -def mergeJson(allJson,reviewJson,directory): - """Modifies the json file containing the - main information about the apps to also include - the information contained in the reviews""" - results = [] - - allFile = json.load(open(directory + "/" + allJson)) - reviewFile = json.load(open(directory + "/" + reviewJson)) - - for app in zip(allFile,reviewFile): - for field in app[1].keys(): - app[0][field] = app[1][field] - results +=[app[0]] - - with open(directory + "/" + allJson[:-8]+"merged.json",'w') as f: - json.dump(results,f,sort_keys=True) - - print "Results written to",directory+"/"+allJson[:-8]+"merged.json" - return - - -