-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathvalidation_set.txt
1058 lines (1058 loc) · 977 KB
/
validation_set.txt
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
{"pkg_name": "com.dakshapps.magicalfairy", "description": "magical fairy live wallpaper android tablet phone screen note phone setup live wallpaper please first install google wallpaper in phone setup magical fairy live wallpaper install apps open apps icon setup live wallpaper scroll list find magical fairy live wallpaper setup love creating apps want keep free forever thanks download free live wallpaper please check free live wallpaper implemented number ad settings ad supported thank understanding support hope like thank also offer wallpaper free welcome download comments please e mail thanks enjoy number email", "label": 0}
{"pkg_name": "com.srbm.ssfspd", "description": "slide two cars overlap merge place on earth let car run much possible", "label": 0}
{"pkg_name": "co.april2019.jsk", "description": "jsk classes online platform managing data associated tutoring classes in efficient transparent manner user friendly app amazing features like online attendance fees management homework submission detailed performance reports much perfect on go solution parents know wards class details great amalgamation simple user interface design exciting features greatly loved students parents tutors subscriber identification module", "label": 0}
{"pkg_name": "aw.setar.homeinternet", "description": "setar home internet app allows easily setup manage mesh nodes extender units app lets control network display network map see devices connected make configuration changes app features guided installation in minutes configure network ssid password display network map link quality show connected wireless clients setup guest network energy saver mode parental controls number", "label": 0}
{"pkg_name": "com.magicsciencehouse.animie", "description": "come design cutest cartoon character design two dimensional anime image design small family character take picture save avatar also make couple avatars use emoticons text bubbles design scenes stories use imagination make q version anime doll softest coolest character feature super cute avatar production choice creative games character design game interior design game massive eyes mouth hairstyle hair color lot clothes choose try on various necklaces earrings wings hats choose cute pets stay kittens puppies rabbits turtles dinosaurs super multi scenario dialogue text bubble create story make favorite anime man boys hairstyles costumes unzip fun wifi required http com service terms http com privacy policy http com number", "label": 0}
{"pkg_name": "com.cardgames.solitaire.fun.free.collection.classic", "description": "solitaire collection fun unique solitaire card game including classic solitaire also known patience klondike spider freecell etc enjoy amazing solitaire collection card game keep challenging bring great fun help keep brain smart sharp highlights classic solitaire collection integrate various solitaire card games including patience klondike spider freecell pyramid yukon etc enjoy classic solitaire card games mentioned in solitaire collection fun need additional download creative solitaire card game besides classic solitaire gameplay also find creative features like star chests tournaments daily challenges fun interesting special events hold special events save fish fast food restaurant racing game flower shop time time bring fun freshness join in special events win various extra rewards unique cards victory animations playing deals keep brain smart sharp also bring lots coins stars used unlock exquisite card faces backs gorgeous backgrounds wonderful animations support multi language left handed mode ensure best gaming experience millions players worldwide make game possible languages add left handed right handed modes switch different languages choose prefered mode time features beautifully designed themes free undo free hint daily challenges different levels up top records klondike solitaire draw card cards timer mode left handed mode single tap drag drop move cards auto collect cards on completion play offline wi fi required games included classic solitaire in classic solitaire also known klondike patience try collect cards in card mode card mode spider solitaire play two decks cards depending on difficulty deck consists one two four different suits try collect fewest moves possible freecell solitaire win game creating four stacks cards one per suit secret winning extra four cells pyramid solitaire combine two cards add up remove board challenge reach top pyramid clear many cards solitaire select cards in sequence earn combo points clear many boards run deals daily challenges looking challenges try solve daily challenges challenges guaranteed solvable updated every day want start amazing free solitaire challenge hesitate download enjoy amazing solitaire card game contact us please feel free contact us support com questions receive email professional support team respond help soon possible number local area network email", "label": 0}
{"pkg_name": "com.purple.very.cheongju", "description": "tired countless annoying travel information true cheongju app uses pure api data korea tourism organization provide real real information except exaggerated artificial information in case use true cheongju app plan true cheongju journey without advertising exaggeration want get know real restaurant want find local festivals leisure activities wish attend course certified korea tourism organization looking accommodation near travel course well restaurants attractions cultural facilities recreational facilities festivals performances provides travel information region add information need favorites find quickly need meet open reviews blog travelers local area network", "label": 0}
{"pkg_name": "com.HAM.Math_teacher2D", "description": "game simple simple play need open doors solving equations given next door game starts easy become harder harder purpose game develop math skills pushes find solutions faster fun subscriber identification module", "label": 0}
{"pkg_name": "madlab.torontodesignoffsitefestival", "description": "app definitive portable guide january in toronto festival canada leading largest annual design festival celebrates design multidisciplinary form creative thinking making exhibitions events forming toronto design week january since bringing communities together celebrate design taking art design studio urban realm app features complete list exhibitions parties events beautiful photos accompany event descriptions event map lets browse easily location share events friends automatic updates new events photos mission brings people together celebrate contemporary culture provide opportunities emerging talent engage community exceptional accessible public programming advances design culture in canada non profit arts organization build thriving community design design collaborating artists designers government partners media associations local businesses build robust agile platform showing talking contemporary design number", "label": 0}
{"pkg_name": "com.numerals.foodopaadriver", "description": "full application food delivery app", "label": 0}
{"pkg_name": "com.astrosouls", "description": "want know strengths weaknesses even future in one app ask experienced fortune tellers get answers aries taurus gemini cancer leo virgo libra scorpio sagittarius capricorn aquarius pisces daily weekly yearly horoscope check love compatibility zodiac signs find love partner soul mates recipe disaster interactive tarot cards reading in real time find answers daily questions magic ball read palm know hands trying tell future find hidden character traits unique physiognomy test remember fortune favours", "label": 0}
{"pkg_name": "com.tubaexpress.helloworld", "description": "nothing like persons first app check whether system okay number", "label": 0}
{"pkg_name": "com.rhoChapterAlphas", "description": "welcome official mobile app alpha phi alpha fraternity incorporated rho chapter p single letter alumni chapter in fraternity app allow visitors chapter find events chat chapter members view chapter documents view chapter directory pay chapter dues explore social networks much ability effectively communicate chapter members help us continue develop leaders promote brotherhood academic excellence providing service advocacy community hope keep visitors engaged historic mighty chapter chartered on november in city brotherly love rho chapter in keeping fraternity mission statement develops leaders promotes brotherhood academic excellence providing service advocacy communities remains committed national programs partnerships fraternity include project alpha brothers keeper go high school go college people hopeless people working programs well local initiatives allows rho effect social political change on several levels in greater philadelphia area hope continue visit stay involved rho move onward upward towards fraternity great aims manly deeds scholarship love mankind number", "label": 0}
{"pkg_name": "com.rooster.android.flipballdiving", "description": "one tap easy learn controls new addictive game type goal make ball fall successfully rules shots level dont succeed times return previous level dont worry check points levels tips wait right time levels may seem impossible absolutely deficit", "label": 0}
{"pkg_name": "com.hkmytravel.hkmytravel", "description": "official android app com hong kong travel event guide app provides travel information hong kong including attractions hotels shopping malls beach airline consulate general in hong kong also provides recent events travel information hong kong individual place details included contact direction map transportation well nearby attractions hotels shopping malls gives guideline on trip planning navigation visit app also provides information recent coming events hong kong well individual place app user friendly search engine attractions searched keywords locations well types app three languages including english traditional chinese simple chinese version local area network subscriber identification module", "label": 0}
{"pkg_name": "simpleapps.physicsconstant", "description": "physics constants useful app includes fundamental constants density index reflection length conversion highly useful educational engineering utility", "label": 0}
{"pkg_name": "com.civicplus.oh_canton", "description": "city canton mobile get information on future meetings events agenda center calendar keeping current local news news flash use app search jobs faqs staying informed city alert center notify features", "label": 0}
{"pkg_name": "com.bindu1", "description": "bindu diagnostics pvt ltd trusted name in field pathological services in bihar providing quality diagnostic services patients hospitals offer numerous tests using advanced state art technology supported highly skilled personnel offer extensive range specialties in pathology services strive excellence in diagnostic healthcare services patients constant upgradation equipments facilities bindu diagnostics pvt ltd established promise ensure quality reliability patients care", "label": 0}
{"pkg_name": "com.abstractwombat.quickbrewcalc", "description": "quick brew calc provides calculations need make great beer whether home brewer pro quick brew calc calculate numbers need fast get back brewing built speed customization change units instantly need search settings touch unit label select new unit customize calculation sets make groups calculations always exactly calculations need designing brew requires different calculations running brew day organize calculations task anything else cloud backup sync across devices select google account calculation sets saved cloud using google drive start building hop schedule on one device finish on another fully editable data sources edit alpha acids hops change ppg fermentable add new values delete ones need available calculations alcohol content dilution boil volumes hydrometer correction attenuation yeast pitch rate mash tun size combining worts mash strike water mash infusion water grain extract conversion boiling point yeast starter priming sugar ibu includes customizable table hop varieties recipe supports steeping mashing boiling customizable efficiencies unit conversion weight volume temperature specific volume gravity specific gravity p ppg color lovibond srm ebc take requests tell us calculations need in quick brew calc write review email us gmail com number email", "label": 0}
{"pkg_name": "com.radiostation.qiblafmradiostationfreeapponlineusa", "description": "qibla fm radio station free app online usa available smartphone tablet device favorite radio station qibla fm radio station free app online usa hesitate download enjoy best news sports entertainment much content hours day days week matter features listen favorite radio station hear news sports events united states america enjoy best live music keep listening radio tasks simple beautiful user interface full radio player display song title artist information currently tuned in station easy use ever first time users powerful control panel stop start radio stream home screen waiting download qibla fm radio station free app online usa let music play app optimized 3g 4g wi fi network connections gives best experience disclaimer logos images names audios copyrights owners logos images names audios used purely entertainment purposes copyright violation infringement intended request remove honored number subscriber identification module", "label": 0}
{"pkg_name": "com.andromo.dev315366.app303239", "description": "dubstep radio stations counting listen best radio stream available gathered best internet radio stations web radio app loaded numerous stations playing best songs around world listen favorite music everywhere on android device radio player features stream music in background stable streaming social networking song info radio apps constantly updated enjoy listening also available on tablets due different android devices challenging providing support every single device technical difficulties questions please hesitate contact team posting negative feedback in comments thanks continued support like app please leave us review thanks in advance origin history dubstep class electronic move music began in south london england raised in late 1990s inside genealogy related styles example stage carport broken thump drum bass wilderness name reggae in uk causes classification might followed development jamaican sound framework party scene in early 1980s music part characteristics syncopated drum percussion designs bass lines hold conspicuous sub bass frequencies punctual dubstep discharges go normally offered b sides stage carport single discharges tracks darker test remixes less stress on vocals endeavored join components breakbeat drum bass stage in different strains dull carport music started showcased advertised london night club plastic people forward night happened significantly powerful advancement dubstep early supporter sound bbc radio dj john peel began playing onwards in recent year show audience members voted distance digital in main year sound dubstep initially exited preparations el b steve gurley oris jay zed bias in ammo promotions run persuasive club night forward overseen numerous proto dubstep record marks started utilize expression dubstep portray style music in around forward initially held velvet rooms in london soho currently running thursday plastic people in shoreditch east london established in forward discriminating advancement dubstep giving first venue gave sound environment in dubstep makers could head new music number", "label": 0}
{"pkg_name": "com.ruspixgam.Idolzzz", "description": "archaeologist need collect ancient idols around world carefully packing boxes transportation museum game physical puzzle features levels increasing difficulty worlds jungle desert snowy area real physics lots mechanisms solving problems juicy graphics short message service", "label": 0}
{"pkg_name": "com.yiyo.android", "description": "keep in touch friends using app on phone never easier share photos send gifts say quick hello instant messaging live voice video chat help build better relationship close friends connects others anywhere anytime features instant messaging high quality live video chat voice chat post photos videos share favorite moments lifestyle relations safety identity hidden private directed conversations block anyone membership access text mode video voice chat mode able talk users counties able make video voice call friends cost gems marked vip in users recommended page recommended users preferred gender free translating assistant chat friends different countries benefits cost gems make video voice call also use gems buy gifts flowers lipsticks friends world chat friends share moments need help email us support com number email", "label": 0}
{"pkg_name": "com.kawintra.wallairplane18", "description": "welcome fighter plane wallpaper hd free many gallery airplane wallpapers set wallpaper device send someone take care picture confirm free beauty find high quality fighter planes wallpapers hd free download mobile application help testing latest equipment samsung galaxy s6 galaxy s6 edge samsung galaxy note wallpaper moto x lg sony xperia z series setting supported please contact us via email comment features app view lots new aeroplane wallpapers backgrounds set wallpapers hd plane themes wallpaper crop resize backgrounds fit screen save view photos share airplane photo email facebook twitter set favorite wallpaper planes like setting select photos want make wallpaper press plus button in bottom right corner choose smart phone resizing live wallpapers airplanes fit screen press set wallpaper airplanes live wallpaper application fighter planes wallpapers hd free download start enjoying wallpapers backgrounds live free enjoy photos domain license creative commons images license application fighter planes wallpapers hd free download please rate enjoy thank number", "label": 0}
{"pkg_name": "com.nudegenius.monstersinhell", "description": "download monsters in hell still free app offers super challenging addictive game play enjoy endless fun new worlds many many levels new characters levels added regularly single tap based game control character help accelerator meter tap jump upwards", "label": 0}
{"pkg_name": "com.solikil.android.navigation", "description": "stoicism practical philosophy life way intended organize lessons simply in order appearance in enchiridion meditations though exercise may referred either author point appropriate entry professor massimo gives brief description comment followed original passage subscriber identification module", "label": 0}
{"pkg_name": "com.free.audiobook.bible.offline.jesus.god.english.quotes", "description": "enjoy listening mp3 audio bibles free in english king james version bible app created give everyone new experience studying holy bible kjv king james bible created give everyone new experience studying saint bible enjoy audio bible app offline in android contains old testament new testament audio version listen word god bible king james version in audio free download app on main screen list books bible buttons downloading book download listen books in offline mode also gradually delete already listened books bible make room on phone features audio bible mp3 audio bible online internet audio bible study dramatized bible in main screen buttons downloading book want listen music offline audio bible without internet audio bible king james background music background audio bible player function need open app every time listen favourite bible verses easy understand audio bible reading app easy navigation audio bible free offline holy audio bible share favorite audio bible verse friends bible experience audio bible apps free android phone portable use book audio bible reading app audio bible reader anytime disable advertising audio bible music sleep timer audio bible verses offline kjv bible offline old testament new testament perfect people wants learn bible king james version free application read bible verses audio bible study free change font size user visibility let us know got issue open hearing suggestions make audio bible app best bible application android hope enjoy app give us best rating feedback number", "label": 0}
{"pkg_name": "com.goharvest", "description": "fast growing food grocery marketplace aims help support promote small local businesses in philippines order fresh fruits veggies meats seafood groceries food many partner stores comfort home delivered right door convenient time saving way buying essential needs always stuck in traffic in hurry in mood go plain busy forget grocery cart use fresh produce frozen goods in tap fresh frozen order trusted partner produce sellers wet market vendors convenient time saving grocery shopping in clicks groceries daily essentials healthy options baking need delivered right door satisfy cravings ready eat food delivery food get authentic food ready eat meals delivered doorstep certified planting essential products garden shop buy seeds planting tools many planting essentials start sustainable planting habits enjoy exclusive promos discounts partner stores offers browse use vouchers avail discounts on purchase servicing following locations expanding day day selected areas in metro manila rizal help us help support promote small local businesses like us on facebook fb number", "label": 0}
{"pkg_name": "com.TreeRedIce.MagicLumberjack", "description": "increase power benefiting forces nature collect resources magical tree using strength ax soul repeat", "label": 0}
{"pkg_name": "com.vasil.friendfriender", "description": "everyone need communication let push boundaries acquaintances app lot interesting people around us try make many new acquaintances possible life become interesting made sure everyone could first familiarize profile members offer friendship try loyal possible members community start conversation someone want everyone personal choice improving service try take account wishes hesitate write suggestions support team make application better number", "label": 0}
{"pkg_name": "com.delux91.bruselas.guide", "description": "bruselas guide lists top things in bruselas includes offline mode text speech in application find numerous articles following one day in brussels belgium city guide one day in brussels belgium course want make let travel tester guide highlights visitors guide top things in brussels discover top things in brussels including events across year best places buy belgian chocolate guide things in brussels want wander around in city famous chocolate beer besides city offers much check things in brus things in brussels in weekend famous waffles fries chocolate wait visit capital belgium top things in brussels in things in brussels besides eating waffles find top must ultimate brussels itinerary spend days in brussels intrepid guide language travel blog featuring travel tips language hacks travel phrase guides free resources photography around top things see in brussels in looking information on things see in brussels look in dept guide visiting sleeping eating see in brussels impressive attractions besides grand place see in brussels despite popular belief many attractions know find em one day enough epic brussels hipster city guide researching hipster guide brussels travel tips came across term bobo bourgeois bohemian in honesty brussels top tourist attractions things in brussels belgium planning visit capital belgium well travel guide certainly help find best things in brussels must brussels travel guide visit brussels on budget insider tips advice visiting brussels belgium on budget includes must top brussels capital belgium principal seat belgian royal family capital european union remarkably small easy much articles number local area network number", "label": 0}
{"pkg_name": "com.app_batterandberries.layout", "description": "batter berries epitome fresh offering enticing meals contemporary twists mission provide comfortable setting friends family looking phenomenal meal puts twirl on traditional breakfast lunch outing expect everything fresh batter berries including homemade baked pastries", "label": 0}
{"pkg_name": "com.quitsex.torecovery", "description": "want stop addicted watching porn finding new ways solutions stop addicted online pornography addiction clean elegant app supports avoid addiction porn holding back becoming better person matter trying overcome serious addiction like addiction porn trying improve life quitting wasteful activities like watching porn long help overcoming look in mirror pride useful sets features porn addiction symptoms porn addiction men steps quit pornography addiction addicts never heard causes treatments break overcome bad habits porn addiction subset sex addiction refer range behaviors done in excess negatively impact one life porn addiction official diagnosis in diagnostic statistical manual mental disorders v dsm however addiction porn lead serious consequences in many aspects one life pornography statistics million adults in u visit internet pornography sites on regular basis in internet searches on mobile device pornography men happily married less likely look porn men admit viewing pornography work porn scenes contain physical aggression contain verbal aggression number", "label": 0}
{"pkg_name": "com.chownow.auntchiladasmexicangrill", "description": "aunt mexican grill mobile app ordering food takeout never easier scroll easy navigate menu select dishes strike fancy specify special instructions submit payment information securely sit back push notification alert order ready ideal meal taps away download aunt mexican grill app free android today number", "label": 0}
{"pkg_name": "com.dwt.cogentfincials", "description": "cogent financials state art investment insurance portfolio management app customers cogent financials app get several views portfolio keep abreast latest status also help making important decisions investment balancing profit booking stopping loss many features cogent financials app get summary view current status investments across asset classes get summary view insurance cover members in family drill full detail view upcoming portfolio events get alerts important events life insurance premium due general insurance renewals sip due fmp maturity etc buy redeem switch mutual funds online amc get best in class mf advisory raise service ticket advisor host useful financial calculators help plan short term long term financial goals digital vault access important documents anytime smartphone provides coverage major general insurance sections health motor fire etc track small saving investments like ppf nsc kvp fd rd etc maintain investments in stocks bonds bullion commodities etc number local area network", "label": 0}
{"pkg_name": "com.tieinup", "description": "free dating app connect chat meet build relationship new people create meaningful connection lead long term relationship top free dating app making place meet new people want chat date want make friends dating app many free exciting features local singles give best dating experience ever possible best features free online dating app end end encryption chat fully encrypted end end dating chat much want chat totally free let start chatting come across never miss connection on move dating app notify someone passes like unlimited swipes swipe unlimited verified profiles get best connection online dating app providing profiles best ai feature totally free find users in nearby get engaged nearby local people start finding soulmate help find dating partner hide privacy hide online presence anytime nearby come across people safe go install dating app start making friends without hesitation ai recommended profiles artificial intelligence based recommendation engine suggests best connections always people interest help build relationship friendship love whichever want message request stand crowd sending message request personal messages view love one profile also verified profiles profiles highly verified system swipe right connect people make soul connection advertisement annoying advertisements make sure smooth online dating experience best part free dating app advertising disturbs lot in application talk anybody time ads appear works install dating app on create profile add photos start browsing thousands connections in city view profiles like message passes way dating app notify create free account start exploring soulmate friends connection lover whichever want see connections belong age group city like anyone simply express interest clicking button like connection connected start chatting on set up date mingle offline first app combines dating friendship finding new boyfriend girlfriend meet new friends make professional connections in one single app waiting go start dating much dating app join truly inclusive dating community discover single people looking thing find ideal connection make vibrate privacy policy https com privacy terms conditions https com terms contact us questions suggestions privacy policy hesitate contact us contact com number subscriber identification module email", "label": 0}
{"pkg_name": "com.tribtv.wttv", "description": "breaking news notifications local news want cbs4 in fast high performance app watch read stories time video plays scroll first know breaking news alerts find happening in area news near never miss cbs4 news livestream newscasts right phone tablet save stories read later share easily facebook twitter social networks get head start on day cbs4 traffic weather maps enter latest contests promotions right phone catch up on favorite segments cbs4 please note app features nielsen proprietary measurement software contributes market research like nielsen tv ratings please see http policy com mobile us en html information number", "label": 0}
{"pkg_name": "com.kn.curtain", "description": "chat freely protecting privacy shutter shutter simple app allows chat confidentially masking on screen chat history people around whether in public transport in public place people around stay comfortable conversations like never easy use utility features pick color theme depending on mood instantly hide revoke app visibility icon transparency scroller quick viewing subscriber identification module", "label": 0}
{"pkg_name": "app.symlexdialer.vpn", "description": "pro mobile app android smartphones offering functionality voip calls data enabled mobile phones 3g 4g wifi use app end users need operator code obtain voip service provider service providers use white label platform offer mobile voip services in brand features voip calls via wifi 3g 4g edge use low bandwidth codec compatible switch server balance information loudspeaker call hold call history information work android phones note collect sensitive information access native call logs sms permissions take using pro app foreground service keep registration sip server alive record audio making voip audio calls modify audio settings increase decrease volume maintain audio quality read contacts making voip calls saved contact numbers write external storage save user credentials in sd card encrypted access network state detect wifi 3g edge connection provide better audio quality read phone state collect call information voip calls service providers pro available in major os platforms fully customize brand per requirements free trial visit www com contact us register free demo details softswitch ip port send demo operator code testing app on softswitch end users prompted following starting app operator code collect operator code voip service provider service provider using pro services able provide valid operator code user id password pro default dialer support dialing emergency services number short message service", "label": 0}
{"pkg_name": "net.azardev.findsexyhotasiangirls", "description": "welcome sexy asian girls game cute beautiful girl sexy asian girls game learning game everyone wants train brain moreover complete photo slide puzzle rewarded high quality beautiful wallpaper solved picture tile wallpaper chosen manually get highest quality wallpaper android smart phone photo tile slide puzzle game educational enjoy beautiful sexy asian hot girl features add beautiful cute asian sexy girls in full hd photos set high quality simple easy everyone control high scores leaderboard share win friends in facebook twitter instagram google subscriber identification module", "label": 0}
{"pkg_name": "com.independence284.pzgrcylsgapp", "description": "dose yoga day keep negative thought patterns away time get strong glow radiant classes workshops skills drills strengthen up body practice want find space in mind body f n l l first time ever access space inside pocket app allow continue commitment in practice in time breath work amplify mellow energy strength building sequences drills finding functional mobility in body enhancing flexibility inside get space in thoughts power up move day drive bring balance body mind life able progress practice using bite sizes sequences minutes one time one another whatever time sections improve technique find flow meditations start mornings decompress day two subscription options get strong glow radiant prefer monthly subscription whole content challenge program one time subscription access challenge change life", "label": 0}
{"pkg_name": "com.tentimes.ciwe", "description": "china shanghai international wheel exhibition organized info convention exhibition shanghai co ltd download app stay updated on latest news announcements features one touch registration check in venue network visitors schedule meetings get instant alerts social wall offline mode", "label": 0}
{"pkg_name": "com.nagaland.lotteryresults", "description": "nagaland lottery result today official app team publish lottery result nagaland pm pm respectively also publish bumper lottery results included results category wise easy users navigate lottery results features nagaland lottery result app fast nagaland lottery results low memory consumption super fast notification feature results updated on time attractive ui offline mode official app government app owned nagaland lottery result checkers check official lottery websites cross checking results nagaland lottery result app view results number", "label": 0}
{"pkg_name": "com.amd.link", "description": "amd link powerful mobile smart tv app built complement amd radeon software adrenalin edition sporting brand new modern user interface amd link brings radeon gaming phones tablets smart tvs conveniently allows access gameplay performance metrics pc system information easily connect pc either pin in radeon software manually entering required info extremely powerful tool designed today socially connected mobile first world in mind gamer center new in version ability connect pc via internet connection allowing take gaming on go mobile app dashboard includes five main sections home section contains information recently streamed games recent media images click on learn amd amd partner products gaming launch pc games stream mobile device customize controllers even use remote desktop solution windows desktop see preview media gallery photos videos trim save device streaming allows one touch capture instant replay instant gif gameplay stream game popular streaming platforms performance brings power radeon mobile device enables monitor track gaming performance system info pc easy understand bar graphs settings app settings in convenient place change every aspect app voice recognition tap on microphone icon control several aspects amd link simple voice command tv app dashboard includes three main sections connect section connect pc quickly easily get amd link smart tv started gaming section launch pc games stream smart tv view recent media media section playback gameplay moments saved on pc subscriber identification module", "label": 1}
{"pkg_name": "com.mdtpl.nextcm", "description": "mobile application online survey assembly election user cast vote favourite candidate also tell issues problem facing in assembly constituency", "label": 0}
{"pkg_name": "com.goodapp.flyct.unison", "description": "earth chemicals company known amongst finest manufacturers suppliers traders distributors importers impeccable range organic inorganic fertilizers products like potassium silicon spreader humic acid amino acid seaweed extract widely praised preferred make up impeccable range manufacturing exporting range done following set industry norms guidelines utilizing finest ingredients modern machines effectiveness ph level shelf life widely acclaimed asked offered range marked reasonable rate possible maximum client satisfaction number", "label": 0}
{"pkg_name": "com.src.gossipncook", "description": "latest gossip best food cooking ideas people star national enquirer ok life style globe in touch bon appetit cooking light food network food wine read magazine web pages easy fast news justin bieber ellen degeneres matthew mcconaughey miley cyrus ashton kutcher kate middleton charlie sheen beyonce jay z kim kardashian lindsey lohan much much", "label": 0}
{"pkg_name": "cool.mi.camera", "description": "cool mi camera inspired camera add many valuable cool features cool mi camera may get many cool camera features contain in camera also may get many advanced camera features cool mi camera run on android devices helping take cool photos regardless phone notice android registered trademark google inc cool mi camera inspired camera official xiaomi camera main permissions required camera permission take photos record video access sd card manage photos cool mi camera features list cool mi camera real time vivid ar stickers stickers take live photos videos cool mi camera make up skin tone big eyes face lift cool mi camera cool filters cool mi camera funny mask stickers seal sticker play support 4k ultra hd camera support hdr mode help take better photos support move shutter button left right zoom convenience pinch zoom white screen flash front camera fill light in front camera take better long press shutter burst shooting professional mode iso white balance scene modes exposure compensation adjustment easy album manager photos touch focus auto flash on silent capture mode cool mi camera support using volume key take handily cool mi camera support timer shot burst shot cool mi camera support resolution adjustment camera video support tilt shift photography take pictures blur background stamp photos date tags grid line mirror camera cool mi camera support vignette function cool mi camera include powerful photo editor amazing filters photo editor support crop rotate photo photo editor support photo adjustment contrast saturation brightness tone add doodle text tags photo in cool mi photo editor adjust photo size tilt shift vignette choose photo save format like cool mi camera please comment rate trying best make cool mi camera better thanks number", "label": 0}
{"pkg_name": "com.butterfly.tamilchatzone", "description": "introduction welcome tamil chat rooms chat room best place find new tamil friends world chat one without registration registration also enjoy tamil hit songs chatting flexibility text video audio chats friendly environment chat room fun chat room lot fun chatting people talk particular topic anyone join discussion knowledge based group chat people learn others mentality provided attractive group chat good design features also private chat use mind blowing person chat secret conversation friend using whisper message chat able send comedy audio clips images song whatever want features free unlimited chat room tamil people living world smooth design updated similes good interface image upload unlimited text chatting chat interface free everyone round clock find new friend every day make friendship without limits online tamil people chat connects people india malaysia singapore uk uae us many countries chat room provides rich friendly user experience text audio video enjoy real breakthrough voice experience help make happy joyful subscriber identification module", "label": 0}
{"pkg_name": "com.tulsimatching", "description": "provide ultimate design solution in world fashion", "label": 0}
{"pkg_name": "com.love.music.photo.videos.love.videomaker", "description": "love video image maker music video editor photo slideshow free video editing app songs effects help users edit videos create beautiful effects speed control changing image video maker music video editor free utility great choice creating videos pictures music sharing sweet memories search love images collection select many images want love video image maker music video editor photo slideshow best powerful application creating videos creating movies creating slideshows auto save video android device pictures gallery music phone say love on valentine day love day video maker photo editor offers best tools steps create video choose pictures add music set time record video slideshow share friends video image maker music video editor photo slideshow easiest way create music video easily create music videos images songs create video music video slideshows app allows users select songs phone choose favorite picture beautiful slideshow image created create slideshow clips photos share friends free video music creation application one click instantly create great music video slideshow suitable movies video maker makes even interesting capture interest in social media editing photos great video lot picture love frames attach frames make videos fun video image maker music gallery", "label": 0}
{"pkg_name": "com.bjappsoft.GuideAppForDrawColiseum2021", "description": "welcome guide app draw coliseum creative victory depends on drawing skill clash opponent claim fight money upgrade speed power ink blade spinner win tournament become champion unlock new secret skins super fun thrilling spinning top battle game draw blade spinning top on great effect different shapes blade including spinning speed unlock league win trophy unlock levels get coins buy tools improve speed power ink spinning top remember collect energy clashing opponent completes process spinning top burst energy disclaimer official application guide app draw coliseum application contains guide tips application followed rules application made educational purpose user learn play game feel violated copyright trademark use trademarks violate rules please immediately contact us immediately delete contact us on email id gmail com number email", "label": 0}
{"pkg_name": "com.serviziwebsrl.diretta", "description": "keep up latest news miss single play team special app football fans follow matches favourite teams also multiple national international competitions leagues real time results complete stats detailed information competitions around globe clicks stats standings transfers lineups news within multiple competitions cover premier league fa cup efl cup efl championship italian serie coppa italia champions league europa league bundesliga la liga ligue many national international competitions in palm hand select favourite teams notify everything need know download follow passion play play number", "label": 0}
{"pkg_name": "bestcarrental.italyrome", "description": "traveling in city renting car necessary want find best car rental in rome italy download app free usual price free car rental app help rent best selection car rental in city traveling in city also need built in travel tips right within app jot car booking dates within built in calendar app rent car in city write details in notes app car number booking number etc also compare book hotel in city within app car rental app free install in device grab still free number", "label": 0}
{"pkg_name": "com.edugorilla.troubleshooting", "description": "trouble shooting one forms problem solving often applied repair failed products processes on machine system trouble shooting requires operational skills much required solve repair system trouble shooting online exam preparation app assists every student get hold operational skills helps fix problem system affected special features trouble shooting online exam preparation app accessible devices mock tests taken students smart user interface saves study time daily news provided latest issues relevant current affairs exams daily quiz test preparation detailed analysis performance report grounded on test best online exam preparation app available modest price trouble shooting online exam preparation app details trouble shooting online mock test app equips students necessary materials online test series required crack various exams trouble shooting materials test series prepared team experts assists students unravel mystery problem solving repair failed products machines interface trouble shooting online practice test app smart user friendly easily understandable therefore like online learning apps trouble shooting online exam preparation app one kind best online learning app trouble shooting subjects covered trouble shooting online mock test app basics trouble shooting types trouble shooting various tools fundamental concepts trouble shooting steps followed troubleshoot problem many advanced concepts related trouble shooting us team experts driven make best mock test series apps students provide best exam preparation apps modest price help students in preparation various exams best online exam preparation apps provide keen insight latest exam pattern therefore get apps today get best mock tests alerts notifications start preparation today one best online learning apps anytime place get latest alerts like exam notification admit card results etc start preparing today on india best mock test app contact details eager help feel free contact us on support com number email", "label": 0}
{"pkg_name": "com.app.estimator", "description": "description ez construction estimating app designed simplicity ease use construction estimator many apps choose everything scheduling invoicing measuring billing inventory time cards accounting ez app designed one use construction estimating well designed twenty years ago software construction company estimate room additions improved difficult task ez app loading material labor pricing would recommend spending afternoon loading pricing need saved in online database future use see video link tutorial on add product product added find estimating app easy use see video please see free user guide download link application simply load material labor pricing specifications in material database identifying code ie faucet want estimate load code input quantity want app calculate total cost material labor markup taxes applicable simple use set up pricing beginning need look up input pricing specifications unless material labor prices change app print customer friendly quotation final price pictures specification material list simple process jobs estimated on spot within minutes designed ease use accuracy customers want detailed professional estimates printed easy understand read simple process furnishing type estimate reward sales higher prices on jobs ez app comes extra work order credit work orders format also features include digital signing estimate customer pictures embedded final estimate find app productive estimating designed would use app app used general contractors plumbing electrical roofing painting heating drywall flooring contractors trade need estimate app customizable company needs easy use material labor templates assemblies allow produce items use often ez offers free estimator training videos on tube channel training video adding product https https www youtube com channel user guide ez app https ms w number optional subscriber identification module", "label": 0}
{"pkg_name": "com.jabbo.android", "description": "smart qr code generator enables program behaviour smart qr code add change content anytime like manage qr codes using mobile phone using website features mobile app add video recordings music photo email phone social media etc add media directly mobile phone gps dependent content behind one single qr code high precision qr code scanner manage qr codes media share print export qr codes smart qr code media library website advanced functionality multiple dependencies locations countries languages phone types languages multiple videos passwords multi links timeslots media carousel single tagging qr codes website https www nl instructions https nl instructions local area network", "label": 0}
{"pkg_name": "com.HydroponicCultivation.Kimmydroid", "description": "understanding hydroponics way cultivate plants utilizing water without using soil planting medium hydroponics important in meeting plant nutrition plants flourish produce fruit quickly even without using soil planting medium wherever place grow plants always grow well nutrients met in hydroponic method function soil replacement media support plants importantly water functions dissolve nutrients absorbed plant roots hydroponic method farmers save time place application provides complete guide grow crops hydroponic system easy understand application contains among others grow hydroponic plants types plants use hydroponics types hydroponic ornamental plants hydroponic strengths weaknesses fertilizers hydroponic plants types hydroponic nutrition make hydroponic nutrition much application downloaded free without charged anything forever application equipped google language translator feature make easy users understand indonesian ordinary people like look themes hydroponics hydroponic systems hydroponic plant cultivation cultivate hydroponic vegetable plants hydroponic cultivation hydroponic nutrition measure water ph hydroponics disclaimer contents in application trademark get content search engines websites please let know original content wants remove application number local area network", "label": 0}
{"pkg_name": "com.zelin.shape.fit.fall.challenge", "description": "use brain in unique puzzle game turn geometric shape passes obstacle hold slide finger across screen rotate shape shift shape jelly fit obstacles try beat levels reactive fit obstacles right time reach highest score possible game features simple pleasant quick gameplay simple operation subscriber identification module", "label": 0}
{"pkg_name": "jp.cocone.niagho", "description": "welcome cats atelier charming tale art romance adventure enjoy satisfying match three puzzles alongside adorable cast feline friends storyline story begins in whimsical milieu 19th century paris hero vincent van struggling painter residing in ramshackle home late master drowning in debt facing eviction van must succeed artist sell paintings in order save home players help faithful feline companion trials travails becoming famous artist charming ensemble wealthy patrons crafty merchants famous artists dali picasso others join fun along way in addition story mode players join special events collect items customize van home wardrobe inside enchanting storybook world delightful soundtrack endearing plot addictive puzzles cats atelier sure stimulate senses warm heart features challenging match puzzles new exciting levels added regularly provide hours engaging addicting gameplay dazzling home makeover help restore master home completing puzzle stages beautify home help variety colorful characters enchanting design characters picasso gauguin dali hokusai monet famous painters appear throughout regale delight players humorous dialogue story driven missions immersive world sure leave feeling fluffy inside exciting daily events get exclusive rewards playing fun thrilling events unlimited character customization get unique dress up items participating in special events show fashion sense create tailor made outfits fun filled facebook integration invite friends on facebook work together solve super tough puzzles special stages merrier please note cats atelier completely free download play includes special in game items purchased via apple account disable feature turn in app purchases option in device settings number", "label": 0}
{"pkg_name": "com.wintergames.snowboarding", "description": "winter games snowboarding play snowboarding game snowboarding forward avoiding snowy hills collecting golden coins first seems like simple game start playing simple snowboarding person touches obstacles game try get many golden coins game collect golden coins privacy policy please visit https sparrow publishing ca privacy policy apps number subscriber identification module", "label": 0}
{"pkg_name": "com.appsdrive.womenchristmasphotomontage", "description": "christmas special women purpose developed new dress suit app christmas women photo montage free download stylish colorful christmas women dress suits select apply favourite photos select christmas women suit fit face on suits girls womens like christmas women photo montage app use enjoy new year christmas festive season features friendly interface use suits easily edit decorate photos choose photo gallery take new photo camera click dress button show christmas women suits displayed image move zoom rotate option fit photo on suit decorate women suit image directly saved sd card need internet connection required happy christmas happy new year christmas women photo montage app completely free try keep sending feedback suggestions gmail com number email", "label": 0}
{"pkg_name": "com.stanleyblackanddecker.stanleymeasure.android", "description": "save time save money optimize workflow stanley smart connect seamlessly manage projects take measurements create room plans using connected bluetooth enabled stanley device entering data manually add ons within app allow customize features want in app add ons include measurements add fast precise measurements measuring tape stanley bluetooth laser distance measurer toggle imperial metric units measurement attach photo export share measurements image pdf store measurement in projects access later photo mark up plot multiple lines annotate photo add measurements measuring tape stanley bluetooth laser distance measurer plot lines circles squares freeform shapes annotate photo write text notes on photo toggle imperial metric units measurement export share photo mark up image pdf store photo mark up in projects access later room plan draw freehand shape use default rectangle add doors windows walls auto scale room add measurements measuring tape stanley bluetooth laser distance measurer toggle imperial metric units measurement calculate square footage attach photo export share room plan image pdf store room plan in projects access later stanley light turn light on app control brightness light app stay tuned continue include add ons connected devices number local area network", "label": 1}
{"pkg_name": "com.newfirstnb.biz", "description": "bank conveniently securely national bank business mobile banking manage business finances anytime anywhere mobile device manage accounts ; check account balances ; view recent transactions including check images ; transfer money accounts deposit checks ; deposit checks snapping picture check ; view deposit history in app review approve ; approve transactions scheduled e corp business online banking including fund transfers ach transfers wire transfers ; review approve positive pay exceptions ; receive alerts approvals pending getting started easy simply download app sign on e corp user credentials information national bank business mobile banking services please visit https www com online banking contact us https www com contact us carrier message data rates may apply trademark fiserv inc affiliates place bottom description number subscriber identification module", "label": 0}
{"pkg_name": "air.NTDH.ElsasCleanUp.Dressupgamesforgirls", "description": "elsas clean up dress up games girls kids girls like elsas busy likes cleaning royal family today busy today wants someone help girls help first clean living room rubbish everywhere put in dustbin sweep floor put vases picture right find rubbish point hint button help busy skip step clean bedroom bedroom also dirty takes times finish cleaning also skip step step fun better try finally elsas many beautiful dresses shoes hairstyles clean tools let help dress up number", "label": 0}
{"pkg_name": "com.StartledBadger.LetterGridJuggler", "description": "tool helps play word games friends round table displays grid letters facing in multiple directions built in timer play friends trying find many words longest word", "label": 0}
{"pkg_name": "com.booxi.merchant", "description": "manage appointments time anywhere using on smartphone easy simple yet effective provides great values business create website business list in online directory clients find help clients book appointments online based on availability rules email confirmation clients send sms reminders provide virtual assistant working helping appointments marketing business aspects engagement credit card required use appointment calendar reminder service business professional whether massage therapist osteopath chiropractor acupuncture homeopath alternate medicine hair dresser beauty salon spa tradesman service base business number short message service subscriber identification module", "label": 0}
{"pkg_name": "com.nea.adventure.space.shooting.game", "description": "project l5 snow army sniper shooting offline space shooting games 3d free experience new real cover fps shooting action games snow army sniper shooting free war games army fans collecting gun defend fight survive in cover fps shooting games on space war let start project l5 snow army sniper shooting offline space shooting games 3d gun games offline free year environmental damage nuclear war on earth rendered planet inhabitable private corporations created reusable space technology could transport humans also large amounts cargo orbit beyond new real cover fps shooting action games experience join army command like professional shooting sniper take action survive on war shoot kill in special war fight survive in project l5 snow army sniper shooting offline space shooting games 3d gun games free humans on earth although completely devastated war environment continue survive in small colonies dive cover war games experience future earth space total chapters included enemies in chapter randomly generated players need defeat enemies clear stage action skills defend till end using shooting skills real hero in cover war games project l5 snow army sniper shooting offline space shooting games 3d gun games free auto reload crouch jump smooth scope controls precise difficulty curve engage maximum users make project l5 offline space war shooting games 3d gun games best cover shooter gaming experience on mobile mini map given intentionally explore area figure way complete mission enemy approaching towards stay alert survive till end project l5 snow army sniper shooting offline space war shooting games 3d gun games offline features global theme map unique futuristic weapons realistic environment terrain multiple fps sniper shooter tasks game solely based on research authentic prediction future hardcore survival battles offline challenges survival battles perfect free cover shooting gun games action games fans fps shooting games war games free want explore side effects nuclear weapons gun environment damage on earth game perfect anyone hungry solo play experience fps snow army sniper shooting shooter free enjoy time number", "label": 0}
{"pkg_name": "com.ringtones.myringtones.iphoneringtones", "description": "presenting popular free ringtones app on play store best audio mp3 app free requires internet connection recommend want free audio tones sms tones call message bells notifications rings app works offline multiple ringtone categories include sad tones love romantic arabic indian english classic sms rings call message alarm hip hop pop remix top latest ring bells messaging new ringtones call many categories hundreds ringtones in application set tones on mobile sms platforms download enjoy 3d ringtones in 3d tones call app many options like valentine day guitar new ringtone app gives many famous sounds like flute sms birds call tones set simple call rings short sms also included 3d tones in free latest ringtones application get one best mp3 apps on play store best audio mp3 free ringtone app sms tones fast updating set alarm set ring bells new baby country music sounds hindi pakistani arabic english chinese notification tones features ; new latest ringtones ; classic tones sms ; arabic rings mp3 rings ; arabic sms english ringtones ; message tones notification bells ; notification ringtones ; galaxy message tones ; updated new guitar sounds ; piano guitar ; sad tones sad sms notification bells ; titanic beautiful chinese flute ; funny baby dance tones categories in detail sad find many new sad ringtones sad piano tones romantic tones include many romantic guitar ringtones well arabic tone latest arabic mp3 ringtones updated in free mobile sounds app english hundreds english bells well funny children bells dozens free funny rings children dance tones in new sms tones application new mp3 ringtones app fast built in functions like set options including set alarm set call tone set sms play best mp3 ringtones light in size requires internet connection open application listen new latest ringtones set favorite notification tone in new mp3 simple ringtones android application many functions like set tone set alarm set sms tone set contact ringtone new mp3 sounds app multi function simple in design enables set many ringtones update application new bells sms sounds notification tones enjoy best recommended audio tones on play store in mp3 bells application get guitar flute piano call notification many options multiple tones functionality best audio mp3 includes sounds sms bell many platforms like galaxy tone galaxy message set chinese arabic ringtones new modern mp3 new famous mobile default mp3 sms tone new mobiles old phone call tone beep rings need search new latest mp3 ringtones anymore best ringtones app available offline worry internet connection notification tone application free fast number short message service subscriber identification module", "label": 0}
{"pkg_name": "com.object.news", "description": "perfect app follow latest electronic music event news stay on top electronic music industry without working hard new releases album reviews new singles events interviews music videos up date podcast tech much", "label": 0}
{"pkg_name": "com.itsupport.epd.epddemo", "description": "pledge provide citizen evansville highest standard performance app citizens able take epd on go smartphones features included in app ; contact information administrative unit tip line ; access youtube feed ; links website epd foundation let users submit tips commend officer ; news directly twitter account ; crime map lets users look up happening in neighborhoods ; information on report criminal activity local authorities civilian safety number one priority app hope better equip citizens information need number", "label": 0}
{"pkg_name": "com.doPost.sirsa.go", "description": "haryana roadways bus stand sirsa", "label": 0}
{"pkg_name": "com.digitalinsight.cma.fiid01656", "description": "ascent bank free mobile banking application customized android features ; review account balances transactions ; transfer funds accounts ; pay bills ; view copies cleared checks ; locate surcharge free atm ascent bank branches safe secure ascent bank uses ssl secure socket layer encryption communicate securely mobile devices automated teller machine", "label": 0}
{"pkg_name": "com.meltinglogic.pixly", "description": "complete pixel art editor android devices excels editors phones tablets fall short many useful features design made phones tablets in mind quick list features may find in animations onion skinning layers mini view customizable level zoom quick preview dropbox google drive integration controls intuitive touchscreen try pinching two fingers move zoom pinching three fingers change brush size contextual tools undo redo history social features share twitter text drawing palettes color ramps opacity transparent non transparent background patterns arcs curves real time image tiling symmetry customizable mirrors references grids copy paste lots color effects number email", "label": 0}
{"pkg_name": "com.bluebridgechurches.maranathachapel", "description": "stay connected official maranatha chapel app receive information going on around church anytime phone tablet device choice receive push notifications events going on around church watch listen live archived messages read word god embedded bible technology check in classrooms account send prayer requests make donations much maranatha chapel non denominational evangelical christian church in fellowship calvary chapel costa mesa located in san diego ca vision love god love people mission make disciples on vision mission please visit us section section in app visit us online http org number", "label": 0}
{"pkg_name": "com.fortmobile.linkacademy", "description": "link academy android application provides access unique e learning platform entirely modern way distance learning acquire expertise official knowledge area interested in via mobile phone tablet programming design multimedia network administration business cad mobile application development change way used learn experience something entirely unique in parts application allows acquire in demand knowledge easily efficiently provides maximum freedom in learning expands traditional classroom experience link android application able access study materials whenever want anywhere tests check acquired knowledge download available study materials access abundant multimedia interactive content view transmissions live stream lectures educational seminars attend chat whiteboard consultations teacher stay connected peers teachers beyond class well exchange advice peers on forum up date information concerning classes field studying", "label": 0}
{"pkg_name": "com.multitran.android.datafrominternet", "description": "program translates words phrases variety languages local area network", "label": 0}
{"pkg_name": "com.ministrybrands.ezekiel", "description": "view manage information church congregation mobile device e church management app allows access core features on go key features include self check in parents check in kids families arriving in church parking lot skip lines pick up labels go create search update people create search update families mass contact entire congregation mass contact specific groups view church directory record attendance add notes interactions people view manage groups please note app requires e church management account number", "label": 0}
{"pkg_name": "hipcop.girlattitudestatuscollection", "description": "welcome girl attitude status application free users largest free sms collection messages status messages offline app works without internet connection update latest messages best lots new funny cute sweet forwarding text messages pick up lines dil se sms ke saath share button provided sharing sms text though favorite messaging app like whatsapp face book like girl attitude status please rate us share app friends family support motivate interesting app made short message service", "label": 0}
{"pkg_name": "com.crwdnw.joins", "description": "swipe in direction want move move finger survival efforts play start talking alone gather people come become leader gang protect men get on way overcome obstacles diamonds make great team reach target rivals clash", "label": 0}
{"pkg_name": "com.davidparry.widgets.showcase", "description": "showcase david parry github open source library android widgets location library project on github https github com source code android application showcases https github com library please feel free contact on bugs found even better fix one pull request add contribution next apk", "label": 0}
{"pkg_name": "com.leerparaaprender.okan", "description": "languages part identity person okan id born solution facilitates learning language in fun way purpose preserve cultural richness languages need give value world originally created children surely grown ups like years available languages mayan q al mayan kaqchikel russian local area network", "label": 0}
{"pkg_name": "com.radioAMFM.guyana", "description": "would like listen best radios in guyana would like able best stations in guyana in palm hand someone guyana probably like listen information music country arrived right place download free guyana radios live listen radios guyana person guyana respected radio guyana free live fm left behind find listen best radio stations in guyana find selection best radios in guyana enjoy listening best popular radio stations in guyana features excellent sound many radios listen in background easy navigation menu sharing option use wi fi mobile data usage 3g 4g 5g modern animated interface low buffering time constant updates contact comments suggestions wait longer hear best radios in guyana go green button install guyana radios thank downloading app disclaimer application makes compilation radios country presents in friendly way users presented in particular order time take position represents in grill ranking anything like since selected randomly without particular order source radio streaming links radios selected websites free charge given task curating content presenting users in friendly way radio rights provide credits recognition respective owners radios taken internet links freely located others respective owners contact us via email add free charge results in audience according testimonies time feel violated right want application removed application on contrary would like able in app completely free best meet request soon possible intention collaborate radio owner would appreciate contacting us email gmail com number email", "label": 0}
{"pkg_name": "com.stevelukis.chinesefengshui", "description": "fengshui chinese traditional horoscope system existed least years features daily chinese proverb phenomenal chinese sayings right on phone built in chinese calendar famous chinese calendar festivals bone weight horoscope calculation find bone weight horoscope determined birth time ming gua horoscope calculation ming gua like personal gps system sent guide throughout life couple match prediction compatible couple find tips make closer fengshui house want live in harmony environment right number", "label": 0}
{"pkg_name": "org.wadaama.events", "description": "mobile app allows registered participants world conference on doping in sport view program speaker profiles well connect attendees in addition users able build personal agenda get information on sessions venue much", "label": 0}
{"pkg_name": "co.indiedish.reactnative", "description": "basil lets discover order healthy meals delivery food freshly prepared scratch distinguished chefs daily everything natural msg preservative pay conveniently using credit card bank transfer get food delivered right door download app treat healthy delicious meal today highlight features choose variety healthy wholesome meals see calories nutrition information dish schedule preferred delivery time up one week in advance enjoy weekly meal plan pay using credit card bank transfer got question contact us line number email", "label": 0}
{"pkg_name": "com.goldpixelmod.ModBen10AlienMinecraft", "description": "meet mod ben alien in smartphone also aliens cartoon hero meets super super powers fight mobs omnitrix watch turns alien find alien skins in skins section in battle also helped grandpa max kevin ethan levin superheroes always interesting lot power action addon help think develop in world game suitable boys girls defend land alien aliens prove stronger in minecraft world features free good quality bonus leather best world disclaimer unofficial application minecraft pocket edition application affiliated in way mojang ab minecraft name minecraft brand minecraft assets property mojang ab respectful owner rights reserved in accordance http account mojang com documents brand guidelines number local area network", "label": 0}
{"pkg_name": "com.soebigdoto.guidefortocalifetownnow", "description": "free toca life town world guide create stories build world toca life hair salon get fun favorite toca life apps city vacation office hospital together in one place visit bop city vibrant city area different locations discover like hairdresser shopping mall food court even apartment guide even go create stories favorite characters in location want want take pet school go take doctor salon dye hair green rock on in toca life world boss build characters create stories play way want guide story lines build characters create world including first positions characters whatever want right disclaimer application contains guide still difficulty understanding game read downloading application game application unofficial number", "label": 0}
{"pkg_name": "com.bhadartech.gosphel_ramakrishana", "description": "gospel sri ramakrishna great master given sri ramakrishna reminiscences brief biography ramakrishna math mission centers map photo gallery also given app updated great master sri ramakrishna swami english swami sri ramakrishna great yogi spiritual teacher in 19th century assumed avatar incarnation lord vishnu became priest in kali temple age many efforts could see goddess kali in divine form lightened up many lives divine knowledge god world famous swami vivekananda disciple many ashrams math constructed in name spread spiritual knowledge people in country outside sri ramakrishna help find true definition divine power present in every living must read quotes atheist theist app provide overview infinite oneness ramakrishna paramahamsa great saint vision mother kali also many visions many gods goddess including allah jesus practiced tantra mother worship disciplines able open chakras visualize kundalini moving base chakra opening thousand petaled lotus flower highest experience spiritual seeker features app easy user friendly interface easily share quotes friends facility bookmark favorite quotes", "label": 0}
{"pkg_name": "com.newtonapps.hangtight", "description": "climbing bouldering project 6b maybe 7a maybe even 8a use hang tight improve strength climb harder crush project simple easy use trainer quickly set up workout load one saved workouts fingerboards simple yet effective way train finger strength rock climbing bouldering repeated hangs fingerboard quickly improves finger strength intermediate advanced climbers holding tiny edges horrible part climbing harder best way train use fingerboard please note fingerboards recommended beginner climbers children always seek advice experienced climbing professionals unsure simply put easy use fingerboard timer get sending project sooner features easily create hang board fingerboard workouts save fingerboard workouts repeated use edit delete saved fingerboard workouts customization settings vibration sound etc please email gmail com feedback issues number subscriber identification module email", "label": 0}
{"pkg_name": "com.ms.fruitpopstar.fruitadventure.fruitcrush.fruitsplashpro.freegame", "description": "fruit pop star good choice kill time training brain tap on two adjacent blocks destroy exciting game cool effects features uniquely impressive levels tap adjacent fruits collect think twice move gather required fruits win levels run moves easy fun game play", "label": 0}
{"pkg_name": "com.felixlitopus.pianosebastianyatramagictiles", "description": "ever heard piano tiles interested please try play designed piano tiles game interesting fun play relatives friends please download sebastian yatra piano enjoy music provide entertaining pleasure in playing piano tiles features provide extraordinarily clear voice high quality piano music audio unique extraordinary design game play together friends relatives play mode normal mode bomb mode play touch piano tile play piano touch tiles get high score song list figueroa like mike hay nadie notas musicales runaway piano tiles game sebastian yatra piano magic segara try fun playing relatives forget ratings friends number", "label": 0}
{"pkg_name": "com.riobma.poultryfarm", "description": "could stay in role hunter on ducks group chain balls ducks shoot", "label": 0}
{"pkg_name": "com.tapparent.bq", "description": "collection amazing quotes often revisit whenever need rekindle creative spirit brain quotes facts life one largest quotation application educate entertain audiences ages family friendly quotations history prominent figures today news makers famous celebrities athletes politicians authors everything in passionate quotes on mission share knowledge world find largest collection quotes express feeling new quotes wishes greetings in english send friend family members brain quotes facts life provides access pass world quotations brain quotes facts life finger on pulse world events selecting latest quotes today movers shakers quotations quote collections motivated inspired informed millions quotes brainy include non brainy quotes entertain add cultural conversation may neither intelligent amusing otherwise clever person quoted something say mattered reason words matters us features select particular category select quotes share fun easy quick index navigation internet online connection required reading designed android mobile phones tablets note appreciate feedback write us u suggestions corrections number", "label": 0}
{"pkg_name": "id.GPIndonesia.TheEarthEvo", "description": "please save earth game boring yeah earth feels human", "label": 0}
{"pkg_name": "com.pointofsell.permanentthreads", "description": "e commerce app shopping best products permanent threads across world deal popular brands provide best products market deal minimum useful products", "label": 0}
{"pkg_name": "com.guidebook.StOlaf.android", "description": "st olaf college guide provides helpful information making prospective admitted student programs like fall visit days junior preview days admitted student days summer visit days week one orientation check schedules resources event announcements visit day programs chance hear students faculty tour campus learn study abroad student life admissions process", "label": 0}
{"pkg_name": "live.pitch", "description": "users pitch jokes anonymously vote on ones like best rise top editors places like funny die use pitch buy jokes articles videos social content pitch currently invite", "label": 0}
{"pkg_name": "com.aifen.smartlamp", "description": "description app magical way control every le smart light product in home palm hand smart phone provides whole new home lighting experience enables set ideal lighting every occasion smart intuitive connected call personal lighting personal express way light home lighting heart lighting solution home functional practical well emotive inspiring change way think home lighting completely sincerely hope fully enjoy start enjoying please read user guide carefully questions concerns please look faq on www com contact us via website ready answer questions", "label": 1}
{"pkg_name": "com.nobroker.pay", "description": "paying rent online credit cards possible pay pay house rent commercial rent credit card earn reward points get cashback pay product app built aim make online rent payments credit cards hassle free rewarding process also secure payment gateway secure pci compliant transaction encrypted financial information stored online rent payment credit cards debit cards e wallets convenient tenants owners makes payment process transparent efficient make rent payment anywhere time fear missing payments forgetting payments especially make payment touch button rent payment use pay pay society maintenance bills along token amount deposit amount applies residential commercial property pay safe pay trusted safe way pay rent online using credit card transactions secure encrypted none financial information saved never worry security paying rent online pay paying rent online credit cards safe worry breaking lockdown make rent payments make payment comfort safety home reducing risks involved landlord credit card pay rent online need make rent payment online credit card still use pay app even pay rent linking using debit card e wallet app rent payment use pay pay rent token amount even deposit amount house commercial property soon even use app pay children school fees rewards cashback offers get pay rent using credit card time use pay pay rent online credit debit card earn reward points cash back air miles on transaction rewards vary based on bank card use bank extends different offers customers best way find contacting bank soon landlord get payment pay rent payments processed soon possible maximum would take up working days payment reflect in landlord bank account statements landlord also need use app receive payment landlord need registered on pay app receive rent paid confirmation sms sent landlord rent paid successfully need provide right bank information account details landlord cards banks supported on pay major credit debit cards supported on pay like visa mastercard american express banks supported pay american express standard chartered citibank hsbc hdfc icici sbi axis kotak rbl pnb top indian banks get rent receipts really simple every time pay rent credit card pay rent online automatically get receipt in registered email id making easiest convenient way pay rent number local area network short message service subscriber identification module", "label": 0}
{"pkg_name": "com.hornet.dma", "description": "without", "label": 0}
{"pkg_name": "com.safa.umrah", "description": "first umrah booking platform directly connected visa issuance system hajj umrah promoting extensive range offers budgets levels provided trusted authorised travel agents ministry hajj local authorities integrates authorised stakeholders in one platform ensure safe secure booking visa issuance direct main travel agents years continuous hard work travel agents joined safa family in countries globally platform mobile apps provide extra features travelers track itinerary changes departure gps locator hotel location sharing family customer care center emergency cases", "label": 0}
{"pkg_name": "com.wDlazboujazbouDjasboulKhouloub_9455187", "description": "", "label": 0}
{"pkg_name": "com.hak.whatscanandqrcode", "description": "whats web scan world top rated web simple easy use dual chat option scanner app also light weight need open app scan qr code another app ready use dual chat feature web clone app app really helpful app whats web scan app unique features cannot find in others android applications optimized code efficient working super fast scanning qr code super duper qr code reader scanner etc main key features whats web scan app top rated app whats web dual chat story saver qr code scanner scans qr code decodes information supports kinds qr codes easily scan qr code capturing image quickly captures code scans information containing qr barcode scanner app everyone find retail price marketed product barcode scanner quick scans barcode decodes barcode information secure barcode reader help application use scan medication grocery price quality assurance barcode story saver cloner cloner allows manage dual accounts primarily on different devices on one phone story saver dual space allows dual chat accounts different numbers within one device like dual sim phone manage dual space accounts chatting accounts time features whats web scan scans qr code bar code decodes translates simple android application fast qr scanner barcode reader scanner app best whats tools according needs allows one operate one account on one device chat open read chat app replay friend get response back delete chat messages help whats web scanner help tab in tab get help find simple steps use app download enjoy dual chat multiple accounts in one place scan qr code barcode personal business use forget share friends family always tried develop helpful apps good reviews always help improve app help us sharing app friends family member app helpful disclaimer created us neither official application whatsapp associated whatsapp inc whatsapp name copyright whatsapp inc number subscriber identification module", "label": 0}
{"pkg_name": "air.com.kavigames.KaviEscapeGame464JoyfulRatRescueGame", "description": "one joyful rat lived in terrible palace playing happiness rat caught in place unexpected save rat in duty help find spots hidden clues masks hidden correctly rat trapped happy win game tricks trick little harder find somehow may matter interest good luck fun", "label": 0}
{"pkg_name": "org.phhealthcare.android.phhc.myhealthnow", "description": "penn highlands offers online care need anywhere free mobile app makes connecting doctor fast easy convenient currently offers provider consults on demand clinic providing evaluation treatment minor illnesses injuries new services coming soon appointment needed connect provider on average wait time less minutes consult state licensed health provider visits may covered insurance provider easily accessible claims receipt available visit simplify reimbursement claims process in cases enjoy convenience virtual provider visit added freedom choose list available experts provide consultation work diagnose medical issue recommend treatment medically necessary forward prescription pharmacy choice use instead visiting one walk in clinics normal business hours including nights weekends holidays primary care physician available ill drive doctor office traveling in need medical care child experiencing one conditions in need care right flu like symptoms fever vomiting coughs colds sinus problems earaches sprains back pain rashes minor eye problems minor cuts abrasions minor aches pains bladder infections tick insect bites number subscriber identification module", "label": 0}
{"pkg_name": "com.vedic.maths.projects.cuberoot.viloknum", "description": "vedic maths", "label": 0}
{"pkg_name": "com.monotype.android.font.fontpack.flipfont.rainbow.dream", "description": "free fonts font samsung galaxy change android font rainbow dream allows users change system font phone tablet supported devices samsung galaxy s3 s4 s5 note note note change fonts perfectly root access absolutely best installer android please enjoy pack fonts android provide ability change device typeface free using font changer program installed on samsung galaxy please browse packs bundle font explorer prompted find amazing perfect font style fits taste well change entire phone font rainbow dream come experience customized font feature rainbow dream compatible ability time decider phone search fonts like rainbow dream app hundreds selected fonts style handwritten fonts like rainbow dream cute darker comic galaxy love pink sexy written colorful fonts clean fonts candy fonts etc different types font style phone available waiting wait install font like best compatible font program on phone notice font supported app change fonts on samsung galaxy navigate display settings in device system settings please verify phone change font look font style option in display screen display section device settings app designed fonts android root require root permission change font require restart phone also able enjoy fonts texting messaging however typeface used on device sent people send text message change font style text ps android application affiliated monotype imaging inc functionality trademarks copyrights remain property respective owners support mobile phones possibility changing font failure please give poor comments timely contact team solve problem in first time contact us email john gmail com number email", "label": 0}
{"pkg_name": "com.ihpukan.nks", "description": "low privacy footprint messaging android app links l c k api individual member team features sending reading messages in private public channels instant messages individual users file uploads team emoticons smile supported", "label": 0}
{"pkg_name": "com.aa3.easymoneymanager", "description": "easy money manager intuitive in one app manage finances accounts expenses incomes transfers get reminded bills advanced budget planner main features user friendly intuitive design calendar list views transactions bills displayed in place allow view advanced repeating bills transactions options including complete end repetition feature forever end date number times allow partial full payments daily bills notifications displayed on notifications bar complete budget planner including flexible repeating options customizable categories icons colors interactive detailed charts different date formats currencies supported export import data locally dropbox search bills transactions protect data behind lock screen number", "label": 0}
{"pkg_name": "com.vpe_soft.intime.intime", "description": "simple reliable application reminding tasks done periodically take break work every hour water flowers every three days enter meter readings month extend contract year start application on screen list tasks ordered time tasks come others task time comes application notify next application launch tasks arrived highlighted in red long press task in list opens menu acknowledge edit delete acknowledge due date task counted current moment plus specified interval edit possible update name task interval delete task deleted application completely free contain ads paid features require access internet number subscriber identification module", "label": 0}
{"pkg_name": "com.fliphtml5.app.JuniorGeniusCursiveWriting5", "description": "e reader app important features using e textbooks in classroom functionality e book mentioned zoom in zoom want get closer look high quality image deserves detailed study thumbnail feature used basically small image representation larger image usually intended make faster look manage group larger images flipbook feature combine ease interaction efficiency increased value offered today e reading technology search find want look important words inside content search find option helps steer straight desired words bookmark want add interesting part bookmark bookmark feature allows add bookmark also jump specific bookmarks", "label": 0}
{"pkg_name": "com.limecolor.unity.card_board_for_unity.debris", "description": "works google cardboard check https cardboard com card board plugin sample game download codes in https github com cardboard plugin unity ar sample include app codes in github google cardboard cardboard virtual reality viewer transforms phone basic vr headset learn google cardboard g co cardboard number", "label": 0}
{"pkg_name": "com.mp3.cutter.best", "description": "mp3 cutter ringtone maker application helps cut favorite part audio song music file use cut result ringtone alarm notification tone music song manage cut results easily share friends constantly working hard on making mp3 cutter ringtone maker app better useful need constant support get going please feel free email us queries suggestions problems want say hello would love hear enjoyed feature mp3 cutter ringtone maker free app forget rate us on play store mp3 cutter ringtone maker easiest mp3 cutter tool help cut music file create ringtone manage ringtone mp3 cutter ringtone compact practical ringtone cut production tools following powerful features cut best part audio song mp4 video save ringtone alarm music file notification tone make mp3 ringtones notifications alarms fast easy app supports mp3 wav music formats app also music editor alarm tone maker ringtone cutter notification tone creator built in mp3 player help play cutting preview play output ringtone list cut music files stored on phone made unique ringtone scan music stored on phone various audio files music editing cropping built in file browser easy find turn on music powerful audio editing features millisecond level fine cut use new clip default ringtone assign ringtone contacts using ringtone editor set start end audio clip using optional touch interface ability set name new cut clip saving ringtone music alarm notification tone share audio files delete ringtone features mp3 cutter ringtone maker list mp3 songs sd card choose mp3 files list cut file using forward backward selector integrated mp3 player help play cutting save file sd card set edited file ring tone let download mp3 cutter ringtone maker free right please email us device supported try best support please download audio cutter mp3 cutter make best ringtone favorite songs question audio cutter ringtone maker please send feedback us contact us gmail com number email", "label": 0}
{"pkg_name": "rescuedivers.two.azmosapps", "description": "rescue divers removing bricks divers surface click on group bricks remove", "label": 0}
{"pkg_name": "com.Ozuzilapps.maxidresses", "description": "looking maxi dresses new maxi dresses application help hundreds ideas in latest dress models always chick fashionable elegant features maxi dresses application internet connection needed in app built image galleries updated monthly new ideas images share images like using facebook twitter social media zoom in zoom images download images mobile internal sd card quickly scroll images set image mobile wallpaper app long dresses white maxi dress long sleeve maxi dress black maxi dress summer dresses petite maxi dresses disclaimer images copyrights belong respective owners pictures taken different sources graphic image photo offensive copyrights please send us e mail give credit get removed wish instead flag report please number optional email", "label": 0}
{"pkg_name": "com.PhantomRush.WomenHeels", "description": "high obeyed women shoes come in various foot rear area sorts foot sole area make due decide general look shoe solace wearing strolling in shoes considering high obeyed shoes said add beauty lady strolling style numerous women adore contrasted pads fortunately heels high mid low pick length serenely stroll in coordinate outfit well pumps basically known high heels extensive remaining in vicinity crawls in heels low profile around front cat heels sleek low making perfect work occasions even gatherings best searching solace mold without requirement additional stature low nature makes appropriate throughout day wearing sling back heels strap circumvents achilles heel back dissimilar lower leg strap heels offer exquisite look in meantime settle shoe development in application lot categories ideas including high heels nude heels yellow heels strappy heels stiletto heels blue heels silver heels comfortable heels grey heels chunky heels navy heels gold heels tan heels royal heels hot heels wedge heels boot heels inch heels purple heels beige heels inch heels ankle strap heels white heels lace up heels kitten heels platform heels red heels gladiator heels pink heels clear heels fashion heels teal heels heels girls heels sky high heels open toe heels best heels inch heels sandals heels turquoise heels lace heels burgundy heels brown heels closed toe heels cute heels womens heels strap up heels sneaker heels leopard heels glitter heels studded heels pleaser heels unique heels heels men spiked heels low heels prom heels orange heels suede heels pump heels italian heels pretty heels ballet heels sparkly heels extreme heels inch heels nice heels peep toe heels ladies heels cheap heels rhinestone heels inch heels shoes heels mid heels stiletto heels heels inch heels lime green heels cream heels green heels party heels summer heels leather heels killer heels really heels black heels dress heels tie up heels covered toe heels closed heels colored heels thick heel etc awesome key feature huge database ideas high performance less memory consumption app plenty ideas tutorials in high quality images content updated regularly share ideas like friends download images on mobile internet set images ideas wallpaper display pictures screensaver zoom on images see in detail application contains ads uses internet connection load images suggestions improvements please leave comment send email comments suggestions always needed make better disclaimer logos images names copyright perspective owners images in app available on public domains image endorsed perspective owners images used simply aesthetic purposes copyright infringement intended request remove one images logos names honored number subscriber identification module", "label": 0}
{"pkg_name": "com.ww101WiseFinancialThoughts", "description": "ready boost in financial life looking sound advice money financial thoughts app", "label": 0}
{"pkg_name": "com.jumperrover", "description": "jumper rover arcade style gaming set in harsh rugged terrain red planet play enjoy develop skill technique navigate way levels fun try single double triple looper three different rovers choose accumulate coins play on get unlock rovers easier said done download start roving rover", "label": 0}
{"pkg_name": "com.tfreegames.impossibletracksfuncarracinggames", "description": "crazy racing games wanna race car on impossible tracks impossible tracks fun racing game free play racing game amazing stunt levels drive favorite car on massive heights reach destination impossible tracks fun car racing games need highest precision on controlling car on curvy paths show expertise in driving car in crazy paths hurry take time drive favorite car time limits impossible tracks offline game comes localization feature play favorite game in favorite language mode feel delight reach destination impossible tracks fun car racing games touch hold acceleration pedal gain up speed use thumb steer left right switch buttons steering controls in game whenever needed tap on brake pedal stop car touch hold brake pedal reverse car direction use rewarded coins unlock new cars features fantastic cars unlock multiple challenging levels test driving skills on impossible tracks massive heights realistic environments in impossible tracks fun car racing game good game play arrow buttons steering controls time limit good music sounds give great feel play impossible tracks fun car racing game in first position in achievements leader boards follow us fantastic games facebook https www facebook com instagram https www instagram com twitter https twitter com youtube https www youtube com channel drive car on impossible tracks massive heights try enjoy game share valuable feedback improve game thank support number local area network", "label": 0}
{"pkg_name": "com.cpuz.device.info.cpu.z", "description": "cpu z app provides information phone device", "label": 0}
{"pkg_name": "com.delhideveloper.mylittlemuffin", "description": "platform dedicated break stereotypes parenting motherhood app followers watch latest videos read latest articles also chat directly authors experts also keep on posting offers on various products related pregnancy parenting childcare app must modern parents parents download app get updated content parents", "label": 0}
{"pkg_name": "com.neer.kalpsoft.user", "description": "thirst nature best way indicate need drink water without water one could survive neer mobile application delivering packaged drinking mineral water online orders without hassle free process ringing persons getting water delivered place kind logistics company connects consumers delivering agents main aim application consumer satisfaction delight application one place orders according required quantity one also customize time need makes convenient one need in continuous follow up delivering persons phone calls need wait water delivered neer ensures delivering agents supply isi branded water consumers quality water delivered neer also ensures quality water cans delivered good surprise checks periodically permissions need android permission internet permission used interact cloud server android permission access network state required google play services used get referral values directly url android permission wake lock used google play services api keep screen on important operations com google android permission bind get install referrer service used track referral system analytics purpose com google android permission receive used older versions google play service create tokens android permission access coarse location used payment gateway know location made android permission access wifi state used access wifi connections making network calls android permission read sms used read otp making payments android permission receive sms used auto verify otp payments android permission read phone state used payment gateway making payments used identify payments android hardware telephony optional used auo reading sms phone used make calls directly app call user admin employee call directly initiates dialer screen number one time password short message service website", "label": 0}
{"pkg_name": "com.geospecialist.winner1", "description": "welcome world hope like india based company specialising in sale sweets snacks cookies beverages india ever traditional range indian sweets snacks including best native special items srivilliputhur tirunelveli halwa thiruvaiyaru ashoka ooty ooty homemade chocolate sattur plus huge amount story part reason believe indian tradition special unique including sweets snacks give us unique offering besides love sweets started idea bringing traditional sweets snacks one roof promise pride on traditional sweet shop online guarantee love sweets happily exchange refund order guarantee sell quality know stock taste in name quality control hard job old fashioned retro sweets made in native origin gone age found in one place hard find elsewhere providing quality traditional authentic taste indian sweets time innovating new products young generation unique special sweets find elsewhere fast efficient delivery service totally secure payment see card details traditional friendly personal service guarantee orders despatched quickly possible product sent shop in poor condition products packed in tip top condition shop every order packed neatly well protected customer satisfaction smiley face upon opening packets every time best quality sweets every occasion every season loved ones joyous times promise pride on traditional sweet shop online guarantee love sweets happily exchange refund order guarantee thank allowing us part special moments number", "label": 0}
{"pkg_name": "ca.radixgames.mailman", "description": "in mailman take control packages arrive shipping facility one thing left making sure packages goes right place use power ups take damaged packages get highest score without loosing lifes", "label": 0}
{"pkg_name": "com.stbopenwrt.stbwrt", "description": "openwrt web luci apk application make easier access luci web admin modem plus ssh vpn account make easier users access luci web without write ip gateway manually on web page often type ip gateway openwrt lede in browser often must use openwrt web luci apk shorten time simplify configuration openwrt manager feature luci admin modem ssh vpn account subscriber identification module", "label": 0}
{"pkg_name": "com.cheeplus.ptb", "description": "welcome pop balloon game modern word game challenge brain fingers importantly vocabulary strength game classic balloon tap game ages carefully designed characters monsters monstar planet in game every balloon letter on player needs help monster called laser eye popping right balloons fill blank in word also fellow monsters different abilities player call help battle time ads shown playing game materials suitable young kids features total stages words covered challenge easy difficult earn gold buy different cards earn points level up play seconds finish challenge seconds finish wave faster pop higher score higher stage higher score buy different cards cards give different advantages free play please note pop balloon free play game includes optional in app purchases gems turn payment feature disabling in app purchases in device settings ready hit balloons let pop love hate please review game let us know number", "label": 0}
{"pkg_name": "com.kce.mdiabets", "description": "adherence dietary recommendations important effective treatment diabetes anticipated mhealth intervention minimize straining healthcare system diabetes clinics reduce morbidity promote effective use minimal resources nutrition important in diabetes management food type also quantity influencing blood sugar however appropriate nutritional treatment implementation ultimate compliance diet plan remains vexxxg problems in diabetic management differences in dietary structure based on type diabetes plethora dietary information available many sources patient healthcare provider considered furthermore rapidly evolving nutritional science may considered true today may outdated in near mhealth individualized dietary plan aimed providing convenient accessible way disseminating dietary plan providing flexible means reviewing updating changes evidenced in diabetes nutrition guidelines in addition behavioral individual lifestyle monitored behavioral lifestyle activity tracker inform management individual diabetes on next clinical encounter number local area network", "label": 0}
{"pkg_name": "com.fazbro.battle.tank.war.machines.army.games", "description": "military games based on world war lot fun modern warfare packed critical action world war machines elite squad on special ops world war machines tank military games military games based on special forces laser tank part army strike force on special ops border defense in war tanks part border patrol take part in laser tank enemy aircrafts aircraft shooting missions modern warfare in battle ground war tanks interesting war machines mention play critical part in modern warfare in battle ground especially on military assault mission games may played many special forces military games tank wars battle tank driving games different military games may ask wonder well first game scifi laser tank aircraft shooting mission games shooting planes aircraft shooting missions yet war tanks destroy providing cover fire in tank wars strike team elite squad in battle ground in military games secondly war tanks mission games tank wars packed special ops special forces laser tank battle yet get destroy different kind war tanks laser tank modern warfare shoot gunship helicopters oh yes gunship helicopters get experience free shooter games in military mission games primary task in modern warfare army tank battle games tank wars part elite squad on special ops border patrol strike force shoot enemy gunship helicopters battle tanks world war machines try intrude territory provide cover fire reinforcements on way battle ground military games special forces laser tanks really change battle games tank wars modern warfare world war tanks next level mission games critical action war tanks in battle ground gunship helicopters shoot modern planes world war machines in military games prepared military assault laser tank take aircraft shooting missions provide cover fire in battle ground number", "label": 0}
{"pkg_name": "com.NoodeePuzzle.SudokuEasyHard", "description": "fill in vertical numbers horizontally requires unique patterns perfect gift special someone sudoku easy hard equals super sized fun features one puzzle puzzle features large numbers ample space writing in possibilities literally next big thing in sudoku brain games sudoku puzzles sorted levels difficulty app introduction offers helpful tips techniques solving puzzles starting process elimination work sudoku puzzles uncover techniques solving unique sudoku puzzles difficulty levels easy medium hard hard includes answers every puzzle cheating hours entertainment number", "label": 0}
{"pkg_name": "ahmed.emanApp", "description": "app developer personal use supposed simple gift someone special app made tabs one specific use first tab motivation messages cheer person up second tab contain puzzles updating everyday subscriber identification module", "label": 0}
{"pkg_name": "dev_selenzi.com.woocommerce", "description": "browse search get product details read reviews purchase products iranian shopping available in persian packs variety features functions ample app whether buying gifts reading reviews tracking orders scanning products shopping convenient sign in existing account access cart payment preferences shipping options pay in local currency credit card need create new account manage click settings wish lists track orders shop on web consequence in demands customers prefer among beauty quality number", "label": 0}
{"pkg_name": "com.skyxxxx.app", "description": "technology popular internet service provider in india several years on uninterrupted service experience earned trust subscribers providing best broadband plans customer service prompt installation services smooth fast internet packages everyone great technical support separates us others simple easy use app need internet services subscriber identification module", "label": 0}
{"pkg_name": "com.timuzsolutions.traintransportsimulator", "description": "detailed maps amazing trains wonderful features make feel like driving real train complete routes on time driving freight people trains in train transport simulator deliver loaded vehicles transport cargo accomplish duty skilled train driver precisely drive on railroads heavy trucks loaded on train careful making sharp turns rail curves cargo may topple complete trips successfully upgrade train luxurious train transport experience change camera view load transport luggage sound horn junctions railway crossings best train simulator game get ready experience role train driver train transport simulator face problems installation please report us help us resolve earliest subscriber identification module", "label": 0}
{"pkg_name": "com.mapbile.boxxxg4u", "description": "full reference boxxxg lover punches jab cross hook upper cut defence block ducking sway rotate footwork demonstrate pictures videos explanation techniques", "label": 0}
{"pkg_name": "com.byronbank.mobile", "description": "bank conveniently securely byron bank mobile banking byron bank mobile app available byron bank customers app allows check account balances view recent transactions including check images transfer money accounts pay bills find branch atm locations deposit checks snapping picture check getting started easy simply download app enroll additional fees apply information byron bank mobile services please visit www com call us carrier data rates may apply number automated teller machine subscriber identification module", "label": 0}
{"pkg_name": "ca.zemind.wildsumo", "description": "blast shot shurikens chunky adversaries meaty bodies collide challenge friends in new take on competitive sumo wrestling combines best west land rising sun must outwit outmaneuver stun hefty classmates earn distinction slamming ring take learned prestigious wild west sumo academy graduate honour get caught empty shuriken chamber though town big enough bellies fast handed gameplay local competitive multiplayer challenge friends in best infinity tournament clench tight sumo thong snaps local area network", "label": 0}
{"pkg_name": "com.sbg.border.police.dog", "description": "control border checkpoints country criminals try sneak in try smuggle drugs weapons try traffic illegals sniff every vehicle possible crimes criminals chase missions designed keep in mind criminals activity happening on border check points border patrol police dog police also duty keep borders safe keep patrolling different border check posts sniff criminals top features ideal border check posts sniffer dogs chose number challenging missions chase catch simulation game play missions coming soon privacy policy collect personal information non personal information collected partners like google used analytic game improvements details check http com privacy htm number subscriber identification module", "label": 0}
{"pkg_name": "com.mathsabhi.pdfsuccess", "description": "in application questions solutions compiled in arranged ways important one day exams like ssc railway exams topic details algebra trigonometry co ordinate geometry hight distance geometry mensuration", "label": 0}
{"pkg_name": "com.wildfoundry.dataplicity.management", "description": "remotely access raspberry pi shell network without dynamic dns vpn information visit https www com work behind nat yes client initiates secure connection service means works places firewalls nat network obstructions in place works client uses opportunistically connected secure web connection provide communications channel device web browser attaches end channel need enable ssh require ssh telnet network services operate client self contained open network ports on device open local port on pi client connections initiated device end open local ports need install something on pi yes need install agent on pi view source on github agent run root log shell still need explicitly ask super user rights gain full control number number", "label": 1}
{"pkg_name": "com.tap2open.guardgate.rsc", "description": "dashboard app allows create send invites friends family even plumber invites sent via text message email guest receives invite conveniently open entrance community tap button arrive using smartphone dashboard allows manage invites view history access invite multiple guests even create schedules guests access system requirements android smartphone tablet enabled entrance account", "label": 0}
{"pkg_name": "com.ack.justfb", "description": "fb platform allows anyone everyone conduct feedback on go say flower shop shopping mall company bike store restaurant training academy school college get feedback customers prospective users service product in simple convenient easy way using fb app fb light weight easy use flexible feedback capturing mobile app capture feedback customers in real time plan exponential business growth fb feedback app offers simple use easy install much affordable user friendly get personalized dashboards monitor real time performance views local area network subscriber identification module", "label": 0}
{"pkg_name": "com.haiderart.zainabiyontv", "description": "tv first app providing free islamic videos live broadcast ziarat tv channels app includes farsi persian translation english urdu arabic translated lectures agha ali reza seyed ali khamenei dr hashim haidari also watch live islamic tv channels in mobile phone tv app in app watch latest videos also download videos search videos easily bookmark video comment on video make account report video working three main options noha option includes two option e reciters type in option select favorite reciter watch translation type option select watch e shor nasheed etc speech in option select famous islamic scholars name watch huge list videos one one drop button lists drop list look like english english urdu arabic inserted videos in list channel option different categories tv channels categories include live ziarat watch live broadcast holy shrines imam hussain hazrat abbas karbala tv imam ali najaf imam reza mashhad razavi tv holy kaaba makkah roza hazrat muhammad masjid nabavi madina also watch channels like sahar tv urdu hadi tv tv haider tv hidayat tv velayat tv win channel tv channel farsi iranian irib channels jame jam tv quran tv tv arabic channels like al ahvaz dua channel al kawthar english channels like press tv ifilm hausa tv safeer tv kids channels note download option work on android number", "label": 0}
{"pkg_name": "com.bonbon.ttfHD", "description": "real madly armoured war tanks humanity started making video games pioneering yet poor computers consoles created tanks since army shooter loving players enjoy tanks want try one fancy handy device wait start shooting right away colourful cartoon graphics find inside best powerful rebel tank yes yes one control dual joystick gentle touch horde enemies really behave much madly badly line em up shoot em friend tank army time embark immediately late explosions yes heard right explosions amazing thing love inside game beautiful proud pretty cartoon visual effects yep especially proud hard war tank mission soldier want advice start deadly mission shoot enemy tanks shoot remember eat snake first eats control quasi real tank in beautiful fancy colourful schmancy cartoon surrounding along levels game drive tank victory better say shoot way victory heh promise tons enemy tank units merciless better believe approaching idea simple shoot em else maybe asking cool realistic 3d models tanks one real rebel tank survive horde ruthless enemies nicely balanced classic tank gameplay in completely new 3d environment fantastic cartoon visual effects explosions shots beautiful look numerous fantasy cartoon levels exclusive soundtrack game controls much exact typical two joystick shooter yet branch one joystick left left thumb controls tank movement wherever touch screen another thumb tank rotate turret start shooting in direction tank upgrades shots in rapid fire succession tank shoots times quite quickly takes small pause less second reloading tho add one extra shot row clicking upgrades button in main menu gain shots in rapid fire succession next round game quite lot tank game logic like upgrade shall upgrade armour k health may also make gameplay easier fun fire explosions nice graphics effects enjoy game number subscriber identification module", "label": 0}
{"pkg_name": "com.appsbeldo.finddifferances", "description": "find differences levels game free photo hunt classic game player past many ten year ago many people play find differences game find differences know spot difference game levels enjoy friend family play find differences levels find different spots two photo competition time find difference pictures features find difference game new find different spots player player hide multi level find differences kids boy girls adult play game enjoy anti street find differences rooms garden hd graphic easy play difference games adults kids every one play game free on mobile app find differences game know find differences in pictures find difference games pictures free spot difference puzzles download free let go let get started pictures in low levels level up finding different spots play find differences levels", "label": 0}
{"pkg_name": "com.socialmediaclub", "description": "social media club app android user social media club easy use app social media club provide news info social site shopping zone multi tab option available in social media club app lock available in social media club social media app size 10mb social media app save phone storage up phone running smoothly download social media club enjoy note suggestions app contact us", "label": 0}
{"pkg_name": "paskov.biz.numberspuzzle", "description": "numbers puzzle also called sliding numbers gem puzzle boss puzzle game fifteen mystic square classical game aimed ordering randomly shuffled numbers in ascending order game goal order numbers in ascending order starting in upper left corner end game empty cell placed on lower right corner numbers moved up left right replacing empty square also moved in groups row column features moving numbers in groups row column game board themes green gray white blue different game board sizes 3x3 4x4 6x6 sound winning game vibration moving number like us on facebook https www facebook com follow us on twitter https twitter com mobile find us on google https plus google com communities", "label": 0}
{"pkg_name": "com.nerdio.mobileapp", "description": "admin portal on go easily quickly manage every customer azure environment anywhere anytime ; edit remove users groups shared mailboxes servers ; reset passwords desktops ; view logs empowers managed providers build grow successful practices in microsoft azure new portal app remote access time customers complete environments number", "label": 0}
{"pkg_name": "com.codecture.pclub", "description": "p club photography club app website one shop photography items choices", "label": 0}
{"pkg_name": "com.mf.mfpirates", "description": "magic flag pirates live wallpaper charming flag pirates water effect on touch download free today live wallpaper create dynamic wave effect tap screen created especially patriots perfect celebrating national holiday main features free different backgrounds different ripple size accelerometer support compatible many smartphones tablets would appreciate rate wallpaper", "label": 0}
{"pkg_name": "es.gorosoft.animalsounds", "description": "original application children babies learn fun sounds favorite animals toddlers learn associate sound animal behavior animals application includes pets farm jungle desert sea ocean also learn interact mobile device tapping elements on screen clouds sun watching happens", "label": 0}
{"pkg_name": "com.bunnyapp.trofowehawai", "description": "tropic flowers looks beautiful tender one visit cards hawaii wonderful sea white sand on beaches combined hot sun give nice adorable vocation created beautiful set hd wallpapers sea views pretty hawaii flowers cool application make style look pretty awesome application help refresh screen lock theme app lock many important features free nice hd wallpapers gentle memory space battery charge easy use pay attention app lock provide good security stock phone lock screen make sure give permissions lock screen in order work properly also want say images endorsed perspective owners used aesthetic aims copyright infringement intended request remove one images honored number", "label": 0}
{"pkg_name": "id.compro.aerospeedracing", "description": "racing specialised in distributing high quality racing products motorcross engines original guarantee driven motorsport competition always improve providing highest quality highest performance racing part fulfill racing demand in indonesia today still in performance motorcycle racing part distributing business customer satisfaction always utmost importance us address customer questions quickly professionally possible bring performance lifestyle provide finest high quality product product knowledge training service reasonable value", "label": 0}
{"pkg_name": "co.happy.remote", "description": "property management acquisitions forever changed live app together live inspections allow virtually inspect assess property conditions minimizing travel communities safer efficient operations live app transforms staff resident mobile device live video feed streaming everything captured camera remote team in crystal clear audio video live app streams items inspected displaying live video in landscape portrait mode unlike video solutions live inspections captures high resolution photos accurate assessment rock solid proof leading multifamily student housing companies trust deliver real time property operations solutions residential communities standardized property unit inspections work orders project management key features portrait landscape modes streaming high definition photos unlimited photos per item beautifully designed synchronized experience cross platform happy co policies terms service local area network", "label": 0}
{"pkg_name": "com.photolab.labx", "description": "photograph labs x offers everything want edit pictures host stylish effects filters grids draw tools help create amazing pic even never edited photo select several pictures photograph labs x instantly remix cool photo collage pick layout like best edit collage filters background stickers text etc simplify gestures manipulations rotate resize photos in frames photograph labs x app offers set magical mirror effect along outstanding lighting filter experience technology skin smoothing whitening on photograph labs x download experience exciting feature", "label": 0}
{"pkg_name": "com.osalliance.rocketchatMobile", "description": "new in version totally new framework design search groups nicknames jumps right group channel notification see online status users set record voice message single tap configure additional servers feature rich app rocket chat server browse start groups add members groups unlimited group size send text photo video file upload start video conference send audio video messages push notifications via push gateway always in sync apps rocket chat web interface sign up free account https net compliance app copy address book like messengers find chat partners in search dialog nicknames register well net complete feature list see https eu may use app server version technology react native license mit code issues https git net chat issues based on passion team customized love in alps official rocket chat partner offers customization integrations talk us would like see features need app sales eu number email", "label": 0}
{"pkg_name": "com.cureos.patientportal", "description": "app patients book appointments doctor nearest clinic view reports etc p care app assists clinics doctors manage appointments requested p care app provides easiest way connect patient doctors without standing in long queue appointment booking clicks appointment doctor booked video consultation doctor p care app application view medical reports medical data view health tips calculate bmi etc features p care application book appointments video consultation doctor attach old prescriptions files doctor view medical records view health tips calculate bmi etc view appointment history check current status appointment check doctor availability download reports", "label": 0}
{"pkg_name": "com.telotus.swapveiw", "description": "lessons teach translation rules practise lesson consists parts part rule part example part exercise study rule well look example given finally try exercise p application sends daily notification new lesson number", "label": 0}
{"pkg_name": "com.carrtedappdev.taipeitravelcountdownto2020.hotelbooking", "description": "new year eve countdown in taipei missed life time experience main organiser ie taipei city government successfully organised event since in turning taipei city new year city ushering arrival new year countdown enters final stage beautiful lights start show up floor floor bottom up taipei icon building making taipei biggest new year eve countdown clock in world millions throng streets parks celebration parties concerts performances popular international local entertainers famous pop singers keep celebration mood alive stroke midnight grand finale pyrotechnics extravaganza display lights up sky kaleidoscope colours firing points on iconic building making spectacular debut crowd cheers wishes happy new year roads around taipei closed cars on new year eve 8am special services provided mrt bus networks running early in morning on new year day due higher traffic crowds expected numerous places view fireworks show visitors look outdoor open public places station enjoy parties friends families loved ones ensure good spot many would gone popular choice venue early travelers arrangement accommodation hotels nearer show venue needed booked months in advance app allows user book hotel accommodation competitive affordable price rest assured users make hotel booking renowned hotels in region best deal booking hotel in palm hand hassle free using app different booking traditional dot com website features in let party countdown in taipei app includes practical suggestions regarding items pack wish outdoor picnic style ushering in new year popular places usher in new year in taipei booking hotel accommodation competitive affordable price currency converter days weather forecast tips calculator one touch button emergency call download free app experience hassle free countdown in taipei trip planning hotel reservation in convenience on mobile phone number", "label": 0}
{"pkg_name": "com.app.pxeuxcz", "description": "welcome p new york city public school serving students on autism spectrum special needs pre k age commitment provide highest quality state art instructional programs students offer parents workshops activities equip skills best help child hands on learning fun filled opportunities students make tremendous gains in social skills language academics please browse app see wonderful things going on look forward rewarding new school year john p local area network", "label": 0}
{"pkg_name": "com.dicentral", "description": "provides visibility alerting mobile phone tablet on events business transactions critical individual job function also message played voice using unique filtering parameters alerts clients establish profiles multiple user login account get near real time alert notifications parameters ; events isolated specific trading partners ; orders transaction status including completed orders order change requests back orders inbound acknowledgements awaiting acknowledgment incomplete orders orders received orders sent ; errors transactions placed in quarantine ; events associated uploading transactions clients erp including inbound transactions downloaded erp outbound transactions received erp ; business rules violated anticipated transaction received sequence transactions incorrect transaction timing thresholds exceeded values trading partner correct also used employees receive alert messages alert messages profiled based on employees responsibilities work schedules logo product service names referenced in application trademarks registered trademarks corporation in united state countries company names product names service names logos referenced in connection application may trademarks respective owners number", "label": 0}
{"pkg_name": "com.free.securevpn", "description": "free vpn app easy use unlimited time need pay services provide app simple use one click connect remote servers also need one click stop start vpn app super vpn app helps change location countries free servers connect services change location unblock website app anywhere vpn app supports https proxy matter ever features ; protect privacy super vpn keep safe third party tracking ; access website app ; connect servers world ; simple use ; login required ; free use payment required use services ; high server speed reliability ; one best solution device number subscriber identification module", "label": 0}
{"pkg_name": "com.maryland.askhonest", "description": "work share link friends allow send anonymous messages see answer messages friends messages encrypted one able read except rough provocative taunt messages filtered help protect number", "label": 0}
{"pkg_name": "com.bbqarmy.animalringtone", "description": "animal ringtones ringer tone ringtone alarm voice animal ringer tone individually set up notice alarm address book animal sounds cured ringer tone ringtone alarm beaten ringer tone applications in kinds cries animal mentioned setup individually done also notice sound alarm sound rising alarm clock well setup ringtone sound specific person arrival also changed individually customized animal ringtones features includes animal sounds easy use ui set ringtone notification assign contacts set alarm clock timer sound sound following animals heard included animals bald eagle golden parakeet european robin indian peafowl green pheasant crested ibis rough collie german shepherd labrador retriever american eskimo dog pomeranian bull terrier cat tiger lion bear monkey chimpanzee elephant horse gorilla penguin sloth eurasian bullfinch azure winged magpie black faced bunting eurasian tree sparrow mandarin duck spot billed duck tufted duck mallard whooper swan tundra swan budgerigar frog snake tettigoniidae number", "label": 0}
{"pkg_name": "com.shepherd_sguide", "description": "in christian business directory shepherd guide find local listings christian owned businesses services near get reviews ratings phone numbers addresses on com shepherd guide icon located in listing means owner business professional signed statement faith states received jesus christ personal savior believe son god atoned sins believe aspects life lived honor god promise uphold highest biblical standards in transactions treat clients respect integrity let know found on com", "label": 0}
{"pkg_name": "com.yowaste.yo_wastetrucks", "description": "yo waste hauler app app garbage haulers work made easy whole day planned begin smarter way customer requests garbage collection application guides pickup locations well use navigation feature get turn turn directions use application currently hauler needs currently working garbage collection company account opened smarter way scheduled pickups in one place navigate specific pickup location directions keep track completed jobs support need available using help support feature mission create sustainable waste free communities technological innovations learn services please reach us website number", "label": 0}
{"pkg_name": "uk.resortmarketing.notificationsapp", "description": "allows receive instant updates holiday park staying receive reminders events special offers events entertainment listings special offers alerts push notifications ensure miss thing new offering plan feature many parks coming months number local area network", "label": 0}
{"pkg_name": "com.freevideoplayer.audioplayer.musicplayer.allinoneplayer.videoorganiser", "description": "picture worth thousand words video worth million pictures hence bring handy video player watch downloaded videos without internet connection video player supports video format types including hd uhd 2k 4k videos play without interruption permissions in one video player needs access categories photos media files read media files storage read media files on sd cards audio record modify audio settings features video player supports video formats 4k ultra hd videos mp3 player play favourite music background play video player includes features play video in background without interrupting work gesture control swipe feature on screen controlling brightness volume provides one tap mute option player listen watch videos songs controlling audio features custom audio like rock jazz forward rewind video player provides option forward seek rewind features control music play locking mobile background play offline video player plays songs videos storage custom features searchable media save time custom search bar search favourite files list instead browsing entire list time taking compatibility video player compatible android devices works smoothly on every device memory usage takes less phone memory enjoy awaited audio video entertainment", "label": 0}
{"pkg_name": "au.com.digistormeducation.schoolapp.immanuel", "description": "developed in partnership education app designed allow immanuel lutheran college parents teachers students access important information events daily activities college immanuel lutheran college app updated daily ensure school community able keep finger on pulse school app includes following information calendar event calendar ensures constantly up date in loop events immanuel lutheran college sure fete on check calendar notices notices section keeps informed important daily notices become available push notifications also sent inform urgent important information buses late notice section alert newsletter receive latest newsletter directly app peruse newsletter archive lost newsletters in school bags map immanuel lutheran college map allows quickly easily find locations throughout college sure uniform shop search map show contact call email important college contacts want speak head campus director sport call straight app photo video gallery app contains interactive photo video gallery showcase life school events throughout school year customise sign up notices events wish know child in year choose receive primary school information number", "label": 0}
{"pkg_name": "com.DoRoGa.TheNewMaze", "description": "new maze puzzle play every day always interested every week add levels huge number balls backgrounds colors maze create design like course support us assessment continue gain experience developers", "label": 0}
{"pkg_name": "com.swipecards", "description": "tired reading books watching videos trainings months later realize forgotten almost everything good news cure takes advantage spaced repetition well established cognitive science tool help remember things on long run take 20s create card want remember something interesting spend minutes day reviewing cards new knowledge enter effortlessly memory", "label": 0}
{"pkg_name": "com.mg.flyingcar.helicopter", "description": "love helicopter games flying super sports cars maybe muscle car games want fly car like helicopter in san andreas city game perfect drive fly future sports car rescue mission test helicopter pilot skills car driving ability time san andreas helicopter car flying experience epic transform wheels quad copter fly car freely fly helicopter car around san andreas discover new landscapes drive muscle car stunts drifts burn asphalt road best car driver free in world want flying car rescue flight sim made fans flying car games simulation games helicopter flight games flying car rescue flight sim game features experience sports car driving skills improve helicopter flight ability test pilot helicopter car pilot skills realistic dynamic auto physics advanced helicopter flight physics easy free use wifi problem offline play enjoy best helicopter car flight experience number local area network subscriber identification module", "label": 0}
{"pkg_name": "com.pledjar.app", "description": "round up daily transactions donate favourite charities", "label": 0}
{"pkg_name": "com.mplmathspuzzlegame.kids", "description": "advanced kids math puzzle game best math learning game kids advanced kids maths puzzle game designed kids learn math playing helps kids learn addition subtraction multiplication division interesting math games 1st graders 2nd graders graders specially math game 4th graders want play interesting maths puzzle games free sharp brain math exercise advanced kids math puzzle game best educational math games kids 1st grade math 2nd grade math 3rd grade math 4th grade math 5th grade math kids math puzzle game kids helps kids excel mathematics calculation simple interesting fun elementary math practice kids puzzle games learning mathematics absolutely free give interesting training kids perform additions subtractions multiplication faster advanced kids math puzzle game kids math puzzle game features high graphic kids game easy math addition subtraction multiplication division equation shown on screen choose correct answer levels easy medium hard quick math learning tool kids puzzle games advanced math games challenge friend score play math puzzle make brain sharp simple math drills practice kid math audio sounds interesting fun math games ; play advanced mpl kids math puzzle game simple kids game choose one operation like addition subtraction multiplication division ; answers given choose correct answer ; whenever choose correct answer maths puzzle get points ; answer equations clear every stage advanced mpl kids math puzzle game kids supported devices devices works perfectly advanced mpl kids math puzzle game kids subscriber identification module", "label": 0}
{"pkg_name": "com.Gamekore.zigzagCrashRacing", "description": "ready play fun beautiful rally racer game drive car simply tapping screen turn zigzag car correct direction rally racer zigzag features thee following easy play hard master cute cartoon graphics various car skins free play subscriber identification module", "label": 0}
{"pkg_name": "com.poweringoffroad.app", "description": "best training app road riders join powering offroad access personal training plan road riders road motorbikes trial cross develop skills dirt bikers need powering offroad workouts strength balance agility endurance high intensity training coordination flexibility speed even track progress in order analyze strengths improve weak spots train specific exercises professional mx riders also able recover faster injuries integrated rehab exercises knees neck back forearms moto fitness app dirt bike riders want compete level best races reach full potential mx rider complete dirt bike fitness app follow physical progress recover quicker injuries improve skills exclusive algorithm powering offroad algorithm constantly adapts motocross training program enduro training program whichever motorbike discipline physical needs competitive goals nutritional goals powering offroad get access expertise exclusive bike trainers training system like coaches work side side help achieve goals dominate motocross circuits specific personalized training riders develop physical skills needed enduro motocross riders enjoy complete motorcycle training plan strength training workouts resistance workouts high intensity training powering offroad feel like motocross coach long list workouts specific mx riders work on important skills riding like coordination balance flexibility personalized workout plans achieve goals needs exclusive algorithm combine workouts motocross program home bike train hard next visit circuit riding day bike races ride calendar bikers add races powering offroad calendar in order get in shape on time race personalized moto training plan adapts calendar always in shape right ahead road races riding in every circuit also register rides powering offroad give view rides enjoyed professional nutrition plan access top nutrition supplement plans created best sports nutritionists tailored mx riders riders kinds riders complement best personalized motorcycle training program efficient nutrition plans take skills next level injury treatment rehabilitation motorcycle riders recover better faster suffering motorcycle injury matter knee shoulder elbow forearm arm pump whether knee injury broken arm forearm pain neck stiffness app able speed up rehabilitation process motorcycle rider working motocross coach get back on track without pain discomfort afraid motorcycle injuries anymore lane motocross cross enduro mtb downhill trial rally whatever lane powering offroad want offer experience every motorcycle racer whether professional fan biking world personalized dirt bike fitness training plans riders best rehab exercises knees shoulders injury app give everything need compete highest level achieve goal number local area network", "label": 0}
{"pkg_name": "cz.lukaaash.catchthecarrot", "description": "catch carrot completely free time killing game in control small rabbit catch carrots hand drawn graphics catch carrots get points golden carrots avoid objects like stones bombs cost life hit bombs cost life like points careful game two modes easy hard in hard mode get points carrots miss one carrot lose life catch carrots", "label": 0}
{"pkg_name": "com.SevenWorldMedia.MessyBabyRoomHouseCleaning", "description": "day beautiful play together learn new things cleaning baby room app idea spend quality time everyday love see smile reason created interesting game kids install clean up game start good day little baby needs help care help play prepare sleep room dirty playing lot follow instructions well written first meet become best friend wow room dirty prepare work lot walls need cleaned use cloth cleaning special solution clean carpet need broom collect garbage arrange toys books lot dust please clean up using special spray repair chair little one needs clean window see beautiful garden room beautiful play baby see cleaning game shows incredible features make experience enjoyable look interesting features app free easy use perfect kids game helps kid responsible help kid know place things example books sit library on carpet graphic interesting kid develop new skills fun number", "label": 0}
{"pkg_name": "com.banuchanderjj.tamilfm", "description": "major tamil language fm channels available in app specially made tamils simple attractive ui easy use quick play pause stop options on notification status bar help manage song listening better sleep timer auto stop fm radio search feature search favourite fm app requires good internet connection make sure connected internet using app listening favorite radio stations discovering new music staying connected home living abroad making commute interesting channel number keep increasing based on database updates tune in favorite radio stations like radio mirchi hello fm red fm radio city fm fm varnam fm love guru ajith vijay ilayaraja actors music directors fm india radio major languages many great fun product names logos brands trademarks featured referred within app property respective trademark holders trademark holders affiliated services app stream channels included in app streaming links third parties available free on internet violation broadcasting channels please email us channel name check immediately remove fm radio channels streamed app responsible contents number optional local area network subscriber identification module", "label": 0}
{"pkg_name": "com.godsproslw.springmarch8wishes", "description": "personalization update new improved version spring march wishes wishes users taken account correction errors inaccuracies added new quality backgrounds effects sounds in theme application spring march wishes stylish app spring march wishes great personalization phone cool entertainment miss opportunity download install spring march wishes individually select personalized screen design device spring march wishes favorite picture watching slideshow great entertainment feel spring bursts open window friendly noise spring hopes love good mood advent spring first flowers appear snowdrops last snowdrifts melt in silence forest silver lily valley flourishes spring march wishes one best personalization theme application spring march wishes ready decorate screen phone tablet application spring march wishes number advantages compatibility almost devices need permanent internet connection economical battery consumption simple user interface settings spring march wishes personalization entertainment animated unique spring march wishes implementation realistic effects excellent graphics completely free users application spring march wishes ability set beautiful stylish app personalization on screen also opportunity get acquainted latest applications team application contains announcement best app in relevant topics developer introducing pleasant harmonious animated app spring march wishes order application spring march wishes user found on demos settings menu caused double tapping screen glass dual touch option disabled in settings version provides ability turn on sounds touch finger workspace center sounds disabled in settings menu application spring march wishes ability connect animated objects workspace animations saturation adjusted in menu settings application application spring march wishes contains interactive effect water droplets on glass realistic drops dew on screen scattered surface glass interactive finger tap causes change in direction in application spring march wishes sparking layer effect flickering stars fireflies scattered randomly around entire background unobtrusive flicker gives image additional charm program spring march wishes works well on device known manufacturers phones tablets constantly monitor application rated preparing new releases raise efficiency work please send comments e mail application contains blocks advertising application spring march wishes install download application spring march wishes on device general menu icon spring march wishes launch activation application read in open prior preview window select download button window start application on home screen number subscriber identification module email", "label": 0}
{"pkg_name": "com.hashtagstd.knock.down.mugs", "description": "addictive mugs shooting game need knock mugs placed different trays using king catapult slingshot knock game knock knocks mug fun game slingshot game get mugs slingshot angry balls coffee aim knock mugs games help badly addictive in coffee want smash bad habit knock smiley mugs pull catapult kings belt shooter game change in knock games trend mug smash unique knock game in lockdown games need abilities logic hit knock mugs in slingshot knock games innovative slingshot game epic 2d environment time friends family colleagues come together hit knock mugs global game looking mug shooting game catapult game ultimate mug shooting game looking play mug catapult game fun addictive mug shoot slingshot game provide hours fun knock earth colorful mugs in order break challenge skills progress in multiple levels new favorite mugs shoot mug breaking game knock mugs ground easy play fun mug breaker catapult game endless fun testing slingshot skills fun playing breaking mugs using angry ball in front test skills in different levels catapult game offers different knock hit shooting challenging levels test catapult slingshot skills clear challenge in levels in level mug shooting game need use logic in order knock mugs get progress in another even fascinating difficult challenging levels succeed break coffee mugs in present level move forward in king catapult game game play becomes logical puzzle challenging giving chance become ultimate knock player enough description download share friends family enjoy king knock games king catapult game features simple fun play play anywhere anytime need internet connection colorful design cool sound effects knock mugs break challenging levels slingshot catapult skills free games play number", "label": 0}
{"pkg_name": "ma.l1inc.com.coursemappingapplication", "description": "maintains worldwide database golf course gps data cms app used map new course update existing course submit review internal organization professional golf course mapping personnel validate files received ensure accuracy prior adding course database app downloaded used instructed support personnel using app map up per hole front center back green up hazard points per hole", "label": 0}
{"pkg_name": "com.shoutcast.stm.fmachiras1019", "description": "fm", "label": 0}
{"pkg_name": "com.dataforma.dflowslope.android.gaf", "description": "simple powerful inspection tool exclusively available gaf certified maintenance professionals gaf inspect provides stream lined inspection work flow makes generating professional looking reports quick easy gaf certified contractor contact us ask certified contractor programs ccp believe gaf helping roofing contractors save time money subscriber identification module", "label": 0}
{"pkg_name": "com.freeimagecutter.phototrimmer.photoeditor", "description": "free image cutter photo trimmer photo editor interesting photo editor app provides us features remove erase unwanted bad background photo photo cutter helps remove background relative ease want try different backgrounds images in treat app done easily crop photo change background free image cutter photo trimmer photo editor free image trimmer background remover auto mode using magic tool erase similar pixels automatically extract mode using manually cutting fingers undo redo feature restore reverse tool selecting another background given images picture ease use really easy use user friendly user get used real quick perform quick professional image cutting image trimmer image trimmer image cutter apps becomes really easy main functionality app cutting background images like photo editor one would want try auto mode magic tool auto mode magic tool feature photo trimming becomes really easy task within seconds different colors separable use manual mode manual mode in manual mode photo cutting in detail fingers auto edge detection auto edge detection adjust edges image spending much time on auto edge detector make job really easy undo redo undo redo feature undo changes also redo want changes background selection multiple beautiful built in background in background selection find many backgrounds images want change background photo number subscriber identification module", "label": 0}
{"pkg_name": "com.comparestore.india", "description": "india best price comparison web app online shopping save every day visit in app getting best price deals coupon offers online shopping in india across hundreds online shopping sites including major players like amazon ebay rediff many save hard earned money on online shopping website app pleasure give store comparison search platform scan hundred shopping sites", "label": 0}
{"pkg_name": "bz.celtic.dcdmvmcs", "description": "district columbia motor carrier vehicle application check account fleets vehicles supplements details status download credentials check pending invoices regarding details", "label": 0}
{"pkg_name": "com.app_nlo.layout", "description": "believe believe in one true god embodiment holy trinity father son holy ghost believe christ creator everything created created things in things consist colossians believe first fruit creation type first fruit though believe make disciples nations baptizing in name father son holy spirit teaching observe things commanded us matthew vision statement ministry provide in depth study teaching word god produces understanding knowledge provoke ones life changed cause one reach others change world teach word transform lives make disciples modify world one soul time know god make known", "label": 0}
{"pkg_name": "smartgr.bedroom.storage", "description": "storage impose on rest space create enormous amount storage space in areas used shelves edge room best suited things continuously need want get way shelves used store display photos everything in mind used keep clothes folded ready folding one many ways save bedroom memory curating favorites shelving everything might need quiet stylish space want bedroom shelves neat tidy reserve favorite items books bookshelves ornaments decorate art jewelry bespoke option offers easy reach bedroom comfortable keep tidy better still bookshelves take up unit helps avoid possible falls bed much higher standard rack smart version bedroom storage idea help make good use otherwise neglected space said often dead room in every room in house vaulted ceiling bedroom perfect example right organizational means possible create space chaotic orderly orderly decent nightstand take basket put in bedside table get much needed mess catchall even bedside table drawers make storage use property art exhibition shelf definite also attract attention visually also even access much space side tables drawer built in storage makes wall space offering variety custom options sorts different storage solutions work area whether hanging space drawers cabinets even bedside table possibilities endless built in storage space looking ideas storing bedrooms small space floating shelves great stylish solution wide range storage options perfect wasted space number", "label": 0}
{"pkg_name": "dual.direction.loveheartdualphotoframe", "description": "love heart photo frame would like pictures appearing in beautiful love heart photo frame fantasy frames ideal frame memories make unforgettable using app make photos beautiful decorating fantastic free nature photo frame effects text stickers love heart frames instantly apply love heart frame photos simple touch gestures on mobile phone magnificent experience get beautiful love heart photo frames app hd backgrounds on android phone tablet free huge collection love heart dual photo frames make feel like in beautiful love heart love heart photo frame app making photo many love heart frames love heart around world love heart photo frames app show love affection towards nature love heart definitely love heart photo frames well show affection loved one adding love heart background favorite images create nice love heart photos love heart photo frames create easily beautiful love heart postcard beautiful photo frames love heart add love love heart frames favorite photos couple make love heart images forever love photo frames love heart photo frames free professional love photo frames hd application android key features select photo gallery camera full featured photo editor included simple touch gestures rotate resize double tap delete beautiful design phones tablets multiple stylish nature photo frames picture selected beautiful nature frames nice colorful stickers amazing magical effects apply on photo add text different fonts resize text easy use ui simple powerful user interface helps get job done much quicker save image sd card share creations via facebook twitter flickr email social networks feel in surroundings natures beauty love heart dual photo frames app create awesome looking love heart dual photo frames photos anywhere share photo created friends family love heart dual photo frame application provide colorful love heart frames advanced powerful photo editing tool beautify photos wrap up best love heart dual photo frames hd make moments happiness unforgettable add text apply filters add beautiful stickers features on love heart dual photo frames use best love heart photo frames app look beautiful stunning in garden frames love heart dual photo frame powerful photo editing app hope enjoy like beautiful love heart dual photo frames app give good rating like subscriber identification module", "label": 0}
{"pkg_name": "com.BoxUp", "description": "high voltage puzzle simple logic game mount power line supports substation equipment see result on mobile device complete levels real equipment feel like engineer subscriber identification module", "label": 0}
{"pkg_name": "com.NewHopeGames.combatfield", "description": "us soldier in vietnam war charge fields jungles shooting enemy troops blasting bunkers watch fearless viet cong soldiers fun fighting wars in vietnam soldier battle wargame key features exciting challenging action inspired classic arcade titles fire rifle throw grenades ammo charge knife attack call helicopter supply drops replenish supplies twin virtual joystick control precise gameplay random elements ensure two games game style vietnam environment bunkhouses garrisoned troops original made in house graphics note game completely free nothing else buy within game keep playing in app purchases means pay win anything else yay download today enjoy ratings reviews download games please give us rating review matter good bad however leave review greatly appreciate make constructive criticism improve game accordingly examples constructive criticism controls difficult game needs balancing levels hard etc enjoy games tell us like tell friend continue making games support game tested on multiple devices strive create trouble free software in unfortunate event experience problems send us email fix alternately visit us http www com reach us contact number", "label": 0}
{"pkg_name": "com.comingtome.mysimpletimer", "description": "created simple timer use share anyone need simple timer simple give time duration time counts subscriber identification module", "label": 0}
{"pkg_name": "com.faastpizzarntheme", "description": "pizza react native app theme creates vibrant wave improve react native mobile application ui ux components designed personalize applications saving developers working hours also reduce cost create mobile app effectively on platforms e ios android", "label": 0}
{"pkg_name": "com.vts.pratappublicschool.vts", "description": "pratap public school android application tracking based application", "label": 0}
{"pkg_name": "com.unity.lwpuzzle", "description": "lucky woody puzzle big win wood block games free classic addictive woody block puzzle game challenges fit wood blocks different shapes grid randomly gives real money rewards lucky woody puzzle match different shaped blocks in horizontal vertical grids clear aim highest score much possible chance win real money reward getting high scores train brain beat higher score earn prop rewards win real money rewards join millions people playing lucky woody puzzle relax collect big prizes little luck skill could become next millionaire play block puzzle wood game win real money time open lucky woody puzzle check wood sudoku world everyone lucky guy unlocking ultimate levels getting real money rewards challenge blast beat higher score earn coin rewards win big prizes play lucky woody puzzle drag drop wood blocks grid fill wood blocks row column eliminate game room on board given wood blocks blocks cannot rotated reward scores step every row column blocks eliminated get many scores become best luckiest block crush lucky woody puzzle ultimate rewards daily challenge real money reward passing levels addictive gameplay features lucky woody puzzle free easy play classic challenging relaxxxg addictive massive props help get higher scores sudoku in new gameplay chance win real money rewards getting high scores stop hesitating join us play win game cost real money number", "label": 0}
{"pkg_name": "theme.vivo.s5.vivos5.vivoy5s.y5s.iconpack.launcher.wallpaper", "description": "thanks installing theme launcher theme launcher skin vivo s5 hd stock wallpapers theme skin vivo s5 hd stock wallpapers easy use fastest theme compare theme launchers theme skin vivo s5 hd stock wallpapers official stock hd wallpapers backgrounds vivo s5 give feel vivo s5 allowing completely refurbish existing android home screen work on many basic launchers check list use ever widget style theme style want phone theme skin vivo s5 hd stock wallpapers official stock wallpapers backgrounds apply hd wallpapers backgrounds home screen well lock screen also bonus point use wallpapers avatar contacts in phone contacts messengers also battery drain problem among safest theme launcher on play store never worry memory loss battery charge running summary theme skin vivo s5 hd stock wallpapers theme launcher brings personalized interface contains cool icons pack awesome background decorate ordinary android phone special phone example themes scroll speed customizing icon size transition effect animation screen orientation share theme launcher friends family circle also enjoy features personalize wallpaper backgrounds icons friendly user interface cute cool superb style theme skin vivo s5 hd stock wallpapers support following launchers suma launcher nova launcher launcher lucid launcher tsf launcher next launcher line launcher features amazing static hd wallpapers minimal white collection bundle icons customize full fledged animated look landscape portrait support phone tablets easy use small in size fast simple set theme please follow following steps select vivo s5 theme icon pack tap on apply theme item select choice launcher apply theme wait seconds apply theme change wallpaper lock screen background please follow steps select vivo s5 theme tap on wallpapers item select wallpaper either set wallpaper click on tick mark choose set lock screen home screen beautiful theme theme skin vivo s5 hd stock wallpapers used in smartphone tablet app affiliated endorsed vivo app affiliated endorsed android number local area network subscriber identification module", "label": 0}
{"pkg_name": "com.DreamNiteStudio.DangerDepression", "description": "let tears grow anxiety stress fear controls tap hold spawn happiness bombs available windows also visit https itch io danger depression", "label": 0}
{"pkg_name": "com.fixnix.myapplication", "description": "audit management provides range internal audit activities data processes in integrated unified manner module provides streamlined standardized internal audit lifecycle minimizing redundancies inconsistencies", "label": 0}
{"pkg_name": "ecz.pastpapersg12", "description": "download free ecz past papers in pdf format free zambian past papers examination council zambia grade past papers free download ecz past papers g12 general certificate secondary education gce gcse exam past papers exams grade in zambia past papers exams exams questions answers also extended include music zambian music social media facebook twitter betting make things easy health medical information in short app used facilities services in one place provides good service interface beautiful experience love live longer still innovating best betting social", "label": 0}
{"pkg_name": "com.conduit.app_d3046952dc8244f3ba872d8182649522.app", "description": "in app find home news insights insights us contact us events photo gallery lots", "label": 0}
{"pkg_name": "com.motgo.tvremoteandscreenmirrorig", "description": "display phone screen on tv screen mirroring app assist scan mirror android phone tab screen on tv app need extra dongle cable click start mobile hotspot operating automatically screen mirroring play contents send screen hdmi mhl tested found works on android mobiles stream videos movies sports live tv android big tv screen please follow steps mirror mobile screen tv tv support wireless display sort display dongles tv must connected wifi network phone phone version must android download run screen mirroring app enjoy videos movies sports tv shows in full hd 1080p on big tv screen cable laptop server complex setup additional hardware needed use android device tap stream tv remote controller universal remote control supports almost popular brands smart tv models tv remote controller provides comprehensive tv controlling functions controlling smart tvs amazing user interface tv remote controller free application control television functions easily try tv remote controller convert smart phone universal remote controller tv remote controller includes leading television brands like samsung tv remote sony tv remote vizio tv remote lg tv remote etc in remote controller app remote controller app works best on smartphones equipped infra red ir blaster remote controller easy use remote controller control electronic equipments like tv remote ac remote remote dvd remote etc universal remote controller try amazing tv remote controller convert android device universal tv remote controller remote controller quickly configures tv remote easily connect use tv functionality smart tv tv remote controller tv remote controller simulates android mobile remote controller tv remote controller works exactly like actual remote controller tv remote tv supports almost every smart tv brands models tv remote control works best on devices equipped infra red ir blaster always good easy use tv remote controller control type tv operation mode remote controller exactly actual tv remote controller features tv remote controller control every basic remote control task like power on mute channel volume etc remote controller offline app require internet connection smart remote control tv every remote control function in remote control electronic equipments like tv ac box dvd projector etc number subscriber identification module", "label": 1}
{"pkg_name": "com.AndoPrductions.TheMadPaddyLepri", "description": "take role paddy paddies run leafed clovers must explore world magic obstacles armed hurl show leprechauns boss website", "label": 0}
{"pkg_name": "com.appburst.conventioncenter", "description": "smart city convention center event app showcase demonstrates platform ability provide up date information sessions speakers meeting room exhibit hall location schedules many elements see within app configurable altered best fit needs interactive features live polling user messaging lead retrieval give attendees engaging informative experience makes event memorable", "label": 0}
{"pkg_name": "com.edo.vidhyalive", "description": "world class elearning software opens virtual door superior quality education teacher provide one on one instruction learners across geographical locations integrated live virtual classroom interactive whiteboard online exam etc helps teachers conduct online classes ease user friendly learning management system lms brought leading global education technology solution provider", "label": 0}
{"pkg_name": "com.gau.go.launcherex.theme.classic.tornfuture.yhw", "description": "brand new free theme go launcher z brief introduction specially designed go launcher z provides delicate app icons wallpapers folder app drawer interface get right completely new makeover android smartphone notice go launcher theme available phones go launcher z installed click install go launcher z apply theme directly open theme successful installation back menu theme choose theme like apply phone illustrations images copyright mobile limited number", "label": 0}
{"pkg_name": "com.app.geevar", "description": "new best online grocery store best shopping app grocery household needs trusted millions happy customers say goodbye grocery shopping woes kerala best online grocery store save get guaranteed lowest prices on supermarket shopping currently provide services in kerala expanding many indian cities possible soon india best online grocery supermarket shopping app shop anytime anywhere vast range products best prices online grocery shopping super quality super savings aim cover almost household needs get everything need right doorstep every product available in app could possibly need run household monthly shopping list also come across free vouchers coupons hair beauty saloon beauty home services online songs on select days choose vast collection products across national international brands including amul cadbury nestle fresh himalaya horlicks nutella patanjali nandini nescafe kellogg lays nivea surf excel vim online grocery household shopping daily needs categories fruits vegetables deliver best quality fruits vegetables india top farmers grocery staples pulses atta flours sweets sugar jaggery salt dal rice grains oils dry fruits nuts edible oils ghee vanaspati spices organic staples find almost grocery items in app snacks beverages chocolates candies biscuits cookies snacks chips crisps sweets cold drinks juices drinks tea coffee health energy drinks squash syrups water soda milk drinks packaged food noodles sauces vermicelli pasta soups ready made meals mixes pickles chutneys baking needs dessert etc personal baby care get best quality personal baby care products reliable brands trusted one bath body skin care essentials hair care feminine hygiene men grooming face care cosmetics fragrances diapers wipes baby skin hair care baby accessories baby food etc household items get wide range detergents floor utensil cleaners repellants room car fresheners pooja items cleaning tools brushes paper disposables basic electrical products pet food etc breakfast dairy milk milk products bread butter cheese yoghurt jams honey spreads eggs etc get freshest delectable products app features services choose products prices lower grocery store guaranteed savings best products best price discounts everyday on entire portfolio offers deals enjoy new exciting offers great deals everyday assured quality products come freshness guarantee best date shown products on product page multiple delivery slots get free on time delivery want open box delivery allows customers verify products time delivery customers return individual products basket aids easy returns easy returns questions asked return policy satisfied product return easy fast secure payment options pay cash on delivery cod net banking credit debit cards bhim upi even find exciting bank offers across leading banks india on select days 24x7 help support get support mailing us info in feedback app suggestions info in number email number", "label": 0}
{"pkg_name": "com.thefunnysheep.UrduApps", "description": "sheep sheep ovis ruminant thick hair known many people preserved use hair called wool meat milk best known person pet sheep ovis aries thought descended wild south south western asia types sheep close relatives see goats sheep different goats", "label": 0}
{"pkg_name": "com.kidroider.offroad.toilet.emrgency.rush", "description": "offroad driving difficult in toilet emergency driving on offroad far mountain place covered in snow adventure suddenly stomachache rushing public toilet on offroad driving adventure dodge obstacles on way game seriously challenge skills reflexes urgent sweat start dripping forehead stomach rumbling soon grunting realize nearest bathroom way across offroad mountain hold longer second seems like hour rush snowy hills offroad mountains in panic situation face multiple levels full challenges career threatening situations in amazing graphics hurry up everybody poops toilet time reach toilet in time unlock play several characters usual security officer swat police man model girl designer boy clerk salesman house wife carpenter news caster many daily life characters experience toilet rush situations shows everybody poops good prepared use dirty washroom use clean washroom washroom disaster everything place making bathroom messy dirty task use washroom reach next toilet become best toilet emergency challenge person in offroad situation mind blowing thrilling experience find nearest toilet on road mountain snow path entertaining educational ages different camera angles smooth steering hydraulic brakes amazing 3d graphics green fields environment mind blowing hardcore thrilling experience different characters unlock play different challenging missions unlock play", "label": 0}
{"pkg_name": "com.ws.sticker", "description": "whatsapp stickers chat one coolest newest apps chat urdu stickers whatsapp whatsapp stickers third party app add amazing sticker whatsapp best sticker pack also called whatsapp stickers apps independent app provide interesting whatsapp stickers in one includes urdu greeting stickers types lovely stickers stickers whatsapp includes amazing birthday wishing stickers wish birthday loved whatsapp stickers baby funny includes funny stickers babies whatsapp stickers cute includes cute lovely stickers whatsapp stickers cartoon includes many types cartoon stickers best sticker whatsapp also includes whatsapp stickers whatsapp stickers thank really enjoyable fantastic app ultimate stickers pack also includes stickers whatsapp new using stickers pack new stickers enjoy different type stickers share stickers friends family new stickers whatsapp chilly free stickers funny stickers use whatsapp stickers memes including stickers pack high quality incredible stickers also allows download free stickers using app free whatsapp stickers stickers meme stickers whatsapp stickers thankyou welcome cartoon stickers allows send thank thumbs up bye stickers whatsapp stickers funny great well managed fantastic stickers whatsapp app ; animated stickers whatsapp ; text stickers ; happy birthday stickers ; stickers whatsapp note new stickers whatsapp independent application affiliated sponsored whatsapp inc number", "label": 0}
{"pkg_name": "com.seel.kimbilir", "description": "quiz mobile education entertainment app anyone reach buy on platform lifetime support easy install skin special features unique ui animations application feature real time challenge quiz real opponent send request friend join request pushed friend phone notification single quiz game categorized questions random questions answers positions question grade much question count play single game per day play challenge game points run jokers fifty percent one chance top list ranking according point best account page statistics information friend list page lists user friends store lists products purchased via play store billing watch ads earn heart product rewarded ads rewarded ads interstitial ads banner ads admob customized login google login share scores settings option challenge request allowing settings option tones multi language settings eng tr available free support language direct page play store data caching offline data updating user get access internet push notification splash screen material dialog rate us button us button admin dashboard add unlimited categories add unlimited questions add unlimited products category publish option charts users point question due grades edit user account registered user authentication admin panel add modify remove category option add modify remove question option add modify remove product option edit category page in app change title photo title description on admin panel settings category determine question number recommended reset button options points challenge sessions number local area network", "label": 0}
{"pkg_name": "com.botradio", "description": "bot radio station play heavy metal hardrock specifically keep in mind types on channel death metal black metal doom metal gothic metal groove metal power metal speed metal stoner metal thrash metal traditional heavy metal classic metal alternative metal avant garde metal drone metal folk metal funk metal grindcore grunge industrial metal metalcore neo classical metal nu metal post metal progressive metal sludge metal symphonic metal viking metal apologize forgot forms metal subgenres site www bot radio com ads forget donate number", "label": 0}
{"pkg_name": "com.myzolve", "description": "unbiased workplace advice in palm hands timely confidential on demand workplace experts hr alter ego safe space discuss resolve workplace issues app provides employees tools need take ownership resolving workplace issues self help use self help tool on demand recommendations resources based on specific situation chat use chat function chat one employee advocates call use call function schedule one on one session one employee advocates establish actionable plan help quickly resolve workplace issues case use case submission function document reviewed complex issues bullying harassment discrimination local area network", "label": 0}
{"pkg_name": "org.montrealtransit.android", "description": "old download new one free on google play http goo gl brings stm buses subways bixi bikes information in pocket optionally download entire stm bus schedules available offline http goo gl free hide ads in app settings buying donate app http goo gl install app on sd card recommended circle us on google https plus google com follow us on twitter https twitter com like us on facebook https facebook com app free open source https github com android app related de transport de al bixi app anonymously tracks reports user activity monthly analytics reports available on web site https github com android wiki permissions internet required load data stm info bixi com location required calculate distances user subway station bus stop bike station network state required google analytics google admob near field communication required android beam nfc aka mon transit transit mon transport number", "label": 0}
{"pkg_name": "com.axondevstudio.Barbi.scary.haunted.house.granny", "description": "pink lady barbi granny game latest version barbi granny game new features survival adventure escape must find escape route barbi granny house doors use tools unlock doors finding key hidden somewhere in structure barbie granny house mod help get ease door horror pink lady granny locked need find way in limited days try get grammy house careful silent pink lady scary roaming in search meat in granny house careful quiet indispensable love granny mods pink lady adventure pink barbi lady chain block everything cut axe destroy planks hammer beware bad horror granny sound listen scream sound run away immediately kept book shelf must open find secret book granny secrets aim release miraculous scary barbie souls haunted house need find keys multiple types inside granny house barbi mod sliver key golden key old key keys different colors free house bad souls pink lady granny mod trapped inside scary house mansion barbi human people also tried many times accept challenge barbie use mind find tricky way in order escape granny dressing like cute barbie pink lady evil barbi granny hears everything cautious attract attention make noise attract features game scary scream sound effects challenge survival mission strategy make stunning environment quality graphics number", "label": 0}
{"pkg_name": "com.faithnetwork.livingwaters", "description": "living waters christian fellowship fountain valley ca senior pastor moore established in february total attendance people congregation first met faith lutheran church in huntington beach california broke ground two acre site in spring began construction first sanctuary in july in june pastors dan moore accepted ministry call living waters pastor dan believed god given mandate reach lost scattered sheep orange county in construction began on present sanctuary in in attendance construction education office building began two years later construction completed building dedicated congregation cancelled debt approximately in today years later grace god diligence living waters family vibrant church in attendance committed excellence integrity care development global evangelism christian education worship environment none exciting prospect future god breathed new life fellowship pointed us unpaved road ventured on http www org number", "label": 0}
{"pkg_name": "com.pixelbistro.froginfury", "description": "tap screen match timing kicking falling car tap screen quickly frog angrier powerful collect lotus leaves point level up frog many cars kick one time easy play hard reach high scores game features easy play endless gameplay exciting hip hop beat gestures challenge friends best high score pixel bistro pixel bistro creative studio trying make new innovation in digital world privacy policy believe privacy important please consult web site privacy page", "label": 0}
{"pkg_name": "com.ModificationMotorDrag.Utilities", "description": "motorcycles average speed design framework polished seen draft engine alone could called motor drag variant two wheeled showroom standard speed compared motor drag course already know rate difference due change in engine applications intentionally make available looking latest drag image modification coolest bike review drag motor modification picture get best modifier appropriate collection images motor modifications", "label": 0}
{"pkg_name": "com.eisterhues_media_2", "description": "englands fastest football app get scores results premier league live on smartphone simply download free app set favourite teams never miss goal in europe top leagues also follow championship cups well international football tournaments in real time user friendly comes without complicated gimmicks using app agree privacy policy subscriber identification module", "label": 0}
{"pkg_name": "com.lwpgo.videowallpaper.galaxycosmos", "description": "galaxy wallpaper background free apps best new personalize desktop earth moon sun related wallpaper android free apps 3d galaxy wallpaper changer able personalize whole home screen lock screen android phone custom space universe planets in cute cool 3d galaxy cosmos launcher diy theme great star supernova new special features changer hd wallpaper download unique theme 3d live wallpaper maker creator 3d galaxy cosmos video app 3d effects parallax hd wallpapers backgrounds 4k lock screen wallpaper changer galaxy wallpaper 4k 3d galaxy cosmos customize home screen image unique special fun space universe planets in addition provide millions wallpapers set phone wallpaper galaxy background wallpapers cute cool beautiful animated backgrounds 3d effect contains earth moon sun supports android devices samsung galaxy huawei lg asus motorola oppo mi xiaomi vivo sony xperia htc lenovo 3d galaxy wallpaper live free galaxy video animated wallpaper hd video quality give best quality animated backgrounds android phone even flagship phones quad hd even 4k ultra hd screens check background video wallpaper collection personalize device like live photo app also galaxy screensaver choose earth moon sun never collect personal info collect photos set hd wallpapers select galaxy 3d animations customize android phone star supernova galaxy wallpaper hd provide millions wallpapers set phone launcher star supernova change theme 3d galaxy live wallpaper features amazing video animated wallpaper personalize phone customize home screen image space universe planets free live wallpaper home screen supports android devices samsung galaxy huawei lg asus motorola oppo mi xiaomi vivo sony xperia htc lenovo social http bit ly http bit ly let try 3d galaxy wallpaper hd", "label": 0}
{"pkg_name": "com.playtestedgames.coopzombieshooter", "description": "player co op zombie shooting game game designed ground up two players players play on device need good amount co ordination co operation succeed in post apocalyptic zombie shooting game control scheme innovative thoroughly tested work smoothly two players on device may still take minutes get adjusted acceleration on screen joysticks done in treat game difficult waves carefully crafted give challenging yet difficulty players zombie shooting experience becomes even better made specially double player strategy mainly two types weapons one spread power across area pack maximum punch along line shooting in opens possibility employing different strategies partner see combination guns prove best play err co op style co op game exclusive experience two players playing co operatively though still try controlling control sticks single player game designed in way makes highly difficult first couple waves waiting play game also premium ad free version game available name please purchase wish support us gets enough sales pump in features game may premium version number", "label": 0}
{"pkg_name": "jp.aoiinc.app.kd02", "description": "card game solitaire popular character in japan", "label": 0}
{"pkg_name": "com.app_mobidazeregion4317.layout", "description": "regions estates agents app great way keep up date properties currently marketing searching property rent buy view property details on smartphone tablet photos viewed full screen even provide turn turn satellite navigation voice commands property office share app friends text email social media find us in contacts section see open house events looking property sale rent in hillingdon uxbridge ickenham surrounding area middlesex regions estates app useful tool aid search receive new instruction alerts straight smartphone view details floor plans full screen photos property post comments feedback on experience us send us voice messages photos documents read latest property market news share app friends via social email ability receive turn turn directions voice commends on smartphone see open house events register us request valuation viewing", "label": 0}
{"pkg_name": "com.artdigic.hills", "description": "fancy escape tap objects find hidden items figure puzzles using brain open doors escape hill house time trials walkthrough videos auto saving suggest enjoying soft comfy ocean surf sound information remake version escape 3d hills previously released unable update work various troubles rebuilt root image operability partly changed contents devised able play comfortably hope enjoy number", "label": 0}
{"pkg_name": "com.angstrommetrology.home.barometer", "description": "phones barometric sensor phone capable use app access record readings manually set calibration factor change adjust readings also zero pressure measuring relative differences necessary version ability email download data files feel free contact us concerns questions app thank angstrom metrology team", "label": 0}
{"pkg_name": "com.Collaborart.bug_project", "description": "ar augmented reality tool visualizing virtual bug catching zs\u00f3fia point camera phone one four posters representing bug digitization processes view in 3d ar processes structured light scanning vr sculpting", "label": 0}
{"pkg_name": "rs.test", "description": "chess timer simple chess timer clock use anywhere everywhere in phone chess timer allows choose control chess time easily start timer in matter click preset time on menu quickly customize time settings play chess on regular basis cant bother bringing set chess clock everywhere go app definitely features settings menu simple easy use preset time settings chose start chess timer in one tap customize option set time settings add save custom time create use whenever like edit delete option on saved custom time timer screen green color show player turn red color show player time reset time button reset player timer selected starting time pause resume timer ease using one button home button quickly change timer settings moves counter track moves player simple useful chess player install try free number subscriber identification module", "label": 0}
{"pkg_name": "com.krapps.easterdayphotoframes", "description": "try latest new collection easter day photo frames happy easter decorate photos latest designed free editor easter photo frames create favorite image like send friends family happy easter photo frames highlights free application easy use attractive colorful new easter photo frames add best images fit happy easter frames use feature zoom in zoom adjust photographs use saved colorful easter day photo frames share friends family easter frames different beautiful colors beautiful colorful easter frames add text on easter day photo frames different fonts styles well colors applied on easter photo frames download easter day photo frames app free enjoy really like application please share friend family rate us thank much installing please send feedback suggestions gmail com number email", "label": 0}
{"pkg_name": "darwin.cogold.buyer", "description": "app multiple modules buyer module available in app used accept pickups identify seller location collect sold items weigh enter details platform completion transaction rate sellers on transaction scrap dealers interested in running business in location download app operations accompanying seller app seller available link free distribution customers https play google com store apps details id com darwin hl en please contact development team franchise inquiries commercial terms platform used anywhere buyer available customers acquired design allows flexibility customize app selling different categories items prices please contact us information", "label": 0}
{"pkg_name": "de.topobyte.apps.offline.stadtplan.heilbronn", "description": "app map heilbronn right in pocket offers interactive map lets browse city amazing detail additionally comes search index locating streets also places interest museums restaurants caf hotels sights many installing app internet access required anymore neither browsing map using search functionality result map loads reliably fast helps reducing data usage stay within limits data plan even tourist mobile data plan map works equally well independent wifi connectivity features offline up date map data comes openstreetmap project browse map on different zoom levels display current location on map find streets name also places interest museums hotels many in premium edition also sort points interest distance apply search filters select elements visible on map number local area network", "label": 0}
{"pkg_name": "com.zeng.sweetHalloween", "description": "thrilling bubble shooting arcade game join action in bubble shooter witch mania get ready real bubble popping fun playing easy simply launch bubbles match colors pop drop way highest score fun free make combinations bubbles make burst clear bubbles level up lots fun levels puzzles bunny in game help bunny come on enjoy playing bubble game kid playing fun school play touch screen exploit bubbles connect bubbles let bubbles fill screen game features story driven adventure stylish graphics animations creative maps unique challenges endless fun adventure help free cute creatures bubble shooter witch mania innocent creatures bubble shooter witch mania trapped sticky candy bubbles must help annihilate candy bubbles blasting cannon using ammunition armed nothing cannon basket candy bubbles fiery desire free villagers oppression must strategically eradicate enemy bubbles simply point cannon want launch bubbles tap screen fire bubbles move high speeds bounce walls making hard reach yet devastating places possible hit become hero bubble shooter witch mania disposing candy bubbles candy cannon download bubble shooter witch mania free android tablet mobile device love playing match games yes new age bubble blast game bubble shooter witch mania keep super happy ultra engrossed on android device find playing fairy tale bubble shooter witch mania game easy lots tweaks twists involved actions made entire blast game exciting entertaining kids find mystery match game interesting adopt adults remain engrossed in level climbing challenge long entire game action set water beautiful work graphics pull players attention sure objective game rescue red cherry monster clear many colored bubbles bubble shooter witch mania bubble bust game involves lot many funny actions bagful unpredictable frenzy color matching mania download fascinated awesome dynamics magic match dynamics fingertips game random color matching also sweet witch themed bubble boom game offers challenging time mode multiple level game complete level within stipulated numbers move failing adhere clues play level repetitively clear get qualified next level in app features take look features bubble shooter witch mania app game enjoy bubble burst fun dynamics user friendly interface awesome display multiple play level integration 2d pixel art added fairytale flavor bubble fun game level completed within moves complete game level auto promoted next level on music sound game app offers in app purchase upgrade performance coin purchase app integrated coin shops download bubble shooter witch mania app start playing color matching adventure find game amusing addictive sure besides color matching skill color bubble matching game ignite cognitive skill reflex control also number subscriber identification module", "label": 0}
{"pkg_name": "com.ProDataDoctor.PeriodicTable", "description": "quick easy periodic table free android app chemical elements sciences chemistry periodic table students teachers schools colleges type users including academic organizations universities well professionals free app allows easily understand memorize chemical elements complete information elements including chemical element symbol atomic number atomic weight period group block detail information app useful chemistry physics students well scientists helps understand predictability different types chemical reactions likely element helps memorize facts figures element easily excess understand detail information every element quick easy periodic table app great learning application chemistry students app allows select element view atomic thermodynamic material electromagnetic nuclear information particular element atomic number symbol weight radius volume atomic properties material properties thermodynamic properties properties app provides easy way learn memorize things would difficult simple text books app useful middle high school chemistry students subscriber identification module", "label": 0}
{"pkg_name": "com.sah.mathfun", "description": "increase brain power excellent educational learning mathematics ages category different play modes improve math skills play learn quiz practice duel test math games educational learning brain training app adults basic simple math fun addition subtraction multiplication division colorful worksheets set worksheet shows score completion free math fun everyone best math practice game train brain easiest addition subtraction multiplication division in one app mathematical calculations play practice simple addition subtraction multiplication division download play free on android improve mathematics skills learn counting numbers number subscriber identification module", "label": 0}
{"pkg_name": "com.softcore.myschoolteacher", "description": "app designed teacher interface school teacher login app manage data class students add new students class manage students take daily attendance send send homework upload timetable much", "label": 0}
{"pkg_name": "com.CSmarkspencestyle.android", "description": "features browse recent arrivals promotions easy ordering checkout credit debit card items purchase back in stock email notification order fulfillment shipping number", "label": 0}
{"pkg_name": "com.GameChangers.PianoTunesRudeBoyRihanna", "description": "fan music well enjoy playing awesome piano game challenge friends see tap faster get best score listen liked artist song enjoy playing designed game tap on black tiles let go past bottom line important songs created individual piano notes team songs created individual piano notes team game made people enjoy number", "label": 0}
{"pkg_name": "com.fat.JourneyFrost.FrostPopJourney.IceJourney.frozenJourney", "description": "frost pop journey play experience hours endless fun in world excitement adventure fun game free play anywhere anytime many enjoyable levels unique features boosters frost pop journey must game on android device play free enjoy loads challenging levels tap match adjacent complete missions clear levels create powerful combos get awesome gifts explode puzzle play frost pop journey find tap on least two toys toons color clear level toys create power collapse challenge smart resolving toys best skill moves limited stuck level anytime collapse toys moment strong boosters created help crush puzzles collect toys boosters help collapse fruit collect toys toons main feature in frost pop journey brilliant colorful screen wonderful sound effect challenging fun gameplay many puzzles levels stunning graphic beautiful effects game ages get game free google play experience ultimate puzzle join win cool rewards boosters help clear challenges complete level target win beat level fewer moves get higher score play friends compete highest score download experience addicting online game straight on android device today enjoy awesome puzzles make sure keep eye cool updates new levels blast blasting toys number", "label": 0}
{"pkg_name": "com.gereeb.driver", "description": "drive taxi booking app rising popularity taxi booking apps worldwide offers fantastic opportunity part transformation download app register become partner today drivers partnership cherish partnership drivers provide full support ensure drivers use app ease get maximum benefit team train guide enlarge daily returns legal belong company kuwaiti licensed company specialized in investing developing operating smart phone apps operations compliant local laws regulations unique user friendly app includes many unique features ensure comfortable convenient service passengers moreover app easy use drivers passengers generate rides business drivers rewards program hardworking active drivers valued in community app rewards program guarantee drivers satisfied partnership fruitful privacy need know passengers standing exactly via app communicate in audio text via passenger communicate way sustaining parties privacy drivers support well trained support team dedicated support drivers post support issues via app free communicate support team in support centre sign up today join team easy steps need download driver application sign up upload following documents app ; driving license ; car registration document ; civil id ; taxi driving permission team contact activate account ready start journey us follow us on social media stay updated new facebook https www facebook com ref br rs instagram https instagram com twitter https twitter com lang en welcome onboard", "label": 0}
{"pkg_name": "com.budjehn.oldsoulsongs", "description": "intro popular old soul songs radio best app allows listen popular old soul songs radio popular old soul songs radio best music app old soul music radio smartphone mobile devices android operating system in popular old soul songs radio listen best old soul music time free listen free old soul r b songs r b jams old classic old school soul soul train motown 60s songs 70s songs 80s songs 90s songs music hit popular song oldies goldies mayfield temptation chill mix free download features create edit playlist search thousands songs artists choice top songs find hits day in one place top albums finds latest albums favorite artists application allow downloading songs genres top hits motown soul deep soul southern soul memphis soul birmingham soul new orleans soul chicago soul psychedelic soul philadelphia soul blue eyed soul british soul neo soul northern soul modern soul nu jazz soul influenced electronica radio note let us know think idea in reviews could improved music relaxxxg popular old soul songs radio may use large amounts data carrier data charges best results recommend connect device trusted wifi networks available complying api terms use provide caching downloading tracks number", "label": 0}
{"pkg_name": "com.digitalhuntapps.helix_drop", "description": "helix drop falling ball game simple one tap game play in game falling tap slow falling avoid colored enemies white colored objects friends collect coins unlock cute characters score high outrun competitors one tap easy learn controls rich visual effects addictive gameplay mechanics master helix drop falling ball complete many levels possible subscriber identification module", "label": 0}
{"pkg_name": "com.shamir.bible", "description": "simple clean bible app multiple versions features find book easily alphabetical read favorite versions kjv niv esv switch versions easily single tap keep favorite bible chapters verses close favorites add notes verses bookmarks find anything searching ad free number subscriber identification module", "label": 0}
{"pkg_name": "com.editvideo.freetips", "description": "editing video kine master pro video editor tips guide app include tips video creators editors using best app video creators aslo android users complete tutorial on kine masters includes interface recognition various features settings basic knowledge tips tricks on trimming cropping professional techniques please learn in application make edit videos best free video editor without difficulties pro video editor free new guide many tips edit video kine master like pro video editor video star free video maker slideshow maker music straightforward create video photo slideshow use video piece writing app feature pic effects create music video build pic video million effects free application guide official product part product official publisher content images related belonged developer please informed one sub version alternative version software number", "label": 0}
{"pkg_name": "com.lvi.SquirrelPop", "description": "help sam sophie squirrel pop color coordinated bubbles in acorn acres clear bubbles nifty aim sure two happy squirrels happy popping", "label": 0}
{"pkg_name": "com.tygattisoftware.fingerbang", "description": "free drum machine sample player designed fun play help play complex beats little finger movement on surface like drum machine however features like trigger chaining non traditional step sequencer ability use samples really set apart drum machines features trigger pads boasting ultra low latency trigger pads arranged in border less 4x5 grid works well on screen sizes trigger chaining link triggers together in chains play multiple samples in perfect synchronization one trigger press use chn quick access chain editor trigger sequencing use step sequencer create sequences up steps long play back speed use seq easy access sequence editor reset sequence position playing chaining sequencing presets choose one factory chaining sequencing presets create later use free sample banks kits choose one many factory kits cover variety genres trance hip hop trap right hand kick versions kit available new free kits added regularly custom kit creator import high quality audio samples create custom kits jam kit kit variations jam friends on device loading jam kit trigger behaviour easily set various trigger modes polyphonic playback trigger behaviour editor trigger volume mixer adjust volume audio samples using trigger volume mixer designed live performances every function live performance friendly simply mute notifications apps enabling disturb mode ready perform interruption free help support help dialogs included in menus feature questions welcomed via email twitter pro perks package premium feature pro perks package removes in app advertising makes triggers larger adds pro badge app title gives access streamer mode visit website view full list perks follow on twitter tricks tips information updates competitions discount codes drum machine going lot changes feedback welcomed feel free leave feedback suggestions might in space provided thanks everyone contacted suggestions far number subscriber identification module email", "label": 0}
{"pkg_name": "atmospherewave.binauraltherapy.binaural.beats.meditation.music.ultimatebrainbooster", "description": "binaural beats age old practice proved today actual science fascinating magic comes meditation brain waves present binaural beats meditation ultimate brain focus app designed deliver gift meditation sleep sounds stress relief utmost convenience beats create alpha beta gamma delta brainwaves binaural therapy includes includes considerable amount presets every part life study boost memory concentration get help studies spirit open 3rd eye enter in trance cross universe astral travels sleep improve sleeping habits lucid dreams deep sleep body heal dna overcome addictions energize brain brain booster smarter creative get relaxed binaural beats basically natural frequencies tuned correctly create high impact brain waves assist in meditation relaxation healing deep sleep focus stress relief mind therapy app designed in way render convenience play binaural beat related desired brain waves take meditation deep sleep stress relief focus relaxation experience next level binaural beats tune natural frequency matching brain waves experience substantial increase in brain power deep sleep stress relief relaxxxg sleep sounds binaural beats occur hear two different frequencies one in ear binaural beat defined difference two pitches hear sound in one ear sound in hear binaural beat binaural beats auditory artifacts in example sound yet hear one anyway must use headphones stereo separation speakers work use stereo headphones ear buds listen binaural beats increase specific brainwave frequencies brain mimics frequencies hear within binaural beat physical health sampled binaural beats healing addiction energy today in dire need stress relief mostly drugs sought seek stress relief brain waves created binaural beats enable stress relief also support habit change energizing body rejuvenation physical self age old science binaural beats brain waves effective sleep sounds meditation people realize although creation binaural beats music possible technological advancement in last years use natural science dates back thousands years ancient cultures aware brain could entrained sound repetition well modern science able prove process course in centuries past societies refer science binaural beats know consistent rhythmic sound extremely powerful healing spiritual benefits use binaural beats meant played headphones use better experience also select background song menu improve experience change volumes please achieve best result meditation important note binaural waves entertainment replace medicine treatments disease visit doctor number", "label": 0}
{"pkg_name": "io.pushpay.libertychurchfairfield", "description": "liberty church missional relational supernatural intentional church stay connected liberty church wherever go free resource allows experience messages on demand watch services live online access information church events locations much information on liberty church visit com", "label": 0}
{"pkg_name": "com.sebibin.simpledatecalculator", "description": "lightweight easy use application calculate duration two dates application calculates duration counting day count number days months years two dates simply enter start date end date find many days months years dates alternatively enter start date number years months weeks days wish add subtract find target date calculator find age day week birthday", "label": 0}
{"pkg_name": "com.islam.surahtahaa", "description": "prophet said whoever reads letter book allah receive good deed multiplied ten say alif laam meem letter rather alif letter laam letter meem letter mentioned everyone try incorporate quran in lives learn try least slowly build upon religion islam powerful overdo burn rather take gradual process hadith on benefits surah ta ha abu hurairah anhu reported allah messenger said thousand years creating heavens earth allah recited ta ha ya sin angels heard recitation said happy people comes happy minds carry happy tongues utter transmitted abu anhu reported messenger allah said greatest name allah called responds in three surahs al al imran ta ha hisham ibn ammar khateeb damascus said in al allah god ever living one sustains protects exist al in al imran alif laam meem allah god ever living one sustains protects exists al imran in ta ha faces shall humbled allah ever living one sustains protects exists ta ha narrated in report one traced way back prophet tafsir imam ibn kathir see many benefits reciting knowing surah protect prepare let us try learn islam pick up quran often number", "label": 0}
{"pkg_name": "com.educationapps.digitalsignal", "description": "digital signal processing app complete free handbook digital signal processing covers important topics notes materials news on course download app reference material digital book computer science communication engineering programs degree courses digital signal processing meant students e tc electrical computer science engineering in addition useful enthusiastic reader would like understand various signals systems methods process digital signal digital signal processing deals signal phenomenon along in digital signal processing shown filter design using concept dsp digital signal processing good balance theory mathematical rigor proceeding digital signal processing readers expected basic understanding discrete mathematical structures digital signal processing meant students e tc electrical computer science engineering in addition useful enthusiastic reader would like understand various signals systems methods process digital signal features digital signal processing signal definition digital wellbeing basic ct signal basic dt signal classification ct signals classification dt signals miscellaneous signal operation on signal shifting operation on signal scaling operation on signal reversal operation on signal differentiation operation on signal integration operation on signal convolution static systems dynamic systems casual systems non casual systems anti casual systems linear systems non linear systems time invariant systems time variant systems stable systems unstable systems system properties solved examples z transform introduction z transform properties z transform existence z transform inverse z transform solved examples fourier transform introduction time frequency transform fourier transform circular convolution fourier transform linear filtering fourier transform sectional convolution cosine transform fourier transform solved examples fast fourier transform in place computation computer aided design download digital signal processing app free thank support number", "label": 0}
{"pkg_name": "com.runsterapp", "description": "run faster ever real time running tracker app records runs provide detailed stats on runs improving time looking offline running tracker use gps record runs require internet running tracker map record put position onto map easily see course run real time run tracking keep phone on run record go improvement statistics shows improving time graphing run frequency distance pace whether training marathon enjoy occasional run needs covered number", "label": 0}
{"pkg_name": "com.likegames.kalima1a", "description": "looking suitable game kids adults teach arabic introducing kalima initiative teach children age two five years old arabic alphabet commonly used words game also suitable adults wants learn arabic", "label": 0}
{"pkg_name": "com.macreativeapps.mynamecubelivewallpaper", "description": "incredible wallpaper app show name need astonishing 3d cube impact wallpaper 3d live name cube live wallpaper amazing 3d cube wallpaper app text wallpaper maker also call 3d cube name wallpaper name cube live wallpaper app 3d text wallpaper 3d cube wallpaper app time make wallpaper 3d live interaction touch 3d text wallpaper 3d cube name wallpaper something enjoy surfing android rotate using mobile want 3d text wallpaper 3d cube wallpaper app together name cube live wallpaper first choice makes able create 3d text wallpaper on 3d cube wallpaper app app also considered text wallpaper maker text wallpaper maker something 3d text wallpaper app 3d cube name wallpaper wallpaper 3d live hope enjoy app", "label": 0}
{"pkg_name": "net.fisdap.FisdapMobile", "description": "enter skills patient care information without internet connection long last app enter patient care data right hospital ambulance whether on wifi cellular data stranded on side rural highway connection outside world document patient encounter taps on mobile device hand device preceptor rate performance sign on shift shift attachments map navigation scheduled shifts course still available in app number", "label": 0}
{"pkg_name": "co.madseven.launcher.theme.uno", "description": "personalize smartphone trendy iconic free themes stand others details make perfection themes designated french international artists offer unique level finish smartphone free theme designed specifically apolo users includes hundreds icons dedicated wallpaper use theme follow steps download install theme install apolo launcher launch apolo launcher open uno application apply theme try adopted number", "label": 0}
{"pkg_name": "com.rahmadwidodo94.sholawat_nissa_sabyan.merdu_offline", "description": "lightest easiest application use nissa song application music application new pop music lovers nissa offline nissa full album much loved teenagers adults advantages complete nissa song application offline nissa song application offline application play music without connected internet in sense application without internet quota collection nissa songs look theme elegant attractive easy understand easily get bored using latest nissa application clear music quality course full bass nissa application made ringtone need download application nabi nissa directly listen offline application nissa aisyah wife allah apostle different features applications nissa full album application buffering easy use best nissa application always get updates on latest nissa songs forget always upgrade nissa application always follow latest song trends nissa mp3 songs therefore hesitate try offline nissa mp3 application nissa aisyah song application many advantages offered nissa song application one install enjoy nissa mp3 song much without fear internet quota used up applications nissa song always get latest up date updates nissa kun anta song also new nissa songs forget like nissa eid al fitr song app give us star rating continue develop app better hopefully nissa song application useful everyone forget also share nissa song application friends relatives everyone know always support us develop nissa song application nissa mp3 song application application choice everyone disclaimer content in application trademark get content search engines websites copyright content in application fully owned creator musician music label concerned aim promote songs download feature in application copyright holder songs contained in application like song displayed please contact us email developer tell us ownership status song number", "label": 0}
{"pkg_name": "com.ctoutpris.android.nixieclockwidget", "description": "simple functional retro clock widget old school nixie tubes time date shown on tubes direct access alarm clock calendar settings tapping widget 24hr format time dd mm mm dd format date also show seconds user configurable tint tubes time date user text shown tubes displayed on home screen lock screen optimized prolong battery life know display seconds drain battery faster version available free see deluxe version full functionalities high resolution tubes subscriber identification module", "label": 0}
{"pkg_name": "com.clubautomation.hancock.wellness", "description": "hancock wellness center mobile app allows users access following information view general facility information manage membership account view group exercise class schedules reserve spot in class schedule pay personal training swim lessons massage sessions much display membership barcode check center also use app share enthusiasm via social media invite friend join in class", "label": 0}
{"pkg_name": "com.cuteimoet.CUTEcaTwaLLzzz", "description": "beautify appearance mobile add happiness boring lots images used screen lock latest screen display us forget always give positive reviews increase team enthusiasm work better features need internet connection compatible devices affect battery performance use images wallpaper application free always good design intuitive user interface wallpaper automatically adjusts resolution according device like application forget give stars thank number", "label": 0}
{"pkg_name": "habitdatabase.channi02.com.habitdatabase", "description": "leave comment internet memo sort calendar analyze data popular check pattern smoke even money income outcome helpful self management tool", "label": 0}
{"pkg_name": "com.legendev.gabyysouzawallpaperhd", "description": "application provides many images set on smartphone screen specifically wallpaper souza yes provide souza wallpapers application fans souza souza influencer souza wallpaper hd on device give screen cool elegant appearance get cool backgrounds simply downloading app saving favorite souza wallpaper on phone wallpaper unique amazing hope like souza wallpapers images please check screenshots find device look like features easy use always free quick apply set image wallpaper support update new wallpaper low battery usage hd quality image best looking mood desktop wallpaper mark favorite picture choice automatically crops sizes images best fit device download image share picture friends disclaimer logos images names copyright perspective owners image endorsed perspective owners images used simply aesthetic purposes application unofficial fan based application copyright infringement intended request remove one images logos names honored note like app leave comment hope give us stars thank much contributing using sharing number subscriber identification module", "label": 0}
{"pkg_name": "com.dangocabs.passenger", "description": "dango taxi hailing service convenient comfortable rides currently operating in kisumu city environs takes tap on dango app send driver way sit relax enjoy trip apart taxi hailing also offer tours corporate taxi car hire carpooling hotel transfers airport transfers boda boda dango app features ; basic details driver displayed ; always see far driver away using affiliate map ; follow trip live in app ; rate driver give feedback ride help us improve services better experience ; add credit card get e mails receipts convenience ; see estimated cost ride requesting email", "label": 0}
{"pkg_name": "com.bonuut.stor", "description": "welcome independent online accessories retailer offer best offers on highest quality products built provide hottest popular gifts gadgets apparel", "label": 0}
{"pkg_name": "com.livekeyboard.livekeyboard.ducklings", "description": "ducklings live keyboard ducklings live keyboard themes every day among popular designs find different live animated themes ducklings live keyboard brings next level in keyboard personalization bird live keyboard theme bring keyboard text input real new look feel check personalized design live keyboard right go get hundreds free beautiful themes waiting ducklings live keyboard theme bring phone new look fall in love bird live keyboard theme sure ducklings live keyboard theme let plain keyboard beautiful unique one decorate phone bird live keyboard theme know much like bird live keyboard theme beautify mobile gadget created ducklings live keyboard theme designs blow mind use ducklings live keyboard first install live keyboard store enable switch live keyboard open ducklings live keyboard theme apply features ducklings live keyboard ducklings live animated theme cute sticker gif cools fonts sound on key press word suggestion different languages support speak type ducklings live keyboard theme compatible android phones privacy ducklings live keyboard values privacy monitor store typing activity collect personal data contact constantly try improve app please send us feedback email us gmail com number local area network email", "label": 0}
{"pkg_name": "com.ecomm.nfresh", "description": "platform caters types users retailers wholesalers marriage palaces user type signup on platform see respective pricing allows users purchase vegetables fruits discounted rate changes daily per market rate users apply discount coupons money digital wallet avail great offers within platform", "label": 0}
{"pkg_name": "com.mieone.stockone.prod", "description": "makes managing warehouse efficient take control warehouse operations grow business ease", "label": 0}
{"pkg_name": "com.trainerize.fit2gopt", "description": "optimize provides elite remote coaching experience empowers clients establish real lasting progress in health fitness programs first day program start tracking workouts meals measuring results achieving fitness goals guidance dedicated trainer access training plans track workouts establish new lifestyle habits track adherence schedule workouts stay committed beating personal bests track progress towards goals manage nutrition intake prescribed trainer set health fitness goals message trainer in real time track body measurements take progress photos get push notification reminders scheduled workouts activities connect wearable devices like apple watch fitbit sync body stats instantly download app sign in trainer waiting welcome number", "label": 1}
{"pkg_name": "com.diloyalearn.learnspanish", "description": "learn spanish free offline learn spanish offline ideal travels want improve level spanish would like learn words vocabulary spain mexico spanish speaking countries need quick travel guide ideal spanish app learn language use in travels holiday tourism friends memorize phrases words become language expert knowing spanish language phrases grammar vocabulary easy simple free learn spanish free offline includes following features categories vocabulary phrases thousand sentences words available in languages direct connection spanish translator audio system voice word phrase finder save favorite words phrases offline application internet required learn spanish free offline perfect travel guide since travel spain united states able communicate native people application need internet work since offline therefore ideal communicate travel in foreign country like spain argentina anywhere in world thanks audio system hear pronunciation sentences improve level spanish language course basic level spanish study spanish on mobile app teach listen read spanish category vocabulary improve language level language teacher in cell phone language school basic spanish course learn language categories expressions family travel thanks words typical expressions designed communicate in situation whether traveling sightseeing studying working outside improve level spanish quickly best offline spanish course audio reproduction pronunciation help perfect pronunciation vocabulary common expressions language categories improve spanish include kinds everyday situations way improve level vocabulary expressions in family travel reading tourism business time go spanish classes app replace spanish teacher thanks reproduction words phrases expressions also complement spanish classes giving spanish teacher give good marks in spelling grammar vocabulary pronunciation reading speaking want learn languages applications best range learning languages internet wherever want also learn spanish help translator learn basic spanish travel easy free fast offline system pronunciation words expressions phrases made great feature application audio reproduction system hear phrase reading learn say correctly reading vocabulary pronunciation listening spanish in one use basic level spanish course want spanish language course without internet improve reading ear easy free application equivalent offline spanish course serves complement travel guide spanish academy already reality free spanish classes without help real spanish teacher number local area network subscriber identification module", "label": 0}
{"pkg_name": "com.toptiam.learn.english.speaking.talking.sekhay.urdu", "description": "learn english talking urdu helpful wants learn english easy urdu different words given build vocabulary everyday life socially financially help students 5th 6th 7th 8th 9th 10th class learn english easy urdu translations english speak english speaking app english education learn urdu make easy english speaking app urdu english easy learn basic english english learn easy learn english online easy learn english home study english learn give english urdu easy way english learn english teacher english language hello english also help english language learners learning english free available learn english fast ready learn english home start english language learn basic english english learn english teacher make english language learners learning english app urdu english grow learns english easily method ready hello english best language learn english speaking english learn in english english learn in urdu home easy learn play learn english in urdu speaking english necessary life figurative language give expressions best english idioms words phrases also include lean english in urdu english speaking make app best english book learning english free english speaking ready conversation english make easy english study vocabulary must good start english vocabulary try learn english daily vocabulary free english in english language dictionnaire anglais english exercises make english speaking best learn english in urdu best every english class levels grammar english practice english made best english class english start learn tenses help early english learning learning english app make possible everything learn urdu easy english learn urdu english english urdu best method learn english learn english word in learning english free help learn quick fluent english talk dialogue written spoken conversational methods given app learn english english urdu get benefit learn english speak urdu updates also include real time dictionary help english means english easy english learn english education learn english speak help also first language learn urdu conversational sentence main features helpful understand english dialogues also given help talking english know english international language every one need learn speak english validation in maximum country in english especially in pakistan india free everyone ads supported features share button help share friends everyone social network messaging apps button show apps acount menu button take on main menu page on start next back button help go on next back pages respectively contact us advice suggestions contact us games gmail com number local area network email", "label": 0}
{"pkg_name": "com.car.racing.highspeed", "description": "indulge in high speed racing shooting kart racing battle new kart 3d kart racing game high speed power 3d kart car racing battle puts on real 3d car racing quest enjoy exciting kart racing team race battle race shooting competition heroes exciting mix speed racing game team race game car battle game start kart car racing adventure become fastest skillful kart racer in 3d kart racing battle must fastest skillful want winner many skills upgrades use race in order outsmart race battle opponents use skills speed up car block opponents in matches collect coins buy characters skills playing car battle game try collect many coins possible in kart racer coins important give ability buy cool characters skills give advantage in car battle game avoiding opponent attacks racing fast completing missions important coins also important enjoy kart racing dominate opponents exciting racing battle tons characters features one best racing games games boys high speed power 3d kart car racing battle sure excite racing game fans suitable played anyone enjoys good kart racing games promise pure 3d kart racing entertainment lots character choices cool cars racing settings environments opponents surprised see running robots on kart racing highways in crazy fun kart racer team racing game cars also turn robots get certain skills prove car racing race shooting greatness right defeat enemies play love hd graphics exciting scenery beautiful upbeat music sound effects many cool features skills characters game equipment shop character car shop cars turn robots missions team battle racing in search high speed kart racing battle try super thrilling racing adventure download high speed power 3d kart car racing battle free number", "label": 0}
{"pkg_name": "com.georgian.keyboard.app.free", "description": "georgian keyboard georgian language typing allows write georgian characters words georgian keyboard theme different themes help write messages effective looks good in georgian words social media app like typing message etc best georgian keyboard georgian language keyboard specially designed numeric fields classic keyboard georgian also contained numeric english keyboard automatically open cursor found in specific fields georgian keyboard georgian language keyboard easy use help write in georgian language georgian keyboard georgian language keyboard specially designed georgian speaking people adore writing in native languages georgian keyboard allows chat on message applications email write type georgian on social networks word suggestion added in georgian keyboard grammar android show suggested words typing word suggestions appear on top keyboard feature help write georgian characters english characters in less time georgian english keyboard georgian keypad helps write message write post write email write anything want write feelings important part conversations explore feelings moods others package used new using georgian themes keyboard application android georgian language keyboard best distinguished keyboards due feature used social media platform write georgian letters words fast easily interface georgian english keyboard user friendly georgian keyboard beautiful fully free use choose keyboard list express feeling different georgian english keyboard features ; write georgian language characters ; write english language characters ; background themes ; stylish ; word suggests ; qwerty keyboard layout georgian english ; easy georgian language keyboard android ; enjoy georgian writing english writing ; georgian english keyboard android ; georgian english keyboard georgian input keypad beautiful themes ; beautiful themes ; continue increase highly customization ; resize split layout wish ; customizable key press sound ; customizable keyboard color font wallpaper ; fast smart input ; top row number input ; gesture typing dynamic floating preview ; auto correct smart next word suggestion ; dictionaries different languages ; georgian english keyboard features ; write georgian language characters ; write english language characters ; background themes ; stylish ; word suggests ; qwerty keyboard layout georgian language english language ; easy georgian language keyboard android ; enjoy georgian writing english writing use georgian keyboard installing georgian keyboard press on enable keyboard button select georgian keyboard enabling georgian keyboard set input method georgian keyboard english language keyboard install use ; simple installation ; set keyboard directly app ; first enable keyboard ; second select keyboard ; input language enable georgian keyboard ; start using text editor privacy policy georgian keyboard user friendly everyone georgian typing keyboard free everyone georgian soft keyboard themes never collect personal information user like password credit card number etc never share typed text personal data local area network", "label": 0}
{"pkg_name": "com.baxters_art.bam", "description": "download bam app join growing community art lovers whether passion gems addiction etchings love paintings prints looking whatever style find on bam whether looking wearing guaranteed feel good art accessible everyone bam making world art accessible everyone allowing buy sell art world transform wall beautiful unique meaningful artwork whilst helping artists forge sustainable careers supporting creativity keeps environment vibrant colourful take look around art everywhere without lives would dull view artwork augmented reality ar bam features types artists works master professional exceptional emerging talent cutting edge technology bam one first apps use augmented reality allowing project chosen artwork in real size onto wall quite literally see chosen painting would look like sofa behind bed in hallway possibilities endless making need visit galleries thing past jewellery gems thing discover amazing creative collections established emerging jewellery designers inspired treat unique piece dazzle friends find perfect gift loved one bam life downloading bam automatically become part bam community bam life enables us promote things love art world artists tell us upcoming events sell tickets bam users bam life support favourite charities keep updated on fundraising efforts in area something know anything would like share get in touch safe secure bam platform enables connect artists around world touch button search find fall in love perfect piece art takes seconds buy bam straight phone options pay credit card paypal sure financial transactions us partnered dhl one world leading logistics providers sure artwork soon on way automatic insurance pieces up value usd dhl tracking facility allows monitor shipment time chosen artwork exceeds value problem premium team on call liaise dhl arrange suitable insurance fair everyone support artists brainchild group passionate art lovers bam born desire genuinely support artists offering totally free platform exhibit work strings attached expensive gallery fees taking small percentage selling price hope artwork priced fairly making accessible much wider audience providing realistic income artists time features benefits augmented reality try today see artwork come life fully implemented dhl hundreds artists personal profiles read peace mind day quibble returns policy want sell art become bam artist create profile start uploading work www baxters art com free easy artists remain in complete control sales pricing exclusivity contracts love feedback questions want say hi please email us support baxters international com follow us on facebook instagram baxters art twitter baxters art number email", "label": 0}
{"pkg_name": "re.jofru.sunnypath", "description": "sunny path allows create sun path diagrams application calculates sun path display position specific latitude date hour also create shading masks simulate sunlight in place taking account environment besides sunny path allows integrated map know sunrise sunset times location in world day in year except map times presented in application local times apparent solar times ast supported languages english default french number local area network subscriber identification module", "label": 0}
{"pkg_name": "com.gharbhetiba", "description": "easily manage tenants rental records bills payments app uses bikram sambat b calendar system data stored locally need worried privacy data app supports english nepali language step add buildings rooms apartment step add tenant assign room set rent price step add tenant bills in bulk individually please rental record app in order use calendar system number local area network", "label": 0}
{"pkg_name": "com.silverbr.player", "description": "silverback radio canada number one radio station breaking new music silverback radio based in toronto play world music play newest music parts world silverback radio apart highly unique radio llc broadcasting network true international feel goal give best in music worldwide", "label": 0}
{"pkg_name": "com.cashipro.app.cashiprofins", "description": "key features transact online view investments across assets classes amc wise family wise recent transactions mf check holding report mf factsheet recommended funds market view news videos schedule tasks advisor alerts sip expiry sip bounced sip terminated calculators e locker facility save personal documents insurance policy copies", "label": 0}
{"pkg_name": "com.revesoft.mobiledialer.noc_call_1491992017433_10491", "description": "noc call sip based soft phone android mobile make voip calls simple intuitive user interface noc call solution making high quality calls fraction cost utilizing latest advances in voip technology ensured communications secure affordable noc call sip based soft phone call friends family noc call lowest international call rates good quality features sip based softphone exceptional voice quality works wi fi 3g 4g gsm support dtmf easy contact book call history in addition cost savings offers secure reliable communications compatible voip switches supporting standard sip unique anti block solution option brand dialer advance echo cancellation flexible integration phone book contacts screen display call history call timer balance number subscriber identification module", "label": 0}
{"pkg_name": "com.satech.uninstall", "description": "root required use app uninstall app easy app uninstall delete cannot uninstall remove pre loaded pre installed apps in system limited system mechanism in android phones need root access uninstalling system apps replace system apps factory version e remove updates uninstall multiple apps single tap select multiple apps want uninstall unwanted apps click uninstall button on bottom app permission deleting uninstalling apps selected uninstall free easy use uninstaller android uninstaller app free use cost install manage apps save memory space on phone tablet delete multiple applications in one go see details good habit time time delete unused apps occupy storage consume resources battery ram memory easily search unwanted apps delete searching apps in list easy using search bar type app name in search bar find desired app uninstall delete remove phone sort order app list quick uninstall delete sort order app list manage easily click on menu on top left select sort order app list see new dialog option sort list name size date in ascending descending order help find unwanted apps want uninstall remove delete phone system built in apps uninstaller app delete remove system apps delete updates user installed means apps degraded previous version installed in phone e factory version uninstall app main features list name size date in ascending descending order find apps quickly multiple apps remove list date in descending order see last installed apps uninstall unwanted apps list size in descending order see bigger apps user apps system apps search find apps quickly quick easy use apps easily single click remove apps individually batch uninstall long press support application info name version installation time size menu context actions app applications apps in google play user friendly interface system apps cannot uninstalled using app faq q uninstall app remove delete apps in android phone check select apps list want uninstall remove tap uninstall fab button q uninstall app remove delete build in pre loaded apps pre loaded pre installed system apps cannot uninstalled without root access thanks using app number", "label": 0}
{"pkg_name": "com.sir.racing.ultimatecardrivingsimulator", "description": "best car driving simulator game comes realistic driving physics unlimited customization huge open world addictive gameplay endless fun real driving physics ultimate car driving simulator combines realism fun driving physics create best car driving simulator on mobile advanced car driving physics engine best car driving simulator comes best driving physics racing cars road suvs kinds vehicles physics unlimited customization create car show style everyone countless vinyls car parts create dream car game imagination limit extreme customization waiting open world map huge open world map designed in creative way test extreme car driving skills provide best gameplay experience cities deserts ultimate car driving simulator comes largest open world map extremely detailed environment drive on endless offroad area suv experience realistic offroad driving experience on mobile best sound effects sounds recorded real cars provide strongest feeling player strongest racing car sound burning offroad engines every car special sound recorded real racing cars best graphics help advanced graphics engine ultimate simulator provides realistic graphics deepest 3d ever on mobile hard time distinguishing extreme cars reality countless cars racing cars road vehicles suvs tuner cars muscle cars 4wd trucks pick favourite vehicle whatever want in giant open world map ultimate car driving simulator updated regularly suggestions forget leave review feedback follow developer on instagram https www instagram com follow community on facebook https www facebook com twitter https twitter com speed legends download best driving game number subscriber identification module", "label": 0}
{"pkg_name": "com.mugen_creations.findything", "description": "purchases subscriptions find next level hidden objects game find thing see thing enjoy many cute images things near far swipe cardboard cutout pages scrap book searching thing worry alone two cute jellies act guide in finding thing watch one always lying one watch carefully free forever purchases see find thing times number", "label": 0}
{"pkg_name": "com.ddevelopment.dirtycharades", "description": "fun word guessing party game play classical charades game requires least teams object game guess word friend acting drawing try guess many words correctly time runs team correct guesses wins free ads includes safe work setting turn inappropriate words custom round lengths unique words categories free categories dirty pack internet memes common phrases family friendly words family friendly words family friendly actions movie quotes fears christmas theme premium categories dirty pack dirty pack internet memes mixed cocktails video games methods death weapons college party life internet abbreviations gross sounding words sexy hollywood films sexy actors actresses romance novels preview images created using previewed previewed app number", "label": 0}
{"pkg_name": "com.travefy.whiteibiza.tripplans", "description": "white ibiza understands holiday time precious also know planning booking cut valuable time mention cause unnecessary stress want make personal experience insider knowledge based in ibiza year round thrive on discovering new places anyone always getting real scoop never recommend flavour month covetable list contacts little white book built up last years throughout evolution website means also direct access island premium suppliers services settings let us ensure holiday runs smoothly minute step plane minute leave exclusive app lets view itinerary palm hand interrupting long lazy lunches on beach number", "label": 0}
{"pkg_name": "com.truehistory.Handynasty", "description": "beautiful history han dynasty citizens han dynasty ancient han dynasty history graphics popular top han dynasty history free download whole app easy use app cover whole topics related han dynasty timeline han dynasty facts china history han dynasty chinese pinyin h n second imperial dynasty china bc ad preceded qin dynasty bc succeeded three kingdoms period ad spanning four centuries han period considered golden age in chinese history day china majority ethnic group refers han chinese chinese script referred han characters founded rebel leader liu bang known emperor gaozu han briefly interrupted xxx dynasty ad former regent wang mang interregnum separates han dynasty two periods western han former han bc ad eastern han later han ad emperor pinnacle han society presided han government shared power nobility appointed ministers came largely scholarly gentry class han empire divided areas directly controlled central government using innovation inherited qin known commanderies number semi autonomous kingdoms kingdoms gradually lost vestiges independence particularly following rebellion seven states reign emperor wu r bc onward chinese court officially sponsored confucianism in education court politics synthesized cosmology later scholars dong zhongshu policy endured fall qing dynasty in ad app feature mark history page bookmark history han dynasty even select view browse zoom whole content sure app better han dynasty history app pleasant features han dynasty history application user responsive easy navigate optimized battery usage bookmark page zoom in controls optimized devices supports screen resolutions devices including tablets change background color reduce eye constrain share part history pictures friends family instagram picasa photos facebook features available free true history team continuous working hard on making app better quality valued please feel free email us queries suggestions problems sorry mistake in date liked feature app forget rate us on play store number", "label": 0}
{"pkg_name": "com.ennoview.mydashtrumdaesthetics", "description": "using app easily book appointments receive deals view service history much business free app allows connect information right mobile phone perfect always call business hours using app schedule appointments view upcoming appointments view rebook past appointments receive special offers see list services check loyalty point balance read write reviews contact business via phone email map business view purchase history update contact details check in today visit", "label": 0}
{"pkg_name": "com.fyiact.app", "description": "complete secure enterprise messaging solution secure enterprise text messaging tool allows real time collaborations team within organization third parties corporate messaging solution easy implement easy use always secure enables secure collaborative device agnostic conversations people cloud enterprise apps accessible via mobiles tablets web browsers enables personalized messaging alerts notifications enterprise communication collaborate share data securely corporate environment co workers enterprise apps approved apis enterprise class seamless intra organization flow information notifications secure highest level security control maximum data protection collaborative easy personalization connect individuals groups device agnostic multi channel access usage conversations real time multi person discussions connections chats integrations box skydrive multiple applications experience seamless intra organization communication messages notification alerts exchange real time discussion one many people directly groups secure encrypted robust system provides highest levels privacy data protection confidential data one app multiple ways communicate number", "label": 0}
{"pkg_name": "fourkwall.love.fourk.wallpaper", "description": "hd love wallpaper 4k wall team proudly presenting wallpaper expert amazing app ever made girls hd wallpaper cb background features love wallpaper category wise hd 4k wallpapers hot pics added daily need crop images use set wallpaper on one easy click well on lock screen fast downloading browsing category beautiful gallery collection share option download quickly easily set favourite photo wallpaper one click high quality 4k photo make favourites list share friends via google facebook twitter pinterest tumblr flickr stumble instagram wait download app enjoy share amazing nature wallpaper 3d abstract animals cars bikes festivals christmas new year easter halloween mothers day valentines day creative cute fantasy flowers greetings love music nature landscapes beach people autumn summer winter sports superheroes technology travel world food military photography space best collection dark black minimal wallpapers wallpapers forget share rate disclaimer app promote violence hate rate wallpapers in app common creative license credit goes respective owners images endorsed prospective owners images used simply aesthetic purposes copyright infringement intended request remove one images logos names honored number local area network subscriber identification module", "label": 0}
{"pkg_name": "com.laft.vikingsurvival", "description": "fight on wide survival map survive accident keep wife alive protecting feeding watch barbarian vikings around villages huts on map cut tree catch deer catch fish fight barbarians burn fire survive enter game prove real survivor", "label": 0}
{"pkg_name": "com.radio.m7a9df41b0", "description": "play social game social power radio station things music entertainment news new first know exclusive vip special events exclusive offers important stuff power easy use free number", "label": 0}
{"pkg_name": "com.windmill.wallpaper.windmilldulalwallpaper", "description": "windmill machine harnesses power wind windmills may used grind grain flour pump water produce electricity windmill number blades spin around wind blows on blades mounted on tall tower building windmill operates on simple principle energy made windmills used in many ways first windmill manufactured in us designed daniel halladay new kind wallpaper perfect looking little bit different kind wallpaper app eliminate boredom get many windmill pictures in hd quality every pictures looking awesome application definitely satisfy cool wallpapers designed fit in android mobile devices make time real pleasure unique wallpapers download amazing wallpaper set on devices please rate us apps share friend circle features windmill wallpaper free simple use internet free application simple easy interface easy save share anytime anywhere takes little space device fast running app available in world hd quality images subscriber identification module", "label": 0}
{"pkg_name": "com.taptapsend", "description": "send spend less send money africa asia instantly check com latest rates send offers transfers mobile money in cameroon ghana ivory coast madagascar kenya zambia bangladesh banks in kenya wari cash pickup in guinea senegal mali countries coming soon great rates technology great partners keep rates better traditional money transfer services simple easy transfers need phone debit card friend name mobile number instant delivery convenient pickup immediately deposit funds debit card friend mobile money wallet receive text cash nearby agent safe secure payments payments protected using bank level encryption hassle free experience issue transfer whenever need us send passionate making sure one forced pay unreasonable fees join us get best rate today number subscriber identification module", "label": 0}
{"pkg_name": "com.viethconsulting.NERAmainapp", "description": "mobile app developed published vieth consulting mission northeastern educational research association encourage promote educational research sponsoring annual conference formal presentations feedback professional interchange research occurs promoting sharing professional information publications types communications encouraging development research among junior researchers nera welcomes individuals conducting research in aspects education including learning curriculum instruction educational policy administration measurement statistics research methodology counseling human development social context education cultural diversity special education rehabilitation educational assessment school evaluation program development education in professions post secondary education teaching teacher education technology in education creative arts in schools others number", "label": 0}
{"pkg_name": "com.easycalculation", "description": "discount discount difficult calculate like app make easy like calculation input price select discount percent calculate operation app also set tax rate calculate tax tap color calculator choose three colors", "label": 0}
{"pkg_name": "com.addictinggame.logoquiz2020", "description": "logo quiz free trivia app on android within in free app guess brand name popular companies addicting game proudly presents logo quiz new android game educational game help improve general knowledge addicting game minimalist gameplay design elegant user interface play game travelling want pass time features logos small application size exciting levels detailed leaderboard frequent application update please note game still in early release find buy want us include new feature please contact us sharma gmail com giving us bad review best score many logos guess correctly updates coming soon follow us on facebook page https www facebook com number email number", "label": 0}
{"pkg_name": "com.itlogica.CrowdSoundApp", "description": "agl technology provides voice behind things move deliver advanced cognitive solutions using acoustic video movement sensors agl technology sound collection tool used crowd source sounds used machine learning used collect animal welfare respiratory environmental sounds associated animal production show expert crowd crowd comprised on experts in field specialization e g turkey broiler swine production expert enters production facility recognizes unique sounds app facilitates capturing sound annotation associated animal production facility gain access user gains access via user request form enabled in downloaded app administrator must approve user access request user account activated collecting sound easy first time login user launched sound capture screen user quickly initiate recording up second clip upon completion recording user elect annotate specific sound clip user immediately initiate next sound recordings note collecting multiple recording sessions specific sound e g sneezing coughing highly encouraged data recordings encouraged build expert ear sound clips uploaded annotated elect collect multiple sound clips without stopping annotate sound clips staged on phone annotation sound clips uploaded cloud completed annotating clips in group annotation form congratulations thanks contributions screen allows see sound contributions in building expert ear thanks helping provide voice animals number", "label": 0}
{"pkg_name": "com.duranapp.crossfade.basic", "description": "crossfade collage provides many features create single seamless collage photos using fade effect individual photos easy use interface select photos crossfade create collage automatically collage created add remove individual photos arrange crop resize pictures automatically give best layout also move individual photos around zoom in improve composition photos also increase decrease overlap photos single control crossfade collage works photo gallery creates collage on device without need internet connection photos remain on device want share collage in social media apps share functionality sharing change size collage based on preference smaller size higher quality", "label": 0}
{"pkg_name": "com.jackson.android.coastcounty", "description": "remember radio good great new north yorkshire dab station available on digital on line smartphone tablet dab radio new radio station providing background noise station demands listened unlimited playlists playing type music whether classic rock pop indie rock n roll jazz folk reggae goth alt fusion world broadcasting hours day days week coast county new station heart number", "label": 0}
{"pkg_name": "com.zenjoy.quick.collage", "description": "photo collage maker pro lets create one kind layouts remixxxg photos sharing friends choose photos gallery instantly see laid in cool collage pick layout like best add sexy shadow collage edit make better way make collage following steps use layouts remixxxg photos sharing friends pick layout like best choose photos gallery see laid in cool collage edit make photo collage maker pro features import photos gallery take camera layouts frames choose sexy shadow collage easy change border colors bg patterns simple touch gestures rotate resize lots backgrounds stickers choose easy add text stickers full featured photo editor included easy use ui amazing photo fx filters facebook page https www facebook com https www facebook com instagram https www instagram com photo collage editor https www instagram com foto editor pro note edited image saved in album file manager gallery subscriber identification module", "label": 0}
{"pkg_name": "com.neoexpert.asound", "description": "generates sound depending on speed acceleration", "label": 0}
{"pkg_name": "com.MaiTa.River", "description": "best hd wallpapers collection welcome wallpaper application best hd quality wallpapers in one hand enhance android appearance hundreds best hd wallpapers ready used enhance screen display many variety themes background styles ready spoil eyes every day pamper smartphone various hd wallpapers change every day modern hd wallpaper display smartphone look beautiful elegant enjoy variety beautiful experiences best hd wallpapers different hd wallpapers share happiness friends download free feature easy install easy use need internet connection change wallpaper download get want fun watch smartphone optimized battery usage compatible variant smartphone free use everything like wallpaper please support us problems hesitate contact rate apps ill glade help number", "label": 0}
{"pkg_name": "com.HsRetroGames.EscapeVacant_", "description": "escape vacant room pixel retro room escape game endings fun easy pixel retro escape game little joey trapped in plain vacant room nothing door window must solve puzzles use collected items escape discover many secrets find old video game console take joey new retro game world complete escape play tap directional arrows scroll around room tap areas interest zoom interact tap inventory items use inspect mini game control tilt device left right up move around tap tv screen collect drop items carry one item time good luck number", "label": 0}
{"pkg_name": "com.gutenberg.app", "description": "requirements ebook reader app recommend book reader google play books read epub files ability download epub files mobile copy text clipboard zoom in controls ability play audio book built in music player free classic ebooks downloaded android devices google play books start app app menu try restarting phone known problem market updates on phones problems app contact us support com happy help available ebooks in app belongs project gutenberg formal affiliation represent project gutenberg number email", "label": 0}
{"pkg_name": "com.intrinsicdata.bosslistens", "description": "customer feedback platform allows view rate provide useful feedback business owners fellow customers experiences services used today app features rate experience businesses star rating send anonymous messages business owners help address customer service issues view customer service performance businesses across country based on feedback customers platform features company dashboard provides real time updates on anonymous customer feedback including comments ratings analytics on feedback communication platform update users on company related announcements promotions excellent way make customers aware improvements", "label": 0}
{"pkg_name": "com.was.zoo.horse.truck.transporter.truck", "description": "experience epic animal transporting game wild horse zoo transport truck simulator game heavy vehicles driver transport horse city zoo load arabian horses on transporter truck untamed stallion drive cargo truck carefully deliver horses stable jockey train horse stunts fasten seat belt crazy ride traffic cars buses drive cleanly transportation horses safely in adventure driving simulator buckle up cargo truck transporter job wild horse zoo transport truck heavy vehicles driver drive zoo truck horses destination first need load farm animal city zoo transporting farmhouse stable vigilant transporting untamed horses tough job animals transport less extreme truck driving adventure steer transporter truck carefully move heavy duty animal trailer truck target precision accuracy jockey rider waiting arabian horse saddle become wild stallion derby champion enjoy driving cargo transporter deliver stallions destination avoid driving fast hitting traffic cars scare horses might get wild vigilant driving stallion jump loader truck transport zoo animal stable complete transportation mission become best transporter driver dare become driver huge animals transporter wild horse zoo transport truck simulator game features real model farm horse transport truck unique animal transporting mission epic 3d farm city environment realistic driving physics smooth controls quality graphics amazing sound effects download wild horse zoo transport truck simulator game enjoy exciting animal transporting missions number subscriber identification module", "label": 0}
{"pkg_name": "com.anuvab.projects.pp", "description": "pandals added categorised different areas categories", "label": 0}
{"pkg_name": "help.simplicity.belmont", "description": "simplicity mobile application belmont inform news in city announcements mayor application also directly contact city office mayor get back disclaimer app affiliated city authorities information used in app gathered official city website https www belmont gov number", "label": 0}
{"pkg_name": "com.infosoftsolutions.akashgangacourier", "description": "agc began journey small town in rajasthan in district bikaner become one pioneering players in indian express industry in last years spreads wings part country covering pin codes network franchisees gain foothold in competitive market agc primarily focused on textile segment textile industry requires products reach every corner country including small towns agc visionary board found big opportunity in segment remained focused on helped agc spread network country emerge market leader in important textile industry today agc serves textile units in india earned tag reliability integrity changing market scenario business dynamics agc successfully entered banking finance insurance automobile education pharmaceutical industry well agc offering products services on par leading courier company in country agc provides online tracking system customers excellent customer operation support offer services products suits every segment industry products includes akash ganga express services olt regular premium oda agc air surface cargo agc international agc gone one step ahead launch olt product provide customer premium services money back guarantee offer olt serve oda location area delivery speed assurance premium oda services introduced keeping in views growth industries in rural interior part country agc believe in integrity first foundation success board director led dr subhash goyal maintained customer first approach proud associated large customer base number", "label": 0}
{"pkg_name": "com.pandadog.bubbleshooterfree.games", "description": "play new bubble shooter game in panda raccoon pug dog smug pug pretty fun addictive bubble shooting game exciting levels help pug rescue puppies baby animals play bubble shooter game tap drag on phone screen aim shoot bubble match bubbles color pop rescue baby animals bubble trap well designed free levels unique challenges fun puzzles easy learn difficult master try score stars on every level score bonus point dropping larger bunch bubbles powerful booster bubbles ease challenging levels lesser bubbles used pass level higher score time wait download start playing simple sweet yet adventurous journey panda pug raccoon number subscriber identification module", "label": 0}
{"pkg_name": "com.paytronix.client.android.app.bigfootjava", "description": "bigfoot java favorite destination coffee want member bigfoot java rewards program love app download today free able join program begin earning rewards today find bigfoot java closest location view member account balance rewards add stored value account time recharge feature check in let us know arrived get points visits", "label": 0}
{"pkg_name": "all.newspapers.botswana", "description": "botswana newspapers gives chance experience latest news botswana around world in compact way comfort phone tablet included newspapers news sites in botswana newspapers botswana gazette botswana guardian voice daily news midweek sun sunday standard weekend post com times magazine co bw patriot on sunday jeune afrique topix apa fm google news botswana favorites share news friends family home screen start reading right away home screen news browser browse web news keyword themes add delete edit newspaper news site online newspaper news site list update open newspaper news site in standard browser show hide drawer on application start please contact us suggestion ideas make botswana newspapers better improve application thank using app number", "label": 0}
{"pkg_name": "com.info.schudio", "description": "school app helps connect school view latest news upcoming events term dates contact details select school first time launch app list schools app load in content school enable location services display schools nearest select enable push notifications receive notification school sends message enable location services show school nearest current location enable call management access quick calling selected school app school app completely free parents schools school listed ask get in touch us find number", "label": 0}
{"pkg_name": "street.basket.ball", "description": "real basketball stars ultimate basketball competition realistic physics sounds provide unforgettable experience beat clock sink many perfect shots real basketball stars completely free play supported giving players chance earn even awesome cool things playing", "label": 0}
{"pkg_name": "com.girlsjeanstyle.phtomaker", "description": "jeans daily wear clothing item worn majority people whether kids girls boys females males adults various jeans styles come up bring in variety like cotton jeans denim jeans pattern jeans khaki jeans etc wear compliment color jeans big confusing question well help new girls jeans style photo maker app girls jeans style photo maker app encompasses latest presentable girl jeans design photo suits make girls look diligent professional girls jeans style photo maker app offers various photo editing features like girl jeans photo suits sticker effects text effects background frames etc girls jeans style photo maker app employs professional girl jeans design photo suit photo maker photo editor background remover background changer background editor tools create effective efficient girl jeans photo frame photo montages features free easy install quick installation process readily available application in demand trendy photo editing app easy use functionality attractive modern design user friendly engaging gui latest high definition girl jeans style photo suits browse image phone gallery capture image via camera make use girl jeans style photo suit overlays simple touch gestures adjust size position orientation image in girl jeans style photo suit photo frame diligent voguish girl jeans style photo suit photo frames various sticker option girls watches sunglasses bracelets hairstyles earrings etc soothing pleasant background options like single color background gradient background background photo frames voguish font styles color options in text section blending skin tone filters image quality maintained throughout editing process articulate women jeans photo maker women jeans design photo editor effective background remover background changer background editor tool lightweight photo editing android app supports almost screen resolutions mobile tablet devices share girl jeans design photo suit photo frames various social media platforms tools applications quick quick quick install girls jeans style photo maker app asap subscriber identification module", "label": 0}
{"pkg_name": "com.arthome.splashart", "description": "color splash snap photo editor best effect photo editor color splash effect color photos turned black white photos color splash snap photo editor make photo square blur background fill color background instagram adjust photo add stickers pictures white text add together time long touch remove snap get like get follows snap color splash snap photo editor contain variety mag color splash effects color filter need choose image make image look creative in seconds without using professional editor color splash snap photo editor make photo beautiful variety color splash templates use exchange effect easy features mag effect color photo mag effects kind color background square fit post full size without crop amazing filters full features photo editor filters on snap easy add text together built in buttons sharing on instagram facebook twitter on color splash snap photo editor best color photo snap pic photo editor enjoy suggestion request please mail us gmail com email", "label": 0}
{"pkg_name": "enjoy.with.our.apps.lovequotes", "description": "love quotes free application find hundreds images containing best quotes love poems looking love quotes check app find hundreds love quotes download cute quotes share family friends single click system works gallery images photographs updated periodically completely automatically discovering new contents every day use images think reflect falling in love well wallpaper on mobile device want know application works simple download log in access lots love letter images receive updates every month find many phrases fall in love lack love beautiful fragments texts words love download share single click remember completely free longer necessary go dozens websites in search short phrases lack love find decide use app beautiful phrases impossible love many pictures use wallpaper mobile phone cell phone content completely translated spanish spanish original content access single click without browse websites images share loved one friends family easily easily images updated every month content free remain free forever images saved in cell phone require space on mobile device takes up little space easily download images like royalty free love photos download terminal share others images love dedications writings love help in saddest days nice phrase every day help every day month love compliments imagine in hand love quotes make reflect help get desires photos include short beautiful texts in spanish share love poem love phrases others use share button press send beautiful letters press share button select social network available ones many social networks share love poem facebook instagram google twitter pinterest whatsapp messenger etc may wondering many times share poetic letters limitations use find download application free love poems nice images best quotes love quotes love quotes love quotes cute quotes girl quotes sad love quotes romantic quotes quote pablo coelho best love quotes true love quotes couple quotes heartbreak quotes brainy quotes nice quotes beautiful love phrases ever love quotes girlfriend girlfriend smile mine reason know happy see every night wonder close eyes think explain like reason never sleep early distance time know missing heart love love madness download application enjoy writings poems fall in love number subscriber identification module", "label": 0}
{"pkg_name": "si.ijs.mirnock.animalapp", "description": "animal app helps recognize different types animal species based on sound produce focus on slovenian birds bumblebees frogs cuckoos recognition works like shazam animals best results need provide good quality recordings little noise possible aim get correct animal type in top three listed users also upload recordings contribute better learning dataset instructions choose animal species record app connect internet click recognize processing three best results appear on screen number", "label": 0}
{"pkg_name": "nsq.bubbleshootergame.PandaPopCoco", "description": "classic bubble shoot eliminate shooter game exquisite picture quality fun levels wifi free best time pass game make combinations bubbles make burst save panda babies level up panda babies caught evil monster play family kids fun match levels play aim match bubble want shoot in bubble match bubbles remove bubbles find cute baby panda click on props in game use props allows easily game game give stars based on performance in game higher score stars features easy operation lots fun gorgeous special effects beautiful images many interesting props help pass game quickly combination multiple bubbles wifi also play well designed level fun also lot number", "label": 0}
{"pkg_name": "com.timeinflow.numbersgamespuzzled", "description": "welcome amazing number game center best time killing choice favorite number puzzles classic sudoku addictive hexa number connects number eliminating trivia etc game center offers wide selection cool casual number puzzle games comfortable ui design great colors matching suitable ages features cool collection many funny number puzzles various gameplay modes game mini game brings different experience support game rankings offline playable play move number blocks on board fingers numbers connect merge bigger number sudoku grid given numbers put numbers blank box get sum in row column diagonal x sudoku requires make sum in diagonal plus version traditional one connect numbers use finger connect numbers many numbers merge bigger number tens tap given number blocks bottom move board target get ten in sum filling numbers sum number blocks reach matter in row column number blocks eliminated challenge game like game box easy play challenging enjoy leisure time everyday playing alone family friends contact us facebook https www facebook com homepage http com index htm email gmail com number email", "label": 0}
{"pkg_name": "com.acorn.hours", "description": "working extra hours secret in healthcare let time go unnoticed h tells real working time guess use app clock in clock let overtime go unnoticed h summarizes daily weekly shifts shows breaches easy way record hours use h evidence support claims breaches give little reminders know shift end working overtime also help keep track breaks throughout day questions recommended improvements features please contact us support com number email", "label": 0}
{"pkg_name": "com.JManoclay.SnakeEscape", "description": "run jump escape snakes long touch run left right tap jump programming jacob clayman art andy music celtic impulse kevin macleod", "label": 0}
{"pkg_name": "pro.sboard.ringtone.Bird_Sounds", "description": "bird sounds effect in high quality remix sound smartphone app let enjoy favorite sound use like download free bird sounds smartphone never try never know function play random sound set ringtone set sound notification set alarm offline application favorites auto replay thanks download number", "label": 0}
{"pkg_name": "com.appealqualiserve.sanskar.kitespreschoolkphb", "description": "popular choice in classes apps smartest way connect class parents teachers available in smartphones well web based application helps class communicate share organize learn ultimate class parent communication tool class application provides class easy way update parents everything need know class like diary insta alerts personal comments events galleries holiday calendar class notices class timetables absentee forms class documents much gives real time updates class activities loved ones teachers access smartphones helps share classroom updates in real time flexible allow class create customized content provides great alternative sms alerts using free push alert notifications directly parents smartphones web application plugged in class existing website easily accessed fun n learn feature allows class share class activities curriculum parents helps view practice home makes easily access information anywhere anytime number short message service", "label": 0}
{"pkg_name": "com.fgamestudio.skyofwar", "description": "sky war comes back sweet air attack game allows fight in sky one day beautiful galaxy attack space intruders last hero galaxy goal quite challenging save galaxy evil enemies excellent bonuses boost help propel aircraft speed agility found in game caliber professionally designed created game sky domination delight gamers ages sky war air attack mission features shoot planes in sky skies war sky force free game app update new plane weapons ages gaming user experience alien shooter game classic style ohhh good luck captain", "label": 0}
{"pkg_name": "com.appxquare.tstrawberi", "description": "apps parents teachers kids", "label": 0}
{"pkg_name": "com.dodreams.driveaheadsports", "description": "drive ahead sports takes original drive ahead craziness next level competitive sports unique characters exclusive outfits play friends challenge friends family members crazy matches in local multiplayer mode knew mom technician on field climb seasonal tournament ladder compete in tournaments unlock exclusive limited time rewards seasons know better get win epic rewards keep unlocking new unique skins make competition green envy fashionista on wheels anyone master different sports ace american football breathtaking basketball incredible ice hockey whatever forte may got covered in multiple game modes play on friends enjoying drive ahead sports feel something needs improved drop team line review let us hear enjoying drive ahead sports email us dot com privacy policy http com pdf policy pdf", "label": 0}
{"pkg_name": "com.po.pawankr3.learners_aid", "description": "app learners aid technologically advanced effort fulfill requirements students exclusively ranging 9th standard 12th standard entire contents in accordance new syllabus prescribed rec bhutan bulky textbooks bore us thinking got many study feel much burdened carry heavy textbooks wherever go grievances students share days even stay in high school kept mentioned in mind app developed much effort provide easiest attractive approach students grab important notes silent features app important notes formulae on chemistry physics mathematics chapters notes english trusted blogs websites time table management assignment reminder one touch access quora number", "label": 0}
{"pkg_name": "com.me.supportbss", "description": "support team application first troubleshooting checking configuration transmission ip address telecommunication document", "label": 0}
{"pkg_name": "com.myaccidentassist.gproslaw", "description": "law offices greg p c released new mobile app new potential clients app made clients in mind greg legal team developed app keep firm in palm clients report accidents get case updates chat office legal car accident mobile app turnkey solution legal needs core feature app ability live chat attorney office ask questions get updates system allows access favorite firm store drivers information need store drivers license car insurance roadside assistance involved in accident ability report new car accidents directly though mobile app instantly notify legal team happened next chat us next steps features check case status attorney enables feature get up date updates on case simple time saving accident collection feature easily upload report new accidents thought mobile app electronic document signing never print document integration step step instructions on accident one click know need collect scene accident emergency contacts able select emergency contacts one click number subscriber identification module", "label": 0}
{"pkg_name": "com.prvidr.paas.app.prod", "description": "catch connect mobile app allows easily ; check usage ; check credit expiry ; top up data buy international extras packs needed ; change plan time ; view transaction history ; manage payment information recharges ; manage service preferences ; access online help support catch connect mobile app free however may charged data usage download app store local area network", "label": 0}
{"pkg_name": "com.fauxeducare.vandanabansal9", "description": "makes maths simple hopefully app makes online learning easier comprehensive subscriber identification module", "label": 0}
{"pkg_name": "com.mentormedental.mentormedental", "description": "unique service catering dental knowledge exchange unique software dental referents would like support course participants followers students on commercial basis every dentist connect colleagues learn referent experienced famous dental colleague develop free commercial academic relationships excellent messenger professional communication promote share sell knowledge experience", "label": 0}
{"pkg_name": "com.adaasapps.weddinggroomfashionideas", "description": "bride groom planning big day one time really limits imaginations traditionally bride groom expected married in church quite often church one either live near attended point in lives although couples worry wedding day biggest best ever sometimes simpler unusual wedding ideas ones remembered whether giving gifts guests leave color theme sometimes little different makes worth number subscriber identification module", "label": 0}
{"pkg_name": "com.ozannew.diyuniquehammock", "description": "owning hammock portable great even live in apartment patio enjoy great outdoors in type hammock provide comfortable place kick back relax camper spend time lake cottage type hammock easily taken along enjoy relaxation time even away home styles require tools set up worry dragging tool kit along even get back pack styles tote hammock hands free best portable hammock choices collapse size easy carry store in use app diy unique hammock app contains various diy unique hammock diy hammock stand diy hammock eno hammock stand indoor hammock stand portable hammock stand wooden hammock stand diy hammock chair new features find in app amazing inspiring diy unique hammock step step best quality share content social media chat messengers zoom in zoom images add favorite list app works offline need internet connection download enjoy diy unique hammock application regret downloading app number", "label": 0}
{"pkg_name": "id.telaga.citymapquiz", "description": "game show map city use knowledge sense locations name places roads languages decide country map belongs find clues choose right answer fun real maps quiz let improve knowledge places locations languages around world feature real maps using google maps play games service integration manage achievement leaderboard countries cities scoring based on timing competitive levels geography student tourist guide treasure hunter explorer conqueror enjoy ask permission location need worry cities data in app available https com data world cities creative commons attribution license https org licenses icon made www com icon made www com screenshots icon featured graphic partially show contents google maps number local area network", "label": 0}
{"pkg_name": "com.foodsafetycts.l4eh", "description": "training important part company food safety program training app brought american mushroom institute ami focuses on handwashing single important activity employees need follow prevent mushrooms becoming contaminated since employees use hands handle mushrooms important learn appropriate handwashing procedure well need wash hands prevent mushroom contamination ami food safety training app includes interactive activities videos quizzes ensure employees engaged throughout course end app multiple choice quiz activity verify employee properly learned information presented in app ami training apps include ; abcs food safety ; mushroom contaminants ; personal hygiene on mushroom farm ; personal hygiene in mushroom packinghouse ; handwashing on mushroom farm ; cross contamination on farm ; cross contamination in packinghouse ; food defense ; mushroom industry worker safety training program training app available in english spanish program developed food safety consulting training solutions llc american mushroom institute mushroom council", "label": 0}
{"pkg_name": "com.emokehajdu.lightningstrikecalculator", "description": "helps calculate distance lightning strike user press button start lightning strikes consequently stop application measures time passed using known speed sound calculates approximate distance lightning user supports languages english turkish german hungarian local area network", "label": 0}
{"pkg_name": "com.wp.wprime", "description": "world prime app provides different variants different people want watch videos on world prime watch hours day content may differ geographical areas membership pick price pick plan world prime offers different membership plans suit needs choose membership plan want web series movies world prime members get instant access great content worldwide world prime exclusive content library featuring originals films short film various language content songs audio listing stories world prime content vary region may change time get started stream number local area network", "label": 0}
{"pkg_name": "com.samsunggalaxy.galaxya91.themesa91.wallpapersa91.galaxywallpapers.hdwallpaper.samsunglauncher.themes", "description": "app amazing samsung hd themes launcher samsung samsung download app better result good look feel smart phone bore default themes app set best wallpapers themes samsung change theme app directly themes samsung resemblance ui phone made samsung get original stock wallpapers also themes samsung smart phone themes supports products samsung companies smart phone products products smart phone covers in app wallpapers ultra hd high quality set on smartphones screens hd wallpapers make screen smartphone beautiful first look theme applied on launcher apply wallpaper on stock wallpapers theme app made developers lot efforts fulfill requirements android smart phone tried best making theme app perfect major launcher supports app samsung launcher go launcher action launcher launcher line launcher zero launcher holo hd launcher launcher smart solo launcher next launcher smart pro launcher kk launcher holo launcher mini launcher lucid launcher launcher apex launcher tsf launcher nova launcher update app regularly smooth better experience users number", "label": 0}
{"pkg_name": "today.app.a.alight", "description": "flashlight interface click app icon instant start lighting led light screen light devices without led click ads led works locked screen non invasive access emails phone calls internet location etc send data extra permissions camera permission turning on led suitable nexus light vibrates every minute reminding flashlight turning automatically timer minutes save battery life led easily change in flashlight settings settings available notification bar light turned on led light free speedy helpful contains ads thank reviews simple helpful developer please share flashlight friends found helpful number subscriber identification module", "label": 0}
{"pkg_name": "ro.fbucur.quizusafree", "description": "much state capitals famous presidents quiz usa trivia game tests knowledge fun tricky questions us state make way us map answering countless questions on geography history arts science religion politics countless fun facts us states tap on question marks unlock hundreds intriguing questions forget collect bonus golden coins hourglasses little help professor sure right answer need extra time word advice expect many easy questions large variety topics quiz usa great educational game play on family night whenever looking pass time in fun way able complete whole map install play explore captivating facts set borders united states number", "label": 0}
{"pkg_name": "com.muratkul.rollingball", "description": "rolling ball endless arcade game endless fun tilt phone play pass challenging obstacles help power ups", "label": 0}
{"pkg_name": "com.MdiskGames.ZombieRun", "description": "zombie run shooting kids everywhere look special items beat zombies best fun adults children", "label": 0}
{"pkg_name": "com.dtech78.puppydogsoundboard", "description": "children want dog app play around dog sounds in app play together want even cuter sounds puppy sounds section play sound cute puppy barking fall in love dog sounds app fun around", "label": 0}
{"pkg_name": "mehar.koval", "description": "application created people dedicate peoples need digital services in application used peoples mainly send fault equipment home office place enter details equipment faults send person directly place rectify also hospitals doctor in shops in institutions in job postings searching in details add view", "label": 0}
{"pkg_name": "com.appsbrand.peacocksounds", "description": "app contains peacock sounds different kinds listen prank anyone using timer friends peacock sounds able make sound effect everyday regular situations created simple pleasant design listen mp3 sounds peacock sounds heard in pastures featured in music comedy soundtrack lives every day wherever go sounds peacock one richest distinctive things hear in app find ringtones save sounds set call ringtone notification alarm tone message ringtone simply press hold on desired sound make selection peacock sounds entertainment helps relax hard day perfect app good time children friends peacock sounds entertainment application users helps entertain get calm quiet feeling peacock sounds app includes sounds various peacocks peacock sounds users easy entertain self easy navigation use peacock sounds help sleep alternative way relax get away peacocks sound alike incredible diversity in types sounds peacocks make app great peacock watchers learn identify various peacock sounds trick spotting beautiful peacocks in wild everyone blast listening strange peacock sounds activity fun time listen awesome peacock melodies coming different peacock species whenever phone makes sound hope enjoy peacock ringtones share friends twitter facebook line like application number subscriber identification module", "label": 0}
{"pkg_name": "com.scripto", "description": "perfect want certify date creation document want prove example mildew in apartment already existed time moving in special offer receive five timestamps free help within minutes create time certified pdf document including images without transmitting content document timestamp certified verify independently app pdf already existed time created later areas certified timestamps copyright images ideas progress in construction work defects in borrowed items technical details documents signed hash approved several governments organizations bsi nist fips secure document certification checksum transmitted us data remains data transmitted checksums combined in one file hash entered system system designed tamper proof allows check certified timestamp without help system need document certificate file sidechain receive registration in system number", "label": 0}
{"pkg_name": "com.jim.sharetocomputer", "description": "description easiest fastest way share text images files phone computer phones feature share computer use browser download files shared require installation on computer share phones choose scan qr code wifi internet access required ads free open source check full source code https github com number", "label": 0}
{"pkg_name": "hopsly.ca.android", "description": "online liquor marketplace aim offer independent liquor stores platform connect customers offer services like online sales customer loyalty program delivery created need bridge technological gap big brands independent liquor stores independent liquor stores operate like typical brick mortar business little digital footprint reasons initial cost building technical expertise required maintain liquor e commerce platform come in provide full gamut user friendly tools fulfil e commerce needs liquor stores affordable price building platform major consideration security transparency end partnered stripe handle payment processing transactions validated on servers payments processed stripe funds immediately transferred stores accounts credit card information neither known us stored on servers number", "label": 0}
{"pkg_name": "guide.greeceholidays.MykonosGreeceGuide", "description": "local team experts in tourism gathered information amazing mykonos islands list business including hotels villas restaurants travel agencies car rentals wedding planners many", "label": 0}
{"pkg_name": "com.sax.video.player.saxhdvideoplayer.videoplayer.ultrasolution", "description": "sax smart excellent video player format professional video player tool supports video formats 4k ultra hd sax smart excellent video player supports many video formats plays high video definition add videos on favorite list hd video player helps full hd playback slow motion fast motion change video speed key feature hd video player support video formats including mp4 mkv wmv ts 3gp webm avi mov etc identify video files on device sd card automatically mange share videos easily easy control volume brightness playing progress play video stretch mode also play audio multi playback option lock unlock screen play video multiple speed play video list continuously keep video safe private folder folder explorer cut copy paste play hd 4k videos hardware acceleration easy change setting easy control volume brightness playing progress sliding on playback screen change video in stretch mode normal mode play automatic video on list video player android tablet support devices watch videos on android tablet android phone files manager identify video files on device sd card automatically in addition manage share videos easily add favorite delete video permanently file manager support format video play format videos including mp4 mkv wmv ts 3gp webm avi mov etc sax video player format totally free hd video player android simple powerful in one media player different formats suggestions better user experience please feel free contact us gmail com number subscriber identification module email", "label": 0}
{"pkg_name": "golf_booking.com", "description": "golf booking app book tee time quickly efficiently favorite golf club hours day days week view history rounds see club membership assigned account call reception anymore everything online number", "label": 0}
{"pkg_name": "com.quevestir", "description": "qu wear take wardrobe anywhere application allows store garments app closet taking photo garment briefly indicating main characteristics ie type sleeves length colors fabric among others rate garment based on different criteria including personal taste warm level formality level create new looks combining garments like creating looks forget looks good on plan looks going wear every day month avoid wasting time choosing garments wear in morning wake up open qu wear remember look planned wear today receive notifications remembering selection wear in next day allow prepare garments night start day faster application also allow complete control garments in wardrobe classified in different ways according type garment sub type garment example top garment shirt top garment shirt bottom garment trousers etc looking garments in closet qu wear able find new combinations clothes never imagined information in application stored locally on device allows take closet everywhere even internet connection in place going shopping trying on new clothes qu in hand look clothes help know new clothes would best combine clothes already many times in store without knowing sure something buying would combine well clothes waste time download install qu wear fashion assistant hand soon intend continue improving application adding new improvements could come new updates app thanks visiting qu look forward help keywords keywords wardrobe virtual wardrobe closet wardrobe wear wear today wear clothes wear garments clothes wardrobe looks fashion fashion combinations clothes mobile clothes number local area network", "label": 0}
{"pkg_name": "com.linkaadhaar.linkadharpanphone", "description": "app help link phone number pan card link number pan card in easy simple way mobile in free may looking questions link card phone link card pan card verify linked phone number get new pan card check new pan card status check verify pan chek itr receipt app help user use app free link thier pan home link mobile number in easy steps updates user also apply new pan card instantly also check download new pan card user also check itr status user also verify pan card details user gets info pan card user also check error occurs linking necessary link pan card user link pan card note app never store share user data like phone number email id adhar number pan card app contains third party links intention help users user use app service free official app made helping purpose app never store share user data like phone number email id number pan card app contains third party links intention help users user use app service free official app made helping purpose official partner government linked way government provide information user available in public domain information website link available in public domain used user website available in app application developed public service help indian residents find manage digital service in area people use app personal information purpose application affiliated government services person affiliated government entity services person content data available application available on source https resident gov in https www gov in home similar content available on many public domains number subscriber identification module", "label": 0}
{"pkg_name": "de.crushed.tempattire", "description": "decide pants shorts app uses precise weather information personal preference tell wear based on artificial intelligence learns personal perception temperature everything client based privacy secure times learning adapts need ui easy use", "label": 0}
{"pkg_name": "com.keepeek.mobile", "description": "note application available users subscribed mobile app licence enjoy essential features on smartphone tablet access dam content add assets directly android app view assets images videos documents etc data upload assets stored on phone tablet dam search assets filter results access baskets share one several assets email sms app on phone tablet access dam download app type url first time log on app type id password founded in french software provider clients airbus orange groupe yves rocher club med vinci psa group etc could based dam solution gives marketing communication teams opportunity manage entire graphic chain asset creation photo video print web content etc dissemination storage asset types managed viewing options format generation retouching versioning usage stats etc users communicate teams clients providers partners thanks workflows collaborative features shared spaces kanban boards validation processes dissemination portals photo libraries content centers etc brand centers provide easy use secure platforms disseminate valid content brand compliant assets rest api assets become available applications in information system pim ecommerce website business applications etc dam provides advanced rights management contract management automatic archival on expiration dates user notifications etc access dam applications plugins adobe microsoft office google drive push assets on social networks youtube http www com number short message service website", "label": 0}
{"pkg_name": "com.bukupsmallup.jmm", "description": "buk up small up drop dead funny ja arcade game choose unique jamaican avatar release tension strife makers in life tired up reduce footprint small up squeeze obstacles jamaican still play laugh much download start fun number", "label": 0}
{"pkg_name": "com.amar.socialmedianetworks", "description": "option social media app browser provides easy access social networks in one application web browsers makes easy share recently used social media networks social network allows smartphone users access multiple favorite social media icon quotes using social media accounts single mobile app social media social network marketing messengers advertising phone in one social media app united kingdom social media portuguese social liker apps italy social media india app contains famous popular social media connection option social media app social networks built in browser apps opens every page fast securely in one app social media social activities made easy follow social trend easily installing social media wings explorer top social media updates social media access help relay going on in world mexico social media catalan make plans meet up friends option social media app browser social friends want access social network apps in one place need worry option social media app browser help in one ukrainian social media browser lock french social tools play tool nigeria social networks in one text video super fast call chat in one messenger app browse free social networks in arabic message friends in direct free social media applications like badoo moco hermit abo orkut livejournal netflix insta fb baboo badoo hi5 social media relationship in one start fun conversations videos feed want show on profile manage social media addicted social media apps in one app indonesia social media needs met on share messages locations easily friends debate social media send private messages users share news make plans friends social media social network in one app let open social media management tools newest social media low mobile data consumption option social media app application groups provide easy access social networks namely coolest social browser present on play store in category in one social media app social apps chat on advertising entertainment phone in one application disclaimer websites featured in app permission process making sure content reproduced post contact via email telephone affiliate management services etc owners websites notice violation terms conditions please bring notice immediately via email contents website owned respective website copyright content logo websites details please mail us third party sites separate independent privacy policies terms please read privacy policy terms conditions carefully icons used owned respective companies social app declares impersonate brand icons used show users presence content inside app number local area network", "label": 0}
{"pkg_name": "info.rainbow_learning_software.com.colorcatch", "description": "addictive casual game press correct key color make ball disappear attention getting faster faster many points get", "label": 0}
{"pkg_name": "com.brightpixels.timekeeper", "description": "timekeeper companion app app designed help families find balance in digital world timekeeper helps monitor limit app usage on devices children use regularly", "label": 0}
{"pkg_name": "com.smproducts.pfht_app", "description": "application cover asme based calculation checking post fabrication heat treatment post weld heat treatment requirements in application check component heat treatment well complete vessel heat treatment requirements quick find percentage fiber elongation material per code heat treatment requirements check based on calculation fiber elongation percentage well service thickness interfaces per asme code check heat treatment requirements total component broadly use forming strain calculation cylinder hemispherical cone conical heads dished half pipe jacket internal coil also check heat treatment cycle carbon steel material application useful costing engineer design engineer production engineer valuable feedback always accepted please review rate", "label": 0}
{"pkg_name": "com.creativityapps.gmailbackground", "description": "want concentrate on studies without taking tension final year projects provide project guidance students providing innovative ideas optimistic way implement ideas training guidance final year engineering post graduation projects information technology computer science provide projects in java web iot net android html5 always updated ieee project lists final year projects following domains android projects image processing projects web development data mining projects security projects artificial intelligence projects application domains domain respective final year ieee project topics in select final year project topic contact us guidance also appreciate ideas project customized final year project idea welcome final year projects final year projects final year projects cs final year projects final year projects ideas", "label": 0}
{"pkg_name": "com.medtronic.cvg.taviar", "description": "medtronic aortic stenosis tavi mobile application intended solely health care professionals provides educational augmented reality experience visualize progression treatment need aortic valve stenosis see difference in blood flow treated severely diseased aortic valve tavi platform untreated severely calcified anatomy augmented reality app designed experienced pointing camera printed marker integrated animation provides information tavi procedure help finding tavi clinics in region application intended solely health care professionals meant illustrative educational purposes considered exclusive source type information times professional responsibility practitioner exercise independent clinical judgment in particular situation medtronic makes representation warranty express implied including warranty accuracy completeness usefulness information data process described in application assumes liability user reliance upon use data information in manner whatsoever nothing herein construed promotion solicitation product indication product authorized laws regulations country residence number", "label": 0}
{"pkg_name": "com.kkkeyboard.emoji.keyboard.theme.Water", "description": "water skin kk emoticons smileys keyboard please download kk keyboard http goo gl kk keyboard free smart colorful keyboard android help fast input emoticons smiley sticker text face conveniently everywhere including message text email chat social app etc best keyboard android beautiful themes smart gesture type auto correct highly customization color layout font languages support highlights kk keyboard emoticons fast input in message text email note chat social apps smart prediction match words text face including fast smart input top row number input gesture typing dynamic floating preview auto correct smart next word suggestion dictionaries different languages beautiful themes beautiful themes continue increase highly customization resize split layout wish customizable key press sound customizable keyboard color font wallpaper advanced features copy cut paste arrow key clipboard fast copy paste use kk keyboard skin keyboard kk keyboard need updated version later join facebook https www facebook com follow us on twitter https twitter com information please refer faq https com want help in localization efforts please contact gmail com thanks local area network email", "label": 0}
{"pkg_name": "gameclub.roperescue", "description": "king bat kidnapped baby birds feathers up rupert parrot bring back in brain teasing classic drag length rope series gears attach cage release friends pesky enemies fire rope wrecking obstacles threaten feathered freedom collect butterflies on way special bonuses try use little rope possible maximum points told without question one best games on app store strongly suggest downloading immediately chris buffa editor in chief let talk rope rescue physics based puzzle game adorable birds long brown lengths rope fact plain old entertaining unique game brad nicholson puzzling levels keep wrapped up hours addictive gameplay multiple solutions level playing hours avoid flying knives fire cannons course evil bats collect purchase butterflies unlock later levels provide hints help on adventure visit bird sanctuary see cute baby birds rescued unlock brain twisting extra chapter infinity hall feathers butterflies collected rope rescue playable free sections features available subscribers pro optional auto renewing monthly subscription also removes ads besides pro subscription in app purchases in game choose purchase optional subscription payment charged google play account confirmation purchase charge made free trial period subscription automatically renews unless auto renew turned least hours end current period account charged renewal within hours prior current period cost indicated manage subscriptions turn auto renewal going google play account settings purchase unused portion free trial period offered forfeited user purchases subscription publication applicable terms use https io terms privacy policy https io privacy number", "label": 0}
{"pkg_name": "de.flaggendo.de", "description": "try recognize much flags possible in seconds app offers different modes flags country flag countrys flags capital flag capitals moreover chose two different levels difficulty normal advanced game saves best scores gives chance see improvement", "label": 0}
{"pkg_name": "com.fsk00x.TicTacToe", "description": "play tic tac old school way game two players x take turns marking spaces in grid player succeeds in placing three marks in horizontal vertical diagonal row winner features play ai best play friend features black board chalk graphics chalk black board sound effects", "label": 0}
{"pkg_name": "com.theophrast.chromecastapps.wallpaper.matrixwallpaper", "description": "perfect choice television watching set background display digital rain matrix movie live wallpaper on tv enjoy beautiful high quality matrix movie wallpaper on cast enabled devices app works google cast enabled devices features free live wallpaper app realistic 3d animation lagging buffering delays connected leave room phone tablet background keep showing on tv regular updates ui improvements check developer account amazing live wallpapers https play google com store apps dev id google google logo registered trademarks google llc ultra audio google cast respective logos trademarks registered trademarks google llc number", "label": 0}
{"pkg_name": "com.polligram.android", "description": "party tonight dont know wear take picture share let followers choose want eat ice cream dont know ara best share ask followers share every moment in life \u00eele answer vote comment followers sharing", "label": 0}
{"pkg_name": "nicky.medium.hair", "description": "hair medium length may need medium length hairstyles app prepared give inspiration people medium hair medium length hairstyles medium length haircut perfect cut kind hairstyle type face structure like long short length haircut medium length cuts style specific ample hairstyle trends long short hair styles blend long length hair cannot well on short hair on hand medium haircuts blend almost styles whether specific long hair short hair states kind haircut definitely wider options styles cuts choose app includes medium length hairstyles hairstyles medium hair medium length hairstyles women hairstyles medium length hair medium layered hairstyles medium hairstyles women hairstyles medium length hair number", "label": 0}
{"pkg_name": "com.thailandhousingmarket.app", "description": "thailand housing market mobile easy use gps enabled mobile app help find house buy rent search homes real estate anytime anywhere using thailand housing market mobile app home search viewed on interactive map organized price neighborhood even closest exact point standing thailand housing market mobile app powerful property search real estate tool brought thailand housing market brand features view countrywide real estate listings view luxury homes real estate sale rent search homes sale neighborhood city zip code browse home pictures details get connected local real estate agent gps features allow view navigate homes near save different searches future reference search around location detector system create favorite list properties free hand draw many", "label": 0}
{"pkg_name": "com.appswiz.theyounghunters", "description": "young hunters help business grow online new level us developing business in efficient way fast results profession passion young open minded company willing run extra mile search determinedly new opportunities within company capabilities eye detail info www com", "label": 0}
{"pkg_name": "com.ecwid.ShopAt.TheTeacherCreatureStore", "description": "teacher creature store affordable retail resale teacher supply pet shop in spring tx family owned operated idea shop born brains two current science teachers wanted shop unique affordable fun educational could incorporate steam classroom check us let us help make classroom steam classroom on budget", "label": 0}
{"pkg_name": "com.touchup.customer", "description": "touch up montreal first beauty marketplace salon services ranging nails make up hairdressing facials in comfort house sipping on wine gents barbershop services fresh clean playing cod", "label": 0}
{"pkg_name": "com.app_rfuture.layout", "description": "com one kind deal site provides exclusive offers consumer sole purpose raising much needed funds schools fundraisers charitable organizations shop save give mobile app takes mission makes mobile placing in hands intend serve please download app join us help raise funds in need saving money local businesses already frequent", "label": 0}
{"pkg_name": "in.Smartfolio.ContactsMate", "description": "ever thought kills life networking events people share contacts in repeated fashion involving parties typing contacts contacts mate helps easy ui makes easier carry virtual business card tap show qr scan qr code person phone share contact even easier method add contact phone using add contact button select send sms upon exit send contact text message make experience meeting people seamless short message service", "label": 0}
{"pkg_name": "com.appbodia.kmkojapicturedictionary", "description": "in dictionaries khmer korean japanese picture dictionary best app especially kids understand words easily picture talking function come languages khmer korean japanese features fun ways learn new word arranged in many categories talking function on words nice looking picture easy remember used offline local area network", "label": 0}
{"pkg_name": "com.millionique.super_hot_vpn", "description": "hot changer vpn ultra fast hot vpn service dot fast changer vpn ultimate best android vpn unlimited fast vpn require type registration log in password free vpn logs free vip vpn access blocked sites apps super first hot vpn enjoy free super fast hot vpn free free gives unlimited bandwidth without signup limits amazing vpn main advantage super fast vpn proxy vip vpn free giving protection regarding identity acts hiding layer reveal real ip address per experience expert reviews using reliable like hot free vpn service best way unblock websites ease super fast hot vpn free brings high speed encrypted vpn connection smartphone tablet vpn video hot vpn lite super hot vpn master lite vpn able access blocked sites games apps banned channels facebook twitter instagram telegram protecting identity providing fake ip address hot vpn lite free vpn limitations bandwidth signup required logs best vpn app in vpn market unblock websites blocked unblock favorite websites apps best worldwide free vpn proxy whenever wherever browse anonymously privately without tracked lite vpn hide ip address enjoy best vpn video ever private browsing experience vpn provides unlimited data traffic unlocks blocked websites brings basic private privacy data encryption keep information safe hackers proxy vpn video wifi privacy security features super fast hot vpn free superb vpn proxy unblock kinds websites using lite superb vpn easily unblock geo restrictions internet filters government censorship sites work school easily unblock social media websites free vpn proxy master easily access websites links blocked in country region lite vpn excellent fast speed free dns proxy vpn 3g booster speed main aspect vpn in case super fast provides excellent speed one click select country want connect one second connected enjoy unlimited speed fast dns changer ip address changer faster internet changing dns servers fast dns changer ip address changer change ip address log previous ip address in database file network profiles include necessary information ip addresses dns proxy settings etc reliable network configuration anonymity privacy protection protect ip network traffic easily use vpn hot without tracked protect data history browse anonymously privately without tracked hacked features super fast hot vpn lite master enjoy unlimited speed throttling ever amazing unlimited bandwidth bandwidth restrictions download caps vpn sax free fast vpn features free vpn infinity bandwidth provides unlimited bandwidth easy use signup unblocks blocked websites vpn simple one tap on lite hot vpn china free hides ip address internet traffic anonymous proxy servers secure internet activity wifi connection sax vpn vpn saudi arabia free hot vpn uae full time free unblock website facebook google youtube twitter wikipedia work school traveling multiple location servers vpn dot vpn browser web proxy supports play videos vpn logs best sx vpn fast connection ip changer unblock sites need configure setup proxy server z number subscriber identification module", "label": 0}
{"pkg_name": "com.machingagames.zombiewaves2", "description": "first person zombie apocalypse shooter game precise controls gameplay modes prepare arsenal personalize weapons save world music arthur", "label": 0}
{"pkg_name": "com.ippogames.human.games", "description": "human fun games 3d new free racing game run climb dodge type obstacles on tracks first finish race win fun racing game free easy play addictive game game one best race games insane free game play newest fun running 3d game free enjoy challenging race challenges avoid getting hit spikes hammers obstacles on road save finish line", "label": 0}
{"pkg_name": "com.hetbosch.radio", "description": "waterfront radio streaming kind contemporary chill groove music mixed compiled dj ike funky dj ferry", "label": 0}
{"pkg_name": "com.takween.pharmacist", "description": "app pharmacist offer best services patients get best marketing offers business information please call visit www capsule com sd", "label": 0}
{"pkg_name": "com.payeplay.sugardrops", "description": "venture magical world candy fun combine wonderful candy conquer new worlds play friends share adventure use power ups unlock candies paths go far in game think strategically limiting amount lives movements", "label": 0}
{"pkg_name": "com.translator_apps.teeth_whiting_tips", "description": "free application color teeth able determine well person takes care teeth result use key indicator someone personality brown black stained teeth reflect negative personality someone care on side people bright today lot bleaching teeth whitening products sold in market products usually costly painful use bother spending lot money whiter teeth using remedies found home teeth important us provide us way eat food teeth first thing people see smile would like make diy teeth whitening toothpaste read get white teeth tips in hindi app make teeth white features work offline free use direct easy directions user friendly interface easy navigation number", "label": 0}
{"pkg_name": "events.socio.app1637", "description": "virtual real estate symposium topics designed propel market join us on october interactive sessions discussing impact on future real estate technology powering wait see", "label": 0}
{"pkg_name": "com.zeyden.digitalazamgarh", "description": "join hand azamgarh largest chain digital azamgarh business on internet business number", "label": 0}
{"pkg_name": "com.simyasolutions.ling.ne", "description": "learn nepali master ling in minutes day download free learn games speak native speakers free nepali language learning app designed make learning nepali easy fun possible using variety mini games interactive learning techniques able immerse in nepali language using smartphone whether complete beginner know nepali words want learn basics language already pretty fluent want learn advanced nepali brush up on knowledge ling covered traditional nepali language lessons boring dull fun ling made learning process fun using puzzles games challenges quizzes teach read write speak nepali nepali teaching mini games flashcards word quizzes practise conversation speaking improve pronunciation writing practice using finger smartphone screen review learned dialogue practical conversation in real life match pictures corresponding word sort sentences correct order complete unfinished sentence much much many different mini games challenges quizzes puzzles teach nepali hours fun learning new language may feel like learning ling highlights user friendly interface easy navigate individual courses covering different aspects nepali language courses fluency levels absolute beginner advanced mini games flashcards challenges interactive games help learn much faster learn nepali using app made nepali natives assess on nepali speaking pronunciation learn useful nepali grammar playing fun games learn write nepali alphabets learn speak variety different topics ling available different languages learn arabic learn chinese learn czech learn dutch learn english learn french learn german learn greek learn hindi learn italian learn japanese learn khmer learn korean learn lithuanian learn malaysian learn norwegian learn portuguese learn russian learn serbian learn slovak learn spanish learn swahili learn tagalog learn thai learn turkish learn vietnamese learn afrikaans learn croatian learn hungarian learn nepali learn indonesian learn mongolian learn urdu learn finnish learn romanian learn bulgarian learn telugu learn georgian learn danish learn bengali learn tamil learn polish learn farsi learn burmese learn malayalam learn punjabi learn swedish learn albanian learn slovenian suggestions feedback please contact us support com fun learning number local area network email", "label": 0}
{"pkg_name": "com.Parenting.Pets.Care.tricks.Educational.Songs.Kids.tips", "description": "learn great educational songs kids music great way get kids excited learning help remember learn catchy tune easy remember lyrics leave lasting impression helping in grain educational concepts child memory fun watching videos child students learned songs enjoy singing time fun activity together use songs teach help teach facts foundational skills teach children alphabet count catchy kids tunes", "label": 0}
{"pkg_name": "com.concepter.adtelligent", "description": "parking companion automatically save parking location open parking companion app find car on map use parking companion compass forget parking tickets set up parking timer alert time runs parking companion automatically adjust time range notification enough time get car number", "label": 0}
{"pkg_name": "co.adea.adea", "description": "adea app assist actualize ideas get started online regardless idea adea ensure sees light day create change meant app get started registering domain names offering web hosting web design manage online providing information management systems like b n ch sc h grow online providing online marketing services like search engine optimization seo social media marketing email marketing pay per click ppc want start get business online adea way actualize ideas online beyond adea brand adea group company focus on providing solutions world challenges technology internet", "label": 0}
{"pkg_name": "com.maocular.wafcol", "description": "word aflame leadership college founded in lagos nigeria private nonprofit religious education institution dedicated god chosen spirit anointed consecrated faculty member task providing thorough education in bible related subjects training christian men women gospel ministry interdenominational international in scope exists particular denomination serve whole body christian worldwide christians given equal opportunity learn whatever background denominational affiliation nationality race color ethic origin offers courses based on sound biblical ministerial education on course leading award certificate diploma advanced diploma curriculum carefully prayerfully prepared meet specific ministry thus helping full vision in vineyard christ school thoroughly evangelical pentecostal oriented in doctrine faith practice seeks firmly establish great evangelical truths in students also make recognize fact sound biblical scholarship alone without corresponding spirits filled anointed life constitute balance life effective christian ministry must blend maximize ones usefulness number", "label": 0}
{"pkg_name": "helen.reddysongsapp", "description": "helen maxxxe reddy australian american singer actress activist born in melbourne victoria show business family reddy started career entertainer age four", "label": 0}
{"pkg_name": "com.bedroom.devkeligia.app", "description": "bedroom important room house notably used slumber resting purposes many ways decorate bedroom make attractive example uses different colors shades decorate bedroom also utilize space install attractive curtains improve lighting in room go attractive room flooring decorate bed well many ways well decorate make room charming worth sleeping bedroom simple app use save photos zoom crop share in bedroom app find every month new photos internet usage download app need anymore internet connection ads ads in app application free promote paid version app way support future development include ads please treat understanding disclaimer images copyrights belong respective owners graphic image photo offensive copyrights please send us e mail give credit get removed wish instead flag report please number optional subscriber identification module email", "label": 0}
{"pkg_name": "com.racing.traffic.d", "description": "like driving want drive stunning dream car reality situation beautiful graphics make people love drive game addictive amazing physics engine provide realistic racing experience racing fans prepared brand new racing experience wonderful scenes easy control game deep impression tilting cell phone move car drive car in city traffic change perspective experience speed racing complete racing game chase cars raising speed upgrading engine components improve performance car course car options upgraded best performance endless traffic reality environment perfect supporting role racing games racing mode waiting tilting device want becoming best racer in game beautiful car selection need get gold coins earn gold coins buy stuff play car increase feeling car use gravity sensor tilt phone turn right turn left car touch screen accelerate brake collect gold coins unlock new cars game features variety game mode enjoy crazy happy complete game design fascinating gaming experience real time dynamic game feeling extra fun realistic 3d panorama racing view exciting background music makes shocked", "label": 0}
{"pkg_name": "org.godotengine.lettermemorygame", "description": "application play memory child teach child swedish alphabet every card one letter on card flipped sound letter played possible configure many cards shown in game", "label": 0}
{"pkg_name": "com.astrumcomputing.math_blocks", "description": "learning castle educational app actively engage children improving skills in academic areas currently math spelling games continuing build on app new exciting activities practice variety skills math blocks flash cards fun students adults ages math blocks flash cards help improve child math fact fluency in fun interactive game choose type problems speed appropriate child watch mental math skills take spelling fun interactive way practice weekly spelling words maze remote control spaceship game ship guided numbered maze practicing learned concepts number sequencing skip counting odds evens abc order provides fun interactive way kids sort words in abc order number words difficulty increase skill level running allows kids improve spelling navigating jungle jumping obstacles", "label": 0}
{"pkg_name": "com.jafton.conference", "description": "missed com free video conferencing remote work automation tool calendar dashboard appointments stored on one easy use dashboard visualize schedule send others calendar link organized times book meetings appointment booking integrated appointment booking easy on missed com instantly see executives say real time collaborations video conferences crucial in day day video calls scheduling automatically send video meeting invitations via google calendar microsoft office outlook yahoo share conference number link video conference room in single click", "label": 0}
{"pkg_name": "com.fungames.impossible.megaramp.moto.stunts.rider", "description": "get ready unlimited ultimate battle year racing fight superheroes monsters game concept depends on bike racing battle ever tried perform bang stunts on tricky bike stunts tracks try tricky motorbike stunts using motorcycle stunting in stunts game real stunt rider whose chase overtake challenge bike adventure showing stunt drive become crazy moto impossible ramp moto stunts rider exciting stunning bike on mega ramp stunts hurry up extreme trail impossible stunts race use bike brakes first time in game write name on list top bike stunt riding passion bike wheelers bike racers moto hill stunt in ocean on impossible ramp bike stunts drive impossible tracks game best different kind bike stunts game game concept based on tricky motocross race real stunts on risky crossroads used in game many suzuki motors designed modified in gt racing bike game game say extremely hard de corsa one wheel stunt racing racing hill in real life assume in sky racing crazy impossible bike track like kind impossible jet car stunts big bike wheels drive different obstacles bike attacks crazy destroy in mega ramp stunts crazy bike dangerous impossible mission game stunt driver in amazing beautiful big jumps game option mistakes say game freestyle bike stunts game game includes real water feel sports monster bikes extreme stunts designed obstacles placed in racing arena also superhero like in downhill racing choose superhero bike racer enter in super game game included in free games boys learn future fight spider adventure in superheroes revenge game features choose sports rider stunt flips help complete avoid obstacles use sense driving control speed balance number", "label": 0}
{"pkg_name": "com.mobile.mobile.nocropwallpaper", "description": "simple fast light picking wallpapers setting wallpapers collection hd wallpapers support screen resolutions mobile phone fast smooth using setting wallpapers internet required easy use number subscriber identification module", "label": 0}
{"pkg_name": "com.raj.tengm", "description": "textbooks 10th gujarati medium features app shown simple ui advanced pdf viewer save storage use online offline option available share option sharing pdf well app friend also open pdf in pdf viewer print option also available", "label": 0}
{"pkg_name": "com.crowdcomms.ignitiononline", "description": "spark ignition container app spark ignition container app allows access event app keep event information interactive tools fingertips in one place organise events schedule interactive live polls q answer quiz questions take part in challenges earn points soar up leaderboard view event speaker information need app event visit com use contact form find ensure event attendees fully engaged motivated", "label": 0}
{"pkg_name": "tezzie.Bridal.Shower.Gifts", "description": "containing numerous images bridal shower gifts app free cost easy navigate provides different images several designs in gallery contains latest trends many creative ideas bridal shower gifts would attractive helpful absolutely free cost thus need buy download app start using features different advertisements related bridal shower gifts may benefit user friendly simple forward back buttons comfortable navigating experience throughout bridal shower gifts galleries unrelated advertisements in application may disturb hinder experience please forget rate bridal shower gifts app downloaded shall grateful recommend app friends family number subscriber identification module", "label": 0}
{"pkg_name": "com.freendia.swag", "description": "designed people share fun innovative creative videos online style swag user friendly easy use app types users create edit share short videos time browse library top videos across world pure indian kind short video content app mission swag fill gap talented creators consumers create online community india online platform talents show world got style application seamlessly offers users hands free recording features allow add filters effects in short video", "label": 0}
{"pkg_name": "it.startit.fleet2track", "description": "platform satellite monitoring land vehicles already user download app authenticate credentials already always become one contacting us via email via website number local area network", "label": 1}
{"pkg_name": "dev.beauty.saloon.pixxidust", "description": "application makes incredibly easy book salon on phone anytime anywhere choose wide range beauty salons based on algorithm keeps in mind location nearest choose convenient time location interface application easy categorizes salons according services require offers prioritize search according ratings pricing grade salon reviews type services offered also bring salon home home booking facility time inclination go salon salon come simply using book home option on application services reliable make partners highly curated therefore salon service appears on application goes rigorous verification process team ensure meet stringent quality control criteria team members personally visit salons experience sometimes even undercover makes us confident offerings nothing best number subscriber identification module", "label": 0}
{"pkg_name": "com.application.krikey", "description": "new game join princess maya battle monsters in enchanted forest reclaim palace download play india first augmented reality game built in partnership reliance jio play free directly on mobile phone headset required new feature offline mode available games in app pronounced cry key australian slang word expressing excitement hope feel joy play games first time key features three augmented reality games wingspan gorillas on games offline mode available create videos augmented reality gameplay share friends play free on mobile phone multiple languages available full list earn badges compete in daily lifetime challenges leaderboard track scores games join princess maya on journey enchanted forest battle monsters on quest reclaim palace earn badges make videos share game journey friends built in partnership reliance jio wingspan play bird scientist seeking protect collect birds in different ecosystems unlock different ecosystems bird species on map every day built in partnership games national audubon society gorillas play gorilla researcher on trek in rwanda seeking discover baby gorillas learn gorilla behavior meet different baby gorillas on journey built in partnership ellen degeneres wildlife foundation ellen fund pro tip playing 3d ar games pro tip sure stand up hold phone up directly in front make better augmented reality experience walk around game non ar users remain seated keep phone angle game tutorials available on social media youtube channels links mobile game tutorial https www youtube com watch v 2s share augmented reality adventure videos on social media forget tag us available languages app translated english hindi marathi tamil bengali gujarati indonesian japanese javanese kannada korean malayalam nepali portuguese punjabi sinhala spanish telugu urdu vietnamese questions suggestions email us support com would love help create share videos win badges compete in daily challenges award winning app many augmented reality games recent awards fast company list best apps games forbes gaming list follow us on journey game tutorials available on social media youtube channels links website https www com instagram https www instagram com facebook https www facebook com twitter https twitter com youtube https www youtube com channel bg linkedin https www linkedin com company thank supporting small startup team hope enjoy games number local area network email number", "label": 0}
{"pkg_name": "jp.co.a_tm.android.plus_color_block", "description": "personalize wallpaper icons home free customization app simple shapes pastel colors feature in theme bring great style smartphone personalizing wallpaper icons widgets never easier home free customization launcher app different themes chose sure find design suit every whim inquiries requests info android atm com requests find bugs please refrain writing in reviews unable address instead please send us in e mail address try best meet expectations compatible os android os newer developer inc home registered trademark inc android registered trademark google inc images used simply representations may differ final product inc reserves right make app unavailable download anytime without prior warning subscriber identification module email email", "label": 0}
{"pkg_name": "com.mhtus.newtusAndroid", "description": "recording health data symptoms monitor health status changes seek help needed features symptom self checklist self quarantined home limited access medical assistance self checklist effective reference however random googled up symptom checker could challenging determine symptoms key indicators ones important others abundant medical suggestions journals different sources sometimes hard follow well developed self checklist solve problems self checklist developed based on care guidelines clinical journal recommendations checklist easy use understand tracking sign sickness symptoms monitoring status urgent symptoms seek professional medical care soon possible health data monitor devices connection capability changing health data body temperature etc warning body condition tool lists important health data monitor example monitor help detect early sign silent hypoxia ask medical treatment on time prevent complications caused delayed treatment app help connect different physiological measurement devices oximeter thermometer etc record health metric automatically without manual input health record trend chart provides visualized easy follow trend chart based on user input data devices recordings visualized chart helps stay on top health status discover new onset problems one arise unprecedented time help overcome storm together stay healthy http www com solutions html follow fb latest useful information protecting https www facebook com", "label": 0}
{"pkg_name": "com.gametime", "description": "gametime nba live scores app notifies games in crunch time well displays current games played today in concise interface game holds scores time left remaining in game current quarter played game start time latest play game users also ability set want notified game setting score differential time remaining quarter additionally users also set favourite team sends notification everytime team playing specific day developers application qureshi gmail com datta datta carleton ca salman haider gmail com khan khan gmail com number email", "label": 0}
{"pkg_name": "hfh.wellbe.virtualassistant.droid", "description": "heard healthy empowered virtual assistant app used set up handsfree health smart speaker connect speaker wifi create profile join household manage health adding doctors medications create important reminders never miss important medicine appointment handsfree health secure hipaa compliant in home voice enabled smart speaker puts reliable health notifications personalized services answers in one place one voice matters handsfree health smart speaker allows access following services authoritative health information personalized services decision support tools medication management non compliance alerts medical procedure pricing estimates music weather sports pet information emergency alerts available purchase brainchild seasoned healthcare executives committed simplifying health management handsfree health speaks spoken offering medication appointment notifications medical cost estimates health answers emergency support much love knowing boost health reliable hipaa compliant proprietary health platform changing healthcare changing lives handsfree health smart speaker required must purchased separately number subscriber identification module", "label": 1}
{"pkg_name": "com.farmqa.scouting", "description": "scouting digital agronomy assistant crop field scouting flexible scouting forms scout crop anywhere scouting increase effectiveness crop scouting standard crops well specialty crops like grass seed hops even grapes constraints scouting adapts needs in field take pictures problems draw on map clearly communicate location every issue everything observe scouting documented efficiency accuracy scouting reports collected in field viewed immediately within web portal make best decisions disease pest treatment immediately without waiting scouts return field data stored securely in cloud accessible web portal control see features easily send scouting reports agronomists growers define customized scouting forms specific crops fields document findings photographs map annotations mobile optimized data entry makes time in field efficient see distances nearby fields specific fields draw field boundaries import automatically merge scouting reports multiple scouts one report work offline upload data cloud later designed growers kinds agronomy service providers specialty crop advisors crop consultants soil science consultants agri service companies number", "label": 0}
{"pkg_name": "com.wei.dream.virusfighter", "description": "small game fighting virus select different characters in game doctor toilet paper man save many patients meanwhile need stay away virus keep alive", "label": 0}
{"pkg_name": "com.blackcat.yeeztextreplacer", "description": "text replacer used replace words in sentences function rewriting letters focus on rewriting letters simple design easy use put necessary functions many uses app collect personal information number subscriber identification module", "label": 0}
{"pkg_name": "com.moonbrickgames.notthenabbles", "description": "looking real time action game involving cute creatures powerups course on loose drag drop items power ups level use make sure reach exit safely need help everything engineer boxes walk across safely create springs use bounce up high places give items like balloons climbing gloves get level safely stop much time need hurry fall doom completely free play enjoy please leave great rating problems please send us message respond every bit support helps need help get continue bring levels powerups worlds course enjoy games", "label": 0}
{"pkg_name": "com.microtech.measurementsuite2", "description": "microtech data suite statistical process control spc software compatible microtech precision measuring instruments wireless data output like wireless micrometer wireless inside caliper wireless indicator wireless caliper tablet indicator wireless bore gauges microtech data suite receive data several measuring devices time support instruments must purchased in app data received manage results in data table mode view data graph export report file additional features go nogo light indication timer based acquisition device firmware upgrade enhanced energy saving formula radius calculation cloud quality control new new cloud quality control feature perform quality control cycle in one app using templates control quality production samples view qc reports store data in cloud", "label": 0}
{"pkg_name": "com.fastrepost", "description": "fast repost repost instagram fast repost makes easy repost photos videos albums tv videos on instagram profile fast repost helps easily repost video photo instagram feed stories one click repost story directly in instagram features fast repost wish without login fast repost photos videos albums tv videos cost search people names photos tags hashtags fast repost instagram stories highlights user pin user want add favorite fast repost media copy caption fast repost popular bookmarked tagged tv videos give credit author post adding two types watermark fast repost affiliated instagram inc fast repost app makes fast easy repost share photos videos albums tv videos on instagram profile find something interesting on instagram copy post url open faster app start importing add meaningful caption media giving credit post author repost instagram post in simple steps first click on instagram logo faster redirect instagram click on button post select copy link option menu open faster enjoy reposting fast repost app requires instagram account use number subscriber identification module website", "label": 0}
{"pkg_name": "com.eo.philippines", "description": "entrepreneurs organization eo global peer peer network influential business owners chapters in countries founded in eo catalyst enables leading entrepreneurs learn grow leading greater success in business beyond", "label": 0}
{"pkg_name": "com.homecare.caregiverapp", "description": "homecare com connects safe reliable senior care jobs in area enjoy flexibility deserve along higher pay better benefits ability customize schedule fastest way find work caregiver homecare com find one on one caregiver jobs right in area access multiple opportunities find best match schedule track time care simple check in check earn get work get instant shift alerts new local opportunities become available never worry next cna opportunity going come homecare com track time care simply check in app enjoy ease tracking hours job functions in one place track activities daily livings adls review timesheet week get paid submit time sheets every week earn homecare com offers competitive rates get higher pay benefits deserve issues applying questions feedback email us hello homecare com subscriber identification module email", "label": 0}
{"pkg_name": "appinventor.ai_barcaroandrea.Bandwidth_converter", "description": "use useful tool convert weight choosing one units included in app transfer duration hour per gigabyte hour per megabyte minute per gigabyte minute per megabyte second per gigabyte second per megabyte byte petabyte per second terabyte per second gigabyte per second megabyte per second kilobyte per second byte per second per second per second per second per second per second bit per second terabit per second gigabit per second megabit per second kilobit per second bit per second per second per second per second per second per second", "label": 0}
{"pkg_name": "andestas2.firpas.com", "description": "know location family friends acquaintances employees co workers contacts initiates telephone conversation send short walk contacts simple click message allows selected contacts know location forget phone know problem locate quickly easily enables pc user also on windows mac linux pc number subscriber identification module", "label": 0}
{"pkg_name": "au.com.wordsforeveryoccasion.wordsforeveryoccasion", "description": "jan civil marriage celebrant jp professional civil celebrant justice peace operating in hills surrounding districts sydney civil marriage celebrant in sydney since performed variety civil ceremonies specialising in hills district sydney memorable wedding ceremony whether looking formal ceremony relaxed casual affair small private ceremony together make wedding day truly memorable occasion wedding ceremony reflect love commitment right marriage celebrant help achieve goals let assist in choosing style ceremony reflects ideals beliefs feelings wishes ceremonies professional civil celebrant also perform wedding ceremonies naming ceremonies renewal vows commitment ceremonies funerals phone discuss special ceremony", "label": 0}
{"pkg_name": "air.yamapara", "description": "mr satoru yamakawa shogi problem works shogi problem works progress owner stage worries easy progress", "label": 0}
{"pkg_name": "com.was.elevated.car.taxi.driver.simulator3d", "description": "take high tech experience easy taxi driving city cab in modern ny taxi simulator rush hour taxi cab driver exciting ny city cab taxi game pick up passengers distant locations take destination on time in order get stars begin career smart taxi driver pick drop passengers on board pinned locations become crazy taxi parking master prepare best taxi driving school experience drive heavy traffic roads along elevated car simulator use map guide help reach destination forget refuel yellow taxi cab highway gas station experience american taxi cab driving collect mobile taxi fares passengers in one best city taxi games easy taxi driving get ready drive modern american car pick drop people requesting smart taxi ride in ny city start day behind wheel yellow taxi cab in new generation best taxi driving games american taxi cab driver takes modern taxi driving simulator games smart car parking school genre whole new level adding unique gameplay elevated car taxi game new york taxi service best taxi game need provide city taxi service citizens requesting ride right getting request on mobile phone accept drive luxury car crazy taxi pinned location on time use luxury car driving school skills navigate new york city roads reach destinations within time limit complete ride amazing taxi cabby driver without crashing luxury cars safe ride get stars whether going city airport across town smart car straddles ny city rush heavy traffic roads efficient public transportation passengers experience smart ride on high tech transit sedan better modern taxi vehicles drive township taxi cab collect town taxi fares customers across metro city in realistic crazy taxi driving simulator games put pedal metal get behind wheels start smart taxi service business crazy cab driver become easy taxi car tycoon make city cab business convenient passengers book ride lifting arm hail city cab ordinary mobile taxi driving game accept ride request on smartphone reach on location pick customer requesting high tech hq taxi service passengers waiting get in yellow cab reach destination better hurry up hop front seat high tech transit rover real cabby driver guide metro city roads modern elevated car taxi drive feet ground level metro city traffic flows beneath without collisions new york taxi service take cabby ride on smart car suv prado provide pick drop yellow taxi service around ny city feel like city cab driver in famous black cab switch american yellow cab check elevated car taxi elevated taxi game perfect pick fans american taxi driving games like metro cab taxi simulator london taxi driver games rush hour taxi cab driver ny city cab taxi game features spectacular gameplay in yellow cab driving missions drive luxury cars elevated taxi car simulator public transport luxury hq taxi driving school missions based on unlimited rides realistic vehicle physics flawless driving controls drive london cab get stars explore open world detailed 3d graphics amazing sounds learn traffic signs rules driving fun become rush hour taxi cab driver play ny city cab taxi game best crazy taxi cab driving simulator on mobile number subscriber identification module", "label": 0}
{"pkg_name": "drsk.spirograph.livewallpaper", "description": "live wallpaper app creates host animated spirograph designs swipe interaction swipe switch new animation changing manually automatically animation completes switching new animation rotating device landscape portrait position way round use app menu choose setting button preview device look like live wallpaper applied hit set wallpaper alternative method on put finger on display long press popped up options select live wallpapers see list live wallpapers installed on device select preview device look like live wallpaper applied hit set wallpaper local area network", "label": 0}
{"pkg_name": "com.paychex.kiosk", "description": "administrators set up on paychex flex time paychex flex time essentials products download paychex time kiosk app users without appropriate administrator credentials unable access app please refer training materials information on creating new terminal linking app paychex time kiosk app enables paychex flex time clients turn android device working time clock employees record time perform self service options employees quickly punch in punch lunches breaks perform job transfers even device in location without established cellular wi fi signal employers grant employees access enter pay adjustments request time view schedule view approve time card clients enable optional image capture setting time punch", "label": 0}
{"pkg_name": "com.react_anywhere", "description": "anywhere easy use secure hipaa compliant application developed specifically mobile phone device seamlessly integrates patient scheduling inbox messages lab imaging results e prescription much convenient mobile app patient information accessed whenever on go also update appointments send prescriptions without turning on computer time join us use anywhere smart safe way gain efficiency time convenience daily practice number", "label": 0}
{"pkg_name": "app.jamob.holyrosarymercy_en", "description": "third taught vision sister faustina on september saw angel executor wrath god point reaching earth began implore god world words heard inwardly prayed thus saw angel forsaken could execute punishment next day inner voice taught prayer in beads rosary reciting rosary pleases give asked recite hardened sinners fill souls peace hour death happy write troubled souls soul sees recognizes gravity sins whole abyss misery in plunged unveiled let despair let launched confidence in arms mercy like child in arms dear mother souls upon merciful heart right precedence say soul turned mercy disappointed experienced vexation pray rosary dying stand father dying soul judge merciful savior rosary also includes contemplation certain passages life jesus mother mary according catholic church doctrine special relevance history salvation called mysteries rosary traditionally divided three equal parts fifty beads corresponded third part called rosary number", "label": 0}
{"pkg_name": "com.apprak.snappysticker", "description": "sweet snappy sticker app transform charming queen in pictures al look like cute girl within seconds smoothen beauty in pictures take next level ultimate sweet snap live filter photo editor obviously new generation sweet camera offers large variety funny dinky stickers like huge collection lovely stickers example doggy face stickers lovely cat face stickers panda rabbit face camera stickers sweet snappy sticker features nice interface easy use professional editing tools free heart crown sticker flower crown sticker snappy effect countless cute sticker lovely cat sticker funny sticker beautiful sticker effect updated day day sweet camera export snappy photo hd quality light weight low memory capacity stable smooth operation on devices share beautiful snappy photos on social networks easily quickly ever in addition sweet snap live filter includes helpful beauty camera smooth effect makes able remove pimples acnes blemishes in order beautify skin get perfect fresh handful teeth whitener super white tooth picture feel free use sweet snappy sticker totally free connection needed discover enjoy helpful options get useful tips get perfect use application keep in mind finish downloading sweet photo editor check images gallery select specific picture take new one try use sweet snap live filter effect customize selected picture ready share improved pictures either friends followers on different social networks on stories feeds also decorate picture catchy unicorn stickers many catchy motion stickers add benefit well ultra modern camera full adorable finger waving heart crown puke vomiting confused otherwise try plenty expressive face like pensive face lying face astonished face star struck face smiling face sunglasses nerd face worried face drooling face lot cute smiley obviously feel lucky using live face camera photo edit apply artistic bundle filter effects change pictures color styles in blink eye photo editor one creative filters filters pictures like sepia gingham clarendon natural vivid retro black white filter customize pictures style prefer on hand sweet snap camera enables add wide range overlay effects like bokeh galaxy glitter sparkle overlay effect switch picture real artwork sweet snappy sticker free certainly new way enjoy pictures new photo editor gives special chance try interesting hair color changer allows switch picture hair color in different bright colors looking forward seeing feedbacks application forget let friends know newest photo application number", "label": 0}
{"pkg_name": "com.BlackCatGameStudio.TicCatToe", "description": "love good old tic tac toe game love cats best world tic cat toe best mix classic cuteness", "label": 0}
{"pkg_name": "com.getfreesmsnumber.virtualsim", "description": "tired spam unwanted sms register websites require mobile numbers banned country hooray virtual sim apps allow use free premium numbers country support zero cost register required use download install virtual sim apps choose numbers want copy paste website required mobile phone done check sms arrive number short message service subscriber identification module", "label": 0}
{"pkg_name": "eu.bandainamcoent.tori.shadesoflight", "description": "requires physical purchase tori explorer pack play play mage apprentice become almighty in art shadow materialisation in shades light handle tori wand find in explorer pack play tori board get magical adventure features challenge critical thinking mental rotation skills succeed in light shadow game levitate wand manipulate objects rotate stage find perfect light angle objects materialise shadows unlock rooms medieval castle increasing difficulty tackle additional challenges sent tori dashboard app please ask parents download tori dashboard app on device allow enjoy best experience in shades light tori tori free creativity power up play discover whole new way play fun creative activities combined magic digital entertainment import creations made in real life find every move mirrored personalised games thanks mirror play technology mix screen digital activities developed in collaboration experts in children development experiences good leverage richness worlds learn tori checking website tori com requires tori board tori wand found in tori explorer pack check device compatibility tori com compatibility", "label": 0}
{"pkg_name": "com.playgroup_studio.currency_lite", "description": "pg currency converter exchange lite professional functional wonderful calculate directly in app calculates in different currencies time chase past history easy use work perfectly without network support currencies", "label": 0}
{"pkg_name": "com.chisomo.tonybark", "description": "inexplicably floating bones correct tony bark job time in world number", "label": 0}
{"pkg_name": "com.finestandroid.gpsmeter", "description": "gps distance meter tracking distance path length current average top speed also keeps measuring time journey use gps distance meter free measure distance point point b measure exact path go office walk get path nearest market buss station ever want keep track travel keep track training measure top speed running driving cycling know average current speed measure time need go office also found great track camino de santiago progress quick gps distance meter free combines stopwatch gps clever logic measure distance distance current location point start point path path length traveled start end top speed quickest speed reached average speed current speed time passed quick gps distance meter free accurate easy use gps distance path speed meter find many situations use gps person tracker personal location tool number", "label": 0}
{"pkg_name": "com.nwdco.bliss", "description": "bliss consultants made road map creating wealth smart application f f mobile app loaded special features helps invest track portfolio on go simple fast highly secured online investment tracking platform enables invest monitor create wealth f mobile app offers plethora features helps track assess take charge funds investments key highlights everything one roof get single view financial health bliss consultants derivative f product comprehensive portfolio snapshot client dashboard dashboard facility allows investors keep track invested funds profits loss one place reporting system separate sections generating tax related reports profit loss statements ledgers on monthly quarterly annual basis easy handy track plan investments ease monitor manage monthly profits help mpr profit options client agreement investors secured client agreement offers complete safety security individual family investments holdings us option nominee introduce nominee app safely handover investments wealth made someone care ease access features convenience easy investment well easy withdrawal start stop increase investment online anytime process completed within app hassle free paperless online system simple elegant designing app stress free investing monitor holdings us anytime anywhere hidden charges subscription number local area network subscriber identification module", "label": 0}
{"pkg_name": "com.stone12.mobile", "description": "app companion spiritual journey in initial version watch listen share video content may also search join small group also easy invite friends group stay connected information church please visit https com", "label": 0}
{"pkg_name": "com.carworld.carworld", "description": "welcome car world car world time nothing refuse buy providing one stop auto services including sport rim tires car accessories services services authentic quality guaranteed put worry trust us questions feel free contact us willing help needed number", "label": 0}
{"pkg_name": "kamaamilo.tabaarak.com.mogadishoonlineservice", "description": "online service mos one internet data trust also mos easiest way get data time", "label": 0}
{"pkg_name": "com.vasithwam.apps.tourtosikkim", "description": "sikkim state in northeast india bordered bhutan tibet nepal part himalayas area dramatic landscape includes india highest mountain kangchenjunga sikkim also home glaciers alpine meadows thousands varieties wildflowers steep paths lead hilltop buddhist monasteries dates early 1700s number local area network", "label": 0}
{"pkg_name": "com.baby.photoframe.pro", "description": "baby photo frame pro would like pictures appearing in beautiful baby photo frames fantasy frames ideal frame memories make unforgettable amazing stunning baby photo frames baby photo frame pro make photos special like share people on social networks features choose photo gallery camera choose baby photo frame two collection adjust position size angle photo finger gestures save created image sd card share creation via facebook twitter flickr email social networks love hear baby photo frame pro feedback questions concerns leave us review on google play store email us gmail com follow us on twitter http twitter com design dew facebook https www facebook com email", "label": 0}
{"pkg_name": "ru.laboratoryappsandgames.fireworkmilitarytanksimulator", "description": "firework military tank simulator fireworks military tank simulator military equipment charges fireworks waiting shoot tank mortar machine gun much lighting night sky bright colors salute large selection charges different calibres give festive mood on eve new year christmas charge fighting vehicles pyrotechnics press trigger button observe happening sides admiring powerful salvos guns variety effects explosion give lot positive emotions get experience points discover new weapons unique shells collect equipment presented arranging grand show shoot single volleys large caliber guns long bursts automatic cannons machine guns lower power fill weekdays new year mood enjoy unique visual effects gameplay take epicenter events present unforgettable performance inhabitants virtual city download good mood downloading firework military tank simulator part grand show happy new year merry christmas evaluate game share opinion in comments fun us number subscriber identification module", "label": 0}
{"pkg_name": "com.brocel.gdb", "description": "remotely control garage doors anywhere in world note app companion app remote hardware device purchase one www com forgot house keys launch app on smartphone need buy garage door remote control everyone in house download free app family friends need drop things away share password app gdb v2 supports almost garage door openers on market except following models please contact us http com contact gmail com certain chamberlain craftsman security openers supported support openers customized adapter required purchase customized adapter us genie series iii openers supported support openers genie dry contact adapter customized adapter required purchase customized adapter us number email number", "label": 1}
{"pkg_name": "com.wifiac.android.controller.activity", "description": "installed software open come login page enter account password click login on homepage see functions ie ac control ac supervise account first let introduce ac control remote control temperature wind speed swing patterns switch machine on ac supervise add ac also add user on page account users modify login account password", "label": 1}
{"pkg_name": "com.ws.mesh.customed.neu", "description": "app enables complete wireless control lighting connected device using simple bluetooth smart mesh technology wifi hub sold separately together app program lighting support daily schedule preferences create different mood lighting dim lights set up vacation mode sunrise sunset mode even lights change color beat music playing remote access connected devices possible using wifi hub grouping feature allows combine control multiple devices lights single group in real time app allows control devices easily efficiently even control device manually in event iphone ipad reach subscriber identification module", "label": 1}
{"pkg_name": "com.lutron.lutronhomeplus", "description": "in accordance continued commitment innovation integration security discontinuing home control app replacing new connect app new app provides remote access without yearly subscription fee offers enhanced integrations services like amazon alexa google home sonos please contact professional installer customer service receive upgrade information visit www com control home lights shades temperature keypads android handset tablet app requires total home control system homeworks qs homeworks illumination programmed using appropriate version design programming software features control lights shades temperature keypads in comfort home manage multiple homeworks qs homeworks illumination systems in app personalize keypad buttons add edit remove button settings on make temporary adjustments special occasions permanent changes match preferences right on schedule schedule scenes happen automatically set times day based on sunrise sunset turn on porch light dusk turn dawn open shades in morning wake up sun world class support remains committed providing world class quality service contact us hotline design programming software available qualified installers required initial setup application contact dealer information personalizing keypad buttons requires homeworks qs systems must configured installer install time", "label": 1}
{"pkg_name": "com.allremote.remotecontrolforlgtv", "description": "lost remote home in office want control lg tv search lg tv remote control lg tv remote control lg tv lg tv remotes application amazing option remote control lg tv lg tv remotes application feel original remote remote functions normal remote contains simple easy use lg tv remote control make life easier enjoy remote control lg tv lg tv remotes application best change device tv remote controller easy use anytime remote connect device wi fi connection start control tv android device download remote control lg tv lg tv remotes application convert mobile tv remote control application easily handle tv smart device in remote control lg tv lg tv remotes application different types remotes available easily use like use remote control lg tv lg tv remotes application different category like lg tv lg projector lg ac lg set top box lg dvd player use remote control lg tv lg tv remotes application easy anyone anywhere anytime amazing application application totally smart lg appliances perform one click in smart phone device share remote control lg tv lg tv remotes application on social media nearest dearest others use go play store download remote control lg tv lg tv remotes click on start select working open remote control operate smart tv remote lg appliances open remote operate way tv remote number subscriber identification module", "label": 1}
{"pkg_name": "uk.co.centrica.hive", "description": "hive creates elegantly designed smart home devices services controlled simple use app one world leading smart home providers hive million customers offer family smart products services work seamlessly together connect home hive actions clever ways connect hive devices together in app home works seamlessly around example set lights switch on motion detected dark set heating lower lights switch close bedroom door night create one tap shortcuts on dashboard quick actions set lighting mood movie nights switch everything tap head letting save energy ease hive thermostat control heating smartphone hive thermostat also adjust hot water separate hot water tank never left cold shower come back warm home without ever heat empty one letting save money on heating bills set daily heating hot water schedules protect pipes frost protection boost heating via hive app staying up late heading home early keep temperature home right away holiday mode geolocation alerts provide helpful heating reminders gone left heating on hive plugs control home appliances hive app schedule switch on hive lights spotlights colour changing bulbs find full range next generation smart lighting hive in set scene tapping app let look home turning on automatically looks like someone hive view check in on home stylish smart indoor camera hd live streaming two way audio person motion sound detection great peace mind away hive motion sensor hive motion sensor detects movement in home sends notification smartphone hive window door sensors hive window door sensor sends notification smartphone window door opens closes away home hive leak sensor helps spot unusual amount water flowing around home could potential leak sends notification smartphone help diagnose problem in hive app connect plumber need one hive hub hive hub advanced hub yet well connecting hive devices detects important sounds around home sends notification smartphone wherever know smoke co2 alarm goes glass in windows doors break even let know dog barks discover com number subscriber identification module", "label": 1}
{"pkg_name": "com.aimpro21.m3hpa_si", "description": "taylor app audio amplifier configuration tool use beale xpress beale street audio amplifiers feature rj45 receiver in jack app gives old school knob turning in form digital age virtual setup individual screens clean intuitive layouts setup volume eq power subwoofer reset update adjustments audible in real time setup options screen include volume input select master volume left right channel levels level balance source subwoofer level max output limiter equalizer band eq flat three factory presets one user defined setting power auto detect turn on source priority auto on auto clipping protection ir remote standby power mode subwoofer subwoofer on sub lfe variable crossover subsonic lowest frequency output slope phase mains high pass reset app amp default settings update firmware updates dbt taylor programming module taylor gateway amplifier communication link dbt taylor programming module displays current versions firmware taylor app dbt taylor taylor gateway connected amplifier amp configurations saved preset programs preset programs selected modified saved deleted comparing setups on given system without reconfigure amp used programming future installations similar setups though primarily intended use setup device taylor app dbt taylor also used bluetooth audio streaming ir control tablet transport functions amplifier ir remote control requires android tablet larger screen running bluetooth v4 better a2dp advanced audio distribution profile audio video remote control profile taylor app run on smartphones also requires beale street audio beale xpress dbt taylor programming module beale street audio beale xpress audio amplifier rj45 receiver in jack number subscriber identification module", "label": 1}
{"pkg_name": "axe.madmax.ajaxbrc", "description": "control various devices home bluetooth wireless technology become increasingly integrated devices like smartphones universal remote cum home automation done using arduino micro controller normal coding c program required together using arduino android control tv media players blue ray dvd audio video players h digital satellite receivers set top box home lighting using android application get rid holding remotes control home devices smartphone features search channels name number smart channel swap smart way skip adds in support tablets macro feature lets automate remote clicks home lighting single touch button customization enhanced help make automation device number", "label": 1}
{"pkg_name": "com.rhalotel.rhgps", "description": "universal comprehensive management platform iot devices developped r especialy truck vehicles monitoring ess solar energy storage system inverter management bikes assets tracking ultra low power consumption device autonomous power smartphone application provides different modules different functionality depends on iot end device in general application displays statistical historical data control behavior device manage configuration event notifications jer truck monitor monitoring system designed vehicles truck transport focus on diesel consumption monitoring company ltd owns comprehensive know research development production services in area makes unique development software infrastructure works on types devices fully functional without need installation development manufacture capacitive sensors accurate measurement fuel tank volume development production telemetry devices know mounting measuring probes system in trucks number", "label": 1}
{"pkg_name": "au.com.forward.pfodAppDemo", "description": "demo version v2 protocol operations discovery try free demo version on mobile test compatibility see example screens displayed downloading real work use free app design android menus arduino generate arduino code android programming required arduino coding required lastest version v2 adds interactive drawing cached menus images colour text formatting well sliders data logging plotting easily capture display measurements on android wifi support bit security control devices internet easily safely control arduino microprocessor devices mobile via bluetooth bluetooth le low energy wifi sms security android programming required screens colours font size style completely controlled arduino installation guide http www forward com au android pdf unleash power arduino micro project show people playing circuits building useful devices like garage door remotes room lighting etc control android mobile one control multiple devices different functions see www com au examples convert existing projects android control see youtube www com au index html example v1 used control knight rider lights extensive set options required android programming using on mobile users read text prompts send navigation commands traverse menu hierarchies choose single multi selection lists input sliders numbers text view data sent micro in language version supports non english menus screen texts contents screen shot including language completely controlled microprocessor app connecting protocol operation discovery simple request response protocol use micro controllers think html replacement much simpler format much shorter messages designed ease coding in micro processor functions micro browser micro server android stuff remembers menu hierarchy need code micro responds simple requests bluetooth wifi internet sends back simple micro pages in response text user choices displayed on android mobile completely controlled code in micro android coding required handles number local area network short message service subscriber identification module", "label": 1}
{"pkg_name": "kr.co.tskit.AvrBtWriter", "description": "app program avr using smart phone default bluetooth prepare target bootloader link version write avr full size bluetooth n support tested device updated hex v11 zip refer http co kr download automated teller machine", "label": 1}
{"pkg_name": "com.legrand.intuity", "description": "home automation system legrand take control multi room audio lighting security cameras intercoms even ambient room temperature conveniently ipad iphone android centralized command center https www legrand us home automation", "label": 1}
{"pkg_name": "com.evothings.bb8controller", "description": "control disco lights sounds push button fully customize sounds buttons liking change name on app edit mp3 file on arduino sketch connect disco arduino via bluetooth available sketches found on bb builders club forum https www dropbox com bb dome fx arduino app v1 zip dl number", "label": 1}
{"pkg_name": "com.switchbee.waco", "description": "smart home technology high end product wealthy home owners today waco smart touch transformed market innovative smart home solutions designed make accessible affordable everyone everywhere vision put customers heart smarter living ability control home electronic appliances including lighting blinds dimmers timed power switches single touch smartphone patented wireless technology removes need batteries neutral wire seamless fit type wall switch housing making installation simple avoiding unwanted rewiring convert wall switch smart switch in less two minutes turn typical home smart home in less minutes avoid messy rewiring make changes screwdriver instant fingertip control waco smart touch innovation goes beyond lights switches users control personalize entire home remotely app secure dashboard connecting light switches devices central unit hub complete control personalization want change world making fully flexible intuitive affordable smart home reality number subscriber identification module", "label": 1}
{"pkg_name": "com.sengled.Snap", "description": "snap combines wireless hd camera energy efficient led light bulb place snap entryways garages keep eye on day night ultra wide camera captures high quality video viewed instantly stored in cloud customize motion zones receive alerts activity detected snap provides peace mind home office on go features outdoor rated year round use wi fi connected wires required hd streaming recording motion detection intelligent alerts low light nighttime visibility cloud storage plans optional two way audio communication notifications scheduling sharing number", "label": 1}
{"pkg_name": "com.weedle.ogeneral_ac_remotes", "description": "remote control general air conditioner support models probably disclaimer app official general app contact us on inc gmail com number email", "label": 1}
{"pkg_name": "appinventor.ai_inspira_tech_academy.IAROVER_V2", "description": "bluetooth remote controller rover beta version rover arduino compatible based dual motor drive rover rover chassis 3d printed part academy 3d robotics programming education number", "label": 1}
{"pkg_name": "com.sharp.smartcontrol", "description": "sharp smart control designed control internet radio device using magic m6 m7 platform provides easy comfortable operation android device features local radio internet radio fm dab aux bluetooth preset hotkey stations add automatically save favorite edit favorite device radio station search automatic check software update device check manually on settings push talk local file support change startup screen remote control multi device room support one device failed connect device please restart device check option wlan devices communicate wifi router checked try problem please feel free contact us thank support feedback contact net email", "label": 1}
{"pkg_name": "com.mobile.myeye.ahd", "description": "watashi ahd v2 app designed work watashi brid dvrs ip cameras support cloud p2p function allows live view cameras remotely key feature support log in cloud technology support real time live view support remote playback local recording play support snapshot pictures searching support two way audio talk support control support scanning serial number qr code support cloud user register modify support remote device add edit delete support local device add edit delete support adding device address support manually searching device in lan local area network", "label": 1}
{"pkg_name": "com.bluino.esp8266wifirobotcar", "description": "tutorial https www com id arduino robot car bluetooth controlled program app designed make easy build basic wifi robot car app allows control based robot car wifi on ap sta mode also upload arduino sketch code directly android phone via usb otg wifi ota n advised app contains ads potential in app purchase improve next app development features simply remote control interface upload firmware via usb otg wifi ota directly android phone remote control mode obstacle avoidance servo mode line follower mode object follower mode available arduino source code number subscriber identification module", "label": 1}
{"pkg_name": "com.beok.heat", "description": "home app software official application controls co ltd main functions controls thermostats realizing remote control handset software support temperature control high low control switching on timing temperature adjustment functions", "label": 1}
{"pkg_name": "au.com.interactivehome.ih", "description": "interactive home allows view control home anywhere in world connect home google home amazon echo set up automated actions depending on time temperature smart devices get real time notifications straight smartphone interactive home worries leaving lights on thing past future smart sign in facebook remotely control smart home appliances anywhere multi view viewing cameras geo fencing beta trigger devices arriving leaving location voice control via amazon echo google home add control multiple devices receive real time alerts notifications automate devices start stop based on temperature location time easily share devices homes among family members clear interface simple use easy understand number subscriber identification module", "label": 1}
{"pkg_name": "com.cei.navigator", "description": "first fpv flying trainer rc eye navigator offers full pilot assist features automatic altitude control gps enabled bailout features foldable arms legs well integrated vision system axis stabilization app instantly connected via bluetooth allowing tune navigator exactly want adjustments features like low altitude control minimum flying height camera tilt auto stabilization enable disable task point much make navigator completely features pairing navigator assign low altitude control minimum flying height enable disable camera tilt angle function gnss r technology enabled task point command system p c return home r h geo fencing flying configuration altitude height hold gps position hold features coming soon version includes enhancements in new point interest poi flight mode poi flying always allows keep focus on specific object person flight controller work fly poi manually autonomously continued use gps running in background dramatically decrease battery life on smart device", "label": 1}
{"pkg_name": "com.securenettech.beacon6production", "description": "beacon protection gives complete control security system cameras lights locks thermostats connected devices anywhere in world key features arm disarm home security system anywhere receive text email notifications in event alarm system disarmed watch record live video home security cameras control home automation enabled z wave devices please note access app must account set up beacon protection number", "label": 1}
{"pkg_name": "com.dedalesoft.onezapfree", "description": "wifi infrared remote control fully customizable home in create remote plex kodi xbmc devices organize movies series music turn lights start favorite movie on tv sofa ir blaster infrared infrared remote control using ir blaster integrated devices samsung sony lg bose denon pioneer onkyo etc learning mode allowing copy remotes htc devices compatible community database create share new infrared commands quick test devices control media server plex xbmc kodi browse library movies series music play movie series album change language subtitles search keyboard mobile customizable controls control home automation system import switch configurations dimmer commons features macros controlling multiple devices create buttons sliders change colors buttons background color remotes move resize buttons sliders possibility holding button perform continuous control eg volume up volume create shortcuts permissions bull identity account creation sharing devices bull photos cache media server images bull wifi images used in screenshots creative commons license sintel copyright blender foundation durian blender org local area network", "label": 1}
{"pkg_name": "gr.fundroid3000.bluetootharduino", "description": "arduino bluetooth controller application application allows control arduino board similar boards via bluetooth create awesome fully customized projects use android bluetooth mobile device remote control device bluetooth module arduino board application used automation system car control smart home automation alarm triggering etc smartly remembers bluetooth module always try connect automatically latest one used select every time use major features terminal used send commands using simple keyboard on buttons used configure according need game controller control directional real devices dimmer used change brightness leds speed real devices timer used set time duration on device also shows countdown timer in seconds secondary features configure app according need e command wanna send arduino board according choice arduino c c sample code provided feature check in menu in app also share somebody send email including sample code encounter problem application need specific tool control board pleased help p application tested successfully hc hc bluetooth wireless modules also working rest bluetooth spp wireless modules number subscriber identification module", "label": 1}
{"pkg_name": "com.alarm.alarmmobile.android.liberty", "description": "liberty live enabled security system monitor control home anywhere liberty live interactive security video monitoring energy management home automation solutions give instant awareness remote control places care note app requires compatible system interactive liberty live service plan feature availability varies service plan visit www ca information remote features see happening property arm disarm security panel watch live video recorded clips security cameras turn lights on set ideal temperature lock unlock doors view images important activity captured liberty live search complete system event history liberty live also receive real time e mail text message push notifications specific events matter beyond important emergency related events also know kids get home school left work vacation forgot arm system housekeeper arrives leaves garage door left open dog walker cat sitter arrives flooding water leak in basement children open medicine liquor cabinets someone changes thermostat settings security system disarmed disarmed someone attempts log account number email", "label": 1}
{"pkg_name": "botnoke.ac_remote.for_york", "description": "get easily york air conditioner remote in one app remote control york ac app quickly connect smart device york ac remote app get types york air conditioner brand remote universal york remote control ac quick remote control york support quickly connects air conditioner allows change fan power room temperature remote control york ac simple remote controller air conditioning remote one smart york remote easy control ac smartphone control easily york air conditioners worldwide whenever wherever want york ac remote control app set temperature control various york air conditioning modes auto cool heat fan dry ac remote quick way get york ac remote on mobile phone free install smart york ac remote control app in device select air conditioner control easily smart device features handle modes smartphone easy activate deactivate ac allow option change ac fan speed change temperature change mode ac simple way change smartphone york ac remote keep always york ac remote york ac supported simple way control temperature one touch change ac mode functions supported convenient user interface use app free install mini pocket ac remote controller subscriber identification module", "label": 1}
{"pkg_name": "com.honeywell.mobile.android.totalComfort", "description": "honeywell total connect comfort app allows users remotely monitor manage heating cooling system anytime anywhere honeywell total connect comfort works honeywell wi fi thermostats prestige prestige iaq wireless econnect comfort systems used in conjunction honeywell internet gateway honeywell total connect comfort app users view change schedule thermostats support feature utilize demo mode purchasing thermostat view change heating cooling system settings view set indoor temperature view change system fan thermostats support feature view change humidifier dehumidifier settings thermostats support feature view day weather forecast view outdoor temperature humidity used outdoor sensor access multiple smart thermostats access multiple locations one system registered view thermostat alerts high low temperature automatically upgrade new features become available whether homeowner business owner users find comfort in total connect comfort", "label": 1}
{"pkg_name": "com.YourCompany.VR_DuckHunt", "description": "form classic duck hunt games new explosive action style shooting ducks defend swimming pool infesting ducks compete friend highest score game playable using google cardboard vr headset using bluetooth remote controller set bluetooth remote game mode use right button perform action game saving please check app info permissions storage enabled enjoy vr duck shooter uses unreal engine unreal trademark registered trademark epic games inc in united states america elsewhere unreal engine copyright epic games inc rights reserved number", "label": 1}
{"pkg_name": "botnoke.ac_remote.for_midea", "description": "get easily midea air conditioner remote in one app remote control midea ac app quickly connect smart device midea ac remote app get types midea air conditioner brand remote universal midea remote control ac quick remote control midea support quickly connects air conditioner allows change fan power room temperature remote control midea ac simple remote controller air conditioning remote one smart midea remote easy control ac smartphone control easily midea air conditioners worldwide whenever wherever want midea ac remote control app set temperature control various midea air conditioning modes auto cool heat fan dry ac remote quick way get midea ac remote on mobile phone free install smart midea ac remote control app in device select air conditioner control easily smart device features handle modes smartphone easy activate deactivate ac allow option change ac fan speed change temperature change mode ac simple way change smartphone midea ac remote keep always midea ac remote midea ac supported simple way control temperature one touch change ac mode functions supported convenient user interface use app free install mini pocket ac remote controller subscriber identification module", "label": 1}
{"pkg_name": "elonetech.gtpl.remotecontrol", "description": "use remote control app instantly convert smartphone remote mobile works tv remote control powerful remote control app easy free use anyone remote control app allows users option handle set top box smart device easy simple way convert mobile remote control remote control convenient user interface use easily smartphone app best change device tv remote easy use anytime remote connect device wifi connection start control tv smartphone install app convert mobile tv remote control app easy handle tv mobile remote control app smart app easily change device remote control use remote controller app handle setup box anywhere anytime app instant change smartphone remote control features clear user interface nice design free tv remote keys keep anytime remote change smartphone mini pocket remote simplest way convert mobile remote instant use in emergency situations convert mobile tv remote handle tv mobile remote allow getting remote tv awesome features remote control tv power on control buttons easy volume up subscriber identification module", "label": 1}
{"pkg_name": "huiyan.p2pwificam.client", "description": "android android", "label": 0}
{"pkg_name": "com.ezzi.tv", "description": "tv app convenient non infrared universal remote smart home theater devices time say wow completely boost tv watching entertainment experience seriously better remote apps in google play tv simple use app works via wi fi require additional software hardware devices need connected one local wi fi network android phone tablet running os tv remote controller supports many popular ip enabled dlna compatible devices example sony bravia lg tvs running webos samsung smart tvs made apple tv 2nd 3rd latest 4th generations dvr media players hd receivers tivo dune others control one one together in actions see details lets watch movies enjoy tv shows series listings navigate menus control volume switch channels kind stuff simple smart remote app promises tv universal remote personalized want control home theater devices one one pretty designed screen set work together in action set up watching parameters save action play scenarios combination supported devices tap peel in favorites set tv channel want on control samsung sony lg webos netcast tv volume remotely set up output volume device setup input hdmi connection port device option especially suitable tv connected many source devices simultaneously xbox game console media player sound system set top box directv standard digital receiver others select port connected device tv choose playing action enable subtitles on apple tv 3g atv 2g 4g tv app really smart remote app letting control devices remotely one one even simultaneously save favorite watching settings actions actions tim asked sundar tried actions sundar replied well imagine one tap tv turn on set volume preferred level launch apple tv on hdmi input tim explained in terms tv action custom preset one home cinema devices example set up action following parameters turn on living room sony tv on rd channel apply volume level turn on bravia switch linked apple tv input volume run saved action one tap scheduling options coming in nearest releases easy start pleasant use enjoy new home theater watching experience tv get app turn on smart tvs hd receivers apple tv connect wifi pair tv following simple on screen manual create actions devices adjust settings want act together example connect sony tv apple tv turn on sony volume play settings combination one tap running corresponding action attention sometimes may happen tv connect mobile device app installed although among supported ones happens please go settings home network setup remote device renderer renderer access control check phone rights control volume make sure renderer on online support questions tv always reach us via online support chat inside app drop letter support com app name in subject number number subscriber identification module email", "label": 1}
{"pkg_name": "ilight.ascsoftware.com.au.ilight", "description": "intelligent wireless lighting solution controls lights selects perfect colour brightness smart phone tablet touchscreen fill house colour sync music link alarms schedules even help regulate body clock also provides security within home setting lights holiday mode away enhance living technology solution fully integrating system complete home wide control maximum savings features operate single lamp group lamps control anywhere in world built in schedules every lamp change cool white warm white anywhere in change colour million choose four different acceleration speeds reading relaxxxg modes candle light mode colour rotation alarm clock function turn light on alarm clock sounds occupancy sensor control wireless switches holiday security mode sync lights music circadian mode auto brightness via built in light intensity sensor on short cuts lowest life cycle cost stand alone integrated", "label": 1}
{"pkg_name": "elshab7.engineering.elshab7_rc_controller", "description": "info codes go site rc controller site https sites google com view home bluetooth wifi remote rc controller control microcontroller arduino pic bluetooth module hc hc control microcontroller microprocessor wifi module ethernet module e connected internet tcp socket communication like raspberry pi arduino connected internet via shield portrait landscape layouts extra control buttons used functions need serial reading writing consoles control buttons accelerometer speed control different speeds stable communication number local area network automated teller machine", "label": 1}
{"pkg_name": "com.bedjet.vetremote", "description": "bluetooth smart remote app vet animal warmer intelligent remote control dispatch vet smartphone tablet monitor real time temperature patients surgery set custom warming temperatures degree set custom air flows warming blankets customized auto shutoff timers hepa filter life meter", "label": 1}
{"pkg_name": "com.owlr.controller.foscam", "description": "makes viewing home pets office easy simple free ip camera viewer designed real people ip camera viewer designed specifically cameras designed around home e g baby monitor pet monitor home security office use store security user favourite features include camera auto discovery smart auto discovery feature detects ip camera complete install in less seconds added view camera ip camera viewer app listen audio support use listen feature on camera listen baby saying loud dog barking cameras add public webcams want see favourite traffic cams supports publicly accessible web cams currently using url view webcam on public camera channel features coming furiously adding new features every week based on feedback let us know opinion desires http hootie co users suggest updating priorities based on information support questions find us http com support com like us http facebook com follow us http twitter com happy viewing ip camera viewer app features ip cameras ip address necessary external access camera upnp enabled on router http hootie co audio support listen cameras ptt series mirror flip video feed public webcams support featured favourites rtsp video support easy use features features coming in future releases respects privacy camera passwords stay on phone in servers camera feeds available share app goes background video feed stops known supported cameras oct series audio listen na mini series two way audio v2 ptt support c1 c2 r2 logo trademarks registered trademarks technologies ltd subsidiaries in united kingdom countries company product names mentioned herein trademarks registered trademarks respective companies number subscriber identification module website email", "label": 1}
{"pkg_name": "com.pdp.MEAndromeda", "description": "explorer uncharted worlds take control officially licensed collector edition nomad remote controllable vehicle featured in mass effect andromeda mass effect andromeda nomad rc app control nomad rc vehicle compatible smart device access app control direction vehicle switch vehicle lights on snap photos record videos on go integrated camera app users also control headlamps activate mass effect sounds provided bioware mass effect andromeda nomad rc app features control nomad phone use hassle free app control officially licensed nomad phone featuring wheel drive front rear steering easily control direction speed vehicle switch lights on app switch lights on control headlamps show accurate detail nomad take photos record video snap photos record videos integrated camera explorer uncharted worlds save favorites easily share photos videos friends activate mass effect sounds using app hear sound effects provided bioware complete full in game experience number", "label": 1}
{"pkg_name": "co.gatelabs.android", "description": "gate smart lock equips door lock camera doorbell keypad motion sensor managed phone gate door lock hardware required use app need hide share keys cleaners dog walkers deliverymen repairmen guests anyone else provide access door simplicity text message number subscriber identification module", "label": 1}
{"pkg_name": "com.romt.tvremoteforaoctv", "description": "tv remote aoc tv app work change device tv remote controller nice way use anytime remote connect device wifi connection start control tv smartphone app includes latest features like view photos play videos music phone on big tv screen install app convert mobile tv remote control app best app use remote control in device use app handle tv anytime tv remote aoc tv app easily converts android phone tv remote control simple easy configure mode use exactly remote control tv use app change smart device tv remote simple clear user interface use understand app without problems app easy handle tv mobile awesome features tv remote control power on control buttons volume control keys available change mobile tv remote easy volume up handle tv mobile remote allow getting remote tv tv tv remotes buttons supported simple easy way convert mobile remote nice design simple interface subscriber identification module", "label": 1}
{"pkg_name": "com.cypress.cypressblebeacon", "description": "cypress ble beacon bluetooth low energy ble bluetooth smart utility developed cypress semiconductor corporation cypress ble beacon used ble products cypress like solar powered iot device kit solar powered ble sensor beacon features evaluate solar powered sensor nodes cypress ble beacon provides following features device screen display device information graph screen display sensor data line charts log screen display sensor data data logger store sensor data 10m bytes number", "label": 1}
{"pkg_name": "com.nedis.smarthomesecurity", "description": "smart home security offers remote control surveillance household view live streaming videos record videos later viewing monitor energy usage control devices power switch pir motion detector door contact completed alarm system konig smart home security konig konig security smart home security security sas", "label": 1}
{"pkg_name": "it.candy.simplyfi", "description": "candy simply fi app allows communicate appliance beside assisting in carrying daily activities candy simply fi increases functionality making product set products intelligent performing take advantage candy simply fi functionality need acquire one appliances equipped candy wi fi connected technology smart fi smart fi smart touch compatible device product range manageable via candy fi app includes washing machines tumble dryers dishwashers refrigerators ovens hobs hoods integrated demo mode explore functionality candy simply fi app purchasing appliance range information available in www com www com need support please contact local candy customer service find references on official website write us support candy hoover com please remember specify problem details product serial number model smartphone tablet app version operating system version smartphone tablet interaction smart touch products limited on android smartphones without nfc technology on tablets android devices however access additional contents quick links assistance manuals service available in italian english number subscriber identification module email", "label": 1}
{"pkg_name": "com.dlfour.fandusettopremotecontrol", "description": "f u set top box remote control application special design easily change smartphone tv remote control easily change smart device tv remote special app worries tv remote lost place application in smartphone get easily f u set top box remote free need registration process get remote in smartphone use app instead tv remote handle set top box easily smartphone special in f u set top box remote control channel index lists volume up control volume control channel up control menu button up left right controls keep anytime remote mini pocket remote controller power on control mute un mute channel digits buttons easily change smartphone remote control using f u remote control app install f u set top box remote control application convert smartphone tv remote control without paying little amount work tv remote needs keep wifi connection connect automatically tv highlights allow getting remote f u tv awesome features remote control tv power on control buttons instant use in emergency situations change mobile set up box remote nice design simple interface handle f u tv mobile remote tv remote keys simple use app free keyword set top box remote control remote control digital f u set up box remote f u hd remote control set top box remote control new f u remote control remote control set top box number subscriber identification module", "label": 1}
{"pkg_name": "com.bluemate.garagemate", "description": "app open garage door using iphones androids pair up phones note app requires purchase receiver available website on amazon trusted thousands users worldwide secure garage door opener simple installation takes minutes even someone else app able open garage without permission compatible genie chamberlain sears craftsman raynor wayne dalton axis cam nearly garage door openers built in last years use simple wall switch note newer chamberlains craftsman yellow learn button work chamberlain accessories compatible please visit compatibility page details phones previously paired receiver open garage door pairing process requires physical access receiver possible someone else pair phone receiver outside garage app free buy latest low cost receiver website https com searching on amazon receiver includes power adapter never needs batteries old remotes wall switch continue work performed extensive fail safe testing extreme temperatures also tested high humidity power loss problems many situations even extreme conditions receiver never opens garage door accidentally also password protect phone app believe secure way access home password protection lose phone one enter home said keys garage door remotes thank download support additional tags genie chamberlain sears garage door remote garage door opener garage mate com com gd mate number subscriber identification module", "label": 1}
{"pkg_name": "com.moko.fitpolo", "description": "designed smart band read sport data smart band setting parameters paired band phone sync steps calorie journey heart rate smart band store sports data in phone find band make notification calling on phone number", "label": 1}
{"pkg_name": "cc.littlebits.android", "description": "app support gizmos gadgets 2nd edition kits gizmos gadgets app personal guide unleashing creativity discover thousands inventions take challenges control inventions wirelessly connect global community access step step tutorials easily share creations gizmos gadgets kit 2nd edition app requirement learn make blinking buzzing bumbling robot synth keytar shred on perfect way automate curtains open sunrise add bluetooth low energy bit control phone tablet get personalized invention recommendations explore thousands inventions instructions people like share inventions community earn badges competing in community challenges showcasing built control bluetooth low energy bit enabled inventions smart device learn inventions make bits manage bit inventory build collection platform easy use electronic buildings blocks create inventions large small innovative building blocks snap together tiny magnets allowing anyone build invent prototype electronics independent age gender technical background soldering wiring programming required number", "label": 1}
{"pkg_name": "com.mobile.explorer", "description": "app longer supported 31st april upgrade available please update qv pro app use dvrs within explorer range including pioneer models important device configuration setup data may wiped update explorer app recommend make backup copy data updating app control explorer range dvr remotely using mobile smart device gain peace mind always connected security system monitor live camera feeds keep eye on property playback recorded footage directly dvr hard disk drive receive email notifications alerting security alarm triggered ; multi panel live camera view ; recorded footage playback ; push notification emails alarm triggered ; photo snapshot video storage ; record footage straight smart device ; simple connection setup ; easy use navigate interface features make app essential tool in providing effective surveillance protection important number", "label": 1}
{"pkg_name": "com.ippriz.ipprizsistemleri", "description": "application use wifi smart socket buyers wifi smart ip switch free universal smart home remote control software smart devices including smart socket led lamp fan heater air purifier etc smart home control center manage appliances one app features support wifi network support status tracking home appliances status timely feedback app support remotely turn on added devices support max timing tasks added device support numerous wifi smart switches one smart phone easy installation easy handling activated immediately stably specification voltage range ac max current 10a max wattage watts dimensions l w h 23mm color white humidity percent wireless frequency working temp degree", "label": 1}
{"pkg_name": "com.techwin.shc", "description": "mobile application lets view live video use two way audio communication network cameras anywhere smartphone use hanwha home monitoring system mobile free application designed specifically hanwha home monitoring product supported models updated continuously android versions supported recommended smartphone galaxy s5 s6 current compatible models snh snh snh snh snh snh snh snh snh snh snh features view live video supported format h event alarm notification service easy video monitoring in 3g mobile wi fi environment two way audio communication application uses ffmpeg sdl lgpl v2 device limit number users depending on network traffic status audio playback may smooth in profile change mode in case recommend operate in normal mode number", "label": 1}
{"pkg_name": "com.letosmart.leto", "description": "leto smart thermostat allows control boiler in private home apartment well in heating systems without boiler control heat consumption using radiator thermostats set room temperature via app android phone new leto mobile app used monitor control leto room thermostats radiator controllers one finger moving on smartphone smart heating control leto app always connected home heating system internet allows control heating saving bills adjust temperature schedule working mode using phone anytime anywhere see current state home temperature humidity batteries energy consumption wi fi connection set temperature in multiple locations individually multi zone heating control app shows much energy used timely manage heating system efficient possible pushing temperature alerts notifications home gets cold hot view take local weather forecast reference setting temperature heating system automatically upgrade new versions available features require working wi fi internet connection learn products go com number", "label": 1}
{"pkg_name": "com.pointpi.lexi", "description": "lexi smart lighting smarter lighting take smart home up notches lexi app control lexi lights leading smart lights well lexi app easily control lexi smart lights also lights leading brands including philips hue sylvania osram tp link create dynamic scenes choose pre defined dynamic scenes like sunrise sunset create loop scenes let one run several hours lighting changes take lights lexi hub portable many lexi lights battery operated take parties camping dinners group brand location light type light category lexi app designed lights actually used go ahead create groups location also manufacturer light type even light category using unique customer categorization scheme designed around lights actually used circadian rhythms built in lot recent research discussion role circadian rhythms role in maintaining good health lexi app comes circadian rhythms built in easily control lights in whole house lexi app built make easy run lights across entire home enabling set up room lighting suite intended purpose works amazon alexa google assistant easily control lights smart lights lexi lights using amazon alexa google assistant samsung operate hundreds lights lexi app supports ability run hundreds lights artificial ceiling lights like competitors inside outside limitation lexi app easily run lights inside outside without need wifi boosters additional hubs set schedules create rules easy run lights on schedule like create rules select pre existing routines create rules select lights want run on schedules vacation mode yes lexi app also vacation mode set forget lights run home away learn https io number", "label": 1}
{"pkg_name": "com.philips.hueswitcher.quickstart", "description": "hue switcher third party application designed enable fun advanced smart control philips hue bridge lighting system hue switcher natively designed philips hue bridges accessories using philips hue api yet support bluetooth control warning hue switcher contains many dynamic lighting effects lavas contain rapid bursts light please use risk see disclaimer note hue switcher currently available in english using non english device language input may cause app instability crashes additional languages added in future manage light groups lava lamp choose custom designed lava scenes music effects create auto color generator allows create place pattern colors onto size light group create delete retrieve rename light groups on philips hue bridge lights assigned one light group accessory programming create trigger events using many different options hue accessories hue tap dimmer switch motion sensor scenes create scenes unique settings every light in specified light group save scenes sliding bars assigned different rooms in home scenes automatically saved philips hue bridge using current light settings hue bridge snapshots exactly lights look like upon creation retrieve later set transition times seconds minutes gradually fade lights on rooms create rooms house different collections scene sliders dimmer switches control unique scene saved philips hue bridge note hue switcher rooms related philips hue api rooms rooms stored locally in app lessen light group room confusion generated official application scene light schedules create light schedules trigger scenes certain times day recurring on certain days week automate entry way lights back yard lights front porch balcony aquarium etc create light alarm clock triggering scene minute transition time in morning multi bridge support instructions http www com instructions system requirements developed second gen hue bridge version app optimized based on philips hue api highly recommend keep bridge up date enable latest features maintain compatibility terms conditions iot switch llc takes responsibility harm bodily otherwise may cause others using application application integrates many different technologies therefore many different potential points failure guarantee app work time purchases in app products final refunds exchanges required us except required state federal law app gathers anonymous usage statistics in order better craft user experience app official philips lighting application using app means also subject terms use outlined in philips hue api documentation found https developers com documentation terms use https developers com content terms use agree terms conditions well terms conditions outlined philips hue using application using fastest setting certain lavas create rapid bursts light strobe star burst lavas contain light bursts default number local area network", "label": 1}
{"pkg_name": "com.deltaww.dhvac.unosense", "description": "ever wondering indoor air quality comfort condition within urban indoor area study work quality time uno sense connects environment system uno app connecting uno sense always displaying indoor air quality condition comfort level day night also learns wants create desirable environment amazed number", "label": 1}
{"pkg_name": "cc.blynk.appexport.i2t_smart_app", "description": "mobile app smart graphical operation interface hmi smartphone new internet things iot technology developed remote control monitoring in smart home applications app enables users remotely monitor sensors remotely control types actuators connected smart devices devices app communicate iot server in internet cloud app manages configures remotely operates following smart devices com mx light control light monitoring doors power control electrical equipment monitoring alert button sensor monitoring motion door sensors alarm control control monitoring electric garage door water garden irrigation control gas control gas supply control monitoring door electric actuator switch universal switch control digital sensor monitoring app following features on control actuators lights appliances alarms doors valves etc real time remote monitoring digital sensors presence movement detector etc automatic on programming in schedules timers automatic turn notifications app email detection on sensor activated communication iot server smart devices via wi fi app wi fi 3g data network 4g hubs device connects directly cloud single user security manage devices number", "label": 1}
{"pkg_name": "org.catrobat.catroid.phiro", "description": "code app educational robot use code need pro robot learn please visit website http note code compatible coding apps pocket code http pc code enables create play share remix programs in visual drag drop programming environment develop app control robot games animations apps become easy make directly on smartphone tablet code allows program control robot wirelessly via bluetooth using smartphone tablet use smart phone sensors create cool effects combination robot app make line follower robot obstacle create remote control car much code also helps program control robot together wireless arduino board time enrich robot additional sensors actuators see youtube channel http many examples showing use app play http control robot in many different ways initially pair phone pro robot needs done please turn robot on press red button on top robot three rounded arrows two times display area illuminated in blue color switches robot bluetooth mode on phone scan new bluetooth devices identify robot name contains number printed on underside robot select entry enter code pair phone robot time use code please make sure turn on bluetooth on pro pressing red button on top robot three rounded arrows two times display area illuminated in blue color switches robot bluetooth mode on phone starting project created code select right bluetooth device containing number printed on underside robot please note code currently runs well on smartphone tablets screen size up number", "label": 1}
{"pkg_name": "za.net.gensys.IoTSwitch", "description": "range products small high quality relatively inexpensive open iot product complimentary platform solutions enable remotely power control electronic device electrical appliance directly connected thereby enabling true internet things enhancement existing automation automation non automated electrical appliances quick easy installation physically installed use app quickly configure new switch start controlling switch via local wifi cloud in minutes export app seamlessly integrate allowing simply export app readily available in existing home automation system cloud scheduling create schedules via app link one control power based on schedule switch on pulse switch specified time interval schedule in cloud execute relevant command given schedule regardless location app connectivity state secure switch secure cloud enabled switch locking via app enables password protection web interface owner able see use unlock need arise prevents users adding accessing switch without owner knowledge switch control control switches way control iot switches custom firmware loaded on switch also get functionality available on standard firmware combine number iot switches switches control in application iot switches allow control switches running firmware without monthly subscription supported switches iot switches basic smart wifi switches loaded firmware available https www co za app serves alternative app iot switch app gives far greater control basic wifi smart app unlimited schedules unlimited number basic wifi smart switches running firmware owner defined user initial configuration switch via app number subscriber identification module", "label": 1}
{"pkg_name": "com.leedarson.ble", "description": "ble smart home", "label": 1}
{"pkg_name": "com.livolo.livolointelligermanager", "description": "smart home gate smart home control application allows remotely control company electronic switches sockets smart devices well control partners products elf amazon echo smart audio voice control various devices smart home gate", "label": 1}
{"pkg_name": "com.fnoks.whitebox", "description": "discover rialto active simple flexible smart home system brings real savings rialto active system comprises ; free app ; whitebox control unit connected home router ; rialto active thermostat rialto active smart plug app installed manage home heating rialto active smart thermostat even rialto active smart plugs also switch on control power usage household electrical appliances via app wherever happen want see works try demo version app information help www com smart home way like ; simple makes life easier moment installation ; multi zone controls thermostats smart plugs in different zones home even on multiple floors ; expandable suit particular needs up devices ; worries connected devices heating lights household electrical appliances etc switched on using ; cost saving spend less money adjusting settings however far away may ; green chance save energy knowing using much ; made in italy rialto active app rialto active products designed made in italy choose rialto active ; multi thermostat up heating zones ; expandable up wireless devices thermostats smart plugs ; works even without connected internet programming data data stored locally in control unit online ; power control unit problem use rialto active thermostats smart plugs in way traditional products built in function buttons ; privacy assured rialto active uses remote server manage communication smartphone home system save data concerning habits on external servers number subscriber identification module", "label": 1}
{"pkg_name": "com.mountainedge.fitit", "description": "android widget fitbit ultimate widget fitbit android users keep track progress in home screen widget limited features ads pro feature rich personalized eg widgets sync options personalized color themes etc try pro today suggestions email us help us take app next level email promptly responded acted on work hard improve apps value inputs fitbit gadgets eg flex one aria widget helping us monitor progress activities whats new support fitbit surge charge hr charge flex alta blaze widget monitor device last sync time battery level next alarm steps distance calories burned sleep food calories intake water consumption active minutes weight floors recommendation recommend good internet data connection initial setup widget may experience timeout due poor connection results incomplete setup happens uninstall widget settings apps wait minutes download widget google play disclaimer warranty expressed implied application author liable in manner direct incidental indirect punitive damages arising access use inability use application errors omissions in information on application author shall liable third party additional modification suspension discontinuance application number", "label": 1}
{"pkg_name": "com.corsa.miawa.main", "description": "la tecnolog\u00eda al servicio de la la app del equipo e te permite controlar en tiempo real su estado hist\u00f3rico de estado de los calidad del agua entre otros la con el equipo se realiza mediante bluetooth la sum en la experiencia", "label": 0}
{"pkg_name": "com.autowp.canreader", "description": "network monitor communication application features send receive frames rtr frames standart extended bit frames support two networks types high speed fault tolerant ft windows application compatibility files support protocol support various adapters currently shield useless without adapter device info https github com blob master docs en readme md", "label": 1}
{"pkg_name": "de.insta.enet.smarthome", "description": "mit der app sie ihr und rund um smart home darin vor von sie mit smartphone licht und \u00fcber eine gibt es eine den server mit software version oder zum update finden sie unter update com smart home ist eine starker marken die eine mission ihren wie zu machen und \u201e bei der installation ein ihr system hat sie ihr heim \u00fcber die app sie ist auf sie smart home die app ist ist der zur f\u00fcr nur sie wer in welche hat wer also alles und wer nur kann mit dem smart home remote k\u00f6nnen sie ihr von sie und sie ihr sich auf diese weise ihrer sie f\u00fcr ihr heim auf die minute und ein wenn ein kann eine sie nur die sie die und als favorit ein sind diese mit nur einem sie ihre oder sie ob eine oder das licht im haus soll wir haben f\u00fcr sie sie sich zur\u00fcck und sie los immer wissen welches strom damit sie schnell sie im und ihr weg zur wird immer sein dank smart home secure ist die ihrer egal ob sie von oder mit der wissen sie immer welche in aktiv sind sie haben noch server aber smart home auf unserer homepage www com finden sie in ihrer und werden sie und laden sie die smart home app und sie los number", "label": 0}
{"pkg_name": "com.app.iotbind", "description": "control esp arduino raspberry pi microcomputers smartphone cloud internet platform create device like switch sensor water level gps tracking platform diy internet thinks makers innovative platform provide solutions creative minds unleash ideas projects connect single platform provides services communication control information collection tools created based on tests tests done navigating in internet space things share solutions experiences apis supported communication protocols connect yor device platform like http https websocket protocols coming api reference example code https com api html example device arduino uno arduino mega arduino nano arduino mini arduino arduino due arduino raspberry pi spark core particle core particle photon board wicked wildfire device supports internet access one supported protocols app view project in account control smart home devices connected in project interactive data review sensors see device details view history data chart graph geographic tracking devices live on map display time date timezone edit account data view project data properties view departments in project view devices in departments add new devices add timer on switch devices add delete departments add delete devices departments manage display favorite devices view diy gps tracking devices on google maps view delete project number", "label": 1}
{"pkg_name": "xkglow.xktitan", "description": "xk titan app controller innovative system completely upgrades functions experience existing offroad emergency led lighting following unique features patterns including strobe breath burst etc zone independent control build multiple presets various purposes via app road mode emergency mode on road mode save multiple favorites controller access via switch sensor mode automatically trigger designated lights special needs reverse courtesy lights sync light music in phone microphone remember parked vehicle universal 12v single color leds requirements xk titan controller light system required using app customer service url http www com articles asp id product url http www com xk titan bluetooth app led light controller p xk titan kit htm disclaimer continued use gps running in background dramatically decrease battery life provide best user experience find vehicle feature activates gps in background seconds phone disconnected controller power consumption similar opening maps app briefly find current location also turn feature time subscriber identification module website", "label": 1}
{"pkg_name": "com.gurtam.distancetag.admin", "description": "distance tag quick cheap reliable enterprise solution staying informed whether employees follow route dwell in certain areas in cases movement restrictions simple bluetooth bracelet free app connected account provide authorities companies organizations live info on whether members staying inside definite zone office facility features quickly add new people watch configure settings person easily pair bluetooth bracelets generate qr codes people log in remotely control users apps distance tag easy quick set up employees company personal data protection fail safe solution cannot cheated distance tag provided international developer platform gps monitoring iot system compatible types telematics devices used in countries units monitored worldwide app intended admin purposes employee check distance tag app subscriber identification module", "label": 1}
{"pkg_name": "com.yamaha.pa.wirelessdcp", "description": "wireless dcp application android devices provides remote control yamaha mtx series signal processors application provides simple intuitive graphical templates allow users venue staff control following functions mtx processor volume levels on controls preset recall play music announcements sd card list tested android devices available www com please note app designed use yamaha mtx hardware mtx editor software demo mode allows view app looks performs range demonstration projects privacy policy application never collect externally transfer personal data stored in smartphone tablet application performs following functions purposes described making connection wifi enabled environment application uses wifi function on mobile terminal purpose operating network enabled devices notice android devices support cellular connection device run android os later version feature cellular connection works in preference network connections device therefore use wireless dcp application state wi fi router connection internet mtx device located on local network cannot detected automatically based on priority connection in case device able connect mtx device performing one following operations figured dialog shows network internet access please change local network connection keeping connection specify proper ip address mtx device using manual ip function wireless dcp application supports sending inquiry e mail address yamaha may use information provide may forward third party in japan even in countries yamaha answer inquiry yamaha may keep data business record may refer right on personal data right in eu shall post inquiry e mail address find problem on personal data number subscriber identification module email", "label": 1}
{"pkg_name": "com.nux.mightylite", "description": "note application requires bluetooth location privileges otherwise bluetooth work mighty amp remote control device management app nux mighty lite bt amplifier nga mighty bt mighty bt mighty bt ga connect mighty amps via wireless parameter control engage hidden functions like modulation playback etc made android os version app allows user engage tweak parameters bluetooth user could control effect like channel switching depth rate modulation drum styles etc number", "label": 1}
{"pkg_name": "com.braedin.butler.vspeed.vario", "description": "v speed vario required use app available on ebay app give better image v speed vario transmits live bluetooth data barometric altitude vertical speed battery level features include implemented gps gps altitude ground speed heading implemented audio beeps helpful listening foot climb well variable sink tone implemented accelerometer keeping track max g force hard turn spiral visual display includes line chart vertical speed well scrolling altitude numbers see precise vertical velocity climb sink thresholds adjustable within app also change thresholds on external vario automatically", "label": 1}
{"pkg_name": "com.Smart3OnlineStore.Smart3OnlineStore", "description": "iot smart home online store wireless wired smart home building automation z wave wifi knx smart living make daily lives efficient providing full system enabling home monitoring security safety air conditioning management", "label": 1}
{"pkg_name": "snapp.codes.com", "description": "looking smart convenient iptv player making things simpler iptv app step foot world hassle free smart simple ip television experience cool content plex media player app use software plex android plex media server watch favorite content endlessly single space plex media player new plex media player app lets browse watch content urls plex media server providers enjoy cool library favorite content learn details different shows watch content subtitles enjoy unlimited new streaming features iptv app smart iptv player connect smart devices like android tv iptv player enjoy supreme ip television experience get rid content blocks using in built vpn adjust parental control features add up servers in single app watch ip television iptv app snapp new free powerful software media player entertainment hub digital media uses android tv style interface designed end point digital media using remote control primary input device graphical user interface gui allows user easily start playback iptv content multiple playlists plex media servers designed keeping user privacy security in mind iptv app one safest ways ip television quick easy setup setting up plex media player pretty easy follow simple steps download launch snapp iptv free plex media player enter email id in plex android app enter plex media server url url merge settings enabling plex media server settings explore iptv app content start streaming favorite content compatible many devices new plex media player everything quite simple compatible tv screens mobile devices fire tv devices android features snapp iptv free plex media player iptv app connects plex media server content connects file url easily combine up different playlists in display organize playlist content in order playback live content movies series streaming in iptv hd sd 4k built in smart epg requirement epg url parental control built in powerful iptv players stunning layout simple use android tv design built in multi server vpn access one click connect setup config files required embedded subtitles help enjoy favorite content without language restriction smart api system predicting delivering content like iptv media server provider system use snapp distribute content users resume playback part watched vod content across devices free download contains adverts pro section want support us in return give cool features private vpn connection play waiting download use snapp iptv free plex media player today disclaimer snapp supply include media content users must provide content via playlist plex media server snapp affiliation third party provider whatsoever endorse streaming copyright protected material without permission copyright holder built developed https tv number local area network subscriber identification module website", "label": 0}
{"pkg_name": "com.andromo.dev614880.app774731", "description": "simple raspberry pi projects beginners code schematics raspberry pi arm cortex based popular development board designed electronics engineers makers single board computer working on low power processing speed memory raspberry pi used performing different functions time like normal pc hence called mini computer in palm powerful features easy use functionalities raspberry pi become one popular open source hardware platform build long range projects simple electronics projects students beginners high end industrial applications in section covered list super simple raspberry pi projects students makers learn experiment make something useful pi raspberry pi projects tutorials covered detailed explanation circuit diagrams software codes videos getting started raspberry pi introduction getting started raspberry pi configuration led blinking raspberry pi python program raspberry pi twitter bot using python remote controlled car using raspberry pi fingerprint sensor interfacing raspberry pi print server install kodi on raspberry pi raspberry pi ball tracking robot plex media server on raspberry pi controlling raspberry pi pins using telegram bot raspberry pi raspberry pi gps module interfacing tutorial interfacing flex sensor raspberry pi time digit segment display raspberry pi based smart phone controlled home automation raspberry pi motion sensor alarm diy raspberry pi diy web controlled raspberry pi surveillance raspberry pi surveillance camera number subscriber identification module", "label": 1}
{"pkg_name": "com.kraftwerk9.hitachirc", "description": "remote roku tv hitachi best free remote control unit hitachi roku tv simple design intuitive interface pileup buttons complex settings need connect android device hitachi roku tv wi fi network main features automatic detection hitachi roku tv in wi fi network large touchpad convenient menu content navigation launching channels directly application compatibility rc hitachi compatible hitachi roku tv applications like youtube hulu screen keyboards take input android keyboard disclaimer kraftwerk inc affiliated entity roku inc hitachi ltd remote roku tv hitachi application official product roku hitachi number subscriber identification module", "label": 1}
{"pkg_name": "com.godrej.eagleinxt", "description": "eagle nxt alarm system diy easy use security system monthly fees contracts required could connect internet lan wifi use cellular sms backup communication eagle nxt allows control alarm system time anywhere in real time including arm disarm alarm trigger sos setting up system help iot networking protocol reaction speed would amazingly fast operating app would like operating via remote controller app manage official security accessories like contact sensors motion sensors pet immune optional remote controllers co sensors gas sensors smoke detectors etc also works smart cameras smart plugs allow users watch live video recorded files turn on home appliances remotely built in guidelines users run system quickly even without manual including daily operations professional settings unsafe event happens like break in pressing panic button system alert emergency contacts push notifications sms texts generating built in siren scare intruder built in battery could work hours without external power provide best experiences system app keep collecting requires feedbacks end users release new firmware app needed professional on security home office problem using please hesitate write us support email godrej com would ready help soon number local area network short message service email", "label": 1}
{"pkg_name": "com.zenthermostat.consumer.app.prod", "description": "note app provides remote control wifi edition zen thermostat smartphone control zigbee edition zen thermostat please refer home automation hub provider app simple beautiful connected award winning zen thermostat integrates seamlessly living space allows powerful control home comfort wherever ; easy install simple guide ; remotely view home current ambient temperature ; adjust thermostat set point comfort ; create schedules automate heating cooling questions zen thermostat help getting started visit us com email us support com subscriber identification module email", "label": 1}
{"pkg_name": "com.cogcons.smartdevices", "description": "smart devices automation app enables users securely monitor control devices appliances remotely well locally supports mobile voice control makes life easier power internet things iot features control devices remotely anywhere in world select device connected switch like light bulb chandelier curtains etc manage device room wise floor wise share devices family guests real time alerts voice support google assistant amazon echo make life easier live smarter", "label": 1}
{"pkg_name": "com.schneiderelectric.WiserBySE", "description": "wiser se app smart home assistant allows control monitor home anytime anywhere features device settings control wiser se app links schneider wiser hub merges lighting curtain ac tv av control devices switches sensors alarms one app control devices in home device control page on wiser se app device settings changed app like back light brightness controlling dimmer range moment setting control ; moment select devices assign preset status single click selected devices go preset status example leave home select preset away moment button turn devices get home select welcome turn on devices lights ac ; automation moment use wiser app set hands free automation example open door lighting automatically turn on curtain open ac set comfortable temperature welcome home even need touch phone thanks wiser sensors automation setting in app push notification critical events like water detection water leakage sensor get notified immediately notification recorded in app history voice control wiser system supports variety voice control devices like amazon alexa google home genie china in app detailed guide on set up voice control wiser se app voice control speaker check settings services start new smart home journey speaking remote control wiser se app easily control wherever in world home management share home settings home members adding user accounts home created number", "label": 1}
{"pkg_name": "com.nokelock.klic", "description": "put extra care personal storage regimen find like true keyless protection freedom stainless steel smart lock intelligent app driven software designed keep stuff safe locked up confirm security every time check app smartphone tablet bluetooth enabled intelligent locking system features one tap locking unlocking remote location battery monitoring anti theft activity monitoring family friends housekeepers want add passcode access always on top belongings matter experience keyless convenience familiar padlock design familiar compact padlock design smart lock makes ideal indoor use in school gym lockers indoor storage lockers door locks bike locks lock also allows enjoy month battery life single charge features micro usb port allow recharging needed even portable charger in case emergency app driven security easily download app pair bluetooth enabled smartphone smart lock set passcode friends family gain control access stored stuff anywhere in world including activity monitoring optional sharing tamper proof goods away bluetooth connectivity app accessed paired smart device including bluetooth compatible androids iphones using bluetooth v4 technology bluetooth connection allows lock unlock one tap allowing remote access friends family coworkers on go also allowing remove access user easily number", "label": 1}
{"pkg_name": "com.hover1bike.hover1", "description": "hover app compatible following hover models beast charger eclipse h1 horizon nomad color changing lights superstar titan color changing lights hover app allows connect several models via bluetooth following change skill levels access manuals customer support track trips mileage use gps view speed view battery life change color lights available on models diagnose issues please note continued gps location dramatically decrease devices battery life thank choosing hover america hoverboard brand number number", "label": 1}
{"pkg_name": "de.twokit.video.tv.cast.browser.roku", "description": "upgrade roku stick roku box roku tv watch online movies live tv shows directly on biggest screen web video streamer mp4 hls video https course full hd supported control roku integrated roku remote app works roku streaming device video tv cast browse web stream cast video want on roku navigate favorite website send embedded video single tap roku discovered video shown browser tap on video link send roku immediately important notes please read supported roku players roku tv roku streaming stick roku express roku premiere roku ultra roku roku roku roku hd roku lt player please make sure firmware later installed supported roku players roku classic models roku tv box supported videos flash video google play movies netflix amazon hbo drm protected videos web videos online movies live tv shows please test websites videos in free edition casting fails upgrading make work magically app mirror full android device pushes video part website roku play mp4 directly on roku enter paste full video url in browser address bar sometimes necessary play video on android device link gets detected casting connection work please try restart android device roku wifi router specific web video online movie livestream live tv show cast please check faq send website video link info video tv cast com using report feature in app try add support video soon possible leaving negative play store reviews without information issue give us chance help security note safety video tv cast needs minimal android permissions work unlike others access identity data accounts device id phone status gps location contacts please always check required app permissions trust install android app refunds within hours purchase please submit google purchase id quick start guide wait seconds red icon in menu bar changes filled white icon roku found please restart app google favorite video e g on youtube enter video url directly in browser address bar tapping on pen icon in menu bar wait seconds video link mp4 etc shown browser videolink found cast stays please play video locally in browser first open in fullscreen mode wait seconds link detected tap on tap cast browser casting start enjoy web video online movie livestream live tv show share app on twitter facebook message developers suggestions discover problems video tv cast please let us know info video tv cast com help soon like app please support us giving star rating on google play thank support disclaimer app affiliated roku trademark mentioned number website email number", "label": 1}
{"pkg_name": "bh.smart", "description": "smart home voice control application allows users control houses speaking phones application dedicated also handicapped people help control homes without help others active bluetooth in phone smart home contains also two databases record password address bluetooth module decided make easy choose device bluetooth want paired say configuration click on name device on micro button return back home control light say light on light control conditioner say conditioner on stop control door say open door close default password house change saying change password choose password want time say time know temperature say temperature close application say close feedback always excited hear feedback questions concerns please email gmail com follow in linkedin https www linkedin com in marwa email", "label": 1}
{"pkg_name": "com.benetech.metermate", "description": "", "label": 0}
{"pkg_name": "th.co.mimotech.android.aissmartlife", "description": "ais smart life application brings convenience home safety home security users ais smart life app remotely control various iot devices e g smart lighting camera home appliances etc anywhere anytime remotely control various iot devices in one ais smart life app able define conditions enable various iot devices work together even brand control iot devices voice via google assistant amazon alexa siri easily share iot devices family members control iot devices number", "label": 1}
{"pkg_name": "com.alloyhome.home", "description": "alloy smart home automation system allows homeowners manage connected smart devices single app control lock thermostat lighting plus monitor home leaks temperature humidity alerts one user friendly interface alloy stay connected home matter enjoy benefits keyless home entry provide access codes friends guests create scenes schedules automate day day optimize energy consumption custom climate controls even connect favorite voice assistant total control home using voice commands key features keyless home access lets remotely lock unlock door create access code credentials friends family guests track monitor real time activity events in home added security control set schedules smart devices create edit scenes simultaneously control devices one tap adjust climate settings matter connect voice assistant control home voice commands app available use invitation please email support com information number subscriber identification module email", "label": 1}
{"pkg_name": "net.wellshin.smarthome", "description": "time get smart next generation iot smart home security automation solution app allows control home business security automation systems virtually anywhere tap swipe easily protect matters enjoy additional peace mind virtually anywhere in world app enable custom remote automation allows ; arm disarm alarm ; turn on small manual appliances fan rice cooker kettle ; control appliance ir remote air conditioner television set top box ; open garage door gate allow delivery man enter ; lock unlock doors remotely allowing family friends even pet sitter enter home need away ; receive instant motion sensor alert notifications children arrive home school view live video feed check in on ; interact family home way talk capability ; full view home rotating pt camera up cameras multiple streamers on one screen simultaneously via multi view display functionality ; allows automate appliances lighting using triggers wide range sensors ; optimize climate controls temperature adjustments settings on schedule comfort energy savings fit lifestyle ; easy set up wireless cabling required fast secure configuration local wifi automatic device lookup qr code ; user friendly camera monitor home one glance smart phone ; high quality surveillance hear every tiny noise every breath sigh sound via live audio video stream ; safe reliable camera works via wifi 3g lte networks fast automatic reconnection in event wifi dropout outage ; eco conscious saves energy using sensors schedules power on appliances lighting family products encompasses cameras sensors led lightings switches controls fully integrated app operations controls available via ios android smart devices moreover works wide range home appliances devices control appliances air conditioners televisions fans garage doors electric gates etc right comfort fingertips installed without additional cabling disruption household simply plug device wall socket start using add new devices system via qr code easy setup configuration make enhancement daily life number subscriber identification module", "label": 1}
{"pkg_name": "com.neco.desarrollo.arduinomultimeterfree", "description": "digital multimeter oscilloscope help measure volts ohms temperature light lx frequency amplitude oscilloscope included sound generator sine square wave included in version pro color code resistance calculator save measuring data added capacitance meter mf inductance meter easy build need arduino uno nano bluetooth module hc hc temperature sensor resistances oscilloscope old headphones pins capacitor web page https www neco desarrollo es please watch video tutorial use oscilloscope https build circuit follow link download schematic http neco desarrollo es arduino link download arduino sketch http neco desarrollo es arduino web page www neco desarrollo es councils improve precision check voltage 5v pin arduino connecting everything reference voltage measure ohms connecting bluetooth module voltage drops bit in 8v put exact value in arduino code values resistances must precise must weld connections avoid parasitic resistances multimeter oscilloscope try number", "label": 1}
{"pkg_name": "com.brilliantts.tracker", "description": "phew tracker system controlling short range bluetooth two way communication devices find things lost forgetfulness instantly manage location various setting items indoors attaching bluetooth receiver important item object strap ring etc using phew tracker app track location within communication radius indoor outdoor sound melody generated bluetooth device attached object led generated bluetooth device attached object set various melodies on smartphone bluetooth receiver lost in phew tracker app beep sound melody generated in phew tracker app last pairing position phew tracker ar check coordinates location on map phew tracker app communicate phew tracker rc remote controller in future various products services utilizing phew app launched continuously", "label": 1}
{"pkg_name": "com.iridium.i3pro_v200", "description": "i3 pro user app component iridium pro ecosystem control monitor capabilities iridium pro allows integrate control professional automation systems multimedia iot gadgets in one app one interface feature distinguished interfaces created in iridium pro interfaces unique individual style navigation architecture e created regard customer demands underlining individuality status integrates control functions smart home building ; security ; climate ; lighting blinds shutters ; audio video equipment ; intercom following automation systems supported ; knx ; hdl provide system integrators following tools convenient work iridium pro ; driver development kit tool create drivers control av equipment iot device ; iridium cloud cloud service store projects transfer end users also provides remote project control important ; in iridium pro besides visualization create logics control project done help iridium server iridium server store process data well iridium pro complete ecosystem allows solve tasks set integrator attention installation app works in demo mode control smart home office ; want app control home end user please get in touch integrator list certified iridium specialists gladly answer questions support ru number email", "label": 1}
{"pkg_name": "com.yamaha.avsetupguide", "description": "av setup guide application assists cable connections av receiver source devices well av receiver setup app guides various settings speaker connections tv source device connections assigning power amp system illustrations actual av receiver images help understand easily make connections devices receiver network capable setting parameters on app automatically copied av receiver simple setup functions connections support guide speaker connections tv source devices connections setup support guide automatic setup via network hdmi power amp assign etc various setup assistance illustrations setting guidance view owner manual requirements os android higher screen size higher screen resolution 1024x768 higher compatibility certain tablet devices always guaranteed wireless local area network lan compatible yamaha network product residing within lan internet connection please refer following site compatible models https usa yamaha com products audio visual apps av setup guide index html application performs following functions purposes described making connection wi fi enabled environment application uses wi fi function on mobile terminal purpose operating network enabled devices local area network subscriber identification module", "label": 1}
{"pkg_name": "com.iridium.lite_v100", "description": "i3 lite enables control video surveillance security ventilation conditioning heating lighting blinds shutters audio video equipment intercom spheres use houses apartments home cinemas hotels room control offices control projects made installers electricians main principle i3 lite work scan go control interfaces made fast easily without programming project ready saved in iridium cloud given customer updates done via cloud supported brands knx hdl hdl wireless samsung smart home sonos nest global cach gmail full list supported equipment https com store attention installation app works in demo mode control house office want control house office end user get in touch installer list iridium certified specialists https com find dealer installer electrician register iridium mobile web site https com signup start making control projects learn https com lite number", "label": 1}
{"pkg_name": "com.rtrk.cockpit", "description": "cockpit offers advanced application managing smart homes cockpit application based on iot internet things allows clever cost effective efficient management household appliances dimming turning lights on lowering shutters desired height air conditioning multimedia systems control well automatic scenarios general shutdown electrical devices in single click cockpit app user friendly allowing anyone easily create scenarios cockpit application used either mobile network wifi network smart home using variety tablets smart phones please note cockpit app requires cockpit gateway cockpit devices enables controlling home electrical devices remotely anywhere anytime features instant control access cockpit hardware simple touch control manage appliances optimized wifi 3g edge connectivity real time update devices light status temperature status etc access ip security cameras follow electricity devices buttery consumption create scenarios away night vacation etc support support please email us support biz number subscriber identification module email", "label": 1}
{"pkg_name": "com.equalizersystems.eq_smart_level", "description": "bluetooth remote control operating bluetooth enabled equalizer systems eq smart level vehicle leveling system", "label": 1}
{"pkg_name": "com.circlemedia.circlehome", "description": "works circle disney device supported netgear routers compatible 2nd generation circle home plus device circle circle products help families better manage time spent online filtering content balancing online usage never easier devices on home network wireless wired connected devices circle covered customizing circle unique family quick easy circle mission improve families lives online circle disney device supported netgear router please visit www com learn products need help questions need help circle want provide feedback contact support team help com go support com netgear optional in app subscription pricing terms circle premium supported netgear routers optional automatic renewing subscription subscription charged google play account confirmation purchase automatically renew unless auto renewing turned least hours end current period current subscribers manage subscriptions turn auto renewal visiting play store subscriptions settings purchase circle premium supported netgear routers usd month com netgear privacy policy https com privacy terms use https com license number email", "label": 1}
{"pkg_name": "com.neotech.homesmart", "description": "home smart smart device base on iot functionality automation in home easily operate home appliances using application smart hardware device", "label": 1}
{"pkg_name": "com.myhealthplus.apps", "description": "free app designed work com activity tracker devices sleep better get active get productive sync activity sleep tracker android device track daily goals progress time steps distance calories burned log food see many calories consume day manage weight time compete compare stats friends", "label": 1}
{"pkg_name": "com.braeburn.bluelink", "description": "connect smart connect wi fi thermostat virtually anywhere smart phone tablet remotely monitor adjust heating cooling program schedule fan thermostat settings smart connect app users ; view adjust current set point temperatures ; view adjust program schedule ; view adjust multi color day programs ; view adjust heating cooling settings ; view adjust system fan settings ; view adjust thermostat alerts ; view outdoor temperature outdoor sensor connected ; view adjust humidity level humidity sensor connected supported thermostat installer settings", "label": 1}
{"pkg_name": "jp.iotsuka.sendbluetooth01", "description": "blender 3d app automatically send shortcut keys input pc via bluetooth protocol app works auto shortcut keys input blender 3d app kind remote controller blender 3d user longer needs remember keys name shortcut input user needs touch items on list displayed on android smartphone app needs sent shortcut input receiving software pc side receiving soft downloaded following website http com type bluetooth dongle on pc necessary number", "label": 1}
{"pkg_name": "com.dinsafer.mynova", "description": "nova smart alarm system diy easy use security system monthly fees contracts required could connect internet lan wifi use cellular sms backup communication nova app allows control alarm system time anywhere in real time including arm disarm alarm trigger sos setting up system help iot networking protocol reaction speed would amazingly fast operating app would like operating via remote controller app manage official security accessories like contact sensors motion sensors pet immune optional remote controllers co sensors gas sensors smoke detectors etc also works smart cameras smart plugs allow users watch live video recorded files turn on home appliances remotely built in guidelines users run system quickly even without manual including daily operations professional settings unsafe event happens like break in pressing panic button system alert emergency contacts push notifications sms texts generating built in siren scare intruder built in battery could work hours without external power provide best experiences system app keep collecting requires feedbacks end users release new firmware app needed professional on security home office problem using please hesitate write us support email support com would ready help soon number local area network short message service email", "label": 1}
{"pkg_name": "de.volkswagen.mediacontrol", "description": "total control everywhere vw media control app tablet smartphone becomes remote control volkswagen infotainment system example able see current position distance destination remaining driving time on display question yet answered within blink eye google search locations also easily transferred navigation system destination address appointment calendar phone book on mobile device in mood music balance fading volume control in hands select available stations either using automatic manual station search tuning directly frequency course also select songs albums matter infotainment system external audio source connected bluetooth infotainment system internet connection vw media control also gives access entire world wide web look up favorite songs artists worry start stop access external devices time in infotainment system best infotainment looks like volkswagen app requires vehicle specific data interface either discover pro discover media radio navigation system range functions varies depending on infotainment system manufacture date please contact volkswagen dealer questions screenshots shown example appearance content may vary actual application https volkswagen de infotainment de de manuals app downloads html", "label": 1}
{"pkg_name": "smart.iblue", "description": "app control product anywhere in world on ios devices ready take home automation new level feel technology innovation always mission want help pay lesser feel better live smarter turn home appliances electronic devices on remotely allows control home appliances electronic devices remotely bluetooth technology download free app smartphones tablets control devices control home appliances electronic devices outside bluetooth technology used widely in limited distance want control home appliances electronic devices outside gateway need work android higher apple ios higher gateway connected phone tablet internet communicate control appliances devices outside create rules set devices on upon schedule set light on sunset app update sunrise sunset time every day whatever season in winter use app on light snug in bed great forgot light headed work worry smart wall switch solve problem fingertip follow mood set up different colors brightness color temperature timer different scenes romantic party reading scene smart bulb enjoy waking up natural warm sunlight changing bulb color following mood definitely things app please visit www com number", "label": 1}
{"pkg_name": "com.samsung.cac", "description": "introduction control samsung smart air conditioner application never worry accidently left air conditioner on since easily turn outside house smart device furthermore turn on arrive always enter cool house feature applicable cassette ducted type samsung air conditioner models supported mobile phone note application may available on devices galaxy s2 note hd lte tab service needs access permissions following required access permission location required search nearby air conditioner devices phone purpose recognizing unique device information registering service contacts registered samsung account information used provide services require account linking number", "label": 1}
{"pkg_name": "com.wificam.uCareCam", "description": "client app wifi ip camera need android please check quick install guide detailed user manual q inside cam app main functions monitor live video streaming wifi ip camera 3g 5g 4g connection two way audio monitor simplex snapshot picture live video recording audio video local sd card playback remote sd card audio video support motion detection app notify message motion detection triggered email snapshot picture alarm triggered camera management support scan input uid lan search import uid manually input uid update history version support new p2p library firmware add french language osd version add share function display uid via in app fix wifi ssid special chars ex version new function need firmware add sd card damaged format in pc notify message on live video screen add red round icon camera list window indicate sd card recording function enabled fix wps search function list search uid show exist text already in camera list version add ssl encryption in smtp email server setting support day light saving adjust add debug mechanism in sd card speed up boot up time add digital zoom in sd card playback emphasis relay mode maximum speed limitation fps version extend email title chars add event icon in camera list add quick install guide detailed user manual faq inside app version customized smtp email server setting sending alarm message support gmail account sending alarm message provide level sensitivity motion detection number local area network number", "label": 1}
{"pkg_name": "com.momentum.video", "description": "features watch live hd 720p streaming video view compatible smartphones pc mac motion detection notification ir night vision degree wide angle viewing two way audio communication store video snapshots cloud cloud storage offering record view history in app purchase required number", "label": 1}
{"pkg_name": "com.eightsleep.eight", "description": "eight sleep app requires eight sleep pod smart bed features available certain products learn get https www com eight sleep products give everything need get sleep fit dynamic temperature regulation advanced biometric tracking sleep coaching smart home integrations eight sleep products equipped advanced technology optimize rest dynamic temperature control full range temperature degrees fahrenheit on either side bed enjoy cooler environment deeper longer uninterrupted sleep powered machine learning biofeedback smart temperature mode automatically adjusts temperature bed throughout night optimal sleep advanced biometric tracking seamlessly monitor dozen physiological environmental data points time slept time fall asleep time wake up respiratory rate heart rate heart rate variability temperature in bed sleep breaks light sleep deep sleep rem sleep sleep coaching eight sleep ai engine calculates sleep fitness score sleep patterns provides recommended pod settings allows compare friends peers smart home integrations integrates wi fi enabled devices alexa google home philips hue lights coffee maker etc use eight sleep app need android later learn eight sleep https www com questions help email us support com number email", "label": 1}
{"pkg_name": "com.connectedtechnologies.connect_one", "description": "whether one locations convenience control view interact systems in real time one secure login powerful web hosted service allows fast easy management locations systems personnel unlock doors fast using smartphone tablet mobile credential complete control view recent activity system mapping arm disarm security areas view zones sensors bypass capability view control access doors outputs view live video view control thermostats view control lighting view control automation tasks lockdown capability mobile badge full management reporting interaction rules users system codes profiles schedules utilities number", "label": 1}
{"pkg_name": "com.dovado.dovadoremote2", "description": "application provides means remotely access router usage statistics well automate home z wave belkin in addition also use quickly select wi fi network universal access router connect via wi fi tethering technology particularly handy computer instance travelling features coming stay tuned information please visit http www com supported models pro ac universal access router tiny ac universal access router pro", "label": 1}
{"pkg_name": "com.kabiralamindubai.userguideforecho", "description": "user guide amazon echo serve everything need know echo alexa learn alexa commands tips tricks many app app contain essential information need like setup voice commands alexa skill etc in app set up amazon echo connect echo wi fi reset amazon echo echo connect wi fi bluetooth issues on alexa devices connect echo device bluetooth speakers check update alexa device software enable alexa skills hardware basics echo hardware basics alexa voice remote light ring multiple accounts on amazon echo echo tips tricks things try alexa new features skills ask alexa kinds questions access calendar connect bluetooth devices listen music smart home devices discover music enable skills find local businesses restaurants find traffic information fun games get weather updates go movies hear news keep up sports teams listen audible audiobooks listen amazon music listen kindle books listen podcasts radio order amazon set timers alarms dos shopping lists number", "label": 0}
{"pkg_name": "com.petcube.android", "description": "camera sleek wide angle wi fi enabled pet home camera real time hd video built in microphone speaker pet laser pointer toy lets watch talk play laser game cat dog home using smartphone also use camera take share cute cat dog photos learn visit www com created app let share fun cuteness knowledge pet friendly pet lovers community connect camera watch talk play laser pointer game pet smartphone home us check on pet home using camera play laser game pet home using pet laser toy play real pets like in video game anywhere visit pet shelters interact shelter cats dogs share cute cat dog photos get lots likes comments meet new friends follow updates become part pet lovers community get notifications keep in touch friends easily take screenshots playing laser game cat dog double tapping screen like us on facebook https www facebook com inc follow us on twitter https twitter com follow us on instagram http instagram com follow us on pinterest http www pinterest com say hello support com www com number email", "label": 1}
{"pkg_name": "com.mjacoustics.smartremote.mjsmartremote", "description": "mj acoustics smart remote sr app tablet smartphone sr employs wireless communication technology use subwoofers in mj acoustics range sr enabled hardware requirement router connection total autonomous communication subwoofer smart device achieved using bluetooth x data transmission protocol app currently available android ios version development app functions menu contents android ios operating systems smart remote offers ability communicate one mj sub bass systems bi directionally enabling app display exact settings subwoofer using changes made via touch controlled screen employed instantly made on fly in real time music playing fantastic way set up fine tune sub bass system purest hifi integration full complement features remains available user along number key additional features subwoofer given position name subwoofer allocated in group subwoofer muted either singularly in groups group gains simultaneously altered real time analyser rta provided show effects frequency spectrum real time analyser sensitivity frequency range settings additional features already industry leading feature set assured purest integration ability achieve chosen listening position mj subwoofer sub bass system like number subscriber identification module", "label": 1}
{"pkg_name": "com.manything.manythingviewer.epcom", "description": "key features watch camera live feeds recorded video anywhere save video secure offsite cloud storage remotely control cameras get alerts motion detected download share video easy set up port forwarding router configuration compatibility cloud compatible dvrs ip cameras number", "label": 1}
{"pkg_name": "com.smartekerze.delite", "description": "smart life app able connect de smart bulb smarter stecker de smart plug de smart candle provided tbs gmbh time control smart home products easily smart direct connection bluetooth low energy bluetooth le standard without adding additional gateway hub android smartphone oder tablet established within seconds enjoy smart life interesting yet practical functions like setting weekly schedules controlling group bulbs time using proximity function turn on bulb", "label": 1}
{"pkg_name": "com.digience.watchcop", "description": "home automation enjoyed easily conveniently smart home appliances well old devices connected necon station product also provides huge remote control database control various home appliances around world experience convenient safe smart life limitless expandability necon link various smart sensors making live convenient integrated control necon application control operate home appliances anytime anywhere like in house also receive alarms on deal situations inside room in real time making ordinary home appliances smart necon station create remote control old new home appliances learning function energy management house becomes smart sleeping leaving house turn power unused home appliances using smart plug on function shut standby power wasted everyday save energy lamp beyond lamps colors changed freely along situation mood creating various atmospheres lamp also provides information on change room temperature weather adding convenience everyday life smartness beyond ordinary lamps home security takes care safety family sensor detection real time monitoring necon sends swift alarms smart phone emergencies break ins opening doors fires etc security mode product links detection location sensors provide powerful smart security function real time remote monitoring day night necon monitors intruders check situation house in real time anytime anywhere like in house multiple monitoring even multiple necon cams installed in main room library living room etc monitoring made up six places single necon station smart security emergency detected necon cam automatically turns towards sensor detected emergency store situation room photos images interactive voice conversation look family baby pet etc outside also talk looking in real time let baby pet hear voice alarm emergency situations movement inside house opening closing door drastic temperature change etc detected necon application sends alarm message in real time safety service left house without closing gas valve check outside alarm function control gas switch remotely prevent accidents number automated teller machine", "label": 1}
{"pkg_name": "com.ihas.smarthome", "description": "providing simple innovative approach home automation creating wi fi smart environment new nowe iot internet things range nowe enhances home iq level smart functions connecting home offering peace mind security remote access control home lighting wi fi smart products via customisable straightforward use app extra convenience lifestyle ready integration voice command features work google home google assistant amazon alexa nowe product range aids in tackling issue high energy costs allowing energy efficient product range create unique requirements style nowe scenes create automation functions operate intelligently seamlessly nowe smarts ensuring wi fi smart products know needs remotely access control requirements want want needs simply effortlessly lighting control on better manage energy efficiency colour temperature adjustment functions automated scenes sunrise sunset scheduling timers grouping control functions on voice assistant control access multi gang touch switch gang light wi fi smart switch options on functions scenes automation sunrise sunset scheduling timers grouping control functions voice assistant control access motion sensor detecting alerts tampering detection alerts detection smart automation triggers scenes sunrise sunset scheduling functions plug in sockets on energy stat meter scenes functions scheduling timers grouping control functions smart automation triggers voice assistant control access smart sensor open close detection tampering detection alerts detection smart automation triggers scenes sunrise sunset scheduling functions voice assistant control access fantastic home automation options many ensuring wi fi smart home automation customisation simplistic intelligent peace mind enjoyment please download app today remember visit www com au purchase nowe switching future products need know home automation solutions number subscriber identification module", "label": 1}
{"pkg_name": "com.softwareag.cumulocity.iotcloudsensor", "description": "visualize smartphone sensor data send measurements iot platform ; register smartphone iot device see phone sensor data in iot ; send messages trigger event mobile phone iot ; connect bluetooth devices send measurements iot platform sign up free iot trial start sending mobile phone sensor data cloud https www cloud site product iot html mobile application collect personal information application collects mobile phone sensor data anonymous app usage data agree software ag collecting data please connect application iot delete device number", "label": 1}
{"pkg_name": "com.cisco.connect.cloud", "description": "app command center system linksys smart wi fi routers use linksys app anywhere internet connection check connected devices set up guest access keep kids internet homework app offers two subscription services linksys aware whole home motion detection linksys shield keep kids safe on web key features remote access need internet dashboard wi fi vital stats on one page guest access give friends internet access keep personal data secure device prioritization improve streaming online gaming giving wi fi priority favored devices parental controls encourage kids healthy internet behavior pausing internet access subscriptions linksys shield tri band users delivers preset age appropriate category blockers keep kids safe on web fully customizable presets give complete control content kids see linksys shield used on up devices connected system subscription pricing terms two auto renewing subscription options per month per year prices in us dollars price may converted local currency day trial converts paid subscription unless turn auto renew trial runs consecutive days even canceled expires linksys aware tri band users provides whole home motion detection mesh wi fi systems set sensitivity level matching home lifestyle get notifications motion meets exceeds level requires tri band parent node linksys aware update least one child node connected wirelessly either parent node another tri band node linksys aware update hardware apps required subscription pricing terms two auto renewing subscription options per month per year prices in us dollars price may converted local currency day trial converts paid subscription unless turn auto renew trial runs consecutive days even canceled expires subscriptions automatically renew end term charged google play account may turn subscription auto renewal time google play store cannot offer refund early privacy policy https www linksys com embed en us privacy policy terms use https www linksys com embed en us terms system requirements systems linksys smart wi fi routers full list supported routers http www com cloud mobile html user account created in app http www com connected linksys product android greater subscription services require tri band system linksys aware also requires least one child node connected wirelessly mesh wi fi product line features bluetooth setup in android higher apps must request location permissions use bluetooth collect use location information in app additional help visit support site http support linksys com number", "label": 1}
{"pkg_name": "vrcycle.mtome.com.vr_cycle_movie_360", "description": "dedicated app goggles iot sensors iot sensor download app allows exercise watching vr videos video speed increases depending on speed bike feel in actual video transforms equipment ordinary indoor bikes vr fitness bikes attach iot sensor place lot movement pedal connect smartphone becomes vr bicycle connect via bluetooth exercise watching screen actual screen reflected according bicycle speed direction goggles move video freezes exercise quickly plays quickly download enjoy various videos new york city greek mountain trail menu on top left bikers know importance rpm however easy practice download music rpm ride rhythm beat rhythm riding system helps ride desired rpm riding beat music maximizes effect sight hearing exercising boring anymore enjoy tracking fun riding bike in cool video in vr automatically records exercise history shows trends data based on data analysis push messages provided iot sensor provides counting function unique technology using acceleration sensors gyro sensors compass sensors iot sensors purchased name iot sensor function counting reciprocating motion in x z directions operating frequency hz hz applicable products equipment repeatedly reciprocates certain section indoor bicycle stepper elliptical etc use https fb watch caution member id signed up time first use used applications used home fitness equipment number", "label": 1}
{"pkg_name": "com.august.luna", "description": "door today home keeping bad guys also letting right people in family friends even favorite service providers august smart home access system always in control front door matter right smartphone august smart lock operate lock without physical key create virtual keys family guests grant access specific dates times auto unlock auto lock door leave enter remotely control august smart lock anywhere activity feed august doorbell cam support new august view doorbell cam best in class camera resolution set up stream live video get alerts every time someone rings doorbell see speak visitors front door view live camera video time on demand unlock door guests speaking requires august smart lock connect view recorded activity door real time intelligent motion notifications august smart keypad requires august smart lock operate august smart lock without smartphone create unique custom entry codes guests lock door single button press view keypad activity in activity log requires august smart lock enabled august connect requires august smart lock lock unlock august smart lock anywhere always know door locked unlocked let guests in lock door behind matter get notifications whenever lock operated even manually learn august com visit august support support august com number", "label": 1}
{"pkg_name": "com.roku.remote", "description": "stream hundreds hit movies tv shows on go roku channel use second remote enjoy private listening free roku mobile app makes easy fun control roku player roku tv use roku mobile app control roku device another remote stream hit movies tv shows on go roku channel enjoy private listening headphones use voice keyboard search movies shows actors directors cast videos photos music tv add launch channels on roku device enter text on roku device easier keyboard use certain features roku mobile app must connect phone tablet wireless network roku device certain features require compatible roku device may require logging in roku account feature availability searching voice available in english in us uk canada roku app available in english in mexico mobile private listening available roku express express roku streaming stick roku streaming stick roku premiere roku premiere roku ultra roku tvs subscription payment may required access certain channel content channel availability subject change varies country information troubleshooting help go http support roku com https docs roku com published en us en us ccpa number", "label": 1}
{"pkg_name": "com.meross.ehome", "description": "mainly focuses on home automation gadgets currently smart plug available in market customers plug electronic devices on use app easily manage features ; turn electronic devices on anywhere app ; create on schedules auto rules work automatically ; check see connected devices on anywhere peace mind", "label": 1}
{"pkg_name": "com.watashiiot.smart", "description": "watashi iot easy build cloud intelligent life remotely control household appliances save worry save electricity turn on whenever want multiple appliances added time app controls intelligent devices support voice control intelligent devices amazon echo google home intelligent linkage according temperature location time place automatic operation intelligent equipment one click sharing device family friends family enjoy intelligent life easily accept notifications keep abreast equipment in home in real time fast internet connection waiting enjoy fast experience number", "label": 1}
{"pkg_name": "com.vivitarsecurity.smart", "description": "smart security system remote control control smart home anywhere simultaneously control control multiple devices one app timer set timer perform multiple functions device sharing one tap share devices among family members easy connection easily quickly connect app devices subscriber identification module", "label": 1}
{"pkg_name": "com.ispsoft.tplinkinstallerfree", "description": "utility significantly speed up installation process tp link wireless access points finish complete setup wireless encryption lan settings dhcp server settings admin password in seconds installer connects wirelessly access point in default configuration configure according specifications configuration done run measure performance email configuration free version limited functionality admin password change function disabled please take look on installer full unlimited functionality notice access points 3g modem supported version tested on tp link access point router please let know test on routers tp link access points web interface almost in devices could work also on routers number local area network", "label": 1}
{"pkg_name": "com.vtac.smart", "description": "v tac smart home application personal assistant understands lifestyle available in languages v tac gives fast convenient access controlling devices voice commands smart scenes feature lets create setting devices automate in different rooms via v tac smart home platform experience customized smart life like never v tac works mainstream ai voice platforms making compatible voice assistants like amazon alexa google home v tac controlling devices natural talking number local area network", "label": 1}
{"pkg_name": "com.fs.fsfat", "description": "download install app open phone bluetooth open app on app registration login add members add member enter correct data in order get correct data weighing fat scale smooth put on ground feet stand barefoot on sheet metal called sub began weigh calculate data app automatically search fat scale connect successfully connecting app real time synchronous display data stabilize data finished app save current data also view data in history past note app needs used in conjunction fat scale hardware relevant data analysis results reference please consult doctor health problem", "label": 1}
{"pkg_name": "com.dingbell.idoorbell", "description": "guard home theft look pets accompany care family also wireless wifi mobile phone remote viewing practical functions real time intercom visitors view record matter home near number", "label": 1}
{"pkg_name": "com.rfo.IRaceradvanced", "description": "advanced bluetooth remote controller racer android controlled car toy find on internet hobby store version v4 app supports arduino built in tutorial make diy arduino rover open menu click on arduino rover tutorial send sketch schematic useful info computer supported app languages version 35m english polish french spanish italian note version 20m get trouble new settings menu please go phone tablet setting click applications click on advanced click delete data cache delete old saved app data fix problems features one joystick mode drive steering one finger in portrait mode two sliders drive steering fingers multitouch in landscape mode accelerometer mode supported devices may work themes landscape layout add flag racer new menu share flag pc in order print experimental voice control patient needs internet connection work say commands in english usa touch screen return normal mode arduino fully supported built in free open source sketch schematic build rover arduino based starting version app supports profiles different settings new settings section please read full info in menu menu advanced settings settings saved exit loaded startup phone tablets develop similar app specific bluetooth controlled gadget communication protocol known please email also help in translation languages welcome number local area network subscriber identification module", "label": 1}
{"pkg_name": "com.weisheit.smart", "description": "easily build smart life in cloud remote control household appliances worry save power open whenever want add multiple appliances time one app controls smart devices support voice control smart devices amazon echo google home intelligent linkage automatically run smart devices based on location temperature location time one click sharing device family friends whole family easily enjoy smart life receive notifications get real time information on home quickly connect network need wait enjoy speed experience number", "label": 1}
{"pkg_name": "jip.hue", "description": "philips hue manage lighting colors brightness room lamps bring surroundings life audio video detection application completely free advertising banner deactivated in settings tab", "label": 1}
{"pkg_name": "com.jwtian.smartbt", "description": "remote control app change color brightness timing on music rhythm dual mode bt2 bt4 bluetooth technology compatible android device later apple device widely used mood lighting in living room dining room bedroom playroom restaurant hotel bar etc smart lighting life built in bluetooth speaker connect bluetooth devices easily enjoy music anywhere anytime latest hardware muti control color audio also supported", "label": 1}
{"pkg_name": "eu.jahnestacado.arduinorc", "description": "arduino enthusiast always wanted remote control projects via android phone time patience knowledge build android bluetooth controller arduino bluetooth controller need android application establish connection arduino microcontroller project involves bluetooth module allows user set bluetooth module in order connect android application projects default comes application hc wireless serial pin bluetooth rf transceiver module rs232 use default in order pair bt module smartphone first time give digit password password application comprised command modes vehicle mode pressing joystick button user remote control vehicle specific gestures interpretation gestures commands application uses built in accelerometer sensor smart device different gestures available front back left right front left front right back left back right set gestures custom commands menu button set commands additionally stop android button assigned custom commands well important mode provides via menu options option change orientation accelerometer x x in order operate properly in android phones different default orientation moreover menu options provide sensitivity change button modify point app catches gesture events mode title suggests mode specifically designed remote control vehicle uses bluetooth module microcontroller fader mode mode provides user fader send commands allow user experiment servos leds motors many controller mode mode provides standard controller layout buttons in total assigned custom commands arrow buttons specifically designed send commands continuously pressed in order simulate actual controller terminal mode mode provides terminal like interface in user type send individual multiple commands execute sequentially since arduino serial port receives one byte time user types string in input text field application divides string characters sends one one arduino noted spaces empty strings skipped application settings commands permanently stored accessed modified time according needs arduino side code code example arduino listen commands receives android application char variable receive data serial port void setup serial begin start serial communication void loop serial available data available read serial read read store in arduino trademark arduino team number number subscriber identification module number", "label": 1}
{"pkg_name": "victor.example.shengivictor.ev3commander", "description": "ev3 commander application control motor download mindstorms ev3 in bluetooth different types including download delete run stop program remotely monitor sensor control motors different motor control modes app control ev3 remotely build in variable worth programs provide download ev3 demo demo test ev3 whole functions b demo motor cm let ev3 vehicle go forward backward many centimeters want related wheel diameters c display motor display many degrees ev3 motors turn b c download run program in ev3 control ev3 in apps pro progressive line follower go degrees sensor ports changeable e turn control motor in ev3 button control modes designed different purpose first mode provides download build in program ev3 run stop delete program select second mode provides monitor sensor in different ports connected in ev3 control motor remotely third control mode named vehicle control designed ev3 bots forth control mode called motor control controls motors independently together mode useful ev3 machine last control mode called accelerometer control control ev3 bot hand gestures mode suitable competition", "label": 1}
{"pkg_name": "pl.safestar.go", "description": "go new quality in security control safety wherever important application features alarm events push notifications alarm panel remote control smart home features online video cctv cameras remote alarm cancellation prolongation direct contact alarm monitoring station gps fleet monitoring family self monitoring panic button number", "label": 1}
{"pkg_name": "com.f2e.base.framework", "description": "technology co ltd provides various smart wearable equipment years meet needs market mission vision constantly discover needs consumers well innovation makes life better smart wearable equipment allow us monitor share daily movement helps us healthier rs band component connect wave fit mobile device allows us better access featured function movement detection sleep monitor heart rate much information well could set up alarm sedentary reminder incoming calls messages notification believe in innovation makes life better hope bring joy cheers number", "label": 1}
{"pkg_name": "io.iotool.iotoolarduinohex", "description": "simple program allows upload compiled sketches intel hex arduino using bluetooth usb hex file selected integrated file manager shared directly applications transmitted bluetooth connection usb cable via bootloader tested on arduino uno also work on boards arduino sketch hex uploader part smartphone iot platform www io number subscriber identification module", "label": 1}
{"pkg_name": "com.cosygate.segedip.cosytest", "description": "app operate receiver smartphone bluetooth configure users receivers on https www com", "label": 0}
{"pkg_name": "aifa.remotecontrol.eu", "description": "aifa smart home remote control app compatible aifa bluetooth control box key features use smartphone ipad control home appliances like tv dvd air conditioner stereo etc user friendly app interface tv dvd aux learning updated code database embed compatible main brands in world including sony lg sharp samsung toshiba etc code auto searching function favorite channels setup learning function copy key functions original remote control wide angle ir transmitter use download app aifa btrc google play store app request turn on bluetooth function on mobile power on bluetooth control box searching bluetooth device connect aifa btrc connection succeeds led in box keep lighting up connection fails led keep flashing please repeat step specification usb posting device host interface size cable length 5m suggestion usb charger supply output 5v product information version bluetooth v2 edr support android higher spp profile", "label": 1}
{"pkg_name": "com.aura.homecontrol.low", "description": "home control application includes universal ir infrared remote control reservation home control motion detection feature application works aura technology smart home tv7 looking client application mobile device control home appliance remotely please use home control client instead ir infrared universal remote home control works devices already in home control tv set top box audio dvd dvr vcr blue ray cd radio air con c amplifier much aura tech 3d ir transmitter directional ir learning feature customized remote controller feature please select customize selecting brand learning function interface button assigned signal conventional remote controller reservation schedule control device using function allows generate ir control signal specific time date time home control aura tech smart home provides home mobile remote control feature pairing mobile install client application on mobile control home device like air conditioner ir controllable light system android mobile anywhere mobile network wifi connection want check result course aura tech smart home provide remote camera home monitoring motion detection motion detection feature take photo send in front aura tech smart home catch image motion detected built in camera act motion detection triggers function provide notifications mobile captured images function intruder detection burglar alarm please let aura tech smart home keep stay continuous power supply operation camera always on even though lcd black number", "label": 1}
{"pkg_name": "com.strengthmaster.fitplusble", "description": "app moves functions on treadmill bike console android device yet supported game", "label": 1}
{"pkg_name": "com.senseu.baby", "description": "welcome new sense u baby app together sense u baby monitors new sense u baby app allows see baby breathing temperature sleeping position video anywhere compatible products sense u baby tracks baby breathing temperature sleep positions on smartphone directly sense u baby tracks baby breathing temperature sleep positions anywhere sense u video see hear talk child anywhere hd 1080p video night vision way audio sense u smart products available on www sense u com ship countries around world questions regarding sense u app devices please email us info sense u com like products please leave us review in app store sense u baby monitor medical device consumer electronic device intended prevent monitor disease condition obstructive apnea please check doctor using app making medical decisions avoid sandwiching clothing material clip accessory sense u baby monitor may break accessory introduce false alarms risk number email", "label": 1}
{"pkg_name": "com.digimax.dp5617", "description": "product dc power converter convert input vdc vdc usb output product designed using advanced mcu technology implanted safe stable controlling algorithm provide complete automatic protection battery terminals product also bluetooth function paired up mobile device monitor status device set time switch product feature ; dc dc converter compatible wide range voltage input stable voltage output ; overload protection ; protection high low voltage input ; protection high low voltage output ; heat protection ; output short circuit protection ; input terminal reverse polarity protection suggested use ; device used convert output trucks bus power output system 12v 24v 12v enabling employment various equipment designed 12v vehicles ; device used protection mechanic prevent battery discharge due employment vehicle equipment ; device used remote control time switch vehicle equipment detector lights ; device used discharge protection mechanic solar generator power systems power output effectively prevent battery discharge due excessively use ; device used remote control time switch solar power system whose output", "label": 1}
{"pkg_name": "com.twentyfouri.easyicam", "description": "easy icam wireless network camera connect smartphone tablet wireless technology directly watch live video feeds on smartphone tablet in local view mode in internet view mode smartphone tablet needs connect camera wi fi router 3g 4g mobile network access live stream video audio on smartphone tablet anywhere in world", "label": 1}
{"pkg_name": "com.demo.ChuangGo", "description": "g3 gsm sms alarm system g3 elegantly powerful alarm system easy install use needs regular working 2g sim card armed disarmed via phone call sms text message phone numbers remote controls smartphone app commands upon detection intrusion g3 sound built in siren call text appropriate action intuitively designed g3 app interface enables effortlessly adjust system settings on go arm disarm home mode remote voice memo listening in profile security technology corporation innovative manufacturer electronic security products adhering brand promise sincerity innovation associating deep comprehension users demands integrate technology design people oriented products provide easy use security products solutions global families commercial clients short message service subscriber identification module", "label": 1}
{"pkg_name": "com.whistle.bolt", "description": "meet whistle go family best pet tracker got better introducing whistle go whistle go explore latest best in class pet health location trackers know pet feel closer ever enhanced companion app packed new features including proactive alerts get email in app text notification pet escapes designated safe place location tracking find pet in seconds venture fast accurate tracking using gps wi fi cellular service set goals track activity keep companion in great shape custom goals based on age weight breed plus track pet daily activity distance traveled calories burned weekly summaries notifications highlight changes pet typical activity gain new insights timeline see detailed summary pet daily activity including minutes spent walking running playing resting use activity tab view related health stats celebrate achievements feel proud pet reaching goals alerts let know milestones reached custom multiple safe places create multiple safe places home office favorite dog friendly spot improved ability set boundaries wi fi recommended supported gps enabled whistle devices including whistle go explore whistle go whistle whistle fit want upgrade gps enabled whistle tracker contact support whistle com learn www whistle com number email", "label": 1}
{"pkg_name": "com.bainian.chinatimer.android", "description": "remote control control household appliances anywhere control control multiple devices one app timer set timer perform multiple functions device sharing sharing devices among family members", "label": 1}
{"pkg_name": "com.nissan.connectservices", "description": "services app brings remote access security convenience features nissan compatible android smartphone wear os start engine set customizable alerts get vehicle information without taking keys compatible vehicles newer armada newer murano newer gt r pathfinder rogue sport titan newer altima maxima rogue sentra excluding titan xd please note feature availability varies model year trim level packaging options equipped vehicles able access features complete list available features specific vehicle please visit www com connect system availability take advantage following available features subscription remote services access critical vehicle functions nearly anywhere services start stop vehicle lock unlock doors honk vehicle horn flash vehicle lights emergency assistance add peace mind drive in emergency services automatically connect emergency services in event collision send roadside assistance location provide live hands free emergency assistance via voice call touch button help police locate vehicle in unfortunate event stolen customizable alerts set unique alerts nissan services notify vehicle driven outside inside specified boundary vehicle driven outside set time vehicle driven specified speed vehicle driven outside allowed area convenience features make every drive comfortable confident services send software map updates vehicle connect live professionally trained concierge team locate vehicle whether parked en route provide status updates vehicle app requires active subscription services included purchase new compatible nissan vehicle access start subscription visit owners com important safety information system limitations additional operating feature information see dealer owner manual www com connect privacy number", "label": 1}
{"pkg_name": "jp.co.audiotechnica.connect", "description": "app use compatible audio technica products conveniently app includes various guides help first time bluetooth users customization tools easily adjust settings on audio technica products main features includes product guides faq help using bluetooth products first time displays battery level connected product bluetooth codec in use allows change bluetooth codec according sound quality connection status lets easily customize button operation according dominant hand preferences makes product easier find in case lose available features vary depending on product supported products ath ath ath ath ath ath ath ath includes products sold in countries regions features services may available depending on country region bluetooth word mark logos owned bluetooth sig inc use marks audio technica corporation license trademarks property respective owners number", "label": 1}
{"pkg_name": "com.smarthome.bge", "description": "bge smart home pilot program help residential customers take control home energy use increase comfort lower energy costs participants in program receive bge smart home kit filled easy use smart technology products like plugs leds occupancy sensors downloading bge smart home app first step in getting smart home up running bge smart home app guides process setting up new smart home technology helps seamlessly manage new devices single app app ; monitor control smart home devices energy use anytime anywhere ; control lighting appliances smart thermostats ; receive notifications home energy use ; save energy using automated smart home rules customized specific energy needs enrollment in pilot limited available on first come first served basis visit https com residential smart home pilot information on eligibility enroll questions give us call email icf com number email", "label": 1}
{"pkg_name": "com.icontrol.telguard", "description": "designed integrate home security system provide secure remote control home whether want remotely arm disarm security system review live video event triggered snapshots leverage home automation enhance security increase home energy efficiency product brings control together in single service app one part complete solution requires compatible alarm panel feature availability vary based on system features choose visit www com details common features ; arm disarm security panel ; receive notifications activities in around home ; view live video mobile devices ; receive video clips pictures specific triggers take place advanced features available on systems ; integrate supported z wave door locks deadbolts lights thermostats ; build include device on system security panel sensors cameras z wave enabled devices ; setup schedules determine trigger events ; group notifications schedules using shift set home overall behavior based on personal activity example create special vacation mode separate lighting thermostat behaviors number", "label": 1}
{"pkg_name": "com.matesoft.edgestore", "description": "welcome official edge store app discover cutting edge products affordable prices edge store specializing in mobile phones apparels sneakers bags consumer electronics smart home computer products appliances drones kinds cool gadgets smart devices 3d printers laser engravers electronic scooters etc find newest products top brands like xiaomi huawei dji lenovo asus samsung apple jbl clothing brands sneakers well emerging brands unique extraordinary available great prices browse product collections read reviews collected customers like shop edge store explore new choices everyday needs home appliances robot vacuum cleaners air purifiers cooking appliances household appliances cell phones accessories smart phones featured phones accessories cables chargers cases power banks computers tablets office laptops tablets tv box mini pc computer peripherals computer components office school supplies network devices consumer electronics smart watches wristbands cameras ip cameras smart cctv video games battery packs bluetooth headphones gadgets drones toys hobbies rc drones robot rc cars puzzle educational toys novelty gag toys musical instruments accessories home improvement tools smart lighting indoor outdoor lights hand tools measurement analysis arduino scm supplies industrial scientific 3d printer supplies laser engraver cnc power tools binoculars telescopes motor auto dvr car charger gps organizers cleaners lights tools motorcycle gloves edge store app comes packed features functions designed give safest best shopping experience use app get special discount new users super deals suitable price constant coupon giveaways discounts flash daily deals community helps making right shopping decision daily sign in get gb points app exclusive prices on app read customer reviews on products create favorite list share products friends via facebook twitter pay purchases mobile money paypal credit card cash local payments manage orders track packages on app free delivery available in lusaka on orders k100 certain areas worldwide shipping door tracking offered warehouses across zambia china shop even safer days money back guarantee easy secure payment methods every purchase via app goes bit ssl servers customer first class leading international customer support in english language support edge store supports multiple languages including languages french spanish german italian portuguese brazilian russian turkish currency support edge store supports multiple currencies including currencies zk mw eur gbp aud cad chf hkd nzd jpy rub brl nok dkk sek ils cop mxn thb idr pln huf try myr ngn zar uah sgd twd sar rsd ron pen bgn clp czk hrk inr aed mad krw ars deserve effortless shopping best deals best prices always try best make happy number local area network", "label": 0}
{"pkg_name": "com.giaothoatech.lock", "description": "introduce new smart door lock easy manage lock smartphone using smartphone lock unlock via bluetooth easy share lock key friends family members received notification whenever lock unlock tracking history lock number", "label": 1}
{"pkg_name": "com.spled.pzse", "description": "led chord app designed full color led controller remote controller via bluetooth provides bunch led music effects pixel led users never easy setup compact led light show supports many led driver ic dmx512 main function modifying device name selecting different chipset setting rgb order setting pixels number selecting effects picking static colors modifying speed effect modifying brightness", "label": 1}
{"pkg_name": "com.universalallacremotecontrol", "description": "universal remote control ac remote control one smart universal remote easy control ac smartphone control easily air conditioners worldwide whenever wherever want ac remote control app set temperature control various air conditioning modes auto cool heat fan dry ac remote universal ac remote control free application control gadget functions easy functionality app quick way get ac remote on mobile phone free install smart ac remote control app in device select air conditioner control easily smart device lost ac remote find remote ac universal remote application help control ac smartphones universal remote control ac remote control control ac conditioner smartphone ac remote unique app in store market kind ac remote supported like aux bosch bose carrier consul daikin electra electrolux gree haier hisense hitachi hyundai lg midea mitsubishi heavy industries samsung sanyo sharp toshiba onida videocon york many features allow option change ac fan speed change temperature change mode ac simple way change smartphone ac remote keep always ac remote ac brand supported handle modes smartphone easy activate deactivate ac simple way control temperature one touch change ac mode functions supported convenient user interface use app free install mini pocket ac remote controller subscriber identification module", "label": 1}
{"pkg_name": "com.lightdjapp.lightdj.demo", "description": "connect philips hue entertainment aurora canvas light panels take command music entertainment lighting needs customize one professionally designed lighting effects using app unique lighting controllers light dj used in lots creative applications including special effects home djs house parties stage video productions holiday decorations mood lighting bars restaurants haunted houses create ultimate enhanced music listening experience in living room light dj app configurable entertainment effects smart lighting music visualizer create ultimate music listening experience app listens music changes effects based on mood song lights get active intense parts song flowy softer melodies magically change colors right moment customize best lights beat matched effects use effects controller program lights up different effects customized favorite colors turn on lights let run night long strobe maker strobe lights different types effects matrix strobe maker interact lights using multitouch technology included on android device active effects choose one four active light effects match mood splotches fireworks pulses flashes active effects trigger louder parts song mellow effects set lights swirl wave softly strobe softer parts song also disable mellow effect create pure active music visualizer automatic color changes choose up colors light show let app decide change color theme lights using advanced music detection algorithms tempo controls control speed lights precision using manual tempo controls easily go double time half time press button hue entertainment using new hue entertainment area enjoy high performance effects app effects respond faster better sync runs in background light dj works screen using apps quickly turn app drop notification bonus effects month included subscription brand new hardware specific bonus effects month in app subscription version app stop light show every minutes in preview mode like try app without restriction sign up subscription includes day free trial new subscribers purchase applied google play account end trial subscriptions automatically renew unless canceled within hours end current period cancel anytime google play account unused portion free trial forfeited purchase subscription download full version without subscription search light dj deluxe on google play visit http com support preview effects http com effects philips hue smart bulbs aurora canvas light panels required in order use app information see manufacturer site philips hue http com http com http hi kevin creator light dj want make sure everyone gets great light show issues getting app connect lights suggestions shoot email kevin com dedicated making quality app show new lights number email number", "label": 1}
{"pkg_name": "com.staums.home", "description": "smart home wifi based smart home equipment development production system whenever wherever remote control equipment in home intelligent environment regulation intelligent lighting control system intelligent window curtain control system intelligent security system intelligent household appliances control system sub systems together take care every member family in round way truly bring comfortable interesting intelligent environmentally friendly life experience", "label": 1}
{"pkg_name": "com.krakkato.smartcommandssh", "description": "app home automation hand smart command ssh possible communicate ssh server start scripts commands on server tcp socket stream socket low level communication web server read send commands via url method get app created simplify start services commands on multiple devices via android possible example control devices raspberry pi enigma decoder router pc console device accepts ssh tcp socket web server connections sent command returns output displayed in button temporary notification in dialog box furthermore possible interpret output display status on icon function mainly designed home automation make easy understand status device sending command confirmed via pin swipe button avoid accidental sending commands executed sent in asynchronous mode possible send several commands time without waiting response every single command finally group buttons categories display via widget advantages pro version advertising banners in app ads in free version possibility start various commands tasker tasker in free version unlimited number buttons max buttons in free version new widget response icon status auto update free version new widget customizable icons text in free version watch video tutorial configure tasker https www youtube com watch v keywords raspberry command button ssh linux remote script shell root client esp socket tcp manage control number subscriber identification module website", "label": 1}
{"pkg_name": "com.tpvision.philipstvapp2", "description": "philips tv remote turn phone remote control philips smart tv control volume easily type in text even control get started connect smart device network philips tv philips tv remote app change channels control tv volume control on tv philips hue lights easily launch switch tv apps control movie tv show song playing quickly enter text email addresses passwords using keyboard compatibility app fully compatible philips smart tvs released onwards offers compatibility older tvs best performance please make sure tv downloaded latest firmware gameplay recommend using remote included philips smart tv", "label": 1}
{"pkg_name": "com.golfbuddy.main", "description": "sms call log find phone services unavailable due google new privacy policy app permissions details location use connect bluetooth watch storage used download transmit map data synchronize watch apps used unneeded use cause harm description smart app allows connect smartphone bluetooth enabled device update single individual courses on go internet gps satellite connection required via bluetooth also search nearby golf courses course updates app always play latest course data on bluetooth enabled device find unit use app find unit within close range making screen light up unit vibrate casting ability send cast player yardages golf gps features gps devices ios android phone tablet screen wirelessly synced via bluetooth smart app set up smart available simple press button allowing player toggle display control audio smart device feature limited bluetooth range device needs connected via bluetooth app currently supports aim w10 aim v10 using app require register unit access golf course database additional features free app compatible android higher android version may notified properly number short message service subscriber identification module", "label": 1}
{"pkg_name": "com.securenettech.themonitoringcenter6production", "description": "monitoring center gives complete control security system cameras lights locks thermostats connected devices anywhere in world key features arm disarm home security system anywhere receive text email notifications in event alarm system disarmed watch record live video home security cameras control home automation enabled z wave devices please note access app must account set up monitoring center number", "label": 1}
{"pkg_name": "iSA.common", "description": "home security system diy self controlled self monitored smart home security system monthly fees contracts required app allows arm monitor disarm home security system time anywhere in real time see home family members leave return status every sensor device app manages products including contact sensors motion sensors 1st gen keep smart switch multiple homes systems managed easily in app alert designated members sms text messages push notifications automated phone calls email home security system detects break in unauthorized activity users choose address situation appropriately call placed police in case break in alarm ignored system set arm false alarm phone call sms messages available in us canada number short message service", "label": 1}
{"pkg_name": "nl.homewizard.android.link", "description": "de nieuwe manier om op de te zijn van wat er samen met een app die met op je smartphone van de app het van uit een led lamp en link de van met te zien in nieuwe de app als de zijn gericht op en een bericht op je er rook laat de lamp op aan uit gaan als het donker maar ook om de te dat er je de bent de lamp je je en de warm wit", "label": 0}
{"pkg_name": "com.bluebot.smart", "description": "app gives control ever cleaner floors every day push button create cleaning schedule control via app connect blaupunkt robotic vacuum cleaner smart home assistant wi fi connected blaupunkt model bpk supports wi fi networks band app supports blaupunkt model easy operate easy connection start pause cleaning cycles direct robot vac smart mapping see robot cleaning set schedule conveniently schedule day time week select preferred cleaning modes auto edge clean room spot clean send robot back charging station find blaupunkt robotic vacuum cleaner history check cleaning history mute switch sound robot personalize name robot share device create group feedback run firmware updates setup third party voice assistant alexa google assistant need help visit https shop eu contact support answers common questions contact customer care team via phone e mail live chat email", "label": 1}
{"pkg_name": "com.idevicesinc.instinct", "description": "alexa meet light switch instinct smart light switch alexa built in power amazon alexa throughout home say word smart home control cords hubs countertop clutter instinct personal assistant anything set timer add shopping list get latest news weather updates on demand matter need make day easier instinct always ready packed technology hidden design instinct fits cor every room instinct installs like standard switch includes faceplate seamless modern finish instinct switch app features app designed walk setup instinct physical installation complete brief process includes connecting instinct home wi fi network linking instinct amazon account instinct setup complete instinct switch app longer required amazon alexa app serves primary app manage control instinct create smart home discover enable alexa skills much amazon account required control instinct alexa customer experience team help contact support com questions instinct amazon account linking instinct switch app number email", "label": 1}
{"pkg_name": "com.chjonline.ikeygprs", "description": "gprs ikey gprs innovative complete smartphone remote control tracking system ; locate show vehicle using google maps on smartphone anywhere in world ; remote lock unlock door open trunk safely engine stop start stop engine arm disarm receive alarm alerts status ; tracks show trip operation trigger history on smartphone pc nb ; various function speed warning park find parking time countdown geo fence zone in ; multi car control ; fixed telecom rate ; acquiring vehicle data millage speed temperature tire pressure maintenance info obd ii device installed ; real time remote control via app bluetooth module installed", "label": 1}
{"pkg_name": "com.carrier.TotalineEZ3", "description": "free wi fi thermostat app designed utilize smart phone swipe scroll touch technology provide easy use programming wi fi thermostat in homes businesses utilizes vibrant colors easy understand icons gives complete control operation heating cooling system anywhere wi fi connectivity powerful app easily review thermostat settings adjust programming desired screens app mirror actual wi fi thermostat extremely easy use also alert notifications sent app issues detected filter replacement reminders installing dealer information provided make easy contact service needed number", "label": 1}
{"pkg_name": "com.usr.beca", "description": "beca make products modern creative convenient idea goes newly redesigned beca app control beca smart thermostat get alerts on iphone ipad android phone beca smart thermostat thermostat programs help save energy application fan coil unit water heating boiler electric heating system etc features c convenient operation creates convenient life options black white housing manage home even in place around world time f fashion design blends in cor zero service fee r remote controlled mobile app computer wifi touch screen display backlight easy read even in dark accuracy c keeps comfortable temperature within level set b breath power button always remind world truely exist l lovely price helps save energy e easy ui interface could used even child features require working internet connection wi fi 4g learn products goes com contact us sales com number email", "label": 1}
{"pkg_name": "com.RangeTechApp.RangeTech", "description": "use shot timer android device note shot timer device required use application see https www com user manual https www com manual bluetooth shot timer contact us assistance https www com contact", "label": 1}
{"pkg_name": "et.cqnl.cqnetalert", "description": "take granted feel safe even every day people find in position good know on many reasons people may feel unsafe dark alleys unpleasant company physical discomfort cq alert easy use app put on smartphone app helps in situations in feel unsafe panicking press one button in app app immediately request help friends relatives healthcare professionals alarm receiving centre app also inform recipient alert location alerts triggered cq alert processed cq net live forwarded neighbours relatives friends professional service providers healthcare organisations alarm receiving centres users app easily check change cq net live settings alerts forwarded telephone smartphone tablet using text messages sms push notifications would like even features cq mobile solution app allow easily mark availability receiving alerts check location alert triggered navigate make video call open doors remotely activating cq alert in emergency requires many actions noticeable consider using cq alert transmitter instead bluetooth alert button worn pendant wrist transmitter on one key ring activated single press on button cq alert transmitter waterproof meaning clients even wear in shower ensure safety in circumstances in order able use aforementioned services sign up cq net live interested in services would like receive information please hesitate contact us info eurocom group eu happy tell information consult www eurocom group eu log in portal eu number email", "label": 1}
{"pkg_name": "hangzhou.kankun.am", "description": "wifi smart plug turns iphone android home remote use connect app turn electronics on anywhere use tv computer reading light electronic choose set schedule on device save energy money simplest method implement home automation without outrageous installation fees monthly subscriptions contracts unnecessary equipment wifi smart plug hold home in hands remote wireless control smart charging energy saving automatic scheduling customer shutdown timers plug play wi fi direct support wi fi range extending function number subscriber identification module", "label": 1}
{"pkg_name": "com.runChina.HuiJuSH", "description": "gather life wearable devices application client software smart watches smart bracelet intelligent devices main functions include following record steps mileage calorie consumption sport track record analysis daily sleep data monitoring quality sleep support calls text messages qq content reminders clock alarm clock anti lost sedentary reminder function support sports health information sharing on micro blog twitter facebook support real time dynamic display analysis heart rate blood pressure monitoring smart bracelet watches blood pressure heart rate function warm tips install software must android system phone supports bluetooth ble", "label": 1}
{"pkg_name": "com.hero.iot", "description": "qubo home security made simple smarter qubo range connected smart devices cater security entertainment automation needs home qubo smart indoor camera alexa built in connect things matter watchful qubo best in class hd camera 1080p hd camera helps remotely monitor home 24x7 even communicate family way talk intelligent qubo advanced ai capabilities equipped advanced artificial intelligence features person detection face recognition baby cry alert always in know entering home in absence intelligent notifications entertaining qubo alexa built in device comes alexa built in amazon alexa cloud based voice service talk device alexa play music read news check weather control smart home devices many ask multifaceted qubo smart home hub qubo smart indoor camera also smart home hub allows control remotely manage alexa compatible wi fi devices also connect seamlessly qubo range zigbee devices also set different routines allowing automate different actions number subscriber identification module", "label": 1}
{"pkg_name": "com.mm.android.direct.gdmssphoneLite", "description": "android phone surveillance software lite android phone remote surveillance software support remote control lite lite version plus", "label": 0}
{"pkg_name": "io.kodular.nguyenchienfb.jRobotControl", "description": "designed used arduino remote control car robot using arduino board module bluetooth hc hc application work brand new box rc car please watch video download application control car robot one handed app app easy understand base program modifications program easily match vehicle tank example needed dc motor drive motors move forward move back turn left turn right easily button move forward move back turn left turn right turn front lights turn back lights slider bar allows control vehicle velocity also find commands characters sent car robot click help button help easily programming in arduino number number", "label": 1}
{"pkg_name": "com.arcreative.fo.one", "description": "app safety riding bicycle electric wheel electric night taillight speed display direction on provide funny content smart messenger bag protects rider safety face bag information https www facebook com app bag protects safety features discrimination contents protection general rider family friend lover rides bicycle electric wheel inline night night backward speed display function turn indicator function works key mapping up left right done bluetooth remote controller bluetooth remote control mobile commercial product also used cheering please refer sports category app bag remote control linked new product characteristic using gyro sensor warning light turn on speed suddenly reduced due brake function content safe night riding bicycle inline electric wheel etc original response contents utilizing gps gyro function smart device special events halloween day party even cheering sports baseball etc fun catch people attention easily change favorite images in everyday life use practically activate activate face bag app app continue use free content additional cost direction on number", "label": 1}
{"pkg_name": "com.himanju.tech.pocketswitchbt", "description": "smart iot based solution making electrical switch board wireless home office conference room using android app need internet connection schedule maintenance cost lifetime go wireless within moments key features schedule maintenance cost lifetime need internet connection go wireless within seconds control using android app android app needs bluetooth permission access smart electric board operate appliances app within milliseconds regulate fan speed android app fan speed auto increase auto decreases along time total timers available different appliances authorised person set modify delete timers timer may set single use daily basis different users supported smart board user access permissions varies individual smart boards authorized user add new user delete existing users unauthorized user unable access smart switch board first android app user automatically register connect board user access permissions may resets high security pre installed password single android app user control multiple smart switch board separately smart switch board unique identification login id timers automatically activated on proper time daily basis timers automatically updated next schedule in case power cut timer activate reschedule power return user sync date time smart switch board mobile number", "label": 1}
{"pkg_name": "com.panasonic.avc.diga.maxjuke", "description": "never thought cool dj hosting party panasonic max juke app take next level party panasonic compatible mini system bring friends experience new party excitement main features music player play songs on smart devices via bluetooth jukebox request request play songs internal usb memory on mini system share request playlist friends time karaoke effect adjust karaoke effect setting dj effect adjust dj effect setting dj sampler select dj sampler sound bluetooth selector dj sampling maker record register favorite dj sample sounds on product sample sounds operated on product sample sounds pre installed remote control handy remote control function compatible mini system dj illumination adjust product illumination color palette youtube enjoy youtube sound on mini system battery level show current battery level main unit bluetooth connection nfc near field communication device setting friendly easy setting on smart device via bluetooth attention in order stream music on device bluetooth device first needs paired nfc near field communication available on certain android devices features may supported depending on model purchased information on using app compatible models feature trouble app please visit following support page http panasonic jp support global cs audio app max juke android index html please understand able contact directly even use email developer link number", "label": 1}
{"pkg_name": "com.tplink.skylight", "description": "stay connected care tp link cloud based video monitoring app lets stay connected home family pets remotely view cameras anywhere anytime tp link app installed on smartphones easily access cloud cameras time anywhere internet never miss moment features free cloud service life quick registration setup simplest way connect home office manage stream live videos multiple cameras store photos videos relive moments see sure information go www com compatible devices supported languages english french german spanish portuguese italian russian polish traditional chinese korean local area network subscriber identification module", "label": 1}
{"pkg_name": "com.panasonic.psn.android.hmdect", "description": "panasonic home network system makes quick easy create powerful wireless network cameras sensors controllers in outside home control smartphone tablet one simple app home network system also connects landline let use smartphones tablets home phones http www panasonic net pcc support tel main features general functions easy system setup wizard monthly service fees monitoring notification control free receive power outage alerts ac powered components receive low power alerts battery operated components indoor outdoor camera functions cameras display real time streaming automatically record video micro sd cards in system hub quad view enables viewing up four cameras simultaneously select motion detection areas specific recording notification indoor baby monitor plays lullabies indoor outdoor camera enables way communication arm disarm features home away receive alerts armed sensors detect motion view alert event log home control functions turn system components on home remotely create smart plug schedules turn on lamps digital cordless handset functions arm disarm system components receive alerts motion window sensors view alert logs on lcd display make take calls using landline use intercom playback voicemail view calling log copy contact lists smartphone tablets transfer landline calls smartphones additional handsets number local area network subscriber identification module", "label": 1}
{"pkg_name": "com.lsr.techtronic", "description": "control garage door opener anywhere in world ryobi system note requires ryobi system hardware ryobi system lets control garage door anywhere in world internet access flexibility plugin module system add accessories like garage fan bluetooth speaker electric cord reel laser park assist even use ryobi one battery backup power operate garage door power outages monitor control garage door opener anywhere internet connection open close door remotely customizable alerts garage door opens closes opens past preset time stays open long wondering closed garage door variable speed fan controlled within application bluetooth speaker placing receiving hands free calls listening favorite music podcasts laser park assist helps park perfectly every time electric cord reel convenient electrical outlet right in center garage need learn ryobi system ryobi products www com number", "label": 1}
{"pkg_name": "com.loby.balance.minirobot.google", "description": "walk mobile phone app mini series intelligent balance car balance car mobile phone bluetooth achieve intelligent wireless connection in app view details vehicle parameters in real time set parameters also support bluetooth remote control app compatible large balance car m6 small balance car m3 compatible languages include china britain germany korea russia italy spain portugal japan arabia set corresponding system language on mobile phone local area network", "label": 1}
{"pkg_name": "com.tecHome.techomeble", "description": "hub home automation app allows users control variety integrated devices around home via tablet mobile phone hub customised control almost everything in home opening roofs pool led rgb lighting linear actuators motors gates blinds shutters appliances much features rgb led lighting control colour brightness motor control opening roofs gates windows blinds shutters much scheduling automation power point control appliances devices pool etc rename devices custom security pin codes bluetooth connectivity favourite presets enable rf learn modes supported devices smart motor controller bt outdoor remote power points smart appliance controller hub controller using bluetooth low energy devices controlled on one one basis offering user simplicity convenience user modify on run times device including setting regular scheduling controlling device manually comfort home hub controller available control many devices in house without cost complexity inherent in many home automation systems see website information regularly expanding range 3rd party manufacturer products compatible app interested in comprehensive list considering making product compatible please contact us on info com au visit www com au note application requires tablets mobile phones bluetooth low energy android kitkat api higher app also uses following permissions bluetooth bluetooth admin access coarse location read external storage vibrate subscriber identification module email", "label": 1}
{"pkg_name": "com.customsolutions.android.alexa", "description": "ultimate alexa full featured voice assistant uses amazon alexa voice service first app on google play support alexa display card technology like amazon echo show hear see weather forecasts shopping lists news headlines wikipedia entries much support included phones wear os watches watch speaker connected phone speaker used wake up alexa on phone either saying alexa wake word tapping on big button also activate alexa notification area widget saying ok google start ultimate alexa using google assistant even set ultimate alexa default assistant listens wake word time also woken up long pressing home button upgrade pro version wake up alexa simply shaking phone samsung device bixby button pro version also lets use button talk alexa on wear os watch tap on big button say ok google open alexa full control app listen respond commands also choose several different alexa voices support included every alexa feature amazon allows including making phone calls reading sending text messages support included messaging apps including facebook messenger whatsapp phone sms app many playback music audio files stored on phone tablet reminders timers alarms repeating alarms example alexa wake up every morning calendar entries hear see calendar items reading kindle books smart home device control access local information businesses restaurants movies phone numbers news weather sports traffic fun games general information wikipedia entries math unit conversions shopping lists see list on screen read shopping on amazon access thousands third party skills much calling text messaging availability features currently available in us uk ireland canada australia new zealand separate alexa skill used enabled installing phone link app https play google com store apps details id com android music playback due restrictions imposed amazon music playback voice commands limited music stored on device well 3rd party skills support music voice commands cannot used play music amazon popular services pandora spotify amazon echo device owners looking amazon alexa app provides remote control settings device download https play google com store apps details id com amazon dee app number short message service subscriber identification module", "label": 1}
{"pkg_name": "com.acremotecontrol.acremoteonida", "description": "remote control onida air conditioner one smart remotes easy control ac smartphone remote control onida air conditioner control ac conditioner smartphone ac remote control app set temperature control various air conditioning modes auto cool heat fan dry ac remote remote control onida air conditioner free application control gadgets functions easy functionality app quick way get ac remote on mobile phone free remote control onida air conditioner app in device select air conditioner control easily smart device lost ac remote find remote ac remote remote control onida air conditioner simple remote controller air conditioning remote one smart onida remote easy control ac smartphone whenever wherever want remote control onida air conditioner app set temperature control various onida air conditioning modes auto cool heat fan dry ac remote use select air conditioner brand ac list wait moment connect easily device connect successfully use anytime want control ac features amazing design cool easy interface handle modes smartphone easy activate deactivate ac allow option change ac fan speed change temperature onida ac supported functions supported free install important app needs phone infrared sensor sure means try downloading app see works disclaimer app official blue star app designed care try bring onida users overall better experience number subscriber identification module number", "label": 1}
{"pkg_name": "com.fujitsu.fglair", "description": "application software enables operate fujitsu general air conditioner mobile device anywhere home on traveling features control operation on operation mode setting temp fan speed airflow direction operation status schedule weekly timer sets weekly timer made available convenient summer winter respectively up individual setting time set on weekly basis schedule timer made available according lifestyle others error display error history e mail notification up air conditioners registered air conditioners in home operated single mobile device also operated on several owned residential properties in order use application software required prepare following items fujitsu general air conditioner supports wireless lan network connection broadband internet access well wireless lan router including wps function number local area network email", "label": 1}
{"pkg_name": "com.aeroguard.BLE", "description": "app mainly used control air purifier bluetooth different mode display working status air purifier", "label": 1}
{"pkg_name": "rdl.relayswitchboards", "description": "app acts remote controller controlling appliance via bluetooth enabled android devices enables control eight appliances on features support bluetooth serial port profile spp control max four devices minimum version android os required app icecream sandwich api button pressed on sends value 1n button pressed sends value 1f sw1 on 1n sw1 1f on 2n 2f", "label": 1}
{"pkg_name": "com.smpsample", "description": "printer sdk smp m240 smp smp smp smp smp smp printer list interface bluetooth usb wifi connect language local area network", "label": 0}
{"pkg_name": "com.revogi.delite", "description": "delite application smart bulbs smart led smart candle light controlled time smart phone tablet via low energy bluetooth protocol delite life delite key features remote control turn smart bulb directly phone direct connectivity gateways hubs needed million colors change atmosphere interior changing color smart lights set mood in home light brightness adjustable schedule timer set bulb turn on specific time let light gradually turn on wake up anti burglar mode burglar repellent put lights work randomly turn on on vacation giving impression someone home sms call alert bulb flashes several time receive message call on phone disco color changing syncing rhythm music proximity sensor set light automatically turn on enter leave room make sure device supports bluetooth simply smart upgrade firmware smart lightbulb android youtube http bit ly number automated teller machine short message service subscriber identification module", "label": 1}
{"pkg_name": "com.xyz.xyzrobot", "description": "inc phone app able control bolide advanced humanoid robot features bluetooth support bolide three modes dance fight normal mode mode control buttons use editor change bolide movement save movements on phone app commands available remote controller spec please use on bolide support android system tested on grand prime galaxy tab note google htc nexus asus asus c htc desire htc desire htc one m7 sony xperia z sony z3 compact number", "label": 1}
{"pkg_name": "com.mcu.reolink", "description": "app easy use security camera system surveillance app enables locally remotely access ip cameras on mobile devices monitor watch live streaming home business anywhere anytime helps easily get peace mind key features ; steps access cameras local network easiest solution ever ; easy friendly interface users use ; remotely monitor watch live streaming via 3g 4g wifi anywhere anytime ; multi channel viewing up channels on screen time ; remotely playback video recording camera sd card nvr hdd ; capture video live view channels on mobile device playback ; capture single multiple images save on mobile device ; get emails push notifications in real time motion detection triggered ; schedule video recording including motion triggered recording anytime ; control pan tilt zoom cameras remotely left right up note app compatible ip cams supports website https com facebook https www facebook com twitter https twitter com contact https com contact us youtube https www youtube com channel number", "label": 1}
{"pkg_name": "com.waxman.mobile.volansys", "description": "works hub features battery backup wi fi connectivity complete smart home water leak detection system detects leaks via wireless sensors placed throughout home immediately shuts home water automatic shut valve stop water damage even start entire process takes less seconds plus receive instant notifications on smart device whenever leak occurs matter lets turn water always know home belongings protected water damage caused leaks number", "label": 1}
{"pkg_name": "com.TvRemoteControl_SV", "description": "universal remote control supports remote control tv brands tv remote control best app control tv model using device remote tv remote control universal remote control supports almost kinds smart tv models remote control amazing app supports top tv brand easy control tv mobile device remote control tv ir based universal remote control tv devices compatible popular smart tv samsung lg sony panasonic many top brands different connection types also available connect remote tv control easily connection type wifi connection ir connection bluetooth connection universal remote control tv app easy connect tv remote using three connection type fast easy connection useful without tv remote access tv enjoy remote control tv functionalities power control mute volume control channel control home back play stop reverse fast forward whenever find remote want fun like fooling friends tv remote control help number", "label": 1}
{"pkg_name": "com.iseebell", "description": "call on phone regular phone call visitor call smart video doorbell connects wi fi network grants convenience answering door mobile devices streaming live audio video matter long wi fi cellular networks on iphone ipad able two way communication right away visitor take peek going on even one in front door app revolutionized doorbell next doorbell features include hd camera motion detecting sensor ultra wide angle lens night vision pir sensors cloud recording easy installation diy weatherproof number", "label": 1}
{"pkg_name": "com.grill.GrillNow4", "description": "turn on product app take care rest meters range bastard keeps eye on grill enjoy perfectly grilled meat every time app features easy connection bluetooth compatible iphone ipod touch ipad ipad mini android phones equipped bluetooth running later need get multiple apps devices view two grills simultaneously via one app eight main options settings barbecuing favorite foods custom settings ensure cook perfectly set timers keep track cooking tasks temperature measuring range temperature measuring accuracy heat resistance value sensor probe heat resistance value wire hours continuous power aaa alkaline batteries number subscriber identification module", "label": 1}
{"pkg_name": "com.bluino.beginnerkitarduinodfrobot", "description": "arduino tutorial based on beginner kit tutorial buy kit access tutorials online https www com product html read description circuit on projects also practical directly uploading code hex arduino board usb see happen project need debugging use serial monitor features tutorials make arduino uploaded sketch android arduino hardware bluetooth https www io make bluetooth shields upload sketch arduino features ads in app purchase search tools in app purchase content offline available in app purchase serial monitor debugging needed upload examples sketch arduino uno usb bluetooth arduino tutorials projects change themes light dark black change code style theme light dark change font size syntax highlight arduino language arduino projects content list arduino arduino project led flashing arduino project distress signal arduino project interactive traffic lights arduino project breathing led arduino project color rgb led arduino project alarm arduino project temperature alarm arduino project vibration sensor arduino project light sensitive led arduino project drive servo arduino project controllable servo arduino project interactive adjustable rgb led arduino project diy fan arduino project ir remote controlled led arduino project ir remote controlled led module number local area network", "label": 0}
{"pkg_name": "com.autoconnection.jojo.smartstart", "description": "app car remote control using mobile phone bluetooth caution app control car please build controller install please visit youtube web page get info build controller app upgrade v1 old design v2 app using on youtube v1 https www youtube com watch v f2 last screen shot v1 number", "label": 1}
{"pkg_name": "bluetoothlesmartcharger.ramk.com.blesmartcharger1", "description": "charger provided technologies inc technologies provides innovative state art iot solutions everyday life keeping in mind current life style people means productivity efficiency connectivity smart speed social awareness charger charger smartest cellphone charger ever made till date intelligent reliable connected adaptable needs user charger charges battery full battery fully charged stops charging battery starts discharging reaches default threshold threshold touched smart intelligent charger starts charging till battery completely charged in way using intelligent smartphone charger achieve following goals ; battery always fully charged whenever need ; battery on charge reaching charging hence battery longer life compared others ; electrical energy prevented wasted environmental friendly reducing co2 usage green healthy life leave smartphone on charging sleep peacefully using charger morning get fully charged smartphone long battery life much energy conserved charger designed work android based devices well ios devices works pretty simple buy charger app store install charger application plug in charger in socket use cable connect smartphone charger led indicator turns blue device connected charger device connected either use default charging thresholds define in application point want charger stop charging on point want charger reconnect charging simple smart charger rights reserved technologies inc brings smart attitude in life number subscriber identification module", "label": 0}
{"pkg_name": "io.konnected.konnected", "description": "alarm panel revives wired alarm system integrating old pre wired home security system popular home automation platforms including home assistant app assists setup discovery configuration debugging updating devices", "label": 1}
{"pkg_name": "com.adsi", "description": "medicare certified conducts home sleep apnea testing overnight oximetry testing throughout united states web platform apps home medical equipment suppliers track view patients entire testing process capture patient signatures view oximetry hst r e reports fax oximetry hst r e reports track executive dashboard upload bluetooth patient home", "label": 1}
{"pkg_name": "com.uvclean", "description": "easily command germ mold free environment safety wellness customers patients employees family members remote controller app thru bluetooth wifi patent pending double helix sterilizers emit ultraviolet light irradiate surface areas purify air deadly viruses without employing laborious scrubbing use chemicals features activate deactivate reactivate location control single multiple units set time minutes initialize bluetooth wifi", "label": 1}
{"pkg_name": "com.aquaillumination.prime", "description": "control ai devices control platform control wirelessly enabled ai device setup timer touch finger light colors share save customized ai preset adjust light liking using color sliders kelvin color temperature control create custom timer settings even faster easy setup control realistic effects like lunar cycle use coral acclimation mode welcome new livestock fast forward timers preview changes supports following devices prime hydra hydra nero nero ai prime ai prime fresh water ai prime fuge ai prime hd ai director ai hydra ai hydra ai hydra hd ai hydra ai hydra hd ai vega ai nano ai sol information on products please visit website", "label": 1}
{"pkg_name": "com.testing.appl", "description": "carrier air conditioner smart air conditioner app compatible smart wifi module connected open cloud service simply control air conditioner comfort efficiency safety new user experience special functions ui interactive design remote control obtain modify home air quality anywhere sleep curve customize comfortable sleep time scheduling auto switch appointment time please check user manual detailed information", "label": 1}
{"pkg_name": "com.msi.gaming.mysticlight", "description": "customize set up color scheme on msi gaming motherboards mystic light make build look on fire cold ice in control simply select colors palette match systems design tired always color change another one using easy use mystic light app available on pc phone tablet make pc look feel brand new mystic light lets fully remote control up six led devices time bluetooth connection on msi godlike gaming motherboard note mystic light even control favorite bluetooth speaker mystic light easy set up finding new bluetooth enabled led devices in area mystic light show device id easily identify msi godlike gaming motherboard devices in range keep track paired bluetooth enabled led devices mystic light allows change connected device name icon preference using smartphone tablet subscriber identification module", "label": 1}
{"pkg_name": "com.ants360.yicamera.international", "description": "yi home camera connects family real time video audio anytime anywhere fingertip away equipped wide angle lens extend area coverage enable clear view specific areas objects simply double click activate 4x digital zoom focus on details simple tap on mobile phone initiate way conversation family remotely specially designed microphone speaker ensures loud clean voice quality simply panning mobile phone left right complete panoramic view displayed provide better viewing experience gyroscope support integrated in yi smart app able follow mobile phone orientation making easier see every corner monitored functions yi home camera uses glass lenses f aperture produce bright crystal images hd resolution still delivers excellent image quality even enlarged view small details yi home camera always keeps eye on things important built in high accuracy motion detection technology camera sends notification mobile phone detailing movement detected always stay on top things care instantly support up 32gb sd card stores video audio special moments fully indexed cherish touch fingertip best yet built in mode triggers store action image change detected achieve best storage capacity optimization adaptive streaming technology automatically adjust optimal viewing quality based on network conditions number subscriber identification module", "label": 1}
{"pkg_name": "com.qsmfg.bbq2", "description": "app used barbecue kitchen help user better cooking app connected barbecue thermometer device tpr 3xx bluetooth thermometer send temperature data temperature probe app smart phone various functions ; thermometer ; monitoring temperature cooking bbq ; select different meat taste default set temperatures customized set temperatures ; app provide progress cooking ; app provide notification sound vibration user target temperature reached ; app display temperature in user selectable ; support probes thermometer end user assign different meats tastes individual probe cooking purpose ; timer ; channels timers assist user various cooking bbq purpose ; channel selected work up count count timer ; count up timer used monitoring duration cooking activities ; count timer used set target time cooking timer count target time zero app trigger notification sound vibration user number", "label": 1}
{"pkg_name": "de.selve.commeotimer", "description": "control selve timer bt time switches using app timer manual operation control switching times child play via app selve timer bt time tiny badly readable displays complicated menu guides improve comfort discover selve timer bt modern comfortable way simple time switch roller shutters sun protection easily use existing smart phone operation timer app get connected on easiest way bluetooth selve timer bt use full functionality comfortably without leaving sofa advantages bluetooth integrated selve radio technology in timer bt allows direct connection selve products operate timer also directly additional handy remote control e g send app assist simple fast installation selve operating devices provide timer bt individual configurable switching times via app let roller shutters radio receivers perform automatic rather switching actions use integrated astro function automatic commands in evenings in mornings waste time on onerous readjustment switching times safety protection selve sensor expansions program e g selve sensor ws timer bt keep apartment cool even sunlight protect e g plants floors automatically necessary configurations easily quickly configurable using app connect timer bt bit bit selve receivers experience selve timer bt turn simple easy operate room control center control lights e g selve adapter plug easily together timer bt timer app providing simple intuitive device management programmed selve receivers automatically possibility in app control receivers single operation number subscriber identification module", "label": 1}
{"pkg_name": "co.jp.icom.rs_aero1a.menu", "description": "rs application viewing editing waypoints flight plans used in navigation function ic function overview create waypoints on map edit name type location on plan create edit flight plans linking waypoints on map instantly send waypoint location on map transceiver destination taps import waypoints flight plans gpx fpl files load save load waypoint flight plan data various purposes device requirements android later compatible transceivers ic ic note rs may work android devices even one tested devices rs may work depending on os version installed application bluetooth used connection transceiver may take time complete data transfer transferring data talking transceiver may cause data transfer failure need internet connection use functions number local area network", "label": 1}
{"pkg_name": "com.het.pakistan", "description": "sync smart appliance solution provides complete control sync appliances application operated on android version control key functions refrigerator ac washing machine microwave oven via internet anywhere in world monitor power consumption manage bills etc following appliances features sync refrigerator ; quick cool mode ; operate refrigerator anywhere in world ; door alarm alert ; power consumption monitoring washing machine ; shows water energy consumption ; monitor wash cycle ; remote access ; error diagnosis microwave oven ; connect use anywhere in world ; built in recipe cooking time monitoring ; keep track on electricity consumption air conditioner ; hassle free control split ac anywhere in world ; control electricity bills keeping track on air conditioner on air conditioner usage hourly daily monthly monitoring ; nonstop working wide range voltage range support number", "label": 1}
{"pkg_name": "com.geniuslifestyle.genius", "description": "genius home gives complete control security system cameras lights locks thermostats connected devices anywhere in world key features arm disarm home security system anywhere receive text email notifications in event alarm system disarmed watch record live video home security cameras control home automation enabled z wave devices please note access app must account set up genius home number", "label": 1}
{"pkg_name": "com.obddriver.free", "description": "use app start engine switch ig key on app required bluetooth adapter dongle jdm japanese domestic market cars protocol list http www com enable html free version obd driver app advertisement displayed in screens let watch car information google map in real time android device becomes gauge car watch car information in real time driving car becomes fun feature information marker displayed on map in real time super easy operation multi window system gas mileage eco driving teacher log data storage alarm warn color sound customization super easy operation mix maximum windows on screen following operations available drag move window tap show next page double tap switch full screen view normal view long tap press hold display pop up menu pinch in reduce enlarge window eco driving teacher doctor teach eco driving driving good gas mileage doctor praises kindly however driving bad gas mileage doctor get angry good driving let make sure information app display varies according car model ecu sensor information speed engine rpm coolant temperature intake air temperature intake air pressure intake air flow maf timing advance timing spark engine load throttle position short term fuel trim long term fuel trim o2 sensor volt relative gear ratio battery volt current fuel consumption latest minutely fuel consumption drive information drive fuel drive cost trip fuel trip cost total fuel total cost total co2 drive distance trip distance total distance drive time average speed driving score fuel less distance stop time fuel consumption stopped engine stop count time time distance distance gas mileage current minutely section drive trip total meters speed division g sensor acceleration x z gps information latitude longitude altitude speed date time supported protocols detect following protocols automatically sae pwm sae vpw iso baud init iso kwp baud init iso kwp fast init iso bit id iso bit id iso bit id iso bit id sae bit id choose following protocols manually toyota toyota k line suzuki k line daihatsu k line iso bit id ecu physical address supported unit distance km mile fuel liter gallon gas mileage km liter mile liter mile gallon km gallon co2 gram km liter 100km temperature celsius fahrenheit currency dollar euro pound ruble pln yen please note use app must connect bluetooth adapter connector bluetooth serial port profile spp necessary use app in android device app corresponds device android higher guarantee operation device android higher app guarantee operation in car models adjustment driving required display exact fuel efficiency app communicate car remove connect number", "label": 1}
{"pkg_name": "com.bluino.switchiot4ch", "description": "tools guide make diy smart switch based chip using app directly uploading firmware setup need computer laptop configuration make iot device easy uploading firmware without need registers login server configurations features turn on home appliances remotely remote on turn electrical devices on anywhere independent control control gang separately sync status real time device status provided app share control control smart home together family timing set scheduled countdown loop timers turn on specified time uploading firmware hardware requirement relay module chanel tact switch button pcb prototype double layer led 3mm wire follow tutorial make diy smart switch https www com id make cheapest diy number", "label": 1}
{"pkg_name": "com.google.android.wearable.app", "description": "wear os google app previously android wear syncs phone get watch get proactive help google assistant see important messages track health fitness wrist get proactive help google assistant stay on top day proactive personalized help useful shortcuts google assistant get commute times see upcoming reservations check flight status take health fitness get healthier active tracking progress towards heart points steps goal rock work control favorite music right wrist stay motivated last mile stay connected glance check important notifications texts emails calls glance get done see next meeting add items grocery list set reminders pay on go express wear os google lets hundreds styles fashion fitness fun thousands watch faces customize learn http google com supported features may vary across watches phones countries google assistant available in certain countries languages number local area network", "label": 1}
{"pkg_name": "vn.com.dlcorp.PAMHOME", "description": "pam home smart home iot based solution emphasizes on maximizing house comfort energy efficiency monitoring home environment indoor outdoor temperature humility air quality energy usages home appliances combined self learning homeowners behaviors pam home trigger schedule actions home appliances in automate proactive modes pam home connect control manage many different iot devices in house includes limited followings online indoor outdoor air quality monitoring humidity temperature pm2 pm10 cox sox o2 online soil moisture monitoring online power energy consumption monitoring smart air conditioner controller smart socket plug smart camera pam home use outputs devices inputs others limitation create rules schedules operation home appliances thus activities house appliances automated provides homeowners comforts conveniences cost savings in electricity bills pam home one product in pam precision agriculture management eco system product l technology integration consulting jsc one innovative active company in providing iot solutions number", "label": 1}
{"pkg_name": "com.anki.overdrive", "description": "makes anki overdrive world intelligent battle racing system tech advanced feels like future supercar self aware robot driven powerful artificial intelligence equipped deadly strategy whatever track build learn wherever drive hunt better play better become whether battle opponents friends tactical options unlimited continuous software updates gameplay always stays fresh customize weapons swap cars build new tracks easy pick up nearly impossible put future play arrived android marshmallow compatible anki overdrive however due changes in bluetooth permissions android app may able detect anki cars properly resolve issue go settings in os location turn on location services anki overdrive cars detected properly in app anki inc rights reserved anki anki overdrive anki anki overdrive logos registered trademarks anki inc 2nd street 15th floor san francisco ca usa number", "label": 1}
{"pkg_name": "com.bps.aquablaster", "description": "allows bluetooth speaker alexa built in taken anywhere confined home wifi network talk alexa on pressing hi button ask play music check weather control smart home devices hi app works major services stations amazon music tunein iheartradio others alexa works alexa enabled languages number local area network", "label": 1}
{"pkg_name": "net.atw.smarthomeandroidnew", "description": "atw solution provide smart home life 3g wifi control home appliances remotely ip cam surveillance device like door sensor pir rescue home", "label": 1}
{"pkg_name": "com.bluetium.electropatch", "description": "compatible lit devices enjoy extended features using app multi purpose multi media remote controller embedded touch screen technology lit means provided light works lit devices makes easy use extends functionality key features lit devices wirelessly controls smartphone tablet notebooks reach easily attached clothes bag bike automotive music movie play pause navigation volume up e book page navigation camera shutter remote presentation remote led illumination provides status indication advanced features bluetooth connection bluetooth disconnection alarm music title reader battery level monitoring paging smartphone lit air one touch app activation firmware update connectivity bluetooth le q q long battery life charging min battery life longer days continuous usage turn on use much longer q put on car bicycle backpack velcro loop sticker velcro loop strap in package put wherever need q need install app need install app however app installed enjoy useful features like music title text speech device tracker function etc number", "label": 1}
{"pkg_name": "com.hubble.smartnursery", "description": "hubble connect smart nursery future baby nursery experience advanced data analytic allow unheard levels monitoring control across multiple devices in real time wherever scales projector maintain perfect nursery environment time together bring greater understanding greater empathy greater connectivity precious thing in world baby mobile app helps monitor analyze control every baby connect device baby scale connected scale baby growth tracking control compatible devices track parent baby weight history sync weight data hubble server dream machine connected sound light show projector audio monitoring control compatible devices control light show projector animated scenes night mood light control changing colors set triggers notifications audio monitor way communication night light sound detection alert thermometer automatically store readings in app individual family member profiles record temperature track list graph timer list nursing suggestions common device dashboard listing easy control seamless switch hubble motorola monitor camera app number", "label": 1}
{"pkg_name": "com.HBplayer", "description": "access control dvr security cameras ip cameras watch live surveillance video streams fast simple support dvr made in china like port ect also support pda compatible android smartphones stream live video directly security devices support multiple dvrs supports control cameras take snapshots live streaming video subscriber identification module", "label": 1}
{"pkg_name": "com.getmysa.mysa", "description": "electric baseboard fan forced heaters mysa best energy efficient smart thermostat home heating control need wifi connection remote access anywhere using mysa app set schedules group heating zones access advanced features like smart learning energy reports ability curb energy use take control busy life palm hand compatibility built variety electric heating systems baseboards short cycle fan forced long cycle radiant ceiling wifi connectivity smart home systems amazon alexa google home apple coming soon samsung app features remote control access phone access home full control mysa anywhere in world smooth scheduling scheduling manager help set up ideal flexible schedule in fraction time takes programmable thermostats comfort zoning place multiple heating zones precision house heats up vacation mode getting away bit set up vacation schedule switch back regular one on return skip beat smart learning sensors learn house heats use mysa recommending tweaks schedule coming soon", "label": 1}
{"pkg_name": "com.bosch.tt.us.bcc100", "description": "bosch connected control app allows remotely control thermostat settings also allows adjust schedule on go set vacation mode save energy away also connect unlimited number thermostats manage up schedules per thermostat perfect solution achieve maximum comfort minimum effort", "label": 1}
{"pkg_name": "com.bluetoothcontroller", "description": "arduino bluetooth controller android application used control channel relay module via bluetooth bluetooth serial communication module support hc hc hc using arduino avr connect configure control arduino bluetooth based devices easily cool control electrical devices different ways using arduino bluetooth controller application arduino bluetooth controller application make able remote control device bluetooth module arduino board want control via bluetooth arduino project built run app search bluetooth module connect connected able send commands arduino board using keyboard fancy buttons use arduino bluetooth controller in one smart home automation system home automation system car motor controlling light controlling leds controlling much top features arduino bluetooth controller devices configured time on buttons use turn on electric devices features arduino bluetooth controller app configuration configure app according need e send command coded in arduino device arduino sample code arduino code diagram provided in code section app worry code find main screen feedback feedback matters thanks number", "label": 1}
{"pkg_name": "com.anyware.com.anyware", "description": "much lighting let form factor fool award winning smart adaptor world smallest smartest smart home system in one connected device powerful connected device lamp socket offers simplified yet compelling smart home experience seamless self install easy use aesthetic design smart adaptor designed assist daily routines create peace mind families detects sound temperature humidity built in sensors functions wifi bluetooth ble gateway home app comes four pre configured smart home services scenes box leave home smart adaptor automatically start switching lights on make home look occupied listen intrusion assist in saving energy constantly monitors indoor climate help create healthy home read on www solutions subscriber identification module", "label": 1}
{"pkg_name": "tv.remote.control.vizcontrol", "description": "remote control app allows control vizio tv local network vizio tv on phones infrared port network ip control wifi wifi direct lan network ip control works vizio tvs manufactured later make sure tv want pair turned on make sure phone tv connected home network router supports privacy separator function make sure disabled supported mobile devices phones tablets wifi infrared ir interface tv phone tablet must infrared interface point phone ir blaster directly tv like original infrared remote usual working range line sight phones in power saving mode almost empty battery ir signal weak range less 5ft features functions work latest models year old tv model internet connection course internet related apps buttons work common functions still work supported devices ir blaster running on android kitkat newer like galaxy series s4 s5 s6 s6 edge note tab mega htc one series incl m7 m8 m9 lg g5 g3 stylus xiaomi mi note series huawei honor mate p series tct alcatel tablets ir interface thanks downloading app app work phone tv buttons working miss features found bug etc write e mail backslash help gmail disclaimer trademarks app made independent developer affiliated endorsed vizio inc developers number local area network email email", "label": 1}
{"pkg_name": "ventota.co.jp", "description": "control smart home appliances smartphone wi home app application allows control smart home appliances smartphone link various devices connect home internet line use compatible apps operate compatible smart home appliances devices home on go realizes simple convenient smart home main functions registration compatible devices add device button on home screen application in addition set device linkage reading qr code connection method depends on device group room management members family members use device managed one group group managers add remove members set rooms living room bedroom dining room smart mode setting conditions turn on humidifier in bedroom send message device turned device operated automatically scene execute multiple actions one operation multiple settings on determined conditions determined in automatic setting satisfied automatic setting in mode operation device automatically determined according conditions weather temperature day week time etc supports smart speakers control voice google home amazon echo customers purchased wi home compatible devices use app receive notifications turn on push notifications app depending on installation status communication status compatible devices operation specified in smart mode may notified number subscriber identification module", "label": 1}
{"pkg_name": "com.aileen.smart", "description": "aileen technology gives smart home solution modern lifestyle revolutionized product unbelievable price turn house condo smarter remotely control home appliances anywhere add control multiple devices one app voice control via amazon echo google home interworking multiple smart devices devices automatically start stop working based on temperature location time easily share devices family members receive real time alerts ensure safety", "label": 1}
{"pkg_name": "com.smart.remote.wifi.ir", "description": "smart tv remote wifi ir remote tv smart remote tv application popular tools wifi smart home control many users in world ask team responds needs smart tv remote application support functions users need control smart television ideas power application invited test app smart remote app functionalities application support functionalities user need control smart tv smart tv controller key features app easy used amazing simple beautiful design interface universal remote control tv devices smart television old television based ir smart remote tv support different tvs brands tv controller via technique via wifi ir free fees use smart remote tv application step step connect smart television phone in wifi network open app select television brand in list connect devices test on button remote tested work use others functions disclaimer ir remote ir tv remote control based in ir transmitter external infrared control television phone support ir smart universal remote based in wifi connect television devices in wifi network remote control tv application support tvs brand guaranteed work please remember phone ir tv smart television sure tv universal remote app apps working faced issues in remote control tv app contact us via email issues faced question smart controller app please contact us thank choosing universal tv remote application enjoy number subscriber identification module", "label": 1}
{"pkg_name": "com.samsung.android.oneconnect", "description": "connect control multiple devices quicker easier matter monitor control smart devices home appliances refrigerator wine cellar washer dryer oven range dishwasher cooktop robot vacuum air conditioner air purifier etc tvs speakers registered on server key features remotely control check status devices registered wi fi ap group multiple devices mode control simultaneously configure device settings including time operating conditions operate automatically invite others location devices registered enable shared control notification feature allows receive status information device optimized samsung smartphones features may limited used vendors smartphones features may available in countries app requirements mobile devices may supported ram size 2gb galaxy smart view support screen mirroring app permissions following permissions required app use app without optional permissions functions may limited required access permissions location find nearby devices using bluetooth ble automate actions using gps gps optional optional access permissions camera scan qr codes contacts verify user information delivered transferring files microphone used provide voice control function using microphone storage save use plugins app data transfer content files via app phone check app updates identify user country transfer content files via app number subscriber identification module", "label": 1}
{"pkg_name": "com.virtualremote.remotecontrolforden", "description": "lost tv remote control worries use remote control den app phone used instead normal remote controller phone control tv install change tv channels one click app turn phone tv remote control use always know physical remote controller always good simplest way change mobile in remote gadget control den set top box install app instantly convert smartphone remote mobile works den set top box remote control make life easier lost regularly set top box remote in office home keep always mini pocket den set top box remote handle den set top box easily smart device easy get full control on tv special design remote control den app den set top box remote controller app allows users handle den set top box smart device straightforward way convert mobile den set top box remote control clear user interface use easily smartphone app best change device den set top box remote install app convert mobile den set top box remote control app easy handle den set top box mobile den set top box remote used den remote control den set top box remote control phone remote control den set top box den remote control unique features clear user interface nice design free set top box remote keys keep anytime set top box remote simplest way convert mobile remote power on control buttons convert mobile den set top box remote handle den set top box remote mobile allow getting remote den set top box awesome features remote control den set top box free edition limited life time disclaimer app official den app designed care try bring den users overall better experience important app needs phone infrared sensor sure means try downloading app see works remote missing ask us app features save favorite remotes easy access installation click play amazing design cool easy interface number subscriber identification module", "label": 1}
{"pkg_name": "com.aeonmatrix.yapp", "description": "water smarter save much water used irrigate yard maintaining green beautiful garden get automatically optimized watering schedules based on local weather data forecasts plus exclusive optional water restrictions database apple mfi certified epa certified easy intuitive installation simple app get total control remove guesswork automatic smart program individual zones dig options manual program peace mind world first multi functional smart device capable smart irrigation surveillance enjoy freedom remotely control sprinkler system monitoring yard garden garage ready long haul compatible amazon alexa google assistant allowing voice commands activate water controls zone also works in combination automatic air software updates ready kinds smart home integration never go dark work even internet temporarily automatically detect connections sprinkler valves additionally identify faulty valves equipped surge lightning protection full range ac input subscriber identification module", "label": 1}
{"pkg_name": "appinventor.ai_asatryan2202.BluetoothLED", "description": "lighting control via bluetooth dimmer via bluetooth", "label": 1}
{"pkg_name": "com.potts.hub", "description": "potts devices systems build custom tailored electronic hardware software solutions scratch customers around globe in iot internet things domain potts hub app single app interface control monitor iot devices manufactured potts devices systems create account in potts hub app pair devices everything else taken care automatically", "label": 1}
{"pkg_name": "com.shiftmobility.car2mobile", "description": "ii telematics app offers advanced features connects vehicles app currently restricted authorized users in us europe industry first remote diagnostics telematics app designed support needs today professional mechanic supports communication vehicles obd ii standard interface wirelessly stream real time data advanced vehicle diagnostics comprises following features monitor vehicle data in real time scan clear trouble codes analyze black box information multi data graphing logging fault performance analysis communicates vehicle remotely via wi fi bluetooth supports onwards obd ii compliant vehicles supports variety obd ii hardware devices terminal access modes mode command registry connects vehicle vehicle services network enables telematics guided diagnostics charts current rpm speed data sampling logging diagnostic tests multiple vehicle telematics system control data management app licensed marketed inc please contact sales com learn automotive platform visit us www com new team new team mission provide new generation machine learning artificial intelligence solutions think useful shared purpose build better world email", "label": 1}
{"pkg_name": "com.dkn.cardioconnect", "description": "coaching app featuring fitness sleep heart rate records steps modus views current number steps calories distance active time keeps track previous days records sleep modus records sleep quality time views previous nights records hrm modus tracks real time hr", "label": 1}
{"pkg_name": "pk.ifleet.ifleet", "description": "iot fleet management platform industry specific fleet management applications solving business challenges real time updates fuel theft control maintenance scheduling provides clear roi fleet management dashboard customized reports upto years data analysis bring device hardware agnostic platform integrated devices developer friendly open api uptime online technical support remote device management fleet management software control fleet maintenance cost fleet fuel management provides roi across business tools optimize service costs route optimization planning driving behavior analysis improving field communication via web mobile applications driving quality improvement fuel consumption control vehicle route management field service management real time vehicle tracking fleet efficiency boost maintenance management vehicle theft prevention staff management integration erp", "label": 1}
{"pkg_name": "hr.aarusoftwords.remotecontrolforalltvuniversaltvremote", "description": "tv remote working properly looking better remote work in types tv remote control tv universal tv remote application best option remote control tv universal tv remote application useful apps tv remotes control smart tv functions smart device remote control tv universal tv remote application different companies remotes available like acer admiral bahun bose coby condor gold star haier jvc kolin lg nikai onida panasonic rubin saba technical videocon remote control tv universal tv remote application supports almost every smart tv brands model provide better experience controlling smart tv android device in remote control tv universal tv remote application different remotes available handle brands tv android device use remote control tv universal tv remote amazing application convert android device in remote gadget works tv remote in remote control tv universal tv remote application get remote provides features original tv remote person like young child old people easily operate enjoy go outside like office home forgot remote side want handle brand tv install remote control tv universal tv remote beautiful application make life easier convert smart device in remote gadget anywhere anytime anyplace remote control tv universal tv remote wonderful application use remote control tv universal tv remote application easy anyone anywhere anytime amazing application share remote control tv universal tv remote application on social media near dear others number", "label": 1}
{"pkg_name": "atoz.iotarduino.release", "description": "free iot wifi home automation solution want project arduino in need control device android phone wifi application help lot udp server client app communicate arduino wifi modules like esp family socket based app wifi connect mobile access point enter target host on app change port needed server client start communicate wireless devices in easy friendly interface controls graphical statistics data logging user manual https docs google com document pub number", "label": 1}
{"pkg_name": "com.ahrma.micro_pallet", "description": "new pallets radically different in materials quality also smart provide information on location handling e g accidental drops temperature profiles app communicates version pallet micro pallet shows measured temperature cube turn micro pallet turned number", "label": 1}
{"pkg_name": "de.agentilo.jungvisupro", "description": "app remote control jung knx devices integrated jung visu pro software via tablet access features comfortable mobile operation clear visualisation jung user interface ensures simple intuitive handling besides control knx installation app provides demo version also find information functions products smart home control jung knx system subscriber identification module", "label": 1}
{"pkg_name": "appinventor.ai_smehr2012.PushButton", "description": "app made in order manipulate gates within residential commercial properties considerable amount people use gate daily enter exit property save purchasing lot remote controls users simply operate gate means mobile phones tried app environment simple possible operator handle app in easiest way app created based on 12e wi fi module specs developed utilizing mit app inventor v2 subscriber identification module", "label": 1}
{"pkg_name": "nl.homewizard.android.lite.plus", "description": "download app try demo lite app control things in home manage heating in different rooms radiator valves turn lights in bed dim lights perfect atmosphere close curtains automatically sun goes lite gives comfort fingertips app requires controller plug device ; switch lights on even home ; dim lights perfect atmosphere ; close blinds curtains hour sunset ; heat up individual rooms comfortable temperature ; open garage door phone ; create scheduled tasks based on time sunrise sunset lite app brings easy comfort home number automated teller machine", "label": 1}
{"pkg_name": "com.oraimo.appjoywear", "description": "application work smart bracelet intelligent use manage daily number steps sleeping also remind calls in daily life sms messages social networks reminder even co work smartphone take photos short message service", "label": 1}
{"pkg_name": "com.redfoxuav.redfox", "description": "app designed redfox one gimbals camera", "label": 1}
{"pkg_name": "com.androaddyct.remotecontrol", "description": "remote control android app use arduino bluetooth important app rely on uses device built in ir sensor work may use app regardless presence sensor in phone use app must arduino bluetooth module generic ir led one time access computer optionally active internet connection using arduino ide loading arduino sketch provided within app arduino jumper wires connectors breadboard means establish required connections electronic components also optionally depending on need might require ir receiver get ir codes devices want control already required ir codes reconfigure provided arduino sketch help detailed information found within app key features app generic remote control on phone enter entire channel number change channel speak entire channel number digit digit change channel provided arduino sketch comments detailed tutorial illustrations ease use number", "label": 1}
{"pkg_name": "com.kuxhausen.huemore", "description": "lampshade provides convenient useful controls smart home lighting currently supports philips hue beta lampshade io lets control entire rooms groups set mood beautiful animated color patterns create custom moods share lampshade community widgets lighting alarm clock nfc tag support trigger moods philips hue automation plugin supports tasker locale llama lampshade io available in dutch english french german community translations help translate https www com lampshade open source view code https github com lampshade io formerly known copyright eric", "label": 1}
{"pkg_name": "com.incipio.incase", "description": "travel well smart app paired smart luggage luggage lock smart luggage tracker app offers suite features unlocking lock remotely recording bag location alerting goes range users share smart device information monitor accessories power levels user friendly interface safe travels compatible smart luggage luggage lock smart luggage tracker number", "label": 1}
{"pkg_name": "com.ferguson.smarthome", "description": "smart home intelligent home control system ferguson app mobile controller enabling conveniently access connected devices matter home control check first time number", "label": 1}
{"pkg_name": "com.switchbee.voltex", "description": "smart home technology high end product wealthy home owners today voltex smart touch transformed market innovative smart home solutions designed make accessible affordable everyone everywhere vision put customers heart smarter living ability control home electronic appliances including lighting blinds dimmers timed power switches single touch smartphone patented wireless technology removes need batteries neutral wire seamless fit type wall switch housing making installation simple avoiding unwanted rewiring convert wall switch smart switch in less two minutes turn typical home smart home in less minutes avoid messy rewiring make changes screwdriver instant fingertip control voltex smart touch innovation goes beyond lights switches users control personalize entire home remotely app secure dashboard connecting light switches devices central unit hub complete control personalization want change world making fully flexible intuitive affordable smart home reality number subscriber identification module", "label": 1}
{"pkg_name": "com.homeseer.mobile.android", "description": "mobile smart home always within reach monitor control devices connected system launch automation events monitor smart cameras create custom dashboards quick access lighting security often used devices control home voice access systems single login remote premium required requirements system running software v3 higher please note mobile devices may supported number", "label": 1}
{"pkg_name": "appinventor.ai_ifgweb.InviacomandiBluetooth", "description": "app designed send commands via bluetooth in form strings single character used remote control turn on lights controlling motors enable disable alarms etc date time sent appropriate coding useful update clock device rtc module without need enter hardware dedicated buttons set date time result example timezone long press on on buttons change send values save button records values change every time must configure device using app conn bt button select bluetooth connection device send commands box lists response messages received hardware controlled arduino raspberry pi etc number", "label": 1}
{"pkg_name": "com.paccar.paclink.ui", "description": "diagnostic adaptor works black green heavy duty truck pin connectors supports two channels detection order please visit http com free application service adaptor provides diagnostic information on engine cab transmission abs includes component gauge information class trucks great tool medium heavy truck triage service writers roadside assistance service providers drivers in remote locations need get info quickly mil cel lights cellular connection needed read info truck note software backwards compatible adaptors note first starting application please use pairing code product details ; provides easy understand fault code descriptions makes models class trucks manufactured onwards ; includes mx engine proprietary fault code descriptions ; small heavy duty pin adaptor unit plugs bus ; reads published engine transmission abs diagnostic fault codes ; wireless solution using bluetooth technology ; compatible android v later hand held devices ; provides real time data oil temperature def levels gauges ; capture feature allows send snapshots using email social media ; printable report feature captures information screens in one place ; led indicators adaptor status ; supports spanish inquiries send email paccar com visit facebook page like us https www facebook com number email", "label": 1}
{"pkg_name": "com.myhealthchampion.mobile", "description": "manage health care track symptoms enable remote monitoring control family health medical data take health care hands control health medical fitness records download today get cost early adopter access health medical app pulls in health data hospitals health systems many top fitness medical devices including fitbit apple health medical app provides array tools leverages data get healthier manage healthcare costs take control healthcare journey destiny use medicine tracker record symptoms note conditions automatically in private medical journal personal health medical records provides control tools designed empower families individuals finally control health decisions destiny app designed also empower caregivers whether parent adult child seniors special health needs care elderly parents chronic conditions young kids learning manage childhood conditions like asthma allergies diabetes monitor prescriptions elder parent medication track symptoms manage child treatment follow progress one personalized health pathways plus health observations concerns recoded securely in private journal gives control health medication managing symptoms personal care back in hands health champion features personal health pathways health improvement programs clinically designed personalized health data recorded manually wirelessly access growing library clinically designed health improvement pathways personal health care pathways designed medical health wellness professionals personalized health care programs achieve specific health goals whether losing pounds managing child asthma helping elderly parent recover procedure care family healthy living care elderly parents young children track medicine conditions treatment family track health symptoms medical progress temperature blood pressure recover faster works hospitals surgery centers improve patient care procedures let health care managers know best speed recovery medical providers use pre post operation care health data stays protected health related data gathered various apps devices internet things iot gathers medical records tracking data in secure cloud based environment medical records stay secure protected fitness tracker data add tracking data many leading fitness devices including fitbit garmin omron apple health connect epson life fitness lumo mindful meal misfit movable polar precor suunto tomtom armour medical devices collect track data top medical vitals tracking devices including fitbit garmin omron nokia connect body trace misfit invite shape future consumer driven health becoming part community get started download free app today number", "label": 1}
{"pkg_name": "com.wakeup.smartband", "description": "application smart bracelet bracelet intelligent use manage daily number steps sleeping also remind calls in daily life sms messages social reminder even provide hour heart rate blood oxygen blood pressure measurements fatigue give relevant advice tips health escort short message service", "label": 1}
{"pkg_name": "fourmoms.thorley.com.androidroo", "description": "makes parents lives easier dramatically better high tech baby gear app gives parents option customize product experience unique features like remote control use smart device control different motions speeds sounds self installing car seat guided installation talks entire installation process audio visual cues provides custom recommendations specific vehicle real time safety alerts alerts issue car seat installation growth adjustment alerts proactively reminds time adjust headrest harness based on child height weight also alerts child outgrowing seat moxi stroller trip history keep track lifetime mileage calories remote control turn headlights taillights on using smart device customer service product registration product support direct customer care contact learn products com", "label": 1}
{"pkg_name": "com.sumpple.ipcam", "description": "app supports snapshots records wi fi setting motion detection way audio function connecting via qr code smart connection view real time video ip camera on smart phones auto cruise including horizontal vertical cruise", "label": 1}
{"pkg_name": "com.bose.soundtouch", "description": "experience favorite music one many speakers app family wireless speakers home play music throughout different music in different rooms speed music faster ever browse play music love spotify pandora amazon music tunein siriusxm iheartradio within new app one touch discovery personalize home living presets like spotify discover weekly pandora thumbprint radio always fresh list favorites touch away without even find phone stations fun effortlessly stream radio stations around world tunein check tastemaker curated playlists live sports concerts news coverage great podcasts in every genre old standards library favorite albums artists connect laptop nas drive access stored music libraries total control play music throughout home play everywhere listen different music in different areas up app lets control one multiple speakers in home room privacy policy https worldwide bose com california privacy notice collection https www bose com en us legal california privacy notice collection html number", "label": 1}
{"pkg_name": "com.corvusgps.evertrack", "description": "gps tracker business use gps tracker app designed fleet management workforce tracking gps tracker follow vehicles employees in real time on simple map gps phone tracker app online gps tracking system simple offer high quality gps tracking services business members gps tracker families gps tracker also work family locator app personal plan designed families small company fleets android cell phone tracking easy cost effective way protect follow family members many different family locator apps on market family locator different automatically set optimal location update interval lower battery consumption ensure continuous real time gps tracking online gps tracking system always know family in safe check plans pricing https com pricing gps vehicle tracker thanks intelligent activity recognition technology gps tracker ideal choice tracking cars vehicles use gps vehicle tracker need invite drivers install app on employees mobile detects driving record vehicle routes automatically gps vehicle tracking system gps vehicle tracking system ideal choice would like solve fleet management field service management issues android mobile phone tracking easy solution fleet management tracking system simple affordable flexible mileage tracker odometer automatically detects in vehicle calculate mileage mileage counter odometer menu check vehicle daily mileage last trip mileage total mileage automatically tracks calculate distances travelled vehicle mileage tracker feature accurate difference compared car odometer accurate odometer car used offers simple cost effective solution fleet management workforce management employee tracking team management team location tracking vehicle tracking follow easily follow assets employees cars trucks vans vehicles ideal choice complex issues like delivery driver tracking managing field services agents poof door hanger leaflet delivery control security patrol services track pizza food delivery guys maybe ice cream vans necessary gps tracking system available worldwide yes tracking system available worldwide website in english users united states australia canada united kingdom great britain england ireland also members japan mexico tracking software compatible hard wired trackers yes tracking software support wide range hard wired gps trackers like coban b b also support brands like etc gps trackers like lite plus gps trackers also supported tag iot temperature sensors app compatible wireless bluetooth temperature sensors app collect temperature data temperature sensors report servers in real time help cold chain monitoring temperature tracking easy local area network subscriber identification module", "label": 1}
{"pkg_name": "com.lennox.iC3.dealermobile.droid", "description": "lennox mobile setup app lets hvac technician setup configure test lennox s30 system directly on mobile device installed dealer pair mobile device lennox smart hub easily make changes anywhere in home saving hassle walking back forth thermostat indoor outdoor hvac unit touch technicians setup configure system adjust parameters run system tests app designed lennox hvac technicians servicing s30 systems", "label": 1}
{"pkg_name": "puji.SmartHome.Tasker.Plugin", "description": "puji smart switch integrated tasker plugins control smart switch way like anywhere tasker use https www youtube com watch v voice control home automation android https www youtube com watch v voice controlled home automation android tasker https www youtube com watch v", "label": 1}
{"pkg_name": "com.dlink.mydlinkunified", "description": "important notes older link cameras dcs dcs still used new app advanced functionality cloud recording automation supported new app support home devices dcs dcs dsp dsp dch dch dch dch dch dch new app support setup control link wi fi router devices install control devices follow accompanying instructions on router packaging manual new app smart home control smarter simpler compatible view home monitoring cameras in real time alerted record video motion sound detected turn appliances on well set schedules make life easier convenience smartphone tablet home smarter new rich notifications see right lock screen get clear snapshots open live views call designated contacts in one tap never miss moment cloud recording save motion sound triggered video footage cloud watch anywhere anytime filter recordings event type date device location works google assistant alexa use voice commands bring up live views camera on echo show turn lights fans appliances on set forget scheduling wake up freshly brewed coffee every morning walk brightly lit home every evening work cloud recording paid plans price reference local currencies applies basic event recording days up cameras usd monthly usd yearly premium event recording days up cameras usd monthly usd yearly pro event recording days up cameras usd monthly usd yearly number subscriber identification module phone number", "label": 1}
{"pkg_name": "com.nuheara.iqbudsapp", "description": "unlock power hear companion app unlocks powerful customization features available in award winning boost max intelligent wireless earbuds sinc world control intelligent true wireless ear buds enable stream music answer phone calls control hear world around boost intelligent wireless hearing buds ear id personalization boost revolution personalized assistive listening devices built great features award winning added innovative ear id personalization system clinically backed hearing assessment calibrates unique hearing profile max worlds advanced hearing bud max active noise cancellation ear id personalization worlds advanced hearing buds max combines features comparable high end noise cancellation headsets customized sound controls personalized hearing profile hear world way tv app supports tv use boost max tv control tv audio feed blend tv volume people around in high fidelity sound ear id transform hearing in easy steps boost max feature comfort home in less minutes ear id allows assess hearing automatically calibrates earbuds personal hearing profile assess download app complete ear id in app hearing test personalize ear id personalize automatically using audiological industry standard algorithms hear hear world better instantly calibrate often like without visiting hearing clinic focus directional hearing boost max feature focus uses audio beam forming technology isolate enhance sounds directly in front world blend sinc blend perfect amount ambient noise world control feature sinc helps hear conversations better turning noise in noisy environment note app requires compatible boost max ear buds work app compatible tv see www com information on purchase limited rights reserved number", "label": 1}
{"pkg_name": "com.alarm.alarmmobile.android.wave", "description": "smart home smart home app lets monitor control home in real time anywhere using android device smart home gives interactive security video monitoring home automation control maximum convenience peace mind apple watch support know glance status home temperature security lights control key devices even view live video home note app requires wave internet service smart home service wave feature availability varies based on system equipment service plan visit com information features arm disarm security system watch live video recorded clips security cameras lock unlock doors remotely turn lights on control thermostat view images important activity captured smart home image sensors view system event history smart home also deliver real time email text push notifications specific events choose get updates want emergency events doors left open including garage doors kids home school flooding water leaks in basement security system armed disarmed visitors unique codes identify arriving leaving like dog sitters housekeepers babysitters changes thermostat settings children opening medicine liquor cabinets someone attempting log in account wave wave leading provider internet tv phone services on west coast information visit com copyright holdings llc number", "label": 1}
{"pkg_name": "com.orbweb.smartrouter", "description": "remote configure router setting remote control iot zigbee ir appliances access external storage router easy nas support rule scenes iot devices ir appliances cross control note using application please make sure router latest firmware", "label": 1}
{"pkg_name": "com.fusar.app", "description": "fusar app social media platform created action sports enthusiasts share pictures rides tracking included use rider rider communication on go track rides far ride motorcycle bike today many corners hit in last section twisties average speed on slopes skiing stop wondering know sure crunch data track metrics like speed distance jump height lean angle create share content post favorite photos hotshot live video blasts right fusar social feed share across major social media channels earn collect patches earning patches best way show everything done up earn patches things like mileage land marks visited attending events use in app push talk communications turn phone unlimited range walkie talkie fusar feature allows voice chat up friends time matter far apart free emergency alerts find in emergency situation use fusar guardian angel alert system notify preset emergency contacts provide location contact info nearby ems dispatchers hardware cloud enabled hardware products interact directly fusar mobile app extending capabilities phone beyond pocket get hardware fusar com f7 bluetooth headset bluetooth connection phone supports telephone calls music streaming peer peer intercom fm radio tuner bluetooth handlebar remote wrist version coming soon controls unlimited range push talk comms dropping waypoints highlighting portions route photo video capture voice commands music playback volume fusar smart camera hd photo video capture removable micro sd card universal mounting crash detection w automatic emergency alerts black box accident data logging up hours continuous video recording native support bluetooth audio input great vlogging retroactive video capture w live broadcast social media low profile aerodynamic rotating lens waterproof without external case terms service http media fusar com terms html number local area network", "label": 1}
{"pkg_name": "com.stereomatch.hearing.aid.oreo.demo", "description": "day free trial hearing aid oreo https play google com store apps details id com hearing aid oreo hearing aid oreo uses audio capabilities android oreo deliver lowest latency fastest response hearing aid app on google play use headset device microphones listen on earphones device earpiece speakers uses oreo low latency audio practically usable hearing aid app runs in background even screen tested hour continuous use on single battery charge nexus oreo easy swiping volume equalizer settings screens use volume screen overall volume setting boost hi band on equalizer compensate age related hearing loss use settings screen choose microphone speaker use talkback friendly blind users disclaimer medical device get hearing tested use devices prescribed professionals try app explore apps improve speech comprehension first use app careful increase volume high volume adjusted using android volume buttons want change android volume levels use volume screen set overall volume depending on environment in use equalizer screen customize ear age related hearing loss age related hearing loss usually affects high frequency range hearing hearing aid devices compensate increasing volume on hi band improve comprehension fricative sounds like sh show sow table cable often confused age related hearing loss however hearing loss may always high frequency end may affect younger people well testing important figure frequency bands require boosting compensate specific hearing loss in ear hearing aid device programmed boost frequency bands require compensation app provides simple band equalizer since volume settings adjust may easier users judge settings work better usually age related hearing loss improve comprehension boosting hi band on equalizer users may prefer settings earphones headset lapel mic device microphone use earphones headset best results in pinch use android device built in earpiece listen using device built in microphone however approach lead feedback higher volumes device microphone hear output device earpiece speaker feedback loop creates unpleasant whine sound use external lapel microphone use built in earphones on device listen best use earphones listen using device microphones record use lapel microphone usb microphone better quality whichever configuration choose test latency combinations give lower latency better others usually give lowest latency using headset built in mic plugging splitter android earphone jack plugging in separate earphone separate microphone splitter bluetooth headsets used usually much higher latencies bluetooth latency high on android may confusing use low latency fast response oreo audio app makes use audio improvements in android oreo like low latency quality app please support purchasing app paid app satisfied please click menu contact e mail us refund e mail us com number subscriber identification module email", "label": 0}
{"pkg_name": "com.moonappdevelopers.serialterminalforbluetooth", "description": "must app people want real serial monitor ease access serial port terminal app usb bluetooth built in devices in usb spp mode popular usb serial ttl chips supported received serial data displayed on app console useful app in debugging serial communication applications internet things on in bluetooth spp mode search bluetooth devices send data serial port console bluetooth enabled devices easily in usb spp mode set up parameters set up connection serial chip baud rate stop bits flow control parameters parity on also write scripts save use later on console commands collection added bluetooth wifi chips hm hc hc ease access connect usb otg cable mobile phone access internet things devices easily control use bluetooth spp connection communicate device please note please give permissions in dialog app auto search pair bluetooth devices inside app phone must support usb host mode in usb mode usb otg cable required usb otg cable must shorter 20cm avoid possible voltage drops avoid possible serial chips malfunction battery level must greater enough power usb host detect serial devices serial port terminal app features bluetooth spp console support cdc acm based devices support usb otg adapter usb bridge chips support based devices support based devices support prolific based devices support silicon labs based devices support arduino arduino uno on easy export console log csv text formats support almost baud rates data bits selectable in settings stop bits selectable in settings flow control rts cts dsr dtr xon char hex display settings commands popular bluetooth chips hc hc hm commands wifi chips wifi commands easy copy paste scripts dialog ease access write code cr cr lf lf root permission required faq q get benefit app must use quality usb otg cables cheap cables drop connection q bluetooth device detected forget give special permission app q device detected in usb mode device detected please check battery level in mobile must greater least power device mobile usb host device still detected please send device info along vendor product id q serial terminal usb app drains much power battery please use short usb otg cables q serial terminal usb app lags in flow control modes serial ttl chips support flow control modes in case please unplug device switch flow control case baud rate on advertising policy disclosure love creating apps want keep free forever in order keep development running serial terminal ultimate ad supported generate revenue thank understanding number", "label": 1}
{"pkg_name": "com.alenaenergies.fjcepeda", "description": "application home automation solution remotely control heating system created work exclusively alena energy products information on operation system configuration acquire please contact customer service open office hours number next visit website http www alena energies fr", "label": 1}
{"pkg_name": "com.dayan.rvleveler", "description": "wireless vehicle leveling system accurately calculate height required rv reach level adjust vehicle horizontal position according data displayed on app easy use application connects smartphone tablet display leveling information need present suitable driving towing rv adjust rv flattest position data detected rv leveler in parking area choice rv leveler recommends use rv various camping trailers food trucks large vehicles simplify vehicle setup reduce setup time increase safety system bluetooth on switch drastically reduces setup time easy install simple use works rvs trailers 5th wheels degrees save balance points saved in various situations use next time works smartphones tablets site selection driver seat start app soon reach destination pull potential site app dynamically display accurate information level site site require many blocks get vehicle level jacks reach ground move on try different spot designed accurate believe using best hardware essential creating great product selected high quality axis digital accelerometer accurately calculate angles height requirements onboard digital temperature sensor used calibrate unit insuring accuracy maintained wide range operating temperatures see tech page detail accuracy achieved wireless connectivity utilizes latest wireless protocol simple connectivity increased range connection handled app days waiting device pair phone tablet connection automatic quick connect even already connected wireless devices like hands free vehicle system towable leveling simplified calculates displays height required achieve perfectly level position arrow displayed indicate height needs added simplifying procedure traditionally required lot time guesswork eliminating trial error approach simply level trailer using height indicated red level indicator turns green done reconnect ease help return hitch exact height disconnected save hitch position disconnect tow vehicle recall saved hitch position ready reconnect simply move hitch in direction indicated arrow red indicator turns green hitch disconnected driveable leveling perfected driveable mode displays height required wheel reach perfectly level position simply stack leveling blocks wheel height indicated drive up level vehicle on first try minimal configuration designed ease use in mind simple one time setup procedure configures calibrates device specific vehicle installation settings saved on instead phone even change phones use another device like tablet required repeat setup process subscriber identification module", "label": 1}
{"pkg_name": "com.bayithomeautomation.bayitSense", "description": "bayit sense allows keep full automated control home office completely wi fi enabled wireless bayit sense requires hub monthly fees keep track going in home protect valuables keep control appliances want know kids got home kids going somewhere without permission something place bayit sense provide peace mind using push notifications sent directly mobile device featuring modular system notify different alerts multiple sensors aware exactly going on time comfort mobile device wi fi door window sensor detect every time door window open closed vibration sensor detects vibration ideal placing on window alert someone trying break in place in drawer valuables alerted anytime opened closed wi fi socket turn wall ac space heater on on way home turn on lamp on vacation put on schedule featuring built in siren sound anytime one sensors triggered sensors use aaa batteries last year included alert batteries running low diy setup in seconds add multiple sensors in different rooms different homes on one mobile app number", "label": 1}
{"pkg_name": "com.jasco.mytouchsmartrc", "description": "remote control mobile app empowers easily program bluetooth universal remote up six devices quickly locate ever gets lost two priceless features let get back enjoying favorite entertainment simply download remote control app mobile device pair philips license branded bluetooth universal remote program remote control tv blu ray player streaming media player cable satellite sound bar touch button remote goes missing simply press find button on remote control mobile app signal lost remote beep found programming remote never easier gain unmatched control remote home entertainment devices remote control app compatible philips license branded bluetooth universal remotes listed customer care department also need help in case question customer care option contact us support com compatible remotes ; ; number subscriber identification module email", "label": 1}
{"pkg_name": "com.gwcd.airplug.neutral", "description": "smart life software offers remote control intelligent home appliances including air conditioner partner smart socket smart led light rf gateway devices bring smart life", "label": 1}
{"pkg_name": "jp.healthplanet.healthplanetapp", "description": "news on next update updated released in last ten days august required login setup update application platform thank kind comprehension carry record attachment body data learn custom measuring health see glance change data recorded graph display diet planned possible set goals input items body composition monitor weight body fat muscle mass bone mass fat lv basal metabolic rate age body water bmi pedometer steps calorie expenditure exercise sphygmomanometer lowest blood pressure highest blood pressure pulse", "label": 1}
{"pkg_name": "com.telldus.live.mobile", "description": "live mobile official app live system control monitor home office summer cottage anywhere easy use modern fast application", "label": 1}
{"pkg_name": "com.devicecortex.zcastle", "description": "allows conveniently control smart home devices connected vera wink hub automation gateway support v3 vera gateways must running wink gateways api v2 supported features local remote access devices cameras via service local remote network access control smart devices via vera gateway change vera modes run scenes also known shortcuts in wink app control thermostats control lights dimmers simple on switches view cameras including pan tilt arm sensors view current status activate locks access modes scenes quickly via widget subscriber identification module", "label": 1}
{"pkg_name": "com.senniksoft.BluetoothSppController", "description": "terminal controller simple app provides communication bluetooth enabled devices micro controller boards also provide well bluetooth serial terminal console therefore uses protocol also known serial port protocol spp transmit data internet things devices firstly pair connect monitor transmit data sample robot project added robot code included robot info hardware pictures included robot serial bluetooth controller included character data robot controller buttons forward button acceleration sensors mobile phone character data left button acceleration sensors mobile phone character data right button acceleration sensors mobile phone character data reverse button acceleration sensors mobile phone character data stop button acceleration sensors mobile phone character data hence set character data micro controller boards begin serial communication baud rate hardware serial port bluetooth module ttl control micro controller boards arduino on mcu serial communication search bluetooth low energy devices spp bluetooth terminal app features search bluetooth devices use serial communication receiving sending data serial console set char hex mode search bluetooth low energy devices acceleration sensors feature added robot controller sample serial robot project added along source code info serial terminal added console data exported device storage advertising policy disclosure love creating apps want keep free forever in order keep development running serial terminal app ad supported generate revenue thank understanding number subscriber identification module", "label": 1}
{"pkg_name": "com.kraftwerk9.sharprc", "description": "roku tv remote sharp best free remote control unit sharp roku tv simple design intuitive interface pileup buttons complex settings need connect android device sharp roku tv wi fi network main features automatic detection sharp roku tv in wi fi network large touchpad convenient menu content navigation launching channels directly application compatibility sharp rc compatible sharp roku tv roku applications channels screen keyboards take input android keyboard disclaimer kraftwerk inc affiliated entity roku inc sharp ltd roku tv remote sharp application official product roku sharp number subscriber identification module", "label": 1}
{"pkg_name": "com.ryan.wifi", "description": "wifi revolutionary new light bulb changes way see light wifi wifi enabled smart led light bulb control smart phone tablet wifi app get creative personalize lighting color palette million colors ability group bulbs together setup timers sync bulbs music etc possibilities endless control lights outdoors anywhere in world wonderful thank", "label": 1}
{"pkg_name": "air.SmartLog.android", "description": "app application designed accessory sens blood glucose monitoring system intended help users track monitor blood glucose levels providing following features transfer data meter mobile phone otc cable nfc analyze data using various graphs meal insulin medications information added stored manually share blood glucose data health information healthcare provider via email sms push measurements downloaded on application meter in mmol l units may difference l depending on calculation method hundredths decimal points short message service", "label": 1}
{"pkg_name": "com.cardosystems.proconnect", "description": "cardo comprehensive yet intuitive interface manage control cardo crew pro device personalize device set various features control on go clean engaging easy use design whether intercom music radio bluetooth connectivity cardo got covered even quick access button enable full control one screen try cardo selected features remote control dynamic mesh intercom phone music radio control auto day night mode quick access complete device setting presets customization embedded pocket guides smart audio mix updates on latest firmware reset device access support supported device cardo crew pro cardo systems cardo systems pioneered bluetooth wireless communication devices motorcycle riders in groundbreaking technology innovation cardo excelled in market industry firsts longer range communication dynamic mesh communication natural voice operation drawing on rich history innovation cardo broadened business personal protective equipment ppe market launch cardo crew product line customizable embedded modules combine bluetooth dynamic mesh communication use in design safety helmets earmuffs protective gear business line natural progression company bringing best communication technology communication critical designed safety security gear enable group communication in hazardous noisy environments group communication critical design gear cardo crew communication technology cardo crew pro first in series compact versatile robust embedded group communication modules seamlessly fit in wide range existing professional helmets earmuffs terminals also find us on www www com linkedin https www linkedin com company cardo crew number", "label": 1}
{"pkg_name": "lvbu.wang.spain.lvbuforeignmobile", "description": "ge road es una para ge road wheel ge road las ruedas trav de bluetooth muestra el estado de la de las ruedas la velocidad de la bicicleta el nivel de asistencia las de firmware etc", "label": 0}
{"pkg_name": "com.cpuid.hwmonitorpro", "description": "pro health monitoring program dedicated android devices shows in real time various set temperatures depending on device battery information voltage temperature charge level cpu utilization monitoring data sent local network in order displayed on pc running pro windows on another android device in addition pro allows monitor up systems windows pc android device android device steps following setup monitored system remote connection pc windows install pro windows http www cpuid com softwares pro html on pc want follow up switch listening mode note machine name ip android install pro android on device want follow up click on local monitor 1st entry start monitoring make sure listening mode checked in settings page note machine name ip connect android device run pro on android mobile device choose add device application menu click on computer icon in action bar enter name ip address machine choose ok select machine in list in order start connection remove monitor long click on monitor item least seconds in order remove list number", "label": 1}
{"pkg_name": "com.foscam.foscamnvr", "description": "nvr supports following feature current version supports live nvr viewing on smart phone capture video camera live view iphone play back later capture single multi still images save iphone camera roll control pan tilt zoom cameras remotely", "label": 1}
{"pkg_name": "com.ambiclimate.remote.airconditioner", "description": "upgrade air conditioner ambi climate ai boost comfort save energy requires purchase ambi climate device works simply indicate feel hot cold comfy ai learns various factors affect comfort ambi ai auto adjusts ac optimal comfort reduces excess heating cooling factors considered ambi climate ai temperature humidity outdoor weather sunlight time day seasonality smart home features control ac anywhere smartphone voice control via google home amazon echo day scheduling via up timers use gps turn on ac automatically set temperature humidity rules turn on ac integrations google assistant amazon alexa google home amazon echo purchased separately subscriber identification module", "label": 1}
{"pkg_name": "com.gmail.tc4roasting.free", "description": "control view log roasting app makes easy control based coffee roaster remotely via bluetooth gives instant visualization roasting temperatures roaster settings features real time plotting display roasting temperatures well saving roast log file operate roaster manually using customizable control buttons automatically using simple roast profiles stored on device main features remote control based coffee roaster automatic heater control using ramp soak roast profiles live display roasting temperatures live plotting roasting temperatures logging roasting temperatures roaster settings csv file customizable control buttons customizable plotting logging options dedicated button marking crack times start stop roast logging customizable input parameters define parameters received logged ability send repeated read pid commands customizable intervals works based coffee roaster controllers bluetooth dongle attached info http www org php forum php thread id http www llc com arduino public arduino pcb html hardware eg arduino capable sending comma separated data bluetooth app provided free charge would like support development please consider purchasing ad free version app subscriber identification module", "label": 1}
{"pkg_name": "unlock_any_device.password.q_apps_r.mobile_guide", "description": "app provides guide unlock android devices others unlock device remove password hard reset unlock without account much features unlock phone guidelines provides screenshots guidelines unlock lava phone screen overlay detected solution unlock mobiles tips unlock verizon mobiles guide provide guidelines unlock phone google account without google account guidelines unlock phones using third party pc software remove passwords factory data reset unlock three phone unlock mobile wireless device use google unlock device use restore factory settings remove password using third party software unlock without losing data simply reset android device use fitbit unlock device find lock erase lost android device unlock virgin media phone unlocking android kitkat earlier versions set automatically unlock device block bluetooth warning official app cell brand guide purpose first made backup important data try tip enjoy share friends number", "label": 1}
{"pkg_name": "com.naberconsulting.cd", "description": "use connected device connect certain bluetooth devices", "label": 1}
{"pkg_name": "hk.com.netify.netzhome", "description": "build smart home easily monitor status smart sensor remote control smart device different kinds smart sensors door sensor pir temperature sensor etc monitor status hours different kinds smart devices smart plug smart lightbulb control everywhere", "label": 1}
{"pkg_name": "com.bluetooth.smart.light", "description": "bluetooth low energy smart lighting easy set up compatible sockets allows control lights color brightness scenes on smart phone tablet freely create light settings basing on favourite photo supports up bulbs phone", "label": 1}
{"pkg_name": "botnoke.ac_remote.for_godrej", "description": "get easily godrej air conditioner remote in one app remote control godrej ac app quickly connect smart device godrej ac remote app get types godrej air conditioner brand remote universal godrej remote control ac quick remote control godrej support quickly connects air conditioner allows change fan power room temperature remote control godrej ac simple remote controller air conditioning remote one smart godrej remote easy control ac smartphone control easily godrej air conditioners worldwide whenever wherever want godrej ac remote control app set temperature control various godrej air conditioning modes auto cool heat fan dry ac remote quick way get godrej ac remote on mobile phone free install smart godrej ac remote control app in device select air conditioner control easily smart device features handle modes smartphone easy activate deactivate ac allow option change ac fan speed change temperature change mode ac simple way change smartphone godrej ac remote keep always godrej ac remote godrej ac supported simple way control temperature one touch change ac mode functions supported convenient user interface use app free install mini pocket ac remote controller subscriber identification module", "label": 1}
{"pkg_name": "ru.smarthome.smartsocket2", "description": "application developed owners master slave application gives possibility control electrical power supply home appliance devices remotely operate power supply home appliance everywhere possibility switch power supply relay on also add schedule even use information build in temperature sensor apply climate control function attached heater air conditioner need start using smart socket insert sim card register in application need call technical specialist spend time setup process detailed studying attaching appliance get full control following functions smart socket used via app ; room temperature monitoring ; critical room temperature notification ; master slave sockets control ; manual relay on switching ; relay on switching timer ; relay on switching schedule ; relay on according temperature sensor climate control ; multiple sockets selection ; filter sockets category master slave sockets ; searching socket key words application smart socket specially developed work along devices number subscriber identification module", "label": 1}
{"pkg_name": "in.brdata.ticketprinter", "description": "br ticket printer mobile ticketing machine app allowing drivers conductors print tickets on bus android phone paired bluetooth printer become full featured bus ticket machine bus fleet app onboard remotely configured managed tracked on ticket admin web site www in ticket printer app also work on standalone android device without internet sim card features works wide variety bluetooth thermal dot matrix printers real time daily weekly monthly ticket sales reports gps location tracking buses view count passengers on board getting stop configure routes predefined stops stages fares automatically change stops using gps based calculate reverse trip fares automatically maintain thousands destinations fares routes online divide group routes based on location destination depot etc discounted fares children support concession monthly passes luggage tickets stage lock feature prevent issuing tickets older stages secure settings administrator pin user configurable expenses tolls driver wage fuel etc capture notes driver conductor name print trip daily sales reports print check report breakup passengers currently on board customisable headers footers support paper cutter escape code in footer automatic locale based date number formats contact developer customization language support number local area network subscriber identification module", "label": 1}
{"pkg_name": "com.es.sulion.smart", "description": "connecting lives range allows communicate voice internet everyday objects time anywhere get control regular electrical products converting smart devices control remotely smartphone without hub gateway products built in wifi antenna talk devices connecting amazon alexa google home unique app configure devices adapt needs dim lighting see movie program turning on ceiling fan on hot days turn electrical appliances away home", "label": 1}
{"pkg_name": "com.gmail.kamdroid3.routerconfigure", "description": "router admin setup control speed test router admin setup free application enable configure wifi modem router control settings admin general contains tools let manage control setup configure router router admin setup control speed test contains tools need setup modem router control monitor measure everything main features router setup page login gateway detect wifi router setup page automatically whatever app open router setup page automatically save time configure router change settings easily simple clicks router default passwords know wifi router setup page default password application contains full database modem router brand model search router model login in router setup page router speed test internet meter application contains router speed test mechanism wifi router calculate actual internet speed real received internet broadband speed plus download speed supports three speed tests length also revise internet speed test history using wifi network devices discover ever asked use router network application scan network detect connected router ip address mac address wifi information router admin setup control contains tools let know following information traffic rate download rate wifi signal strength network ip mac address dns dhcp info router password generator tool create random strong password help protect internet router admin setup control speed test application supports best routers in world please rate application router admin setup control speed test like drop us email problem nice day subscriber identification module", "label": 1}
{"pkg_name": "com.themallofafrika.android", "description": "smart home technology generally refers suite devices appliances systems connect common network independently remotely controlled home technology works together in one system also referred loosely connected home example home thermostat lights audio speakers tvs security cameras locks appliances connected common system controlled mobile touch screen device smart home automation allows tap high tech functionality luxury possible in past technology development continues expand possibilities consumer home automation make life easier enjoyable big advantages managing home devices one place flexibility new devices appliances maximizing home security remote control home functions increased energy efficiency improved appliance functionality home management insights", "label": 1}
{"pkg_name": "com.entrematic", "description": "smart connect new system manage entrances via app pc remotely locally smart connect works wide range automation features manage multiple automation one app connect smart connect hub hub control up garage doors gates remote access open close monitor garage gate anywhere status notification smart connect system notifies door open closed left open available also temperature battery condition alert video monitoring thanks possibility integrate video signal coming ip camera possible manage access also see video time user management grant deny modify access unlimited users anywhere anytime restrictions time door location log events accessible in home screen smart home assistant vocal control works google home works amazon alexa via works apple compatibility free fully compatible competitors product range easy install follow steps wizard procedure install system in steps configure manage smart connect system unique app number", "label": 1}
{"pkg_name": "com.midea.aircondition", "description": "plus one app belongs air ecosystem iot system operated wifi module cloud service cloud service powered aws amazon web service chip wifi module powered qualcomm user easily control ac using app following special functions ; simply control air conditioner comfort efficiency safety ; new user experience special functions ui interactive design ; remote control obtain modify home air quality anywhere ; sleep curve customize comfortable sleep ; time scheduling auto switch appointment time please check user manual detail information", "label": 1}
{"pkg_name": "com.iotfy.smartthings", "description": "magic one app control smart appliances devices magic let control home appliances remotely in world using iot stack add control multiple devices magic app app also supports integration google home alexa voice control share devices family members enabling control devices", "label": 1}
{"pkg_name": "com.bazookagg.bluetoothbox", "description": "g2 also utilizes audio sync technology allows wirelessly connect two g2 party bars one mobile device like original g2 comes built in rgb led illumination system flash multiple colors speed in pattern tip fingertips use free mobile app ios android access full control party bar features marine grade speakers including end loaded woofers front firing tweeters watt peak power integrated amplifier easy pair bluetooth auto connect waterproof 5mm auxiliary inputs allow connect smart device mp3 player 5mm audio jack waterproof 5mm auxiliary outputs easily pass signal party bar audio system external subwoofer patent pending cast aluminum integrated grill mounting system allows end mounted woofers complete degree rotation two durable cast aluminum legs securing roll bar integrated rail mounting system provides alternative mounting options end mounting available hands free calling paired bluetooth enabled mobile device marine grade sae accessory connector switch makes easy add led light bar fully customizable wireless remote control dashboard controller mobile app control audio sync wirelessly syncs music two party bars", "label": 1}
{"pkg_name": "com.qnecthome.smart", "description": "tired using separate apps every smart device in home discover wide ever expanding range products bulbs switches sockets sensors cameras controlled easy use intuitive app even convenience use google amazon voice assistants devices whether looking single smart bulb socket want automate entire house discover accessible smart technology today house flows automate home flows make home even smarter easily create scenes lighting sensors devices cameras many products work seamlessly together make world green use products gain insights see glance exactly much power appliance using reduce use gain knowledge usage set up flows cut on energy use share others use app together family know someone enters home turn on lights even enter room enjoy easy control smart living made easy smart living complicated envision entering room lights switch on automatically response movement think useful notifications in case emergencies like water leak smoke little fun make daily life easier make sure radio starts playing soon enter room prepare cup coffee bed on sunday morning one home multiple brands already smart products brands in home problem compatible platforms google home amazon alexa conrad connect smart products work together even different brands number", "label": 1}
{"pkg_name": "com.sipc.home", "description": "set up camera on phone plug in download app get started get alerts activity talk back get someone attention check in on home in super clear hd", "label": 1}
{"pkg_name": "com.xtooltech.iOBD2BMW", "description": "bmw app bmw car makes phone cool vehicle diagnostic tool read bmw car data app read bmw fault codes like experts obd readers limited small number electronic control units even smaller number fault codes app reads practically compatible electronic control units normally possible expensive expert equipment check car in depth provides modell specific fault code explanations even clear stored bmw fault codes obd note software work interface activated successfully company details please contact seller thanks visit product page info www com number", "label": 1}
{"pkg_name": "com.lumensand.beyond", "description": "l b builds array bluetooth low energy based smart devices ranging lighting fixtures switches plugs sensors support bluetooth well wireless mesh technology irrespective whether user sitting in home office l b app provides user flexibility control devices locally remotely in user friendly manner using l b app user manage device individually via cloud service enhanced data security app user scan new devices add group control single multiple devices group", "label": 1}
{"pkg_name": "com.bugull.socket.myts", "description": "set up smart switch in simple steps get started setup account link router find device set program add additional devices pushing one button never leave app set up groups make easier program multiple devices one time technology allows set smart device follow sun push button full hour countdown options works google home amazon alexa controls subscriber identification module", "label": 1}
{"pkg_name": "com.innovincglobal.gps", "description": "global private limited gps provides full gps tracking system services igs gps smart iot device connects vehicle smartphone cloud connectivity helps in monitoring vehicle makes ultra secure device gets installed in vehicle communicates app encrypted data transmission app device secure login access features igs gps security", "label": 1}
{"pkg_name": "com.beewi.trackerpad", "description": "app associated smart tracker key fob allow keep valuable thing attached always safe close app smartphone alert anytime thing attached key fob moving away help finding back key fob making sounding alert give latest location key fob disconnected associated smart tracker detector app give long range high precision tracking visual sound alerts including proximity disconnection alerts close near far geo location sensor current last known position photo snapshot control camera phone remotely voice recording record smartphone remotely geo fencing mute alerts in defined area", "label": 1}
{"pkg_name": "com.luxproducts.deriva.thermostat", "description": "please note app longer work thermostat please download new lux thermostats app control thermostat lux thermostat https play google com store apps details id com thermostat number", "label": 1}
{"pkg_name": "com.goclabs.sliworld", "description": "state art iot cloud based smart home automation system fully wireless system monitor control home devices anywhere in real time features lights appliances control dimming lights fans alerts on fire smoke gas intruder detection ac cooling control using thermostats remote free set top box control etc", "label": 1}
{"pkg_name": "com.iothager.android", "description": "hager iot controller gateway enhances knx electrical installation making compatible tens iot internet things iot controller use multiple application controlling sonos home sound system expanding lighting philips hue integrating voice control amazon echo alexa compatible device please note essential knx system home also hager hardware free cloud account required start list compatible products services sonos philips hue weather station amazon alexa number", "label": 1}
{"pkg_name": "com.energycurb.curb", "description": "curb powerful intelligent integrated hardware software system visualizing managing energy in residential commercial settings easily identify energy usage patterns control appliances optimize behavior cost savings fortune magazine identified curb essential component every smart home smartest way start instant money saver sensors connect directly breaker panel curb processes electrical usage on circuit circuit basis giving real time information home power consumption electrical vehicle charging solar production integration samsung platform enables users directly control appliances in home curb shows driving cost electricity bill pinpoints problem areas sends notifications abnormal energy usage weekly insights tips make home smarter energy efficient safer power life smarter number", "label": 1}
{"pkg_name": "com.ovalapp2", "description": "in one home smart sensor system oval small in smart sensor monitors alerts in real time sudden gradual changes in temperature light humidity motion water open doors water leaks oval empowers act quickly prevent loss damage theft leaks accidents unsafe unhealthy conditions in around home cameras microphones protect privacy without invading privacy others oval sensors cameras microphones works amazon echo google home make smart home even smarter connecting oval voice activated smart speakers enabled smart products switches plugs automate home in new ways multiple alerts send alerts family friends coworkers neighbors help unavailable choose push notifications text messages emails phone calls alerting up people led soft buzzer on oval sensor act secondary alerts easy set up use oval sensors small wireless placed in on room area object making smarter connected wherever instantly installation integration required up running in minutes oval sensors fully customizable moved quickly reprogrammed time connect up oval sensors oval hub number", "label": 1}
{"pkg_name": "de.dickert.remote", "description": "app possibility control device one finger touch via new remote application smartphone integrate smart right device connect smart device remote allow easily open close garage door home lighting anywhere smartphone tablet range up meters remote smartphone control need newest smart electronics gmbh smart information purchase module check website www com get in touch us please send us email info com email", "label": 1}
{"pkg_name": "com.mediola.iqontrolpro", "description": "app smart home keep lighting shutters heaters sensors home audio video technology centrally comfortably control always anywhere control monitor automate different brands in home one app neo control automation app aio gateways v5 plus v6 series connected devices components enables quickly turn living environment centrally operated smart home using aio gateway control center app easy use supports large number products popular manufacturers brands in field professional building technology well trend setting products consumer sector using neo amazingly simple connect wireless devices ip zigbee z wave etc infrared enabled products selected ip devices cloud devices e philips hue in one single platform additionally comfortably control home via voice commands expand system new components step step features voice control via amazon echo google assistant optional via in app purchase cross platform automation manager multi level triggering conditions eg sensors device states time astro combine different functions devices one touch scenes easy remote access optional via in app purchase generic user interface automatically adjusts controls size used control device intuitive setup system components directly in app unlimited number mobile devices used control units requirements necessary equipment use app aio gateway v5 plus v6 series compatible devices components depending on aio gateway version different wireless components supported list compatible components found https www com informations available http www com cloud services control smart home via internet export device configuration cloud voice control amazon alexa google assistant connection automation platforms conrad connect price eur year price may vary location eur years price may vary location aio gateways v6 v5 used app subscriber identification module", "label": 1}
{"pkg_name": "com.securehome", "description": "important note mobile app requires hardware device function order today one partners sentinel provides preventative solution current emerging cyber crimes e g cyber bullying cyber extortion creates protective shield smart home internet things iot devices like security cameras thermostats similar devices inventories connected devices learns normal behavior customize cyber protection individual home solution applies learning alert on unusual network internet activity guarding known security threats e g viruses malware botnets system provides automatic simple one click remediation user engagement gives users peace mind hazards smart home technology getting trusted help in case incident home small office users leverage solution require cyber security expertise extensive features include smart router agent automatic devices inventory new device connection alert pause play internet device stealth mode router configuration dhcp port forward guest devices access control proprietary device location identification device online offline status mobile device wifi on alert online safety engine virus malware sites protection protection whole house protection real time phishing protection categorical website access control hacker intrusion prevention botnets ddos protection individual website access control protection privacy guard device specific internet activity transparency restrict data mining internet sites alexa google home privacy guard soon smart home protection smart device activity profiling abnormal device behavior protection new smart device activity alert parental controls new browsing activity alert adult sites protection limit kids internet access specific sites number subscriber identification module", "label": 1}
{"pkg_name": "com.telefunken.smart", "description": "remote control home appliances anywhere add control multiple devices one smart light app voice control via amazon echo google assistant interworking multiple smart devices easily share devices among family members easily quickly connect smart light app devices telefunken smart home via smart light app", "label": 1}
{"pkg_name": "com.romt.tvremoteforsony", "description": "tv remote control sony app work change device tv remote controller nice way use anytime remote connect device wifi connection start control tv smartphone app includes latest features like view photos play videos music phone on big tv screen install app convert mobile tv remote control app best app use remote control in device use app handle tv anytime tv remote control sony app easily converts android phone tv remote control simple easy configure mode use exactly remote control tv use app change smart device tv remote simple clear user interface use understand app without problems app easy handle tv mobile features sony tv remotes buttons supported volume control keys available simple use tv remote control sony tv clear ui design free use change mobile tv remote easy volume up tv remote keys power on control buttons change smartphone mini pocket remote simple easy way convert mobile remote nice design simple interface subscriber identification module", "label": 1}
{"pkg_name": "com.sarm4d.rccar", "description": "enjoy android remote control arduino bluetooth rc car free sample arduino code inside features minimal clean user friendly interface designed control arduino programmed car robot bluetooth on screen button controls accelerometer based auto control even enjoy free sample arduino code in instruction section code tested arduino nano hc bluetooth motor driver module free personal use fully compatible hc hc arduino nano uno etc customizable strings value send phone arduino connection requires bluetooth may require location permissions app needs permission bluetooth scan used gather information location user user instructions need enter hc hc etc bluetooth mac address establishing connection phone car also find mac paired devices in app settings window hitting button control car either on screen buttons phone accelerometer sensor power switch enables disables control buttons string values actions forward forward motion back backward motion left steer left right steer right stop acc stop forward backward motion motor stop steering stop steering control motor bt mac hc hc etc bluetooth mac address find user instruction manual in app go manual face issue in understanding app number", "label": 1}
{"pkg_name": "com.newbeem.iplug", "description": "smart plug innovative wifi enabled energy saving plug dimmer control control app running on android device gives everything want control remotely turn plugged electronic device on become dimmer led light bulb connected set timers make actions automatic essential building element smart home", "label": 1}
{"pkg_name": "dyna.logix.bookmarkbubbles", "description": "want use on phone tablet please get widgets variant include watch components new wear os tiles support https bubble eu add bubbles bubble cloud tile get apps on watch easily use extended watch face scroll horizontally apps brightness volume assistant keep using watch face pull app drawer screen similar mini launchers bubbles grow use frequently used items stand crowd optional million installs in app get bubble clouds on wear os phone tablet folders widgets references featured on android police in standalone apps android wear equipped watch http bit ly business insider android central yahoo tech gizmodo see http bit ly compatibility yes wear os google android wear moto lg sony fossil samsung gear tizen android bluetooth gt o8 dz modes app drawer similar android wear mini launchers interactive watch face launcher becomes watch face feature highlights fun practical fit icons find apps less scrolling variable icon sizes preset usage based organize apps clouds favorites archive folders watch face live info date watch phone battery weather step count unlimited complications dim ambient watch face selective ambient pick info stays on ambient face sticky open double tap keep app on screen without battery hit screen lock prevent accidental touches favorite contacts cloud call text premium screen brightness volume control half swipe away auto day night brightness management battery friendly on watch phone stand up alert plugin tasker plugin control bubbles on watch smart home automation via http get post command bubbles also authentication toggle wifi bluetooth on watch phone much control look use custom colors images background clock dial hands ready made click themes in downloadable theme packs full icon pack support use standard android icon packs theme watch smart auto layouts auto arrange icons in various layouts drag drop editor wear os features unlimited number watch face complications premium put complications in app drawer folders background image complication provider remap hardware button open app drawer start dimmed theater mode notification peek cards in wear x override watch face swipe functions edges doctor paramedic watch face seconds hand in special ambient mode accurate vitals https tutorial videos app might seem on surface explain every feature in short videos free version constant development based on user feedback fully customizable favorites cloud watch face layouts archive cloud app drawer premium complication bubble premium limit tasker bubble premium limit assign function watch button premium assign 2nd press time limit launcher update reminders full support developer info website hundreds posts http bubble eu versions http bubble eu permissions detailed http bubble eu pr number subscriber identification module", "label": 1}
{"pkg_name": "com.aduro.revive", "description": "living healthy always easy revive app helps achieve healthy living goals faster use app new revive smart scale easily accurately track daily weight body fat number", "label": 1}
{"pkg_name": "com.yavuzcalisir.homie", "description": "homie designed make life colorful dim turn turn on change colors directly phone use make sure ikea gateway smart bulbs configured make sure phone gateway connected wifi compatible ikea bulbs may cause unexpected behaviors smart bulb manufacturer devices like philips hue smart home companies tested colored bulbs please stay connected application updates", "label": 1}
{"pkg_name": "air.IGoTRemoteController", "description": "internet gateway things remote controller application user register remote controller button function remote controller button user run remote controller functions iot cloud service user guide inquiries relevant product information http www com http wiki net index php title remote controller application eng", "label": 1}
{"pkg_name": "com.bluetoothcontroller.gameapp", "description": "application comprised modes terminal mode simplest approach send data on device joystick mode allow control device joystick console screen accelerator meter mode helpful control robot gesture home devices control control various smart devices in home home device control feature voice control ever thought talking robots high time think bluetooth controller voice feature allow command robot robotic arm mode in perform robotic arm angular positions controlling servo motors well also provide control robotic car using backward forward left right stop button compatible platform raspberry pi arduino arm dsp avr pic tested on various device motorola honor nokia lenovo oppo vivo samsung on number subscriber identification module", "label": 1}
{"pkg_name": "com.buildinglink.rcorp", "description": "welcome r co home start beautiful journey detail carefully considered source inspiration xiao qu kampung community models comfort resort retirement living latest australian know technology buildings designed evoke sense cohesion vibrancy safety welcoming sense comfort extends beyond individual apartments include shared common spaces designed specifically evoke home connected neighbourhood r co building possesses unique charm yet deliver consistent experience r co brings buildings life hand picking team dedicated professionals cutting edge technology keep on top building updates announcements r co app additionally use app contact members staff safety convenience asset protection top priorities comes maintenance operating building gardens effectively efficiently on daily basis log in maintenance requests track progress in r co app r co understand residents desire belong community recognise also value privacy latest developments know in technology community engagement allow residents participate in various events get know provide opportunities meet fellow neighbours pick up new skills workshops watch movie r co app book spot in group fitness classes taking place in building day week alternatively may utilise various amenities facilities in property exclusively personal use enjoyment reserved via r co app track favourite gym equipment electrical vehicle charging station availability in r co app save precious time customise home latest in smart technology based on personal preference r co app allows control smart devices one central location anywhere in world access internet r co property owners residents access app upon registration r co log in details please contact r co property manager concierge features ; receive building announcements ; track parcel delivery ; track gym equipment availability ; track shared cars availability ; track electrical car charging stations availability ; submit repair requests track progress ; request entry visitors ; community forum ads messages ; send instructions concierge ; track keys ; call front desk button ; get home navigator ; control smart home devices ; book common facilities ; book gym classes community workshops ; access building documentation ; access food retail service offers in local area ; contact building staff", "label": 1}
{"pkg_name": "io.waterwatch.android", "description": "innovative family remote level sensors focused on improving water management monitoring anything city infrastructure home water tanks provides simple cost effective solution mobile app allows set up test sensors configurable notifications alert user high low rapidly changing water levels features install configure devices set measurement transmission intervals connect sensors via bluetooth test measurements network coverage create threshold notifications number subscriber identification module", "label": 1}
{"pkg_name": "com.giatec.smartrock2", "description": "world wireless sensor monitoring curing hardening concrete unlike time consuming error prone break tests cumbersome wired sensors patented sensor fully embedded secured on rebar making completely maintenance hassle free temperature data collected strength in place concrete calculated automatically based on maturity method highly accurate astm approved strength test equipped dual temperature monitoring capabilities enables users measure temperature values two locations simultaneously allowing users easily monitor temperature differentials concrete core surface results accessible in real time remotely mobile app collect data up feet away on desktop dashboard ai assistant sends smart notifications alerts help project managers make informed decisions optimize construction schedules together remote monitoring device enabled faster safer economical concrete construction in projects across countries used measure temperature differentials accelerate formwork removal control quality in field speed up post tensioning open roads traffic faster optimize curing conditions improve saw cutting time number subscriber identification module number", "label": 1}
{"pkg_name": "com.gm.buick.nomad.ownership", "description": "on go in tune vehicle app lets send remote commands vehicle properly equipped manage vehicle maintenance gives elevated ownership experience tips help improve driving easy access available roadside assistance way earn rewards on go download app today start logging in buick owner center onstar username password services available everywhere feature availability functionality may vary country see local onstar website details limitations remote key fob take control key fob on smartphone always in command remotely start stop lock unlock vehicle even activate horn lights help spot vehicle status schedule service check in check status certain vehicle systems schedule service participating dealer without leaving app monitor fuel level oil life tire pressure schedule service check status appointment roadside assistance get help flat need fuel request roadside assistance in app call onstar advisor help on way rewards earn rewards watch points rack up redeem well earned rewards learn enroll in program see active point balance conveniently access account things work tutorials setting up bluetooth connection advanced safety features learn vehicle marketplace shop save satisfy cravings less discounts along route restaurants gas stations retailers hotels send navigation pre plot trip sending destination vehicle built in navigation system vehicle mobile app buick smart driver gain insights driving skills receive driving score trip day week month also receive driving tips help better safer driver available on select devices service availability features functionality vary country vehicle device plan enrolled in terms apply device data connection required requires subscription select plan include emergency security services unlock feature requires automatic locks remote start requires gm factory installed enabled remote start system issues deliver alerts monitor spare tire vehicle status features require paid plan roadside service availability providers vary country restrictions limitations apply please view full program terms conditions https www com valid offers vary latest offers check marketplace vehicle infotainment system available vehicle mobile app requires paid plan properly equipped vehicle mobile app functionality available on select devices requires data connection map coverage varies country see local onstar website details limitations number local area network", "label": 1}
{"pkg_name": "com.wdc.wdremote", "description": "turn smartphone touch screen remote wd tv live hub wd tv live wd tv play media player control wd tv experience tap soft key swipe finger using wd tv remote app simply launch app on android mobile device instantly take control wd tv live hub wd tv live wd tv play connected on network key features control wd tv anywhere in house using wireless network get one touch access launch online service available on wd tv enter text using android smartphone tablet keyboard use gesture pad quick easy navigation connect multiple android mobile devices wd tv remote app conveniently play multiplayer games minimum requirements android device running mobile operating system version higher wd tv live hub media center wd tv live wd tv play media player latest firmware wd tv live plus firmware version later wd tv live hd media player firmware version later wireless access wd tv media player on network media player may connected network via ethernet port wirelessly like us on facebook facebook com follow us on twitter subscriber identification module email", "label": 1}
{"pkg_name": "com.summit.bledoorcontroller", "description": "bluetooth remote control summit automation doors", "label": 1}
{"pkg_name": "com.usr.bt.thermostat", "description": "make products modern creative convenient idea goes newly redesigned app control smart thermostat get alerts on iphone ipad android phone smart thermostat thermostat programs help save energy application fan coil unit system features c convenient operation creates convenient life options black white housing manage home even in place around world time f fashion design blends in cor zero service fee r remote controlled mobile app computer wifi touch screen display backlight easy read even in dark accuracy c keeps comfortable temperature within level set b breath power button always remind world truely exist l lovely price helps save energy e easy ui interface could used even child features require working internet connection wi fi 4g number", "label": 1}
{"pkg_name": "bt.arm", "description": "uncomplicated leisure time app strictly works interface bluetooth module microcontroller lcd built merely practice learning purpose display characters on lcd screen developing board arm based otherwise android app basic knowledge one also run peripherals on developing board via lcd commands in form normal characters sent via app configure appropriate particular character displayed also used pair bt devices stream characters received uart obviously needs coded check baud rate make sure receiving loop array characters terminated keil e g run loop receive characters saving in receiving register uart ch receive ch terminated display characters on lcd ch display on lcd pass chars on uncomplicated leisure time app play around arm based developing board blogs www com www wordpress com number number", "label": 1}
{"pkg_name": "caece.net.vitalsignmonitor", "description": "measure measure extension service provided facilitates senior caregivers manage health data variety bluetooth compatible devices measure app easily sync health data blood pressure heartbeat blood saturation blood sugar weight etc devices hand", "label": 1}
{"pkg_name": "in.ind.ecoearth", "description": "neo personal wireless lighting system lets easily control light create right ambiance every moment bring smart home life connected light in world connect neo lights bluetooth wifi help neo app start playing endless colours lights switch on dim lights brighten change colours neo app also allows set scenes set schedules automatically put neo smart lights work also neo wifi lights connected google home amazon echo operate voice", "label": 1}
{"pkg_name": "com.webhost.webcams", "description": "super heroes downloaded live cams viewer app see happening in places save world imagine security guard in cctv closed circuit tv live cam surveillance room webcams online cool app see people everywhere on whole earth on public web cameras take virtual travel around world visiting familiar new place on earth cams online webcams show anything happening anywhere view people buildings roads traffic places animals cars current weather local time nature views cities countries best live ip camera viewer watch life on streaming video worldwide lot things in global tour save photo snapshots every indoor outdoor online webcam choose view moment snap shot later like on line camera add personal favorite streamer earth cam collection largest database thousands see broadcasting world video streams in full screen random mix internet ip cams explore new locations spots zoom in cctv camera video footage streams in multiple times close look image details sneak peek in ip camera window know going on right in interesting places like farm supermarket restaurant bank shop mall airport stadium pub school university iss space satellite station plant factory gas station street city bus stop metro subway sea port beach boulevard parking house lake river marina ocean iot smart home yard office theatre cinema laboratory casino survival quest game rooms shopping center spa resort bowling soccer football golf surf tennis court zoo amusement park company power station hospital research facility gym bar sport club search map find specific earth webcams category topics roads indoor cities yards buildings airports attractions search city like seattle la san francisco miami ny dallas washington boston toronto rio de janeiro sao paulo caracas lima bogota london amsterdam paris lyon rome berlin barcelona copenhagen moscow saint petersburg kiev odessa dubai wuhan cairo rabat delhi mumbai chennai jakarta shenzhen beixxxg tokyo sydney search country great britain russia usa india brazil indonesia italy spain mexico monaco united arab emirates uae germany france denmark switzerland turkey ukraine belarus romania saudi arabia israel egypt greece montenegro china japan korea malaysia australia visit live zoo lots animals pets like dolphin eagle pony ape crocodile monkey cow deer duck rabbit gorilla spider gray wolf lion tiger jaguar bull snake elephant bird swan penguin bear panda kangaroo exotic fish shark horse cat dog hedgehog observe world famous beautiful places like niagara falls louvre museum giza pyramids taj mahal great chinese wall eiffel tower sydney opera house amazon jungles new york broadway rome colosseum fountains copacabana beach hawaii maldives goa bali islands browse monitor local cameras in area near close around in geographic location share interesting web cameras friends family bookmark favorite webcams use like tourist attractions viewer street city net cameras feature hd cctv sound remote control access motion detection android newer on phone tablet download cool mobile app nearby cam near gps on uplink stream best view on fast 4g wifi connection discover new places watch life on whole beautiful planet exciting journey happy viewing number", "label": 1}
{"pkg_name": "com.constellation.constellationconnect", "description": "constellation connect provides easy solution quickly secure home control smart devices one app conveniently integrates manages devices hub compatible hundreds security smart home devices in control easy self installation long term contracts options include professional security monitoring constellation connect part constellation exelon company one america largest retail energy providers long history service excellence dependability additional information please visit website www com number", "label": 1}
{"pkg_name": "com.tplink.omada", "description": "app used configuring managing eaps change settings monitor network status manage clients convenience smart phone tablet standalone mode standalone mode designed managing eaps right away without spend time configuring controller eap managed separately mode recommended networks eaps require basic functions home network controller mode controller mode works together software controller hardware cloud controller suitable managing multiple eaps centrally controller mode allows configure automatically synchronize unified wireless settings eaps in network compared standalone mode configuration options available in controller mode manage eaps in controller mode in two ways via local access cloud access in local access mode app manage eaps controller mobile device in subnet in cloud access mode app access controller across internet manage eaps wherever compatibility list controller mode currently supports software controller v3 hardware cloud controller v1 standalone mode currently supports following models latest firmware eu us v1 eu us v3 v2 v1 eu us v4 v2 v1 eu us v4 v2 v1 outdoor eu us v1 outdoor eu us v3 v1 wall eu v1 wall eu v2 latest firmware required downloaded https www tp link com compatibility list devices supported app coming soon", "label": 1}
{"pkg_name": "com.pmairsoft.pmblaster", "description": "use app control precision mechanics blaster unit remotely thru bluetooth use app monitor system state in real time arm device disarm device deploy device set sentry mode in sentry mode receive notifications ever motion sensor detects movement issues please let us know number", "label": 1}
{"pkg_name": "com.jjkeller.kmb", "description": "j j keller encompass eld app industry simple flexible affordable driver electronic log available formerly known patented eld mandate compliant solution used commercial motor vehicle drivers electronically capture hours service duty status information replacing driver paper log book app uses driver friendly interface present hours service data drivers helping optimize on duty driving hours reducing risk violations solution works class vehicles offers many industry state specific hos rulesets accommodating exempt non regulated team drivers encompass eld app compliant eld part subpart b part appendix rules electronic logging device on fmcsa eld registry encompass eld app part j j keller encompass fleet management system uses j j keller electronic logging device encompass back office portal work hours service telematics data captured engine via hardline adapter engine diagnostic port eld hardware hardware continuously records stores engine data data transmitted via bluetooth hardware encompass eld application on drivers android devices hours service data alerts presented drivers in real time using compliance rulesets determined company data android device transmitted via cellular connection encompass online back office hours service auditing reporting recordkeeping app features mandate compliant eld solution compliant final fmcsa mandate regulatory technology updates delivered air require hardware swap outs hos compliance alerts app continuously checks drivers hours current dot hours service rules company rulesets alerts drivers impending violations hos rule sets app supports state industry rulesets including us us texas oil field canadian cycle us construction air mile exempt roadside inspection mode supports eld regulatory requirements roadside inspection protocol including mobile display telematics data transfer method electronic vehicle inspections driver friendly interface supports pre post trip vehicle inspection process customized criteria photo capture defects mobile messages allows quick efficient exchange critical information back office drivers additional functionality supports team driving personal conveyance exempt logging border crossing flexibility app used j j keller compliance tablet driver smart device dot driver vehicle compliance recordkeeping includes encompass back office dot driver vehicle compliance recordkeeping features driver qualification alcohol drug program management hiring dedicated driver support drivers receive technical support roadside inspection assistance dedicated support team ensures quick resolution on technical issues dedicated company support users receive complimentary amenities including challenge service dot expert help subject matter experts regulatory webcasts online support site training videos faqs user guides online training library spring optional add on solutions options include dash cam pro performance management navigation compliance expertise patented technology developed industry leader in regulatory compliance driver logging since covered u patents patents pending see com patents information j j keller visit www com number subscriber identification module", "label": 1}
{"pkg_name": "com.meshsmart.iot", "description": "iot life professional smart home application in family life remotely manage control various smart devices also intelligently perceive interaction meet variety life scenarios creating worried smart home life easily build smart life in cloud let taste real smart life experience smart space application features one click sharing device family friends whole family easily enjoy smart life support smart scene settings manual triggering device linkage timing tasks remote operation long open app manage smart devices anytime anywhere control smart devices freely quickly connect internet need wait enjoy speed experience number", "label": 1}
{"pkg_name": "com.igo.igoconnect", "description": "igo connect free app available in english french language enhance rider experience igo electric bikes equipped igo drive bluetooth functionality enhanced display view dashboard on go connect app displays speed battery voltage amp draw assist level motor power output error detection dashboard along equipped handlebar color display offers unprecedented informative experience customize ride choose one pre set riding profiles create customized profile ride according style ability change acceleration speed power assisted pedaling system igo connected bike speed road mode magnify igo experience engaging road mode igo connect ability increase speed igo connected bike according local regulations permitted igo assist direct link knowledge base provide quick reference assembly videos user manuals information quick faq on go advanced diagnostic igo authorised dealers tool display electronic system parameters without need special tools instruments local area network", "label": 1}
{"pkg_name": "com.hombli.smart", "description": "easily connect control smart home devices single app app easily control monitor schedule connected devices anywhere remotely control home appliances schedule lights on specific hours simultaneously control multiple devices possible single app key features remotely control monitor connected devices anywhere add manage control multiple connected devices single app schedule connected devices operate automatically specific hours specific conditions hands free voice control google assistant amazon alexa share control family friends works perfectly together smart home products powered tuya learn on website www com subscriber identification module", "label": 1}
{"pkg_name": "de.woehr.android.smart_parking", "description": "smart parking app new operation medium car parking places smartphone new remote control complements operation options implemented date function user owner tenant parking place in car parking system provided individually generated parking place qr code directly barcode scanner used acknowledge qr code driver provided authorisation access relative parking place connection smartphone secured via bit key encryption whereas communication app system provided via recent bluetooth low energy bluetooth smart featuring operating range approximately metres comfortable parking place selection user directly car underground garage access doors installed customer also integrated new controls operation via smart parking app", "label": 1}
{"pkg_name": "com.mansaa.smartshine", "description": "free app used connect bluetooth wireless multi color led lamp via bluetooth low energy technology use app control lights wirelessly various actions could lights possible existing android device purchasing led bulbs app designed beautiful easy use download app install bulb lamp holder like start controlling lights wirelessly features mood lighting express mood lighting life colors change lights mood create mood carefully selected preset scenes choose set alarms wake up gently lights full color palette wheel choose millions colors beautifully selected pre defined effects background music sync make lights dance on beats favorite music save last mood color on bulb even switched on wall switch lights turn on color save on control lights control lights individually together in groups set brightness level like turn lights on wirelessly existing smartphone switch on bulbs together main power switch button rename devices like buy available purchase exclusively www io lights important place in lives impact human efficiency productivity create different lights according mood much questions concerns please visit http support io support home number", "label": 1}
{"pkg_name": "com.trust.smarthome", "description": "trust smart home app use smartphone tablet control program lighting smart devices home via wifi on go create perfect mood color tunable lights turn on lights automatically sunset motion detected trust smart home affordable system expand needs combining ics trust smart home ip camera security system secure home receive push notifications notify intruders app supports ics ics z1 control station number", "label": 1}
{"pkg_name": "kr.co.wiznet.app_tcp", "description": "iot tool works iot embedded devices evaluation kits arduino ethernet wifi module contains useful functions auto device searching udp broadcast six monitoring controlling tcp one text box saving loading device profile firmware source codes on devices available on github https github com number", "label": 1}
{"pkg_name": "com.razerzone.android.nabuutility", "description": "nabu watch please download razer nabu watch app key features ; new app setting up nabu wearable ; one single app fitness tracking utility settings ; sign in razer id create new one ; customizable notifications set band notify exactly want want want ; comprehensive activity analysis system fitness data tracked on daily weekly monthly even yearly basis landscape mode capable detailed graphs ; set goals beat em ; advanced automatic sleep tracking starts moment fall asleep stops moment wake includes configurable silent alarms view sleep history get good picture ; update band latest firmware app ; browse up date faqs wearable ; wireless sync ease use nabu wearable connects nabu app via bluetooth data always up date visit http support razer com contact support assistance number local area network", "label": 1}
{"pkg_name": "com.findhdmusic.app.upnpcast", "description": "hi fi cast music player allows effortlessly stream music internet radio stations upnp dlna media servers phone enabled devices including smart home speakers upnp dlna media player key features plays music dlna upnp media servers shoutcast internet radio internet radio playlists android device plays music including compatible smart home speakers upnp dlna media player including compatible smart tvs pvrs av receivers wireless speakers media streamers bose yamaha speakers local android device languages english deutsch espa\u00f1ol fran\u00e7ais italiano polski shuffle entire library combination albums artists genres etc regardless size music library using dlna upnp requires server supports searching home screen widget three themes choose including ultra dark theme designed reduce battery drain on amoled screens sleep timer last fm android auto features gapless playback mp3 aac flac wav files playing devices enable feature via settings volume normalization playing compatible flac files devices enable feature via settings transcoding formats supported devices eg dsd alac upnp dlna features fast efficient searching music collection regardless size search albums artists songs requires upnp dlna server support searching designed largest smallest music collections effortlessly scroll thousands albums artists songs time limited capabilities upnp dlna media server full shuffling capabilities upnp dlna servers support searching create local playlists access album booklets within app using media server playback upnp dlna renderers renderer supports gapless enable via settings upnp dlna even renderer support gapless enabling setting may reduce gaps tracks internet radio features shoutcast radio create edit import export radio station playlists add custom radio station urls information gapless playback via audio devices limited wav flac files up gapless compatible mp3 aac files gapless playback via video devices limited wav flac files gapless compatible mp3 aac files phone tablet must remain connected local network gapless playback volume normalization limited flac files containing tags volume normalization via original limited flac files shoutcast radio information playing shoutcast radio upnp dlna media player player must support playback shoutcast streams in app purchase premium upgrading premium give following features app longer display ads exporting playlists android auto support troubleshooting bug reporting feedback problems using hi fi cast found bug please contact us using send feedback menu item in app tap include system info hi fi cast help discussion forum https groups google com forum forum hi cast help forum become beta tester https play google com apps testing com app internet radio in app powered shoutcast radio https www shoutcast com images used in screenshots licensed creative commons zero license https www com photo license number local area network website number", "label": 1}
{"pkg_name": "com.mykronoz.zeclock", "description": "requires use app wear get app stay connected phone analog wirelessly sync phone via bluetooth shows incoming calls tells time tracks steps let control smartphone using voice commands answer incoming calls get notified on wrist track steps set daily reminders find phone take pictures remotely control smartphone voice commands help stay connected active throughout day learn http www com collections system requirements select android ble number", "label": 1}
{"pkg_name": "com.romt.remotecontrolfordvb", "description": "remote control dvb app support change android device remote control free use application in case emergencies lost device also broken child need long registration process use app install tap on start button use functions key change channel volume up also many key use easily free app allows users option handle set top box smart device easy straightforward way convert mobile remote control simple clear user interface use easily smartphone remote control dvb app best change device tv remote controller easy use anytime remote connect device wifi connection start control tv smartphone install app convert mobile tv remote control app easy handle tv mobile remote control dvb app best app use remote control in device use app handle setup box anywhere anytime app easily change smartphone remote control work like tv remote needs keep wifi connection connect automatically tv keep always wifi connection keep change device remote control features instant way get set top box one tap convert smart device remote free tv remote keys keep anytime remote change smartphone mini pocket remote simplest way convert mobile remote instant use in emergencies convert mobile tv remote handle tv mobile remote allow getting remote tv awesome features remote control tv power on control buttons easy volume up clear user interface nice design number subscriber identification module", "label": 1}
{"pkg_name": "com.ecartek.kdentry", "description": "connect car phone bluetooth module use smart phone control car lock unlock search car also provide different kinds picture car keys people control car like using real car keys", "label": 1}
{"pkg_name": "com.jh08.oem_18.activity", "description": "shelly eye complete wireless home security camera sending motion activated alerts hd video directly smartphone shelly eye application provides remote control shelly camera gives day free cloud storage continuous recording motion detection functionality camera installed registered in shelly eye application account able monitor live shelly eye camera always keeps eye on things important high accuracy motion detection technology camera sends detailed notifications smart devices kind movement detected always stay on top things care instantly store recordings motion detection videos saved on free cloud storage up week easy inclusion wizard in seconds 3g wifi select connection connect existing wifi network set up wifi access point shelly eye works based on network conditions listen respond two way audio shelly eye allows communicate directly whoever in front camera sing kids talk grandparents babysitter stop intruder night vision mode built in infrared leds camera monitoring dark place try night vision shelly eye define personalize rooms name picture shelly camera positioned number", "label": 1}
{"pkg_name": "com.commax.ruvie", "description": "try smart home systems using smart phone tablet supported products home network smart video phone smart door station function device controls lights gas valves heating main switches curtains ventilation etc security settings away mode home security etc complex services announcements automatic meter reading cctv cameras monitoring energy management electricity gas water consumption solar power generation monitoring call receiving porch lobby etc notifications product installed on home need support mobile service please ask customer center dealer information must logged account join in product please refer product guide portal services sign up features app may limited depending on devices installed in home", "label": 1}
{"pkg_name": "com.demo.ChuanGo", "description": "g5 gsm sms alarm system touch panel proud winner awards in u k g5 epitome aesthetic design functional prowess intruder alarm product year system boasts unobtrusive touch keypad easy on eye simple operate simply insert regular working 2g sim card system detects acts intrusion notified phone call sms text message built in loud siren sounds formidable volume intuitively designed g5 app interface enables effortlessly adjust system settings on go arm disarm home mode remote voice memo listening in profile security technology corporation innovative manufacturer electronic security products adhering brand promise sincerity innovation associating deep comprehension users demands integrate technology design people oriented products provide easy use security products solutions global families commercial clients number short message service subscriber identification module", "label": 1}
{"pkg_name": "com.smart.smartswitch", "description": "smart switch app works on smart devices made smart homes smart switch boards available purchase switch boards iot enabled controlled app smart switch boards plug plug in electronics switch on indicator app controls boards wireless variety features setting count time in seconds connect device ip address support multiple devices work smart charging plug set option fully charged see magic plug goes automatically phones battery reaches app device related query support contact gmail com purchase related query place order please contact gmail com email", "label": 1}
{"pkg_name": "roid.spikesroid.sam_voice_remote", "description": "tv remote samsung allows control samsung smart tv like real remote remote buttons supported includes latest features like view photos play videos music phone on big tv screen sleep timer inbuilt media player control tv via voice commands shake phone play pause tired trying many remote apps without results tried tv remote control app point download free app right exactly looking works in modes either on home wifi network infrared ir blaster wifi mode must wifi connected samsung smart tv connect phone wifi network launch app accept confirmation message appears on samsung tv screen confirmation message accepted in samsung tv settings menu network settings in case rejected mistake remote buttons supported except power on tv wifi connection in condition process wifi commands infrared ir blaster mode inbuilt ir blaster must present in phone samsung galaxy note lg g3 g4 g5 htc one xiaomi mi etc launch app control samsung tv directly additional hardware required samsung tv remote app find ip address smart tv http www youtube com watch v feature use https www youtube com watch v feature advanced details https www com feature list samsung tv remotes buttons supported long click on buttons supported volume program left right up volume control side buttons image mirroring dlna feature watch photos audio video phone on tv sleep timer audio video player tv behaves play pause mute on incoming call shake phone play pause media create customized remote desired buttons keep favorite channels in one place voice recognition commands control tv write text directly application tv multiple operations single click macros manual configuration tv ip address supported led lcd tv wifi mode samsung tv b series must install remote lan control via content library procedure explained ; released in samsung tv c series using internet ; ; ; released in samsung tv e f g series using share ; ; released in samsung tv h j k series using share ; ; released in samsung tv l n series using share ; ; released in blue ray disc player smart hub feature supported led lcd tv infrared ir mode samsung tv inbuilt infrared ir required in phone disclaimer affiliated samsung corporation app unofficial product install smart tv remote app control tv lots features like dlna sleep timer samsung audio video player shaking feature voice recognition media player etc please give low rating app without trying fully drop us email in case issue found app properly tested policy compliant number optional local area network", "label": 1}
{"pkg_name": "com.guidefor.echo.flex", "description": "echo flex amazon smart plug includes echo flex amazon smart plug make space little smarter echo flex plug in smart speaker lets get help alexa in places in home alexa always happy help manage day get instant information check weather traffic on way voice control smart home turn on lights adjust thermostats lock doors compatible connected devices built in usb port charge phone add optional accessory echo flex like night light motion sensor connect others drop in on make announcements rooms compatible echo device call hands free designed protect privacy built multiple layers privacy controls including microphone button electronically disconnects mics app affiliated approved amazon number", "label": 1}
{"pkg_name": "com.ryan.meshblelight", "description": "bluetooth mesh bluetooth enabled multicolored energy efficient smart led light bulb changes way see lights control up bluetooth mesh bulbs smartphone tablet great progress in bluetooth technology perfect lighting solution replacement light globes bulbs automatically linked together like bluetooth network means bulbs communicate control multi lights in big area requirements bluetooth compatible device ios later android later wonderful thank", "label": 1}
{"pkg_name": "com.rheem.econetconsumerandroid", "description": "using latest in sensor technology econet smart monitoring system offers new level protection comfort energy savings econet app puts control home comfort in hands anytime anywhere comfort across room across country control schedule automate energy usage protection timely maintenance care alerts phone leak detection auto shut available water heaters power know water energy usage reports available models energy innovation save energy save money econet registered trademark rheem manufacturing company", "label": 1}
{"pkg_name": "com.rf.allenmusicled", "description": "smart ble new rgb led control app support company ble rgb led control box support million color optional music mic sync mode on flash loop fade class music mic sync effect etc manual download app kits ble google play store open app automatically turn on bluetooth on device select scan device select device kits ble app open connect select color operating mode control lights operation instruction color selector wheel touch color on color wheel select solid color touch r g b get solid solor fade touch activate smooth blended change one color rainbow one color rainbow next preset fading speed touch fade button enter pattern setting colors selection repeat times delay times example select color list fade preset times selected colors delay preset times every cycle still change fading speed fade bar flash touch add strobing effect light preset flashing speed touch flash button enter pattern setting repeat times delay times example preset repeat delay flash times time delay seconds still change flashing speed flash bar loop touch make colors change absolutely one color rainbow next preset fading speed touch loop button enter pattern setting colors selection repeat times delay times example select color list flash preset times selected colors delay preset times every cycle still change looping speed loop bar on turn lights on music led touch switch music sync mode color control mode mic touch switch mic sync mode music sync mode note in music sync mode please use media player on device play music use bluetooth connect device external bluetooth speaker time in mic sync mode use microphone on device flash surrounding sound note in fade music mic sync mode choose solid color allow lights scroll series colors rgb values in modes determine light colors remain solid scroll multi colors please refer following chart color setting note optional wired remote optional wired remote included android kits install wired remote connect wire harness open connection on main harness run optional wired remote button convenient location mount firmly bike control led kit in absence bluetooth device wired remote operation instruction press hold on button turn lighting system on power on quickly press release on button change solid color options point users take control device app app override manual wired remote control note operating range bluetooth devices approximately feet operator leaves range operation comes back range may take up minute device automatically reconnect light kit in case smart phone reconnect simply press back button go back select connect last device thank choosing product number subscriber identification module number", "label": 1}
{"pkg_name": "com.securesmart", "description": "alula combines alarm system smart device control one app full virtual keypad delivers full control home access security system allows control lights locks thermostats cameras garage doors features remotely arm disarm full panel programming view event logs receive notifications via text push email voice supported panels include helix ge dsc honeywell number", "label": 1}
{"pkg_name": "it.errebi.app.user.lite", "description": "bt slim new remote control opening garage doors fences doors accesses mobile phone simply place device on back smartphone link via bluetooth app click virtual button in app thanks thin lightweight design bt slim conveniently carried on mobile stored in pocket in addition incorporates interesting features remote shutter function phone camera extras make easier use smartphone subscriber identification module", "label": 1}
{"pkg_name": "it.dibis.blerobotcar", "description": "bluetooth le remote control arduino robot car ble simple application remote control via bluetooth le devices equipped arduino board developing app personal use decided make available anyone considered useful application aimed hobbyists interested in testing software control following devices di robot car hc robot car con devices use ble hc module compatible information download arduino sketches visit https www en html application checked following devices samsung s4 mini android kitkat huawei p9 android nougat samsung s7 android oreo feedback send email apps dibis gmail com application free present form advertising number subscriber identification module email", "label": 1}
{"pkg_name": "com.orvibo.homemate", "description": "home brand new smart home platform lets easily control monitor secure home anywhere in world start connected home hub add many connected switches sockets locks sensors create smart home matches unique personality smart home platform home many controls follow control manage kinds devices like curtains air conditioners tv lights switches sockets etc in one app create different scenes control multiple devices make scenario particular attention home support products smart socket magic cube smart camera smart in wall switch sensors ect smart socket s20 supported home operate s20 app feel sincerely sorry inconvenience caused number", "label": 1}
{"pkg_name": "com.amazon.dee.app", "description": "use amazon alexa app set up alexa enabled devices listen music create shopping lists get news updates much use alexa adapts voice vocabulary personal preferences discover get echo device personalized feature recommendations alexa discover enable recommended alexa skills pick up left directly home feed lists shopping recently played music books manage devices set up alexa enabled devices control check status compatible smart lights locks thermostats home on go create routines automate smart home devices music books connect music services like amazon music pandora spotify tunein iheartradio choose song playlist listen on alexa enabled devices create speaker groups play music across compatible echo devices multi room music organize day view edit shopping lists on go get weather news updates manage timers alarms stay connected use drop in app connect instantly compatible echo devices like two way intercom call message supported alexa enabled devices additional cost number", "label": 1}
{"pkg_name": "com.cxw.thermometer", "description": "grill happy app connects intelligent temperature control device via bluetooth grill happy app view temperature information bbq in real time grill happy app sets temperature alarm range bbq grill happy app monitors temperature alarm reminder", "label": 1}
{"pkg_name": "com.ble.remote.numeric", "description": "app communicates android bluetooth le ble device numeric data text value default nordic uart used service characteristic change option menu configuration text enabled text data transmission text disabled numeric data transmission in byte mode newline enabled n newline added text enabled newline disabled additional data zero enabled touch sense enabled send on release button number", "label": 1}
{"pkg_name": "com.huawei.health", "description": "huawei health provides professional sports guidance sport phones android supported ram need greater 2g support walking running cycling mode record running track heart rate trajectory speed sports data support km marathon running training program huawei wear app data integration provide complete unified sports health services", "label": 1}
{"pkg_name": "com.Zengge.BluetoothLigthDark", "description": "application software built in bluetooth light let smartphone directly control built in bluetooth light wireless come true support bluetooth version android os switch light on dim brightness adjust color temperature in dozens light change programs adjust million color changes wonderful thank", "label": 1}
{"pkg_name": "com.dji.gimbal", "description": "use ronin assistant app change settings monitor status dji ronin ronin main features ; real time parameter adjustments ; support bluetooth ; support ronin ronin dji ronin ronin compatible features change gimbal settings change settings change remote controller settings maximum speed smoothing endpoint channels live data feed restore default settings", "label": 1}
{"pkg_name": "com.foscam.foscam", "description": "trusted world leading ip security camera provider years design manufacturing distribution in countries app keeps connected home business anytime anywhere check in on pets office keep tabs on nanny on vacation find stealing amazon packages front door app in second iteration app bring new design featuring convenient side menu intuitive cloud timeline stable software architecture app add camera in minutes view matters anywhere anytime also control setup camera receive alerts in realtime detects motion sound cloud access alert recordings intelligent intuitive timeline need standalone app accessible app com whether upgrade lose smartphone got covered cloud recordings safely stored on military grade servers viewing anytime anywhere app leave connection work requires smartphone connected wifi check in on home business in real time live view easily scan cloud footage access unrivaled affordability view recorded cloud footage convenient search scan functions schedule recordings configure alerts pan tilt zoom right smartphone get instant alerts coming soon cloud website www com note app supports hd cameras using legacy app ip cam viewer viewer please install new app optimal user experience official cloud accounts supported support third party accounts developed us app official app products developed inc product manufacturer brand holder rights reserved see product packaging see device capability paid cloud subscription required check product specs compatibility number", "label": 1}
{"pkg_name": "com.optilink.host", "description": "new smart home application optima intelligence made adjustment based on previous market feedback improves user experience lot gives full play product functions advantages work perfect optima new products including door sensor pir detector feedback function scene switch wireless siren etc overcome difficulties in covering large area multi floor make seamless handoff remote control among multi host devices come true room management interface make easier manage various remote control devices in app considerate design hotkey available check remote control house via ip camera video anytime anywhere real time intercom wise in macro scene classification support interactive scene performance remarkable home security alarming system compatible third party security products various ir rf devices", "label": 1}
{"pkg_name": "live.iotguru", "description": "iot guru provides cloud services mobile application developers users iot devices also offers free paid go tier mostly based on data retention number messages development iot devices hard need various skills achieve goals iot project hardware designer embedded programmer network engineer backend developer ux guy know everything little hardware cloud help real time charts send us iot measurements draw fancy charts device catalog keep track devices locations versions backup take care data in multiple data centers frequent backups data store set parameters retrieved time anywhere battery alert send us battery levels alert iot device goes offline alert alert one devices sent data compatibility services designed wide range devices familiar http https protocol secure provide multiple levels security simple complex solutions based on capabilities devices support always happy help happy make life easier anywhere make reliable connection iot devices phone supported boards http capable embedded system especially arduino network raspberry pi number subscriber identification module", "label": 0}
{"pkg_name": "com.danfoss.devi.smartapp", "description": "application provides users possibility wireless control electric floor heating systems equipped smart thermostat app turns mobile device intuitive floor heating remote control new app control many smart thermostats locations choose safe private cloud connection mobile app control communicates safe cloud system based on security used in mobile banking applications data stored in cloud personal information secure times adjust floor heating smartphone adjust home heating easily intuitively remote control know best via internet internet goes still operate locally without internet connection schedule home heating save energy control thermostats in multiple locations new danfoss mobile app lets stay in control operate thermostats in multiple locations one single point access reduce energy costs smart app features let schedule floor heating system fit rhythm reduce energy costs smart thermostat even adapts climatic conditions learns start shut heating save energy following scheduled heating demands automatically lowering temperature need easily set temperature fit rhythm enjoy superior thermal comfort app features adjust home heating anywhere in world set up operate floor heating locally without internet connection use living zone easy control used thermostats control thermostats in multiple locations e g holiday home frost protection weekly schedule away vacation settings economy mode receive notifications warnings important system events access dedicated support troubleshooting directly app secure wireless communication safe cloud system based on security used in mobile banking applications data stored in cloud customers personal information secure times number", "label": 1}
{"pkg_name": "com.hohem.GimbalSetting", "description": "gimbal setting perfectly match exclusive stabilizing gimbals supports variety intelligent features based on stabilizing gimbals main function bluetooth connectivity mobile phone remote control console real time attitude battery power display pitch heading axis control mode switching quick positioning offline calibration platform follow speed joystick speed dead zone joystick direction motor parameters setting etc platform using help", "label": 1}
{"pkg_name": "com.lia.whatsheart", "description": "purpose application provides heart rate tracking provides variety audio statistics training records gps track gives analysis recorded workouts unique application provides continuous voice notification heart rate work example perform continuous daily heart rate recording important application much convenient practical famous applications type application works even screen smartphone turned locked smartphone switched another program requirements smartphone android ble cardio sensor heart rate monitor key features app real time output heart rate smartphone screen alerts heart rate beyond selected interval in case alarm signal given heart rate exceeds critical value heart rate another critical value voice sound vibration alerts used signaling application performs following actions in real time displays heart rate chart displays gps tracks on google map records workouts along heart rate gps track data displays audio statistics time distance voice messages user creates one lists required parameters pulse pace distance time etc training values periodically reported user fills in tables graphs showing distribution training time pulse zones application also performs automatic calculation max heart rate values based on age heart rate rest formation pulse zones anaerobic aerobic etc calculation calories in two modes based on heart rate based on type training using met metabolic equivalent task attention app medical app app record ecg number", "label": 1}
{"pkg_name": "com.prodigy.docsky", "description": "app specially designed manage diabetes test readings prodigy blood glucose meters blood glucose measurement result transmitted via bluetooth ble iphone ipod touch ble enabled creates personal health record management easy viewing glucose changes every day originally designed support devices includes blood glucose blood pressure thermometer scale currently version supports blood glucose", "label": 1}
{"pkg_name": "de.insta.instaSmartApp", "description": "intelligent living easy config app smart home devices configured linked products within zigbee network in steps main features glance simple commissioning products via bluetooth high flexibility thanks user specific settings e g minimum brightness switch on behavior blind moving time quick configuration inputs individual labeling devices clear overview expansion functions thanks continuous firmware updates config app provides configuration following products push button interface lighting control switching scenes blind control universal dimming actuator setting minimum brightness load type switch actuator change operation mode switch push button blind actuator adjusting blind slat position dali control unit setting minimum brightness colour temperature preconditions set up devices app must first paired via bluetooth devices connected mains searched found in radio range found devices added list registered devices registered devices set up configured via app time subscriber identification module", "label": 1}
{"pkg_name": "com.aurora.aone", "description": "app phased longer updated available in app store forseeable future search new app aurora in next weeks know moment six shopping bags miraculously managed squeeze door reach light switch elbow longer new sensing accessories start automate lighting want lights come on enter use door sensor want constantly adjust lighting throughout day damn sun covered ambient light sensors maybe want use app ok use smart switches dimmers complete lighting circuit get benefits switch without trading away smart lighting ever wondered whether kids actually spending night gaming whether left tv on day fixed one smart socket remotely control schedule socket use used certain part day also completely redesigned user interface new gestures easy control management existing aurora smart lights one new candle variants developed aurora lighting one world largest privately owned led lighting technology organisations large presence throughout uk launched smart home lighting kit enabling homeowners take full control home smartphone new kit includes one hub two controllers region specific installed users take charge lighting anywhere in world via app use app turn on turn dim lights well able add lights spaces setting schedules individual lights groups lights lights programmed certain times help manage everything mood in room whilst watching movie providing peace mind home save current settings devices in space scene recalled saving set scenes quickly easily set devices mood number", "label": 1}
{"pkg_name": "com.aztech.AztechKyla", "description": "transform home get in simplest way aztech kyla trusted partner security home automation needs connect control aztech kyla devices get notifications directly on android phone tablet wearable control device in comfort aztech kyla app easily organize individual devices specific rooms remotely control check status devices control simultaneously on go enable shared controls rest family receive real time notifications devices home away home combine home entertainment home automation bring home life setting up custom schedules turn devices on specific times on specific days advanced integration turn on devices automatically arrive front door turn leave home kyla responds bring surprise element guests simplify life hands full voice streamline home needs simply using voice exploring countless possibilities voice control voice assistants choice aztech kyla supports android os discover aztech kyla on https kyla aztech com number subscriber identification module", "label": 1}
{"pkg_name": "com.qudelix.qudelix", "description": "official remote controller app 5k bluetooth dac amp control monitor 5k dac amp ble link equalizer control battery monitor device firmware update volume control dac option bluetooth codec streaming information app runs 5k dac amp hw device", "label": 1}
{"pkg_name": "com.irobot.home", "description": "new irobot home app enhanced maps ability clean specific objects custom routines seasonal suggestions intuitive smart home integrations every aspect irobot home app redesigned give ultimate control clean feature availability varies robot model life home clean unlock cleaning experience designed around create cleaning schedules save favorites adjust on fly get personalized cleaning recommendations based on happening in home even tell robots clean away smart home integration turn cleaning something something happens around life cleaning controlled customizable maps home enable robots go mess cleaning room object area staying away keep zones feature availability varies robot model adapt schedule use connect smart devices personalize cleaning experience scheduling robot clean leave house clean without lifting finger keep connected robots compatible select voice assistants clean voice works google assistant alexa enabled devices alexa related logos trademarks amazon com affiliates google trademark google llc always getting smarter robot stay up date automatic software updates requirements wi fi connected roomba e series vacuuming robot models support wi fi networks band roomba series robots support wi fi networks band jet mopping robot uses bluetooth low energy also known ble bluetooth smart built in common mobile devices", "label": 1}
{"pkg_name": "us.legrand.lcap", "description": "application allows control automation products in product line includes ability control lights shades manage many parts system", "label": 1}
{"pkg_name": "com.creativemobile.dr4x4", "description": "drag racing 4x4 hit spin drag racing features bigger badder 4x4 trucks suvs legendary ford f huge monster truck get awesome burnouts countless upgrades on android device unlike car racing games real truck drag racing on street on track challenge friends rivals online lots trucks know love trucks suv 4x4 tires included hottest brands in drag racing 4x4 right dodge ford gmc infiniti land rover nissan range rover vw sport suvs check pickup trucks check monster trucks bet best part always coming fair play in drag racing 4x4 fuel wait delivery time trucks upgrades every vehicle competitive premium upgrades skill dedication in drag racing 4x4 get gold nuts fix truck breaks insurance prevent future breakdowns shields save tournament progress players make best 4x4 testing autotune feature boost performance real racers people like keep truck in garage like race seen racing drag racing 4x4 give best free online racing games offer always online rival waiting pick preferred language english russian german french italian spanish portuguese indonesian race distance full mile win tournaments work way up rankings test nerves in wager races epic upgrades lot respect stock trucks also respect desire floor burn rubber in drag racing literally thousands upgrades satisfy need speed ever thought smoking monster truck in f250 super duty happens every day on streets drag racing personal touch games let paint truck even let apply design made someone else many games let add neon glow chose dozens cool decals arrange way like choose color every bit right one get hood gearhead truck nerd realistic physics engine in genre meaning everything works way in real life try find right balance power grip staying in class go deeper adjust gear ratios shave precious milliseconds oh forget add in nitrous oxide give ride extra kick awesome community players connect fanatics enjoy cool game drag racing website http creative mobile com games drag racing 4x4 facebook https www facebook com twitter https twitter com instagram https instagram com troubleshooting game start up runs slowly crashes get in touch best help questions make sure check faq http creative mobile com faq faq 4x4 need additional support please contact us support system https support creative mobile com e mail support creative mobile com creative mobile ou rights reserved number local area network email email number", "label": 0}
{"pkg_name": "com.battery.clinic", "description": "battery clinic get battery doctor cure phone battery discharge lets try extend battery life free battery saving app makes battery last longer features accurately estimates battery remaining time automatically disable features like wifi bluetooth battery in critical state indicates much battery power extended shut wifi bluetooth etc battery consumption optimisation in one click view phone battery power level percentage time remaining kill apps screen charging maintenance help keep charging process safe healthy", "label": 0}
{"pkg_name": "com.dmeautomotive.driverconnect.superiorhondaofomaha", "description": "make vehicle ownership experience easy free superior honda omaha mobile app feature rich app allows get vehicle helping maintain organize essential car details like service history well save money mobile offers coupons get vehicle superior honda omaha save sync service history easy service appointment scheduling receive service reminders vehicles keep track prepaid maintenance plans paid make sure use receive notifications car in service ready pickup pay service via app make pick up quick easy shop save superior honda omaha get valuable savings coupons special offers cruise complete showroom new used vehicles save use custom vehicle searches convenience found vehicle interested in tap request quote schedule test drive connect superior honda omaha find contact details directions departments contact us directly phone social media live chat keep track loyalty points status savvy driver tools find car parking meter loan calculator view superior honda omaha on smartphone tablet check us feature availability number", "label": 0}
{"pkg_name": "com.pixsys.mypixsys", "description": "new companion app designed simplify optimize daily interaction products thanks contactless nfc connection technology possible manage devices holding phone in place seconds automatically identify model long listed in supported models section read current configuration display in handy group list group expanded in list contains values regulate functioning instrument touch row edit corresponding parameter done write new configuration device features easy intuitive interface in tabs automatic product identification faulty memory detection correction reads whole configuration in seconds set parameters change values on fly user input data checking correction save configuration backups in phone share via email bluetooth whatsapp drive many apps load write user created stock configurations clone one device in another touch graphical plotting data logger on highly customizable line chart italian english language support supported products signal converters str series r r r pressure transmitter atr series new 23a quick start guide check smartphone nfc sensor turned on additional information refer phone documentation scan tab animation playing move phone back cover close possible device rf antenna specific tune played scanning animation changes reading hold still seconds in case low connectivity try relocating smartphone refer manual in order find optimal positioning specific model reading process complete remove phone work leisure on configuration done switch write tab move phone close possible device like in point hold phone in place beeps interface notifies writing process completion new wish test newest product support optimizations subscribe beta tester program receive app updates everyone else easy free follow link click become tester https play google com apps testing com eula http www net tools di sviluppo software eula app number local area network subscriber identification module", "label": 1}
{"pkg_name": "com.trainerize.nourishingandflourishing", "description": "app education hub gain access worksheets videos allowing track measure progress download app today", "label": 0}
{"pkg_name": "com.sendgroupsms.GetWellSoon", "description": "get well soon greeting cards free android app collection get well soon touching messages on beautiful photos express sincere feelings friend relative family member in bed fun indeed wish buddy loved ones unwell speedy recovery warm wishes picture cards cute friend family member colleague anyone met accident gotten sick undergone surgery simply wishing get well soon shine awesome sending get well soon messages help recover posting inspirational quotes on facebook sending flowers tagging in cute tweets posts send amazing stuff on whatsapp choose collection range designs funny cute formal naughty sweet beautiful designs on high quality image spouse parents children friends boss employee lot great way let know thoughts best collection sweet happy cute messages warm greeting wishes images quotes complied cute collection beautiful wishes images photos messages quotes primary categories follows brother brother in law cute naughty funny daughter daughter in law family members relatives father mother flowers friends classmates boyfriend girlfriend general happy birthday greetings wishes grand daughter grand son husband wife love romantic miss missing mom dad mother in law father in law nephew niece notes messages pictures parents quotes poems sister sister in law son son in law boss co workers professional connections colleagues many share post send messages social media facebook twitter linkedin google instagram send personal message email also post greetings whatsapp in single tap also download wishes greetings pictures mobile phone internal memory storage sd card also transfer friends using bluetooth tag on facebook share sweet stuff on pinterest must app everyone number subscriber identification module", "label": 0}
{"pkg_name": "pl.proget.progetmdm", "description": "solution enabling management administration mobile devices in company protect corporate private data e mail calendar notes files thanks function performing restoring backup contacts sms mms call logs solution also secure mobile data transmission using highest encryption standards creating secure tunnel smartphone internal company resources allows implement devices in many models cope devices fully managed company important information application requires give administrator rights device important functionalities management basic phone functions like bluetooth wi fi tethering providing blocking applications facebook youtube performing restoring backups contacts sms mms call log configuration third party applications including email applications remote erase device data business data providing contacts business documents employees locating device part described possibilities able fully use secure solution must enroll application mdm server installed inside in cloud details regarding use found one following information channels https www com info com number short message service email email", "label": 0}
{"pkg_name": "com.gmweightlose", "description": "app provides information on follow gm diet in organised informative way app uniquely designed serve individuals keen lose weight in quick way following gm diet following main features app general information app provides information days diet plans needs consumed following gm diet plan gives day wise menu options like eat eat quantity eat example fruits vegetables in breakfast evening apple unlimited quantity vegetables eat main app features gm diet gives general information regarding gm diet days diet steps gives information days gm diet plan advantages explains advantages following gm diet diet chart short summary eat in days gm diet plan rate us think worked hard in making app useful definitely rate us section looking forward hear share app provide social media sharing options app share app friends relatives settings provides customization theme user change modify color font application useful feature color blind people", "label": 0}
{"pkg_name": "org.testicoz.cvresumebuilder", "description": "cv maker resume builder free get cv right effective modern cv templates customize templates like personalization feature choose template best suits simple steps cv create cv fill in details select template download cv pdf open unlimited number accounts creating many profiles want cv maker guide cover builder guide preparing resume prepared guide find answers questions access guides left menu application use cv maker application practice resume preparation quite simple fill in information would like included in cv select template download pdf note want area included leave field blank fields leave blank automatically removed cv download cv resume entering information select desired template create button click download button on following screen cv downloaded downloads folder default upload folder choose google drive want picture on resume upload appropriate photo photo area in personal information area note android marshmallow higher give access permission upload photos want create cv leave image field blank cover letter foreword creator ready made templates cover letter in practice edit create cover letter prose rewrite want include cover letter in cv select yes fill in information preview added pdf download screen cv maker resume builder characteristics create multiple profiles proofreader cover letter builder cv cv creator in application personal information name surname phone number e mail address adress information professional knowledge talents languages know linkedin profile education high school university name section name start end year summary work experience company name title start year end year summary projects company name project name starting ending year summary references name surname company organization e mail address phone number objective purpose declaration outlet cover letter history address content text create effective preferred cv resume templates web http www org resume builder free cv maker resume templates number subscriber identification module", "label": 0}
{"pkg_name": "com.funnyplaygames.motorbikerider.traffic", "description": "time become professional bike rider race cop car high speed in 3d simulation experience bike rider vs cop car police chase escape game perfect moto racing game ready bike rider vs cop car police chase escape game endless thrilling fps action 3d game test driving balancing skills incredible game controls realistic extreme motor bikes drive motorcycle engines ride fast careful police cars hesitate rush show driving skills real bike rider take control cop car easy like cycle racing bike stunt games escape tackle ongoing obstacles outrun cops complete challenges missions test police escape plan in test police escape plan bike rider vs cop car police chase escape game provides high quality 3d graphics immersive game play amazing extreme motorbike motocross superbike amazing experience moto bike city racing game download install bike rider vs cop car police chase escape game on android smartphone tablet instead others 3d dirt bike games impossible motor bike tracks games bike rider vs cop car police chase escape game free stay free life hidden fees special memberships annual subscription fees bike rider vs cop car police chase escape game easy play incredible control game play bike rider vs cop car police chase escape game provides realistic motor bikes test free play drive control bike avoid obstacles escape cop car features police car 3d damage effects amazing extreme motorbike motocross superbike grand escape plan modern bike stunts real driver skills heart pounding soundtrack high quality 3d graphics immersive game play controls ruthless bike driving in fast city surprise interactive experiences let download bike rider vs cop car police chase escape game enjoy addictive police pursuit game always striving provide best user experience players also looking feedback suggestion recommendation please feel free email us ce gmail com let us know continue bring best experiences updates number local area network email", "label": 0}
{"pkg_name": "com.ironlivery.modbussidbusceper", "description": "friends game modification newest mod bus game like play game please download immediately cool game sure choose favorite bus vehicle applying mod confronted shape simulation bus game sure fun various luxurious interiors camera driver elephant mirror rear view mirror racing want game immediately download game install game enter file manager enter internal storage download mod search in download folder move file internal mods open game go garage press sign mod file choose clothes play mod file needs extracted extract first come on download flat bus mod on favorite phone number subscriber identification module", "label": 0}
{"pkg_name": "com.quiz.ukdrivingtheorytest", "description": "want pass theory test in first attempt congratulations reached right resource uk driving theory test app help prepare smartly in journey get uk driving licence contains questions highway code manual issued driver vehicles standards agency actual theory test held in modes flashcard mode prepare driving test use reference cheat sheet training study guide revision tips quiz mode test knowledge go actual dvla theory test mock theory test app contains questions various categories alertness road traffic signs incidents accidents emergencies safety vehicle types vehicles vehicle handling loading motorway rules rules road safety margin vulnerable road users attitude documents hazard awareness fines limit features total unique flashcards study driving license test total unique questions covered in free practice theory tests total traffic road signs covered in study material traffic signs road signs warning signs red white regulatory signs highway construction maintenance signs provides instant feedback true false highlights correct answer attempt practice test questions way feedback important learning mistakes avoid in future car theory test questions various categories traffic signs parking vehicle control lights accidents signals traffic lanes hazardous conditions road signs intersections signal turns scanning speed limits signaling merging vehicle safety following distance passing alcohol drugs intersections lane changes headlights common signs lane changes right way parking rest stop works offline use uk gov dvla driving license test app without internet connection refer theory test practice app driving license exam in countries england scotland wales northern ireland major towns like london glasgow bristol sheffield manchester leeds edinburgh leicester bradford cardiff coventry nottingham kingston upon hull belfast stoke on trent newcastle upon tyne southampton portsmouth plymouth derby wolverhampton aberdeen norwich swansea oxford cambridge contact developer find issues uk driving theory test app please report us email feedback general suggestions also welcome number local area network", "label": 0}
{"pkg_name": "com.flyareazone.otgusbdriverforandroid", "description": "otg adapter support application management like uninstall applications delete application manage application like system app user install app also provide facility make apk application usb otg adapter flash drive endoscope app checker allows thumb drive reader read usb otg on go flash drives otg pen drive well card readers phone tablet connect flash drive otg support app allows read usb flash drives otg support software flash drive well card readers phone tablet videos manage video files in device file transfer otg usb file manager support connect applications computer access remote shared storage like nas ftp server audios manage music sound related files images manage image picture files in storage image preview available file browser otg usb file manager helps manage files efficiently intuitive interface file manager allows handle file folder whether stored in device micro sd card cloud storage accounts application otg usb file manager support application management like uninstall applications delete application manage application like system app user install app connect flash drive usb otg cable plug in micro usb connector android mobile cabel otg tablet mouse wifi adapter open usb otg checker usb sticks drive pro see files in usb drive open files favorite app viewers editors works well thank using otg usb file manager", "label": 0}
{"pkg_name": "com.spapian.autumnwallpapers", "description": "app contains collection best free autumn wallpapers autumn backgrounds smartphone tablet autumn devotional wallpapers personally selected personalize device autumn wallpapers in app trimmed hand ensure enjoy perfect pictures mobile phones app stores user experience best handpicked autumn wallpapers creative autumn backgrounds autumn wallpaper application offers large collection autumn hd images original quality autumn wallpapers autumn images autumn wallpaper hd autumn wallpaper 4k hd autumn wallpapers autumn backgrounds high quality wallpapers complement screen exclusive backgrounds awesome hd autumn wallpapers smart device features autumn wallpapers hd app full collection hd wallpapers autumn high quality 4k resolution simple design ui faster access greater performance make smart phone cute beautiful setting autumn wallpapers autumn wallpaper autumn backgrounds autumn gallery autumn images lightweight interface consumes less memory give better performance keep favorite wallpapers easily saving device set full autumn wallpaper hd lock screen home screen without cropping simple user experience simple one click wallpaper setup one click wallpaper save one click share wallpapers swipe change easily swipe change wallpapers autumn download autumn pictures on sd card internet connection longer required use backgrounds autumn wallpapers hd optimized almost popular screen size types get next background huge collection beautiful free autumn wallpapers hd 4k free app provides unique supreme collection autumn images screen download backgrounds autumn hd wallpapers device home screen make unique share autumn wallpaper full hd cool backgrounds friends on whatsapp facebook twitter tumblr instagram snapchat others check autumn wallpaper fits lock home screen without leaving app please leave us ratings reviews let us know think feedback play big role in app improvement future updates easily share autumn ultra hd backgrounds everyday autumn wallpapers anyone one click set wallpapers desktop well one click disclaimer images used in app believed in public domain rights images wish appear please contact us removed in next version application responsible user related misuses feeling copyright trademark violation direct follow within fair use guidelines please kindly contact us via email number subscriber identification module", "label": 0}
{"pkg_name": "com.smartsand.systemtracker", "description": "smart system tracker inventory management system smart sand supply chain system allows smart sand customers easily check location status assets", "label": 1}
{"pkg_name": "com.wpl.us.police.bike.driving.prisoner.transporter", "description": "indulge in new free games on google play us police transporter long bike driving games perform duties pro police officer sheriff police cop grand police experience ny city police bike simulator driver police jail prisoner transporter duty best long bike bus driver nypd police bike driving simulator everyone envies in us police bike driving prisoner transport real time show police long bike transporter driving simulator duty us police jail prisoner long bike bus transport driving chase skills given difficult multiple tasks police bike police bus simulator on rocky mountain dynamic city side lush roads environment on google play games accept driving mission reach checkpoint pick prisoners take big jail cell also patrol in city give protocol prisoner transported in police bus reach desired drop location become best us police transporter play police cop bike driving simulator prisoner transport game in realistic 3d environment experience jail prisoner transport in modern us police long bike police officers police cops headquarter building done car parking in offroad police bus bike driver best police jail prisoner transporter in car simulate world get behind wheel matter age group belong download free us police long bike bus driver jail prisoner transport game driving simulator duty enjoy thrill excitement adventure highly engaging game simulate world in car games in long bike games police prisoner transportation enjoy best driving simulation progress in levels long bike riding bus driving long bike driving simulator transport city prisoners big jail cell in offroad mania driving games adventure choice decide police long bike driver offroad tracks protocol bike rider ny city in games playing real bus bike driving recommended based on recent activity in best car surely long bike games simulate world us police bike prisoner transport game innovative features highly stimulating us police transporter tasks challenging time limit long bike driver prisoner transport realistic hd graphics great sound effects addictive gameplay in real jail criminals long bike bus transporter best police cop number subscriber identification module", "label": 0}
{"pkg_name": "greenzones.fleetapp", "description": "note app aimed professional users truck bus drivers signed fee based service contract eds european data service gmbh private users free app green zones available on google play challenges faced commercial logistics traffic well tourist bus traffic public transport in europe increasing kind environmental zones established in europe in cities rules must observed entering even driver knows rules appropriate environmental badge cannot sure allowed enter environmental zone in countries weather related tightening entry passage rules makes almost impossible plan route increasing number highways in europe affected consequence types environmental zones make almost whether destinations journey reached freight forwarders courier vehicles unplanned delay even blocking temporary environmental zone days represents enormous risk high fines sometimes imposed continuation journey either delayed completely open due weather conditions in addition drastic penalties confiscation vehicles extremely unpleasant side effects also occur example cancellation cargo insurance loss customer relationship built up years increasing number environmental zones in cities municipalities highways represent even greater challenge international service buses bus companies organising package tours especially case participants travel groups reach hotel in time completely new claims damages made tour operator reason green zones found solution problems vehicle fleets available in three different versions following features support drivers in daily business detailed representation rules exemptions environmental zone in europe fee based badge vignette registration required geo data based map system indicating contours environmental zones including zoom function daily information coming local authorities responsible environmental zone in order know rules traffics bans planned next day reports announcements authorities temporary traffic restrictions in environmental zone next day number local area network", "label": 0}
{"pkg_name": "com.kopa_android.kopa_wifi_edu", "description": "scan supplied student seat qr code access micro image directly take photos videos record important content in real time annotate measure doodle add pictures improve learning efficiency student smart devices teacher side pc send voice realizes individual counseling generates learning research reports within student app easily sent teacher email immediately", "label": 0}
{"pkg_name": "com.tado", "description": "tado control heating air conditioning easily conveniently ever tado helps create comfortable healthy climate home intelligent control works save energy good environment wallet smart thermostats smart ac control tado", "label": 1}
{"pkg_name": "com.frenzygames.fury.monstertruck.parking.simulator.arena", "description": "get behind wheel giant monster truck become professional driver drive absolute beast offroad vehicle massive ramp containers steer big 4x4 wheel driving machine carefully plenty challenging courses big ramps tough obstacles beat every parking stunt challenge become expert in parking careful on roads make sure damage future monster cars in parking spots expert in parking games challenge driving skills new monster parking style games super insane monster truck park 3d game one roadies epic monster truck event in world need drive cool monster truck safely care parking space game full parking monster truck madness ever dreamed driving monster truck chance get driving seat 4x4 monster truck push gas pedal metal parking monster cars super easy compared parking big monster truck rally driver in monster truck use parking skills park big wheel truck in parking arena win scores drive monster truck race show parking skills on offroad parking tracks become truck legend in monster truck parking games in monster driving simulator game get real monster truck parking adventure future monster car parking stunts especially want figure driving techniques first time reach destination within time limit dare stunt man face challenging game monster truck stunts game gives exotic feel real stunt master features fury monster truck parking mania game offline gameplay precision driving missions unique different suv vehicles multi level sci fi parking lots easy car control amazing graphics quality different controls steering arrow tilt real car sound number subscriber identification module", "label": 0}
{"pkg_name": "com.camera.cameraprohd", "description": "newest shape impeccable design indispensable professional zoom camera video application prepared up date features up date design up date content new style zooming camera video application best greatest app on mobile phone tablet take closest photo set maximum zoom value equipment taking pictures create beautiful photos blurry blurry backgrounds in photos photo machine totally free hd camera pro self explanatory perfect taking great photos in high quality resolution features hd camera pro face detection easily choose scene modes color effects white balance iso photo stamp geo tagging like picture taken zoom multi texture control auto stabilize camera pictures level perfectly flash control on auto torch touch focus camera video resolution choice jpeg quality supports resolutions support hd camera video frame rate bitrate support timer burst mode time delay ui works on orientation choice changing save folder configurable on screen display battery level time ule thirds device memory share photo instantly click small size hd camera pro free excellent features front rear camera selection select scene modes color effects white balance exposure compensation select camera video quality resolution jpeg png video recording time optional audio burst mode configurable delay turn optional shutter sound gui work in direction without pause change direction optimize choice right left handed users keys adjustable volume take pictures zoom change exposure compensation open camera functionality support focus modes scene modes color effects white balance iso exposure compensation lock face recognition torch video recording supports resolutions including hd convenient remote control timer optional audio countdown automatic repeat mode configurable delay adjustable volume keys multi touch gesture one touch remote control lock portrait landscape orientation desired photo video disabilities shutter sound optional gps location tagging geotagging photos videos photos compass direction contains apply date time stamp location coordinates custom text photos shooting also known front camera external microphone support widget take pictures automatically startup manual focusing distance manual iso manual exposure time raw dng files perfect camera shoots highest level free local area network", "label": 0}
{"pkg_name": "com.wallpaper.hd.Full.Metal.Alchemist", "description": "coolest amoled 3d backgrounds hd gyroscopic animated 3d live wallpapers bring amazing unique 3d depth effect on average nowadays check phone hundred times day wallpaper first thing see really influence mood also great way express unique personality launched 3d live wallpapers creative wallpapers app make sure always cool wallpaper unique background in hand totally new approach making 3d live wallpapers real 3d depth effect choose apply unique nox lucky wallpaper tilt device witness stunning 3d depth effect controlled device motion sensors gyroscope accelerometer in unique wallpaper app many choices walli wallpaper anime wallpaper 3d superhero 3d wallpaper space wallpaper galaxy background girl theme natural landscape super car abstract 3d background 4k dark black wallpaper animal 3d wallpapers etc cool 3d backgrounds waiting beautify screen update every day features new live wallpapers added every day many different categories space wallpapers superheroes battery efficient space 3d parallax wallpapers anime hd wallpapers tips models may gyro sensor may result in 3d effect used properly please worry currently working on development variety sensor support solutions inform soon issue resolved screen amoled using amoled 3d wallpaper black wallpapers battery usage measured thank choosing 3d live wallpaper pleasure like launcher apps give us star number local area network", "label": 0}
{"pkg_name": "app.spidy.walli", "description": "walli wallpapers great app personalize phone beautiful custom wallpapers backgrounds download free hd wallpaper images walli wallpapers offers free high definition wallpapers android wallpapers available up 4k wallpaper resolution wallpapers resolution wallpapers resolution wallpapers set wallpaper images screensaver lock screen home screen wallpaper wallpaper suitable brands phones samsung xiaomi huawei nokia etc wallpaper search powered ai find best wallpaper match search works in english example search wallpaper like free fire on high quality full hd wallpapers posted every day background pictures updated daily editors search best hd wallpapers latest trends immediately added app download option every wallpaper download save wallpaper phone locally many wallpaper categories available find best wallpapers need top wallpaper categories nature wallpapers cartoon wallpapers super hero wallpapers movie wallpapers flat wallpapers android wallpapers ios wallpapers anime wallpapers car wallpapers motorcycle wallpapers disclaimer none images illustrations hosted on app logos images names copyrights owners images endorsed owners images used purely artistic aesthetic purposes copyright violation infringement intended request remove one images logos names honored number", "label": 0}
{"pkg_name": "com.nicedonegames.extremecarsimulator", "description": "extreme car simulator new advanced car driving simulator complete driving trucks cars motorbikes choose one fully controllable cars open doors change suspension distance activate tc abs esp customize cars trucks changing paint enjoy realistic driving behaviour drive truck lose car trailer top features multiple vehicles like cars trucks motorbikes advanced physics engine real sounds big maps test vehicles subscriber identification module", "label": 0}
{"pkg_name": "com.anddgn.tp.main", "description": "hook puller sled give pull pull like pro pulling sled tractor track top pulling leagues around world put winning season together winning online tournaments real players put up bank roll friends pull money pull sled distance pull sled accuracy pit power power in tug war tractor pulling rev up tractor truck diesel semi hot rod get turbo boost spun engine warm slowly quickly drop clutch let rip play in modified pro farm semi truck 4x4 many classes including real life machines like deere case ih duramax cummins moline mahindra allis chalmers ford chevy dodge farmall many many drag sled feet get full pull win tournament build customize performance look ride bolt on nitrous nos nitro blast past line get cash buy tractors upgrading tractor diesel puller win events challenge friends contacts truck pulling hustle em take cash drive up bankroll buy tractors upgrade tractor win events in tractor pulling game master race classes pick up sponsor get vehicles including best tractor monster vans tanks atvs lawn tractor trucks classic tractors diesel pull in top pulling leagues around globe including real world pulling leagues grab gold in cities leagues challenge facebook friends pull bet in game cash fix damage cause in garage damaged tractor run well blow up tractor parts expensive easy play tough master fun exciting challenging free tractor truck pulling game number", "label": 0}
{"pkg_name": "com.inboardtechnology.inboard", "description": "mar following improvements available update inboard m1 latest firmware downloading latest vision app android follow firmware update instructions brake light feature enhances visibility safety in riding modes adding brake lights m1 especially useful busy commutes city rides works increasing brightness rear led lights brakes applied deep sleep mode increases battery life up times inboard m1 left undisturbed powershift battery inserted m1 go deep sleep mode seconds turned m1 remain disconnected remote bluetooth device unless onboard accelerometer detects movement greatly increase battery life unused board moved board instantly wake up deep sleep mode ready ride number", "label": 1}
{"pkg_name": "com.octoppuss.user", "description": "numerous divisions highly anticipated taxi rideshare services app allow customers book taxi anywhere in country show location vehicle in real time decided reward customers use cars money back reward points every mile journey added wallet credit on app car booking app safe reliable affordable ride get need commuting work airport transfer visiting family forget parking traffic car rental download hassle free transportation requesting easy works download app accept notifications open app tell us want go get estimated price time book later app uses location driver knows pick up see driver picture vehicle details track arrival on map payment made card ride rate driver provide feedback help us improve experience also get receipt email customer support ready help day everyday need simple way get b quickly take economy affordable option individual travel follow social media first one hear amazing offers twitter https twitter com facebook https www facebook com instagram https www instagram com got question contact us using app download free app today let us know thoughts note continued use gps running in background dramatically decrease battery life number subscriber identification module", "label": 0}
{"pkg_name": "com.shikudo.fitrpg.google", "description": "pedometer rpg also known fitness fantasy train team heroes exercise activities stronger heroes become let take on challenges embark on journey becoming new best years since dark force took villagers await saviour return one lead team heroes defeat enemies save key features fitness rpg convert steps free energy use level up heroes sync steps connect sync steps phone fitbit google fit battlegrounds explore map fight monsters save realm team heroes collect train different heroes form ace team precious equipment skins collect upgrade precious weapons make team stronger arena compete players fight way top google fit connect google fit play rpg steps done 3rd party apps example nike fitbit app etc enjoy games like ring fit adventure zombies run life rpg", "label": 1}
{"pkg_name": "com.andreirazvan.CircuitsConnector", "description": "circuit waiting test limits fun thinking game game absolutely free many levels game modes solve puzzles prove exceptional thinking ability game educational practice much possible train different intellectual abilities need rotate puzzles create path battery bulb several powers disposal solve puzzle", "label": 0}
{"pkg_name": "com.pipsta.pipstanfcprinter", "description": "app use printer raspberry pi model b model model b computers must nfc capable android smart phone use app visit www org documentation accompanying python scripts explore nfc capabilities printer raspberry pi whether wish develop nfc printing application deliver full iot internet things iop internet people system running on raspberry pi app starting point exploration technologies dozens free python scripts tutorials guide even experience raspberry pi comes complete working applications printing qr codes banners android phone nfc demo app designed users extend functionality easily use applications running on raspberry pi visit www co uk contact support co uk information known limitations byte total nfc payload limit bytes data truncated nfc settings screen functionality provided in future updates app number email", "label": 1}
{"pkg_name": "com.pn.pleinenature", "description": "dozens routes nice strolls engaged routes tips lot ideas outdoor escapades whether on foot riding mountain bike ski touring climbing", "label": 0}
{"pkg_name": "com.nmcapp.sunflower", "description": "national motor company official application take appointment next service test drive view latest offers deals sitting couch service service appointment requests online booking predictive service reminders via push notifications sales inventory browse new pre owned vehicles book test drive deals news social media push notify special deals promotions based on gps promotions based on customer vehicle profile news update recall notifications information contact info location email phone chat address hours operation application keywords national motor company automotive honda honda bahrain honda dealer gmc chevrolet gm gm bahrain cadillac used cars used car bahrain bahrain cars vehicles number", "label": 0}
{"pkg_name": "com.cajax.gps2bt2", "description": "small widget allows turn mobile phone fully functional gps receiver accessible via bluetooth use desktop software like google earth nmea compatible notice creating spp port may fail stack widget simulates nmea gps fixed yet simulation based on cell tower information may coarse use run app press start pair phone another device ex pc tablet find serial port named in list services provided phone enable connect port desired application on client device integrated tasker number subscriber identification module", "label": 0}
{"pkg_name": "com.siok.gnome.autumn.theme", "description": "want change look phone without spending penny yes possible right need buy new phone change look phone install gnome autumn theme personalize smartphone phone screen in way suits better gnome autumn theme consists variety icon packs hd autumn wallpaper also applied automatically in seconds need customize manually theme icon set crafted world top designers gnome autumn launcher theme also contains personalized lock screen elements let feel amazed every time wake phone also listed variety free themes choose apply change look phone everyday gnome autumn theme make device succinct design yellow red icon pack customized app icon pack organized folders sliding 3d screen effects hd wallpapers widgets love yellow red icon pack gnome autumn theme customize android home screen top features gnome autumn theme succinct yellow red icon pack hd live wallpaper autumn hd wallpaper yellow red style gives visual experience never seen gnome autumn theme provides advanced security system android system protected safe secure fast convenient less power consumption true collections upcoming themes updated everyday apply gnome autumn theme specially designed launcher install partner launcher first apply successfully gnome autumn theme support launcher app in case like gnome autumn theme try themes also uninstall anytime always find favourite themes on 3d launcher always striving provide best user experience users also looking feedback suggestion recommendation please feel free write us continue bring best experiences updates number", "label": 0}
{"pkg_name": "com.jub.homepainter", "description": "application jub home painter best assistant selecting colour shades textures home test various colour combinations on external internal surfaces also test colour shades on photos buildings use one offered standard buildings jub home different interiors created projects simply shared calculate corresponding consumption test choose right colour shade home subscriber identification module", "label": 0}
{"pkg_name": "com.marmitek.smartme", "description": "smart free app remotely control smart products devices stay in control home even on holiday smart products e g wi fi led light bulbs cameras sensors power plugs doorbells create pleasant safe smart living environment in time switch lights devices on whenever want keep eye on home cameras sensors smart app on smartphone tablet products plug play need get started smart app stable wi fi network products also let smart products interact smart sensor camera doorbell detects movement smart wi fi led light bulb switch on automatically also possible combine several light bulbs in scenario create right atmosphere movie night on couch romantic dinner two plug play one app voice control expandable hub create scenarios number automated teller machine", "label": 1}
{"pkg_name": "com.xdebugxgames.bible.motorcycle.drag.race", "description": "in motorcycle drag race game learn bible verses play learn victory in life god word answer questions bible motorcycle go faster corinthians know ye run in race run one prize run ye may obtain hebrew wherefore seeing also great cloud witnesses let us lay aside every weight sin doth easily beset us let us run patience race set us looking unto jesus author finisher faith joy set endured cross despising shame set right hand throne god number", "label": 0}
{"pkg_name": "com.jurassicapps.zombiefortressevodino", "description": "zombie plague sweeping across jurassic islands citizen help human survivors walking dead survive become ultimate hunter fortress made older settlement find pick up survivors in jeep looking supplies ammo return fortress protect in zombie fortress evolution dino discover wild deadly dino carnivores trex spinosaurus velociraptors stegosaurus raptors euoplocephalus triceratops pterodactyl dilophosaurus parasaurolophus brontosaurus gigantic worm plesiosaur compsognathus allosaurus deinonychus giganotosaurus torosaurus build up weapon supplies handgun close encounters jeep rifle sniper action lay mines trap dinosaurs ones hunting gas canisters useful upgrade pistol crossbow explosive arrows equipped compound bow zombie fortress evolution dino high quality graphics gameplay adventurer in deadly world travel horse faithful friend whistle call 4x4 road vehicle using sniper skills amazing long distance kills motorbike quick fun like travel boat prefer walk maybe run night time dangerous time in prehistoric world gather logs in daytime find supplies build camp fire stay close on top canyon find zip line fast escapes collect magic mirror portal number", "label": 0}
{"pkg_name": "it.webmapp.girolibero", "description": "go go green display maps routes points interest position in real time pointer indicates position display automatic rotation enables follow easily route in right direction make little deviation find interrupted road even get lost worry go go green easy back on right path road open street map enriched selected points interest useful travel on foot bike fountains caf restaurants much interest points filtered per category searched directly in main menu downloading contents trip please remember use go go green also offline without consuming mobile data traffic please note using gps reduce smartphone battery life recommend bring portable charger in case number", "label": 1}
{"pkg_name": "xwinfotec.englishgermantranslate", "description": "english german translate application perfect translate texts fast in phone tablet use word phrase sentence translation fast access immediate translation use apps english german dictionary german english dictionary online translator communication problems able translate words even sentences in split second use app completely free need internet connection 3g 4g lte wi fi connect server service share translation via social networks facebook twitter whatsapp instagram sms bluetooth email wi fi app designed friendly user interface voice input text available integrated copy paste functionality text speech hear native speaker pronunciation translated text ability search history recently used expressions translations ability search favourite expressions translation using favourite option short message service", "label": 0}
{"pkg_name": "com.ultimamedia.amsmagazine", "description": "automotive manufacturing solutions leading global magazine covering use processes automotive manufacturing systems equipment technologies worldwide published six times per annum circulated free qualified readers includes extended reports operations specific automotive assembly plants coverage specific production technologies along exclusive interviews executives levels global regional production head plant manager ams directory specialised buyers guide companies supplying production assembly technologies carries extended descriptions capabilities arranged in technology sections assembly testing lasers machining on welding print publication circulated readers first issue ams magazine year automotive solutions annual supplement ams magazine dedicated paint coatings technology operations vehicle makers worldwide features significant applications interviews executives oems paint solution providers ams regional reviews provide intelligence vehicle production operations plants in fast changing regions world including china india brazil based on extensive editorial travel including exclusive interviews plant visits reviews provide insight investment operational activities oems in growth markets future users register login account in app protect issues in case lost device allow browsing purchases on multiple platforms existing users retrieve purchases logging account recommend loading app first time in wi fi area issue data retrieved app load past splash page first install update please delete reinstall app app store help frequently asked questions accessed in app on problems please hesitate contact us help com find privacy policy http www com privacy find terms conditions http www com terms number email", "label": 0}
{"pkg_name": "com.barsukstudio.muscleclicker2", "description": "muscle clicker rpg gym game simple sport clicker game rpg elements skinny guy help become muscular man need practice well clicking on screen train arms legs locations dumbbells exercise bikes also take part in pull up squat competitions game features game easy get rich get money lifting dumbbells exercise bikes pedal rotation pulling up squats in competitions store sells various dumbbells weights exercise bikes stimulants potions purchased items appear in inventory exercise new dumbbells exercise bikes get experience money set new records competitions on pull ups squats use stimulants potions increase strength stamina new level muscles increase slightly get status points increase strength arms legs stamina in character menu also in character menu choose hairstyle beard change color shirt shorts hair in options menu change background game select music track game require internet connection find unique interesting sports game fun number subscriber identification module", "label": 0}
{"pkg_name": "com.youbeli.www.innoria", "description": "technology sdn bhd established in retail stores offer wide range products offer services technical support computer hardware software maintenance diagnosis repair technology also provide outdoor services setting up workstation server networking printer sales customize services solutions provide client business best money value outcome best protection assets family offer latest in digital cctv security surveillance via team computer services satisfied customers include church lourdes in klang proud provide cctv surveillance famous image blessed virgin mary glass pane in extended business cater heavy paper printing businesses loan printer program compatible toners ink well recycling cartridges greener sustainable future number", "label": 0}
{"pkg_name": "com.vison.macrochip.vs.fpv.pro", "description": "app control quadcopter fly wifi camera module also display realtime video taken wifi camera module include feature support vga 720p 1080p resolution support take photo record video function support 3d function", "label": 1}
{"pkg_name": "com.swimtag.mobile", "description": "training aid monitoring system tracks progress in pool see swim track pb challenge others even take part in virtual swimming leagues upload swims apple watch garmin sports watch compatible device also link account favourite fitness platforms including fitbit facebook garmin connect", "label": 1}
{"pkg_name": "com.phortstudio.wifispeedtest", "description": "internet speed test wifi info application used test internet speed show internet connection status also show download upload internet speed wifi speed test app helped test every mobile network speed test 3g 4g wi fi speed test app show graph internet speed test graph shows every second internet speed up check internet speed app easily check download upload speed speed check meter application one best app checking wifi speed wifi speed test show strength wi fi many wi fi available in area strength available wi fi also find distance available internet network in surroundings history wi fi speed test also saved in internet speed test in history information network speed every hour days month saved wi fi information also store in internal storage pdf best internet speed test application easily check speed internet router speed test application give accurate result wifi speed shows also complete information wi fi like ; ssid ; protocol ; security type ; network band ; network channel ; ipv4 address ; ipv4 dns servers features ; speed show in graphs detailed speed test information ; speed app test download upload ping speed latency ; best internet test app check wi fi signal strength detect signal spot ; detect on wi fi ; check internet speed ; data usage manager help monitor mobile data usage ; ping test network delays test device internet ; jitter test variation network delays ; one click testing checking upload download speed ; quick real time ping wi fi speed check ; data monitor ; wi fi signal quality wi fi analyzer soon ; real time graphs show connection consistency ; internet connection test capable accurately measuring 5g ; test single connection simulate downloading file multiple connections understand max speed subscriber identification module", "label": 0}
{"pkg_name": "com.coolgames.Army.Bus.Impossible.Tracks", "description": "army bus impossible tracks transport duty tycoon welcome world new army bus impossible stunts tracks simulation game free drive amazing autos vehicles clouds on sky road ramps like king legend cool games sure get unique experience driving on zigzag tracks like real stunt rider play army bus impossible tracks stunts transport us soldiers on duty on dangerous roads in strategy game bus transportation climbing on massive challenging drivers new 4x4 car driving in army games army games bus driver top features ; thrilling free play stunt game ; day mode impossible tracks gameplay ; animated military army soldiers ; real stunt car play offline game ; transport us soldiers on duty ; park army bus drop soldiers like army bus transportation tycoon games heavy bus drivers transport army base army commando drive on mountainous hill climb areas reach checkpoints cross challenging impossible tracks checkpoints military bus ultimate driving skills reaching finish point in 4x4 army game army bus driving simulator easy offline game need perform multi stunts in multi levels drive on curvy dangerous tracks on sky roads get ultimate drivers transportation skills unlock new levels army games heavy impossible tracks dangerous hurdles avoid complete level applying strategy crazy bus driver skills input observed in situations get ready go start us army bus simulator reach on driving duty become boss bus simulator tycoon drive on crazy curvy roads dangerous tracks complete missions in best army game start engine enjoy driving 3d bus fun games transport in extreme conditions driving on duty on deadly tracks limited time difficult hurdles behind sky roads in military games time prove professional skills grab wheels sit on steering show wargaming skills enhance ultimate army bus driving skills army bus impossible tracks transport duty tycoon made cool games number subscriber identification module", "label": 0}
{"pkg_name": "cdl.study", "description": "know english want spend exams in spanish first attempt cdl practice questions excellent ways prepare written cdl exams commercial driver license cdl driver license requires lb kg commercial use transport quantities materials require warning signs regulations department transportation designed transport passengers including driver receive compensation passengers including driver lack compensation includes among others cranes trailers tractors buses application includes preparation cdl test cdl study guide several categories general knowledge hazardous materials test hazmat cdl test passenger vehicle air brake combined vehicles double triple trailers tank vehicles school bus characteristics questions practice manual section instantly without downloading realistic like current test practice tests based on official test detailed explanations make mistake application tells immediately answer incorrect understand remember wrong answer personalized test bench test automatically made up lost questions practice tests new questions always keep focused randomize questions answers every time start practice test registration required test applied states alabama al alaska ak arizona az arkansas ar california ca colorado co connecticut ct delaware de florida fl georgia ga hawaii hi idaho id illinois il indiana in iowa ia kansas ks kentucky ky louisiana la maine maryland md massachusetts michigan mi minnesota mn mississippi ms missouri mo montana mt nebraska ne nevada nevada new hampshire nh new jersey nj new mexico nm new york ny north carolina nc north dakota north dakota ohio oh oklahoma ok oregon oregon pennsylvania pa rhode island ri south carolina sc south dakota sd tennessee tn texas tx utah ut vermont vt virginia va washington wa west virginia wv wisconsin wi wyoming wy number website", "label": 0}
{"pkg_name": "teachertouch.genericsoftware.teachertouch", "description": "app attempt give real time communication management teachers parents students web sms fee reminders homework attendance various images shared requests management requests parents sent received bridge fill gap parents school teacher touch integrated school hub erp thus gives real time access data replicates time information enabling schools parents higher level interactions better student development making tomorrows responsible citizens india note teacher touch app activated teacher authorized access app optional short message service", "label": 0}
{"pkg_name": "app.eventcloud.events", "description": "mobile event app trusted leading brands globally elevate event roi engagement never know white label mobile event app offers unrivalled opportunities customise look feel ensure seamless fit brand event experience includes array useful features number grows regularly implement custom solutions share world turned on tap button possible feature combinations make event app unlike combine app management dashboard available on desktop on go intuitive simple friendly timmy intern master in day nothing less friendly revolution in event technology demo app highlights features offer mobile event app in depth interactive agendas ability create custom personalised agenda chance vote in polls on pressing event issues opportunity complete variety surveys in session voting real time display enhance sessions direct one one communications speaker opportunity ask questions in session moderation capabilities ability create personal profiles pics bios links plus custom settings handshakes one tap way share contact information delegates sponsors exhibitors messaging enhance networking event delegates speakers sponsors exhibitors in app photo galleries share enhance event experiences in app registration interactive venue area maps points interest engagement tools allow guests check in different locations sponsor booths event activities real time updates via branded push notifications multilingual content social media integration sharing take event brand beyond venue knowledge hub presentations info sheets promotions event documents online offline functionality real time translation branded customisable sponsor exhibitor listings embedded advertising roi generation tools best mobile event app integrates seamlessly whole event event management platform featuring registration payment processing event websites event email platforms managed via dashboard visit www co learn technology elevate events everyone number subscriber identification module", "label": 0}
{"pkg_name": "us.mapsanddirections.virginislandsmaps", "description": "maps navigation street directions useful app trips in virgin islands virgin islands maps lets know maps street directions plan trips in virgin islands route travel find hotels nearby find current location search address navigate using destination maps include information maps view mode satellite view even street view in virgin islands states find city satellite traffic public transit cycling even hiking maps want in virgin islands always find location maps street directions travel around virgin islands navigate using transportation method route planner cars bikes walking address in virgin islands street directions local traffic help find fastest trip route travel directions trusted maps location tracker via latitude longitude navigation maps city traffic public transport routes maps range satellite maps bike maps street view also available street view see exteriors museums restaurants traffic maps see current traffic conditions avoid traffic jams cycling map bike routes contour lines plan next cycling tour walking maps explore city on foot detailed walk friendly maps hiking gps find hiking trails plan next backpacking trip maps navigation directions uses street map get directions maps every towns cities in virgin islands bus routes tracker get directions maps train station locations bike paths cycling subway maps stations search find places in virgin islands food near hotels bars near gas stations atms addresses street name house number city etc nearby city neighborhood zip codes places around locations find hotels restaurants shopping museums stations hospitals etc virgin islands maps features ways get around anywhere explore city on dozens maps including worldwide street satellite traffic public transit cycling walking hiking maps local area network automated teller machine", "label": 0}
{"pkg_name": "com.caraccidents.carcrash.crashsimulator", "description": "welcome new car crash simulator experience high speed bump car crash car destruction in car crashing racing games play thrilling death stair car crash challenge car crashing games enjoy beam crash stunt racing beam damage car crashes stunts beam top drive in best car accidents games death stair car destruction challenge best car crash driving game interesting use death race crash car beam drive crash drive in beam driving real game destroy cars crash cars in car crash games crazy crash drive in car crash simulator death stair beam drive game enjoy car speed crash testing on deadly speed breaker derby beam car drive make beam car crash accidents stair crash derby beam driving in car destroy driving game experience beam driving car collision car crashing engine beam car powerful deadly car crashes beam drive accident jump death stairs beam drive car crash sim enjoy beam drive accidents best drive stair jump make high speed car crash accidents beam car crash car crash beam drive 3d simulator challenge crash simulator speed bump car drive simulator select crashing car death driving on speed bumps in car crashing games speed bumps designed in beam drive simulator check speed bump car damage speed bump high speed jumps crashes in test speed breaker challenge beam car drive accidents crash simulator enjoy death stair real beam car crash accidents derby car destruction derby beam top drive play beam top drive car crash game in extreme car crash simulator 3d environment death stair car accidents car crash challenge car accident game car crash simulator interesting want enjoy high speed car accidents beam drive accidents download beam drive car accidents car crash simulator beam jumps accidents car crash driving game best car crash game amazing speed bump crash action insane car crash best car driving game beam drive new game also among best car crashing games in vehicle demolition gaming world experience deadly car accident crashes beam jumps accidents in extreme car accident game car demolition games fun car crashing car smash crash drive beam car game car crash games number subscriber identification module", "label": 0}
{"pkg_name": "com.fca.myconnect", "description": "offers broad range services stay connected vehicle bring digital world on board get connected want without mobile app services available jeep vehicles equipped new box currently supported on jeep renegade jeep compass jeep renegade jeep compass infotainment system jeep compass jeep compass infotainment system services managed mobile app find list packages services already available services coming soon work hard add new features improve features already available assistant assistant package connected services designed offer assistance features sos help call roadside assistance customer care vehicle health report remote remote package connected services designed remote management vehicle thanks wide range services remote operations drive alerts vehicle finder eco score in addition e control available plug in hybrid vehicles car car package connected services designed keep vehicle health up date thanks services vehicle info vehicle health alert navigation navigation package connected services designed take advantage modern satellite navigation services enhanced features available thanks connectivity send go poi search last mile navigation dynamic range mapping furthermore plug in hybrid vehicles charging station finder service provided package allows find use pay recharges public charging stations track charging history theft assistance alert theft assistance package designed protect vehicle thanks services theft alarm notification stolen vehicle assistance mobility services owners in section access partner offers connect directly web portals dedicated management maintenance vehicle new feature allows carry remote operations wear os please note activating services simple purchasing vehicle customer receives email complete account registration on web portal activate connected services available purchased vehicle customer completes account registration services activation system activates services sends confirmation email enjoy services compatibility services available functions may vary depending on model vehicle infotainment system installed on board country vehicle sold information available on website dedicated vehicle in customer area images shown illustration purposes services available in course number subscriber identification module", "label": 1}
{"pkg_name": "com.autobeeb.autobeeb", "description": "safe easy way buy sell new used cars trucks spare parts buses vans trailer heavy equipment research compare models find local dealers sell car \u0641\u064a \u0648 sections cars ; section contains new cars sale near second hand car rental cars cheap cars sale ; toyota cars sale hyundai kia mercedes bmw chevrolet lexus nissan mitsubishi ford car brands ; many car dealerships near new used car dealerships agent rent car cars showroom ; many cars categories sedan suv convertible hatchback sports cars coupe classic cars sale various categories ; sell cars online time easily trucks ; section contains new used trucks sale rental trucks trucks sale near ; mercedes trucks sale actros man volvo daf scania isuzu mitsubishi truck brands ; classifications uses trucks including concrete pumps concrete mixers tanks winches tipper trucks chassis classifications ; sell trucks online time easily auto part ; section contains cars parts trucks parts equipment parts automotive parts cheap auto parts auto supplies ; toyota parts sale hyundai parts nissan parts ford parts mercedes parts kia parts car brands ; kinds car parts engines car lights brakes tires rims car accessories hybrid batteries gear boxes car filters car oils many parts type ; sell cars parts online time easily sections ; buses section contains buses sale rental buses buses parts ; van section contains van sale van buses van spare parts ; trailers section contains trailers sale rental trailers trailers spare parts ; heavy equipment containing heavy machinery cranes agricultural equipment excavators bulldozers loaders asphalt machines dumper many others different brands caterpillar komatsu bobcat brands features ; app free without commissions ; modern modern way adding ads ; chat advertisers facilitate seller buyer communication ; defined in eight languages ; easy distinctive design ; quick access app ; merchants create dedicated merchant page vehicles add business information ; direct ongoing support application technical support team ; types ad sale rent wanted communication contact us using following information email info com local area network email", "label": 0}
{"pkg_name": "com.rr.drivinggames.taxigames.bikeriding.offroaddrive", "description": "gear up atv quad bike taxi on uphill offroad tracks drive fast prove professional quad bike driver show perfect driving skills on offroad tracks face extreme different weather conditions in offroad taxi driving simulator game get ready offroad bike riding adventure test offroad atv quad bike driving drive taxi cab bike tricky techniques safely complete missions get rewards well pick drop passengers waiting bike driver drive atv quad bike on offroad uphill tracks pick up passengers drop passengers destination in limited time fast pick drop passengers required location get rewards complete challenging missions on atv quad bike taxi cab simulator on offroad uphill tracks drive safely avoid accidents move multiple scenes become real professional bike taxi cab rider atv quad taxi bike simulator unlock multiple missions completing required challenges completing challenging missions unlock atv quad bike choice waiting get hands on atv quad bike taxi offroad cab driving game enjoy ultimate fun driving on uphill offroad tracks drive fast get score ultimate champion atv bike riding simulator game avail best opportunity drive on realistic environment atv quad taxi bike offroad uphill tracks features amazing 3d offroad uphill realistic environment pick drop passengers in limited time multiple missions different obstacles in multiple scenes complete challenging missions get rewards unlock variety atv quad bike taxi cab completing missions highly awesome graphics realistic physics test atv quad bike taxi driving skills prove professional quad bike taxi driver smooth easy controls gameplay amazing background sound effects subscriber identification module", "label": 0}
{"pkg_name": "com.airliftcompany.wirelessair", "description": "control on board compressor system bluetooth enabled smartphone redesigned controller mobile app compatible 2nd generation ez mount systems p n p n learn http air lift co number", "label": 0}
{"pkg_name": "com.km.mergeracingtruck.truckidle.idletycoon", "description": "welcome discover new big trucks in truck merger tycoon game enjoy leisure game become entrepreneur love merge airplane merge cars many auto merger games must love game playing addictive game read description first match merge type idle trucks get new best truck features qualities like high speed collects coins earn maximum money idle merge trucks merge get money ready become best business tycoon let start amazing entertaining merge truck simulator game download merge racing truck merger game take part in idle truck merging race build idle merging truck team expand business truck collection much manage truck fleet simply buy trucks match merge get better one truck in way collect best quality trucks in garage features hundreds idle trucks merging fun trucks unlockable upgradeable keep level up complete levels every level full idle truck merging challenges buy merge get new best merging truck make trucks fly on racing tracks earn coins money speed increases every truck on truck unlocking perform idle tycoon truck merger become richest person in whole world get gifts coins rewards on amazing performance different colorful parking tracking environments every level show identical merging skills beautiful graphical visualization suitable background music free play internet connection required install number subscriber identification module", "label": 0}
{"pkg_name": "com.touchworld.gps", "description": "one advanced gps vehicle tracking application developed technology tracking application shows up date information vehicles history stored in server", "label": 1}
{"pkg_name": "com.datasite.ma_tension_arterielle", "description": "please note possible measure blood pressure application must use suitable blood pressure monitor application intended keep statements medical follow up hypertension must taken seriously beyond simple risk factor real chronic disease constant progression consequence evolution lifestyles in particular diet rich in fats salt well decrease in physical activity cannot cured hypertension treated well effective treatments allow live longer without disabling complications long know hypertensive avoid one consider measuring blood pressure regularly home doctor already taking treatment try follow carefully compliance essential in controlling hypertension also know treatment effective also observe simple rules healthy living involvement in care monitoring doctor allow minimize risks associated hypertension single dose doctor always ect reality blood pressure varies according state fatigue stress reduce risk error take blood pressure even suitable blood pressure measuring device buy commercially pharmacy note application device measuring blood pressure need suitable blood pressure monitor blood pressure application allows better monitoring hypertension in case measurement history allows see glance evolution time hypertension in addition many tips automatic reminders help on daily basis never superfluous regularly reminded judicious advice application offers life hygiene advice compliance rules regularly updated information sheets etc finally useful option allows send doctor personalized statement self measurements features lifestyle advice sheets compliance advice hypertension information sheets international standards manages joint committee north american classification generation pdf measurement reports direct transmission doctor reminder take medication receiving notification monitoring data evolution graphs data entry facilitated voice input android permission record audio authorization required ability automatically save statement diction advertising export statements in csv data restoration csv search doctor nearby in case emergency whatever position find medical office near number subscriber identification module", "label": 0}
{"pkg_name": "dev.fep.wifi.inspector", "description": "wifi inspector useful tool help explore every detail wireless network get important data like ssid level frequency security type including wep wpa wps wpa2 also app generates long wifi passwords increase router security another incredible feature free app show open wifi networks moment connect manually automate feature on next versions works easy get generated wifi password set on router configuration page know many tutorials explaining process on favourite search engine", "label": 0}
{"pkg_name": "in.remotify.www.mitvremotecontrol", "description": "mi tv remote control app app designed used models mi tv disclaimer app official mi remote app designed care try bring mi users overall better experience important app needs phone infrared sensor sure means try downloading app see works remote missing ask us app features best user interface installation click play amazing design cool easy interface questions remote working please feel free give suggestions contact us gmail com number email", "label": 1}
{"pkg_name": "com.apcurium.mk.TorontoCoOp", "description": "associated toronto taxi cab co operative limited c l popularly known co op cabs crown taxi leading provider taxi services in toronto ontario canada pleased offer valued clients latest in smartphone booking technology free co op crown taxi hail application key features co op crown taxi hail application include book reservation in clicks get fare estimate entering pickup destination addresses receive confirmation number reservation immediately on booking receive notifications including vehicle number reservation dispatched monitor progress vehicle on map create list favorite addresses assign custom name specify number passengers vehicle type preferred payment method review reservations made past days provide feedback related application service received call co op crown push button begin using co op crown taxi hail application today download free app create account email name phone password validate account via confirmation email receive login app email password enter pickup address enter destination address allows us provide estimated fare amount book trip reservations immediate future time date on booking reservation immediately receive confirmation number along update vehicle assigned monitor progress vehicle moves towards pickup location co op crown taxi hail application retains history previous reservations up days expense management quickly book trip push button may also create list favorite locations home work etc speed booking process also customize orders selecting number passengers preferred vehicle type preferred method payment preferences saved account profile future bookings associated toronto taxi cab co operative limited c l comfort safety top priorities let us know serve better providing feedback via co op crown taxi hail application calling look forward adding many exciting new features co op crown taxi hail application in months ahead always interested in say number number", "label": 0}
{"pkg_name": "riseup.tech.sareefive", "description": "fashion huge in world cinema talking fashion trends clothes bollywood always influenced choice masses saree one comfortable dresses comes indian clothing women love wear sarees since attractive easy wear also women look stylish ultra feminine lovely ravishing in sarees moreover traditional attire sexy well beautiful trends come go one thing remained bollywood love sarees often bollywood inspired sarees simply loved women nowadays people prefer wear sarees customized therefore watch latest trends in sarees saree designs special let check in application decided make indian wedding saree blouse designs found in position in possession number sarees without idea kind blouse design go therefore took upon help also help others like accumulating photographs various sari blouse designs in first on blouses saree blouse designs since ever increasing popularity first hub on sari blouse patterns designs hope hub contains many photographs sari blouse designs sober others daringly revealing helps find perfect sari blouse design whether special wedding party saree photographs sari blouse designs starting simple gorgeous ones embellished sequins springs zari trend in traditional wear saree changed quite bit in recent years ladies used focus on saree design embroidery pattern etc rather blouse design bridal saree suits use app also simple select picture want frame select beautiful women bridal saree suit set using zoom rotate button save thus share loved on every woman dreams wedding day whole life try something completely different see look dressed in indian wedding outfits amazing dress up game girls try girlfriends super fun like experimenting different cool photo effects dress up stickers different wedding saree designs disposal take advantage amazing opportunity get face changer completely free wedding saree photo suit app need little photo fun saree design application give hundreds ideas in latest fashion models always beautiful elegant best saree style app useful simple see design saree nothing could simpler putting on great saree girls women matter ever body figure size wearing simple saree design easiest way look good number subscriber identification module", "label": 0}
{"pkg_name": "com.speedtracker.speedlimit.altitudemeter.speedometer", "description": "gps speedometer sound meter speed tracking app marvelous app used measure speed vehicle vehicles include car truck bike etc gps speed tracker tells us total speed average speed overall trip meter time speed limit install free start whole new experience calculating speed journey us gps speedometer sound meter incredible app many unique features developed designed android users salient features gps speedometer speed detector map locator ; gps speedometer gives us overall detail total speed average speed overall trip meter time speed limit vehicle ; app also acts rout transit travel navigation built in map guides in reaching exact destination ; operates analog speedometer providing results in meter per hour kilometer per hour ; digital speedometer means provides free speed tests vehicle speed tests displayed in digi hud speedometer speed tests include total speed overall trip miles time speed limit average speed ; gps speedometer also operates altitude meter means used measurement altitude skydiving climbing hiking etc ; gps speedometer feature sound meter in tell us intensity different sounds music environmental noise etc ; gps speedometer app gives accurate results in measuring altitude compared gps ; gps usually gives inaccurate results someone using in mountainous area valley available satellites present in certain sphere similarly atmospheric pressure also changes move up in hilly areas hikers calibrate feature altitude meter online reached desired destination top hill trail junction etc additional benefits advantages speedometer one speed tracker app ; ds speedometer speed camera detector free app everyone ; gps speed tracker app always gives accurate results ; trip meter gps speed developed android users ; digital speedometer app part maps navigation category play store ; car heads up display gps speed tracking app easy simple use ; digital hud gps speed meter app gives results speed results in analog form mph kph ; gps speedometer amazing user interface ; simple speed tracker app vivid bright graphics ; gps speedometer speed tracker mph user friendly app ; trip meter speed limit detector app recommended use driving vehicle enjoy digital gps speedometer app install car distance tracker app modern mph top speed app rout transit travel navigation gps speedometer app get live location tracker on map explore speedometers car fast result speed app mile per hour real digital hud gps speed meter hud speedometer monitor speed mileage accurate speedometer great app useful mph speedometers helpful speedometer gps hud best app trip meter speed tracker on map enjoy satellite view speed tracking modern gps speedometer hud car fast easy digital speedo meter excellent analog gps speedometer app world best speed tracker speedometer digital top speed app simple design live head up display digital hud gps speed meter beautiful gps speedometer app speed limit alert system modern speed test meter user friendly digital analog live speedometers latest special digital speedometer speed camera detector also best feature in world best speed app explore current location map tracker speedometer gps recommended speed tracker app on map high quality digital speedometer download great app speed test meter number automated teller machine subscriber identification module", "label": 0}
{"pkg_name": "com.litetools.applockpro", "description": "smart privacy guard security lock app lock lock apps keep security safe download best security lock app locker phone app locker privacy guard privacy well protected password lock pattern lock fingerprint lock great anti intrusion tool security lock lock apps facebook whatsapp snapchat messenger app choose including gallery phone settings app markets safe notes lock note keep secret private notes auto saved anything keep notes privacy lock apps security lock app lock personal security app secure privacy features protect privacy hide personal pictures videos locking gallery photo apps protect message locking social apps keep social data security prying eyes give phone security protection lock app market keep children purchasing games locking app market in phone app locker security lock app lock catch intruders protect privacy in real time one snoop on apps without permission take photo tried unlock apps immediately see detail information in app lock app including photo date time great anti intrusion tool find intruder keep phone safety gallery lock transfer pictures videos gallery photo video vault hide picture video photo album keep secret photos videos safe lock apps security lock app lock lock apps prevent unauthorized access guard privacy ensure security privacy notes gives safe quick simple notepad editing experience write notes memo email message mark note different background colors importantly secret password protected lock phone settings prevent others changing phone setting wifi 3g data bluetooth sync usb on locking settings smart app locker unlock secure hide pattern draw path invisible give overall privacy protection install monitor notify make lock new app installed close notification time pattern lock password lock fingerprint lock pattern lock password lock many kinds themes pattern lock faster unlock mode pattern lock hide draw path much safer lock apps fingerprint lock presses fingers on screen scan fingerprint screen unlocked in second convenient use switch unlock mode well designed theme waiting easy use one click set locked apps unlocked apps lightweight powerful security lock uses less 2mb space protect privacy security lock smart privacy guard gives phone security protection set passcode first time open app lock enter passcode enter passcode choose apps want lock next setting apps usage access app lock permit usage access finish number subscriber identification module", "label": 0}
{"pkg_name": "com.mining.app.mipca", "description": "mobile real time video surveillance software used cloud ip camera client view home shops offices places time in real time video video history also receive immediate alert place abnormal information alarm take safety precautions first time main function support mobile real time video surveillance real time hd video viewing remote control operate on camera direction rotation touch screen support remote intelligent video recording video real time notification playback support real time intercom video electronic amplification functions real time alarm information push environment detected client receive alert information immediately number", "label": 1}
{"pkg_name": "com.arvindkum75.Old_Motorcycle_Sell_Purchase", "description": "get best quality second hand motorcycle find quality old motorcycle old bike bajaj pulsar ktm rc yamaha mt yamaha fz yamaha r15 ktm duke duke ktm duke suzuki etc one stop solution app created laxmi solution sell purchase old motorcycles without hesitations developed customers aim provide best user friendly experience due easy functionality one stop solution getting popular day day installing app sell second hand bike buy old bike compare bikes find dealers even get on road price bike looking pride on giving everything need make decision buying bike application also check best choices old motorcycle second hand bike honda bikes bmw bikes etc looking buy old second hand bike need install app easily check details models pricing bikes know passion love new generations motorcycles drives us constantly work better help innovation reliability client friendliness key values hold dear application provide information need make well informed buying decision kind old bike pulsar r15 v3 ktm rc yamaha mt yamaha fz yamaha r15 ktm duke duke ktm duke ktm rc ktm rc etc demand second hand bike old motorcycle increasing day day compared electronic gadgets buyers sellers face major stumbling block comes used bike valuation say use random second hand bike price calculator want know old bike valuation purchase resale value bike sell trustworthy source help either party in pursuit technologically advanced application easily upload second hand bike details on server get increased number customers give best suitable price old motorcycle difference thoughts expectation parties resolved know real market price successfully installation application see price range bikes models compare required details in budget get fair used bike valuation decide want buy sell model old motorcycle sell purchase applications get amazing conditions company bike models dilapidated rate get information available bike models second hand bikes in india compare available second hand bikes on application get choice easily contact owner purchase make available best brand makers including suzuki mahindra royal enfield intensive extent premium brand harley davidson us sort bikes on unmistakable quality cost etc bajaj pulsar hero splendour ktm duke suzuki ktm rc ktm rc ktm duke tvs bikes duke ktm duke royal enfield classic yamaha mt ktm rc yamaha bikes honda bikes pulsar second hand bike number", "label": 0}
{"pkg_name": "com.pspl.karnatakpolice", "description": "bengaluru city police always looking new avenues enhance delivery public citizens help new latest technologies lodging police report lost document object becomes indispensable prerequisite reissue lost document e passport driving licence registration certificate vehicle educational certificates pan card etc losses often detected victims gap time even exact place time loss may also known in particular persons travelling bengaluru city tourists find difficult go back place document article may lost lodge report in police station getting new document issued make claims insurance therefore bengaluru city police decided enable mobile phone web based reporting lost missing articles without need go police station report lodged anywhere print taken digitally signed copy sent complainant on given e mail id digitally authenticated certificates verified online officer agency certificates presented number email", "label": 0}
{"pkg_name": "io.ionic.starter.RadAzo", "description": "web system iot platforms", "label": 1}
{"pkg_name": "com.offroads.offroadracing2020", "description": "road racing road racing best racing race multiple opponents play different opponents bosses also feel real environment realistic obstacles road racing game environment feature road racing contain different realistic environment like desert snow jungle etc feel natural physic car console ramp worlds huge ramps on mountains jungles city night mode also part games road racing feature night mode jungle mode snow mode racing boss racing variation opponents tackle police cars destroy opponents select car according race purchase buy unlocked bike complete level get money take enemy boss bike winning boss team credits road racing rawat senior game developer singh senior 3d artist rajni singh senior 3d artist vipin kumar 3d artist praveen kaushik ui artist sahu game developer karan sahu game developer number", "label": 0}
{"pkg_name": "com.FenceDesigns.looster", "description": "time people give much thought doors home realize entrance first thing people notice enter house front door design considered carefully reflects tastes preferences living inside apart attractive front entrance must sturdy secure best door locks door handles provide proper security family gate designed in way must easily accessible intruders especially dangerous ones like burglars thieves need achieve fine balance artistic appeal robust security factors great significance in long run besides doors something remodel change frequently whole process time consuming expensive necessary take decision make choices carefully without haste hurry nowadays window experts offering wide range front door designs aesthetically appealing created keeping in mind security needs always better choose window door expert one stop shop needs example door manufacturers also offer accessories like door handles door locks tips always come in handy make selections first basic thing need keep in mind searching different front entrance options compatible overall style design home blend disproportionate front gate stand awkwardly give house disturb inharmonious look in comparison rest home example house designed in victorian fashion classy furnishing door modern contemporary look spoil whole look house matter beautiful therefore select door designs make sure complements aesthetic appeal home creating positive soothing aura instead confused contrasting one apart creative factors considerations safety privacy weather important elements need keep in mind making choices instance front entrance glass inset looks attractive comes security safe burglars easily break in home filled expensive furniture latest gadgets stay away form home long hours even days opt door made solid wood fiberglass tips help in making right decision scouting front door designs number", "label": 0}
{"pkg_name": "bluecube.com.track", "description": "track vehicle tracking monitoring tool works blue cube installed hardware trackers need hardware installed account provisioned blue cube able make app get in touch us quote main features realtime monitoring vehicle location playback know vehicle anti theft disable engine simple click geo fencing set geographical limits in vehicle allowed operate get alerts geo fence exceeded reports get useful statics usage e g mileage fuel consumption subscriber identification module", "label": 1}
{"pkg_name": "com.fruitmobile.btfirewall.trial", "description": "day trial version bluetooth firewall best bluetooth security app android guards device bluetooth hacking ensures privacy protection runs foreground service seen persistent notification guarding device time new updates android pie firewall runs foreground service always monitoring device features bluetooth radar view firewall alerts perform bluetooth scan android device logs bluetooth events password protect firewall sensitive data option make chosen remote devices trusted support strict mode alerts local apps try perform bluetooth actions remote bluetooth devices connects pairs device app bluetooth capabilities installed updated get started install app open exit app firewall run in background guard device detailed help included in app questions mail us support com permissions bluetooth used trial management ad display paid versions needs bluetooth permissions number email", "label": 1}
{"pkg_name": "com.SatyaStudio.RealBikeRacing.Wallpaper", "description": "extreme real bike racing wallpaper phone tablet home screen background wallpaper application build lovely user loves racing bike sports bike wallpaper beautify device home screen background extreme sport bike wallpaper application real bike racing wallpaper large stunning awesome theme real bike racing wallpaper features beautiful ui clean design image slide show set best wallpapers home screen background full screen hd wallpaper shows cool backgrounds in full screen mode simple fast light save battery resources subscriber identification module", "label": 0}
{"pkg_name": "com.vison.macrochip.heliway.racing", "description": "one app control quadcopter wifi camera module also receive display realtime video stream wifi camera module include feature support vga 720p 1080p resolution support take photo record video function support 3d function support video playback", "label": 1}
{"pkg_name": "se.acoem.fixturlaser.prealignment", "description": "companion app performing pre alignment tasks using rt app guides user complete pre alignment process using bluetooth connected run probe offers complete pre alignment package including possibility measure record run bearing clearance true pdf report function provides fast on site reporting capability converting saved measurement reports pdf files note app works run probe key features connected using bluetooth patented icon based color coded adaptive user interface measure record run bearing clearance true true soft foot measurements directly on feet machine create instant pdf report visit website www com information on alignment in general tools support app number", "label": 1}
{"pkg_name": "com.pronunciatorllc.bluebird.azerbaijani", "description": "quickly learn speak understand azerbaijani interactive video lessons narrated in languages choose pre recorded lessons years lessons create truly personalized course revolves around things love learning job even create personalized course occupations bluebird uses scientifically proven spaced repetition technique learn quickly retain learn long term listen repeat easy learn azerbaijani hands free typing swiping needed learn exercising cooking commuting relaxxxg home even stream bluebird lessons smart speakers like google home tv learn high frequency words everyday speech includes powerful words top verbs conjugations in past present future tenses build complete sentences on manage dozens everyday situations handle complex conversations watch progress quizzes test knowledge reinforce learn quiz contains variety question types evaluate listening reading writing skills see statistics lessons quizzes time global approach bluebird brings language learning world population in unprecedented way learn azerbaijani narration languages something everybody whether preparing trip want learn azerbaijani fun school work bluebird teach need know ensure remember learn long term family friendly content throughout whole family enjoy learning azerbaijani bluebird way unparalleled content quality bluebird comprehensive language courses in world average instructional phrases per language bluebird lesson lasts minutes average lesson lasting minutes curriculum teacher designed human translated narrators actors professional voice artists native speakers respective languages audio studio grade number local area network", "label": 0}
{"pkg_name": "com.SatyaStudio.WallpaperForFerrariCars", "description": "wallpaper ferrari cars phone tablet devices wallpaper ferrari cars displayed on screen find beautiful wallpaper ferrari cars picture picture carefully selected completely free wallpaper ferrari cars following characteristics many awesome wallpaper hd quality application work offline need download collect mountains hd photo easy view easy set wallpaper looking wallpaper ferrari cars application smart device in exactly right place application contains various types wallpaper ferrari cars application images stunning high quality also set images on device screen home screen lock screen late download wallpaper ferrari cars application forget give opinion rate us also views beautiful pleasant wallpaper ferrari cars waiting number", "label": 0}
{"pkg_name": "br.delivery.client", "description": "day on demand intra city courier express delivery service in minutes exactly need place order in delivery app system find suitable delivery partner nearby completely hassle free need register deliver products express delivery economical hyperlocal tariffs choose delivery time delivery gifts documents cakes anything anywhere courier delivery service brazil part global delivery service works in countries across world urgent on time delivery courier assigned within minutes placing order arrive pickup location within minutes depends on distance choose time interval up minutes precision courier arrive convenient rather random unknown time interval pay cash wireless transfer pay express delivery cash wire transfer business account card card transfer directly courier in built price calculator show cost delivery online right in app couriers on foot motorcycles trucks tempos select type delivery fits needs courier on foot delivery parcels documents cloth cakes courier bike delivery medium sized boxes auto parts fragile items hyperlocal delivery cheaper shorter distances track delivery on map in real time super convenient easy used seeing taxi on map get convenience delivery need check up on courier status annoying phone calls discretion turn on sms status notifications senders receivers step delivery smart couriers buy option delivery boy pay items money deliver cod option sell items need collect cash customers upon delivery courier receive money wire end working day securing order declare value parcel gst amount reimburse full amount in case loss damage regardless reason without hassle necessary courier take picture parcel pickup drop locations order reports client dashboard contains information deliveries including detailed information every route in couriers delivered million parcels around world give try number short message service", "label": 0}
{"pkg_name": "software.soendergaard.piswitch", "description": "want control garage blinds gate using phone help mind limit using app raspberry pi model relay able control anything want current features different switches on single raspberry pi live updates see instantly switch turned on show buttons actually using rename buttons easily find one need secure connect using pi custom port password soon custom dns connect free dns instead ip connect multiple raspberry pi in app tutorial setup setup follow guide on http www com", "label": 1}
{"pkg_name": "com.lzx.lvideo", "description": "app designed sport camera includes following features remotely view control sport camera download video sport camera", "label": 1}
{"pkg_name": "tyrewalaa.com", "description": "introduce self leading leading e commerce portal tyres present company dealing well known international brand like bridgestone michelin yokohama continental pirelli goodyear maxxis firestone kenda also dealing in indigenous brand like apollo ceat mrf tvs company highly skilled sales executive well high service level also know sales technical knowledge handle customer fulfill customer requirement aim provide convenience customers helping choose right tyres vehicles right price online store houses wide range car two wheeler tyre brands allows customers buy tyres per budget brand preference ensures served best experience tyre purchase business make sure thoroughly informed tyres commendable support team assist in selecting tyres number", "label": 0}
{"pkg_name": "com.weejim.app.sglottery", "description": "application checking singapore lottery results current features check singapore lottery result supports english chinese display pinch zoom number checker 4d toto big sweep number matching on 4d page number turn green exact match yellow permutation match mode on prize calculator use number search tap on number changed yellow green outlet location premium features subscribers advertisements unlocked unlimited saved numbers batch checking 4d toto results drop mail aspects app find lacking always on lookout ways make app better read respond reasonable emails app developed independent developer unaffiliated official lottery provider company number", "label": 0}
{"pkg_name": "mempercepathp.game.battery.optimizer", "description": "best android phone booster pro version free downloads android device lagging stuck slowdown process fixed max booster plus max booster plus contains tools increase speed android device free up memory cleaning junk file plus battery extending system plus cooling system avoid system hardware crash max booster plus main functions junk cleaner junk files max booster plus helps free up internal external storage space removing junk redundant cache files along within android system file ram processing cause android phone goes slow action safe personal data max booster plus good system filtering worry works increase android phone speed up phone clean junk safely clean application cache download folders browser history clipboard content phone booster one click phone booster freeing up ram feature safe vital core system services remain running unused apps close prove using benchmark test get actual result android phone booster ram cleaner free up storage space streamline android smartphone tablet safe delete temporary file in android storage space clear junk obsolete residual files analyze optimize storage space smart analyzer battery saver extending life max booster plus allows switch battery usage profiles normal long extra long stamina imagine power sockets charger need device work long possible solution cpu cooling max booster plus helps avoid overheating android device issue find apps load cpu stop function also helps extend battery stamina easy use optimize android in clicks simple navigation easy fast compact efficient low ram cpu usage android phone cleaner booster system optimizer locale translation available android storage cleaner tools get space internal external storage highly interesting animation actual process in real result system work android system granted permissions number subscriber identification module", "label": 0}
{"pkg_name": "com.vts.trackbook.vts", "description": "transport management gives school transport management accurate secs tracking playback data past year transport admin go back date in last one year analyse bus route clarity reporting purpose trip reports help gain precise knowledge student loads plan smarter save real money in process safety security alerts kids parents need call driver wondering bus whether child get on easy installation maintenance in case issues experts ready provide sort assistance might require transportation manager get notifications including driver delays generates notifications unscheduled stops unplanned move speed limit breach receive alerts on speeding rash driving keep up time distance limit breach transport manager use information whole fleet compare planned actual routes route changes in emergency vehicle routed system generate emergency alert number local area network", "label": 0}
{"pkg_name": "jp.SaMaA.AcroPlaneRC", "description": "authentic radio controlled airplane simulator fly around freely using smartphones like radio controllers based on operability actual radio controllers faithfully experience realistic behavior using elaborate physical engine course play smartphone operation without controller also operate full scale virtual reality using bluetooth controller vr scope according preference since many setting items selection airplane field operation method camera field view let customize according preference enjoy mission mode challenge various missions in beginning gradually becoming advanced mission mission takeoff landing possible get used operation fun also time clear mission next mission released achieving number aircraft maps use in free flight mode increase also missions maps purchased consuming coins in game free flight mode fly around vast 3d map freely aircraft got fully enjoy flight inferior operability real radio controllers ranking function high scores mission ranked game coins regularly presented top ranking players in game optional function calibrate controller using bluetooth controller set mode rc prop also since switch eye eye vr mode screen mode want taste immersive feeling please try two eyes vr goggles required separately local area network subscriber identification module", "label": 0}
{"pkg_name": "com.freegames.autotheftgangsters", "description": "real gangsters auto theft one best crime simulator gangster games in player chance grand gangster vegas crime acquires set weapons used gain progress in mission gangster city vegas crime games city auto theft action games exciting challenging levels really careful follow time limits best open world games eliminate targets soon possible grand vegas crime hero destroy whole grand mafia take revenge on cops become richest mafia in world time test miami gangster driving abilities in vegas crime games enhance driving skills play in real grand miami crime city environment full action games in need prove legendary hero in miami daily life thrills law breaches take crime city gangster revenge killing criminals in real auto theft grand mafia best open world game in take grand gangster revenge displaying heroic skills talents stop real gangster vegas crime show world amazing man underground play favorite free gangster mafia games mission show stealthy skills required become miami gangster robbery king gain entire controls modern weaponry in real gangster crime simulator win triumph set in different 3d action packed missions fighting shooting vehicle driving many follow instructions on map collect cash move easily task offer dive harsh world gangster driving vegas crime games achieve success glory in real gangster game world gangster life crime simulator dangerous ruled injustice lawlessness hero strong take part in grand gangster fight action games in order succeed hero able choose side on bad good miami grand mafia gangster choice try hand exciting third person grand action open world games hero go bottom top change life abruptly in gangster mafia crime pass various quests win respect popularity in city steal cars fight various criminals things every taste starting smallest knife powerful machine gun need able handle arm maximum one stop let start thug life playing exciting real gangster games explore features real gangsters crime auto theft 3d graphics smooth controls challenging levels best mafia games 3d drive shooting free mode challenge mode exciting levels in challenge mode time limit complete grand crime missions engaging gameplay sound effects epic addictive adventurous crime scenes open world big city cars boats motorcycles atvs types weapons houses types business number subscriber identification module", "label": 0}
{"pkg_name": "com.starttofinish.configurator", "description": "app allows android users easily setup configure wi fi settings thermostats sensors intuitive app also allows user configure settings personality thermostat android mobile device in installer hands handy tool quickly setup configure multiple thermostat locations", "label": 1}
{"pkg_name": "com.whiteclouds.christmascakeideagallery", "description": "offline gallery beautiful nice christmas cake idea providing facility download phone use app reference make style latest ideas need internet application see application anywhere without internet features facility save images sd card share image using mail bluetooth facebook whatsapp hike twitter etc set image wallpaper contact icon next previous on image swipe offline gallery images gallery view pictures beautiful animated slideshow feature favorites feature add favorites feature list see slideshow zooming option go particular picture number note requires internet access permission display ads thanks trying applications giving us valuable feedback please share comments thoughts improve app add features reach us gmail com http www com number email", "label": 0}
{"pkg_name": "com.apzperiodtracker", "description": "period tracker one best app women track periods also helps record ovulation fertile pregnancy intercourse weight temperature moods symptoms diseases medicine reminder much features track period days track cycle get pregnant birth control projection date next period cycle ovulation fertile display chance pregnancy intimate on dates get pregnant beautiful calendar infographics icon add note on specific date in detailed info reminders periods ovulation chance pregnancy reminder pills well custom choose specific repeat days add moods symptoms temperature generate report period tracker data easy auto backup google account export import google drive dropbox email local drive security feature passcode clean eye catching graphics track period days track cycle super easy track period cycle help identify irregular periods regular periods help consult doctor get pregnant birth control app inform based data input know conceiving birth control projection date next period cycle ovulation fertile date indicate on home well in calendar period cycle ovulation fertile take action accordingly visit doctor display chance pregnancy one best features helps get pregnant avoid display date based on period track date best get pregnant intimate on indicated date become pregnant date range well high medium low chance pregnancy add note add note current date specific date choosing calendar keep track record piece information like weight moods symptoms temperature pills intercourse protected unprotected reminders reminders period tracker reminder ovulation reminder fertility reminder pill course set custom reminder well miss anything in routine period days report generate report period tracker data help medical analysis feel free reach us suggestions auto backup easy setup auto backup google account helps switch device export import provide feature export import google drive dropbox email local storage import another device easily help using two different google account switch account security privacy important give additional features help lock period tracker app one access see personal data themes women always love vibrant color provided colors favorite among women set color theme moods clean graphics starve deliver best user experience crafted clean proven design focused on every element design hope feel bored important valuable feedback eager hear word kindly send feedback make product better better contact com disclaimer period tracker ovulation fertility chance pregnancy forecasts may accurate app works based on input calculation provide information may perfect prediction depends on various factor e age region atmosphere cycle length periods entered food exercise health issue disease factors app education purpose consider information accurate number automated teller machine email", "label": 0}
{"pkg_name": "com.yanglb.hp.sepox", "description": "welcome use company smart lock app needs used company smart lock support app remote unlock password unlock methods send message user fingerprint lock found brute forced ensure safety user property", "label": 0}
{"pkg_name": "com.medsolis.patientAppBeta", "description": "mobile application captures patients attention simplicity use relevancy information smart alerts timely communication mins day companion provides support need help health patient application manage view medications vitals appointments messages etc also get reminders notifications alerts anywhere anytime new features device integration taking readings bluetooth le enabled vital devices readings automatically synced patient app number subscriber identification module", "label": 1}
{"pkg_name": "com.vodafonetelematics.fleet.mobile.fleetmobile", "description": "connected fleet driver fleet connected fleet app tailored connected fleet allows access key information on vehicle reporting kpis accessing overall dashboard see vehicle related position getting directions reach check routes driven according specific timeframe thanks connected fleet may also switch privacy settings receive alerts notifications e service anomalies investigate incidents access main kpis on driving behavior attitude vehicle must equipped vodafone telematics unit please note must vodafone automotive customer use app access connected fleet use credentials received activation vodafone fleet telematics service fleet administrator geo localized information provided inside application navigator list directions information hesitate ask internal fleet manager number", "label": 1}
{"pkg_name": "com.sereneinfotech.samedayappliancesrepair.dryer.washer.repair.everett.millcreek", "description": "day appliances repair company llc welcome day appliances repair day appliances repair independent appliance repair company years experience provide well trained professional technicians in hours on days offer day appliances repair service whenever possible guarantee next day service looking appliance repair day example dryer repair repair dishwasher washing machine repair stove top repair appliance repair book appointment serve near bellevue everett seattle snohomish kirkland lynnwood mill creek shoreline edmonds kenmore woodinville mountlake terrace bothell washington wait another second fix problem today hurry up book appointment need hours window call us following lg ge dryer repair in everett everett whirlpool dryer repair dishwasher repair in everett cooking range repair in everett washing machine repair in everett wall oven repair in everett many completed service in major area washington bellevue everett seattle snohomish kirkland lynnwood mill creek shoreline edmonds kenmore woodinville mountlake terrace bothell washington day appliances repair one stop destination home lifestyle services help hire local professionals get things done matter in life download app hire trusted services day appliances repair company provides ultimate solutions repairing problems day appliances repair services home services utility services home appliance repair electricians plumbers washing machine repair wall ovens repair washers repair microwave repair cook top repair repair dryer repair cooking range repair dishwasher repair etc day appliances repair repair sabse appliance brands day appliances repair samsung sony lg ge maytag frigidaire whirlpool bosch kenmore amana hotpoint electrolux miele jenn air magic chef kitchen aid thermador speed queen admiral day appliances repair easy quick book highest quality standard hassle free experience on time arrival delivery certified background verified experts guaranteed quality service transparent affordable pricing trusted day appliances repair service area day appliances repair services in bellevue day appliances repair services in everett day appliances repair services in seattle day appliances repair services in snohomish day appliances repair services in kirkland day appliances repair services in lynnwood day appliances repair services in mill creek day appliances repair services in shoreline day appliances repair services in edmonds day appliances repair services in kenmore day appliances repair services in woodinville day appliances repair services in mountlake terrace day appliances repair services in bothell wa appliances repair services in usa appliances repair service service charge repairs family owned operated dishwasher washer dryer dryer repair cooking range wall oven like us day appliances repair on facebook https www facebook com day appliances repair llc follow us day appliances repair on youtube https www youtube com channel view subscriber follow us day appliances repair on twitter https twitter com visit website https www com reach us report issues share feedback tell us improve day appliances repair write asher com text thank number email", "label": 0}
{"pkg_name": "appinventor.ai_claudiofreitas_eng.IoT_WCM", "description": "iot wcm startup created enhance living conditions in fragile communities provide educational business solutions using electronics internet things solve social problems water food electricity app used support electronic applications use sensors applications using iot wcm electronic board using app set applications addressed farming water controlling energy saving future updates include responsive layout add new functionalities support sensors potential applications supported thought food note please contact company in case need support use application number", "label": 1}
{"pkg_name": "com.onlinerepublic.AirportCarRental", "description": "get need go faster airport car rental app lets search compare book ideal rental car in matter moments countless locations covered across globe trusted suppliers solid technology behind powerful booking engine get need go whether trip business leisure easy use couple basic selections like want pick up drop vehicle dates need take pick rental cars range suppliers quickly sort filter find exactly kind rental suit seamless experience seamless interface makes searching booking breeze app features real time vehicle reservations confirms booking straight away done nothing left worry powered best app completely free powered com world leader in online car rental booking hundreds thousands travellers booking airport rentals every year on acclaimed user review site certain rental experience in good hands make life whole lot easier download airport car rental app today sort next rental booking in mere minutes encounter technical issues please contact us on com number email", "label": 0}
{"pkg_name": "com.mydream.birthday.social.pstr", "description": "active persons always waiting birthday like birthday wish create photo birthday boy girls create amazing birthday picture frame set custom frame best way create smart things birthday maker whatsapp birthday dp maker features many birthday frames available easy way create birthday pics smart phone set effects on frame set status birthday wish delete text need editing save card sd card share custom visiting card social networks need internet connection number", "label": 0}
{"pkg_name": "com.hiplay.word.games.wordscapes.nature", "description": "solve word search puzzles even unlimited tries challenge word nature creative brand new word search game shape shifting twist start playing able put play word nature word search game captured hearts millions players worldwide stop playing collect customizable beautiful free themes play expand vocabulary in creative new way features addictive word puzzles clues use find related words in puzzle evolving levels puzzle shifts find words word search twist earn power ups use spyglass light bulb shuffle get stuck play swipe reveal hidden words in right order bring word crashing easy first gets challenging fast beat game train brain well kill time friends together enjoying playing word nature", "label": 0}
{"pkg_name": "bas.shooting", "description": "shooting basic exhilarating shooting play in short time play widely beginner mania go forward racy fending scene barrage style shooting game in android support bluetooth pad music studio number", "label": 0}
{"pkg_name": "in.wealthy.android.wealthy", "description": "wealthy app completely free automated mutual fund tracker investment tracker portfolio tracker wealth tracker wealth management app mutual fund tracker app track manage mutual fund investments stocks investment in real time across family members support indian mutual funds equity funds debt funds hybrid funds mutual fund tracker uses machine learning algorithms gives in depth analysis investments like asset allocation across classes insights on holding period investment strategy recommendations wealthy privacy security utmost importance hosted on private network use bank grade encrypted storage portfolio tracker app passed google security audits safe secure wealthy mutual fund tracker much portfolio management automatically consolidate manage family member mutual fund portfolio in one place asset management see in depth summary mutual fund investments across asset classes wealth management book appointments trained financial advisors discuss financial needs mutual fund investments invest in research backed curated mutual fund portfolios fitting investment strategy investment strategies advanced sip manage wealth based on strategy tailored needs advanced sip tailored looking long term wealth creation portfolio tax saver tax saver portfolio eligible section 80c income tax act tax saver portfolio consists best performing mutual funds maximum tax benefits smart switch achieve desired asset allocation systematically switching funds periodically in mutual fund portfolio maintaining higher returns diversified portfolio analyze years mutual fund data curate nine different mutual fund portfolio strategies provide best returns protecting wealth debt portfolio diversify mutual fund portfolio debt funds add cushion portfolio high quality funds future market uncertainty invest within minutes invest time choose mutual fund investment strategy invest monthly sip one time lump sum watch grow research team finance experts make sure get maximum return on mutual fund investments withdraw anytime withdraw investments made wealthy get money in account in working days safe money goes directly fund houses completely safe invest media mentions wealthy in leveraging technology make investing process paperless economic times wealthy cracked algorithm identify investment options tailor made address individual needs use investment portfolio tracker track mutual fund investment made apps including piggy money coin angel bee fund easy asset plus mf utility kotak stock trader mutual funds icici direct free alternative portfolio tracker apps like funds portfolio tracker stock portfolio portfolio india track mutual funds stocks money portfolio tracker india investments artos investment tracker stocks portfolio widget early access planner portfolio tracker share market news portfolio number", "label": 0}
{"pkg_name": "com.deenehaqapps.FirstAidGuideInUrdu.IbtadieTibiImdad", "description": "first aid in urdu app in find incident doctor save lots life know beneficial information encountered incident medically required first aid treatment app lot different suggestions first aid treatment in book learn simple emergency lifesaving procedures aid person suffering car motorcycle accident animal snake bit bleeding breath respiratory failure broken bone burning maternity choking submerge ear pain electric shock heart attack sunstroke poisoning etc everybody app in smart phone take help app bad incident happened amazing application in urdu language every person know urdu language easily understand cares love family members share helpful life saving application features user friendly interface easy read pinch zoom option page sharing option share life saving tips friends family application free cost download deen e haq number local area network subscriber identification module", "label": 0}
{"pkg_name": "com.tingbing.army.commando.missions", "description": "step shooting thrill army in battle become special squad commando defend nation opponent attacks in us army battleground shooting squad game hold grip on shooter modern weaponry ready best commando fight rival territory survive in hopeless conditions protect us military squad fire forces attack prepare special squad boost up spirit special us military force load arsenal repository cargo soldier plane skydive enemy base camp army parachute in us army game play free forces games assault spy commando report army commander hidden counter missions mission clean rival valley combat pride guard nation arsonist face face armed forces clash missions lot action in shooting sniper squad game capture enemy castle sniper gun shooting tactical skills defeat rival soldier watching army guard tower get scavenge go beyond unknown base camp capture area soon possible survival tips use night scope detect explosive land mines laser security cameras in restricted war world zone use tactical skills defeat rival attack on in unknown fire squad game us army battleground shooting squad features realistic battlefield army base environment fps 3rd person sniper commando play shooting game variety latest modern weaponry action survival confrontation game play go beyond enemy territory show elite warrior survival tactic last man survive till defeat last extremist in us military game us army battleground shooting squad sniper game especially designed commando games security attack game special forces games survival games lovers play become nation defender number local area network", "label": 0}
{"pkg_name": "com.pb.dm400.launcher", "description": "tablet provides mobile solution businesses wanting flexibility ship wirelessly anywhere in office solution includes inch samsung tablet preloaded multi carrier apps well charging dock wirelessly connected label printer bluetooth keyboard scale multi carrier application provides additional value capabilities shipping needs ; enabling send flats overnights packages major shipping carriers usps ups fedex ; helping save up on usps packages printing shipping label app ; helping compare rates delivery times across major carriers shipping rate selector tool please note multi carrier application works latest tablet app permissions app uses device administrator permission enable lock permissions also collect record audio permissions voice enabling two permissions required apps storage permissions network permissions users must agree condition use please note pitney bowes ask permissions critical functioning apps number", "label": 1}
{"pkg_name": "com.carhistorian.hpicheck", "description": "looking used vehicle want know full history car matter audi bmw ford mercedes jaguar toyota volkswagen car brand car historian instantly reveal vehicle details equipment list moreover give path spot mileage rollbacks hidden damage theft records outstanding finance details car historian allows discover hidden vehicle history decide buy vehicle make expensive mistake download today free check car historian lets reveal following vehicle details entering vehicle registration plate stolen mot status history mileage mot road tax status exported vic marker make model colour fuel type engine size registered date vehicle age co2 output rating full history check uncover vehicle history including outstanding finance written stolen scrapped imported exported vic inspected previous number plates previous keepers previous colours vin last two digits engine number data fields included information provided dvla uk police association british insurers abi smmt outstanding finance data provided experian plc sometimes unable provide full vehicle details source data holders hold complete records specific questions please get in touch using details questions help questions drop us email support com always best get back quickly help resolve queries number email", "label": 0}
{"pkg_name": "com.terracebiz.metrogether", "description": "simple accurate metronome share beat team awesome app synchronize band member needs download app leader may drummer press button server check bluetooth on members press button connect scan devices members check leader phone name mac address select leader machine on list check circle on left top screen connected latency latency please disconnect connect leader start metronome share beat touch play button bluetooth delay really hard share accurate beat awesome app uses special algorithm make accurate developer drummer always seriously thinking share accurate beat team real device like expensive apps in made angry create self revolution team", "label": 0}
{"pkg_name": "com.iqbalmi.quicktest", "description": "enables set capabilities test check phone device health within couple taps free end end hardware software diagnostic mobile app used diagnosis phone in various way useful enables lot capabilities people benefited getting accurate insight device functions hardware components evolve device longevity functions importantly exact state device in terms hardware health associate software along express test set test executes without user interaction single tap required perform end end quick device diagnosis hardware test application able diagnosis items give complete insight hardware health device sensor sound quality display touch screen device keys e g volume keys power keys etc camera connectivity e g bluetooth wifi charging ports storage application dashboard provide complete picture storage usage helps user identify unnecessary files understand storage health battery application provides in details battery usage recommends improve battery life also provides estimate hour usage report complete report viewable based on last couple diagnosis provide device health status therefore take precautionary step needed tips tricks set frequently asked issues solutions community suggest on", "label": 0}
{"pkg_name": "io.queper.mySmartConveyance", "description": "centralised hub estate agents conveyancing solicitors vendors buyers mortgage brokers", "label": 0}
{"pkg_name": "com.flagwallpaper.serbia", "description": "download serbia flag wallpapers in hd quality flag wallpaper app provide best flag serbia along pictures brazil flag serbia tricolor consisting three equal horizontal bands red on top blue in middle white on bottom tricolour in altering variations used since 19th century flag state serbia serbian nation serbia officially republic serbia landlocked country situated crossroads central southeast europe in southern pannonian plain central balkans easily apply wallpaper serbia lock screen wallpapers feature serbia flag wallpaper app latest serbia flag hd wallpapers download serbia flag hd wallpapers in phone easily change serbia flag images in phone offline see downloaded serbia images photographs pics images in best quality feature update coming in future updates free easy browse find favorites styles easy use simple elegant enjoy number varieties serbia flag hd wallpapers serbia flag gallery find downloaded pictures share friends via email bluetooth many social media set in home screen phone saving image gallery explore relax serbia flag hd wallpapers waiting swipe navigate images pinch zoom in zoom add wallpapers phones samsung samsung galaxy xiaomi huawei lg lenovo sony pixel htc asus oppo motorola nexus others grateful support always welcome response recommendations number local area network subscriber identification module", "label": 0}
{"pkg_name": "com.logplus.mobile", "description": "log plus eld logbook managing hours service ensure fmcsa compliance powerful electronic logs management system driver vehicle inspection reporting dvir ifta mileage reporting eld solution perfect choice small large fleets owner operators", "label": 0}
{"pkg_name": "com.piickme", "description": "got stuck in traffic thinking hassle going in city made easier convenient bike car ride sharing app fast reliable mostly affordable transportation in dhaka city bangladesh ride on demand whether headed work home shopping entertainment wherever go app connects reliable ride in minutes unlike taxi cab service riding flexible rewarding helping riders meet career financial goals download app enjoy wallet bonus instantly insuring convenient app easy call easy pick lowest fare hidden charge dedicated customer service also refer friend get wallet bonus first ride app works download app sign up using phone number app track live location gps make sure location turned on choose destination point approximate fare shown service bike car choose vehicle want ride send pick request within times nearest rider bike car get request get details rider vehicle accept request enjoy ride freedom anywhere anytime in city payment made cash wallet ride rate rider provide feedback help us improving user experience app features know route real time tracking know fare rate hidden charge view trips apply promo codes get discounts on ride share app referral promo code friends enjoy wallet bonus on every successful referral emergency sos support ride sharing app vision make family rider user reliable insuring best service waiting download app valuable member family family care find us web http www com facebook https www facebook com twitter https twitter com instagram https www instagram com linkedin https www linkedin com company wherever heading count on ride reservations required let ride freedom number", "label": 0}
{"pkg_name": "com.tonboimaging.knight.client", "description": "knight imaging product line thermal cameras applications ranging shooting scopes remote cctv monitoring autonomous driver assistance drone imaging knight thermal android app connect knight thermal camera wifi direct wifi network camera wifi hotspot view capture share thermal photos videos upgrade knight device latest software releases", "label": 1}
{"pkg_name": "com.Wav.driver", "description": "make money earn competitive rates help deliver grocery medicines meat vegetable etc customers deliver want call shots schedule working hours even hour day ride choice deliver bike smartphone choice delivery options different per city mandatory guidelines delivery driver follow contact directly explain features agreement standard guidelines serve clients better quality", "label": 0}
{"pkg_name": "com.hieblmi.btcticker", "description": "minimal app animates btc usd buy sell orders via web socket connection ads special permissions required code see https github com bitcoin ticker number", "label": 0}
{"pkg_name": "com.ariyan.voterlist.west_bengal1st", "description": "main features app indian voters list west bengal voter list download voter list west bengal pleasure introduce app west bengal voter list download west bengal in new look designed cater needs requirements citizens in much user friendly comprehensive manner in today world application widely accepted acclaimed essential tool information communication take opportunity present endeavour reach citizens up date essential information pertaining election related matters well provide easy platform citizens ventilate feedback requirements perceived toll free helpline sms service gis facilities provided website help discerning citizens in finding solution queries difficulties suggestion opinion improving app solicited search name polling station epic number in indian voter list states indian voters list online search name in electoral roll voter list help app please download app use features add new feature in app get details voter id card in one place want search voter id card status voter id card download new voter id card find polling station apply online duplicate voter card voter list information get voter id card online services app get voter lists elections upcoming elections states in app data used in app authentic organised in accordance state enlistment quick access users get access detailed voter lists also known electorate lists electoral rolls upcoming state assembly national lok sabha elections electorate lists sorted according different states states union territories india supported voter id list app contains state wise voter lists india voter id card issued election commission india main purpose identity proof casting votes also serves general identity proof address proof age proof casting votes well purposes state wise list voter list election commission india included in app west bengal voter list west bengal news papers west bengal driving license land details west bengal vehicle details west bengal voter id verification west bengal features app check voter card status voter id check name in voter list states in india voter id card online india blo booth details lok sabha elections latest voter list states search voter name in electoral roll states district wise data taken chief electoral officer west bengal http nic in data upload on national voter service portal https www in national voter service portal https www in ministry road transport highways https sarathi gov in vehicle details shown https vahan nic in disclaimer site uses in app service allow visitors see website legally visitors use service share content need register provide personal information app collect personal data including aggregate summary statistics on browsers usage patterns also effect on government entity lok sabha elections app useful voters india provides basic details everything regarding election process election voter list number local area network short message service", "label": 0}
{"pkg_name": "com.southalls.safetycloud", "description": "safety cloud brings together compliance related data documents deliverables in single online hub cutting cost complexities h management safety cloud app allows users log accidents near misses complete audits checklists conduct work equipment checks on mobile devices use device camera upload photos defects good practice users sync records able work in offline environment leading health safety consultancy helping clients schools steel merchants cut costs protect people achieve long term compliance rely on us hands on hassle free ways simplifying health safety work powered cutting edge technology decades industry experience information please contact us on hello com subscriber identification module email", "label": 0}
{"pkg_name": "com.vividlite.LEDZBShadowbox", "description": "shadowbox app designed work in conjunction shadowbox led lamps connect controller phones wi fi use shadowbox app control color brightness many modes shadowbox wireless led lamp features color wheel color button pad custom color creation selection brightness adjust preset color transitions modes smooth flash strobe custom mode creation connect up shadowbox lamps control target individual lamps group together using smart device instruction power on controller optionally plug wireless router network existing network connect phones wifi wifi wireless router network connected directly connected start shadowbox app ready go information please refer shadowbox manual visit www com phone number", "label": 1}
{"pkg_name": "com.motgo.tvremoteandscreenmirrorig", "description": "display phone screen on tv screen mirroring app assist scan mirror android phone tab screen on tv app need extra dongle cable click start mobile hotspot operating automatically screen mirroring play contents send screen hdmi mhl tested found works on android mobiles stream videos movies sports live tv android big tv screen please follow steps mirror mobile screen tv tv support wireless display sort display dongles tv must connected wifi network phone phone version must android download run screen mirroring app enjoy videos movies sports tv shows in full hd 1080p on big tv screen cable laptop server complex setup additional hardware needed use android device tap stream tv remote controller universal remote control supports almost popular brands smart tv models tv remote controller provides comprehensive tv controlling functions controlling smart tvs amazing user interface tv remote controller free application control television functions easily try tv remote controller convert smart phone universal remote controller tv remote controller includes leading television brands like samsung tv remote sony tv remote vizio tv remote lg tv remote etc in remote controller app remote controller app works best on smartphones equipped infra red ir blaster remote controller easy use remote controller control electronic equipments like tv remote ac remote remote dvd remote etc universal remote controller try amazing tv remote controller convert android device universal tv remote controller remote controller quickly configures tv remote easily connect use tv functionality smart tv tv remote controller tv remote controller simulates android mobile remote controller tv remote controller works exactly like actual remote controller tv remote tv supports almost every smart tv brands models tv remote control works best on devices equipped infra red ir blaster always good easy use tv remote controller control type tv operation mode remote controller exactly actual tv remote controller features tv remote controller control every basic remote control task like power on mute channel volume etc remote controller offline app require internet connection smart remote control tv every remote control function in remote control electronic equipments like tv ac box dvd projector etc number subscriber identification module", "label": 1}
{"pkg_name": "com.armakom.arnidosmarthome", "description": "control home wherever app monitor control smart home control everything home on move define use personal ambiance light scenes open close curtains shutters control audio video systems guard home fire smoke flood app bring in hand wherever save energy day night app helps save energy consumption instantly see electric consumption plug light device well room whole house also increase comfort home whist saving energy using thermostats control temperature room on weekly daily hourly basis existing cabling infrastructure yet smart home start living in new dimension comfort security saving energy right visiting web site http www com need construction renovation installed in short time using existing electrical wiring home endless scenes scenarios devices many features functions app monitor control lighting shading heating cooling systems audiovisual systems devices monitor energy consumption per device room house create special scenarios like coming home leaving home panic use one touch get notifications alarms fire smoke flood start automatic scenarios simulate presence security away turn on dim lighting shading easily configure schedule economy comfort modes heating systems manage based on inside outside temperatures control audio systems use in scenarios monitor status consumption devices use home photos name manage rooms devices scenarios access cameras use video intercoms open door remotely language options start using functions smart home home on run downloading app number local area network subscriber identification module", "label": 1}
{"pkg_name": "com.sunchip.ota", "description": "ota online upgrade tool allows upgrade version remote controller", "label": 1}
{"pkg_name": "com.homer.android.aws", "description": "smart elf led controller controlled amazon alexa app ios android first time use alexa device setup device first configure smart elf led controller link smart controller echo", "label": 1}
{"pkg_name": "co.vulcanlabs.soundtouch", "description": "make bose connect speaker built in live microphone music app cast library setup in touch turn phone best bose speaker attachment using app digital microphone ultimate music player bose speaker soundlink revolve app also work voice recorder play recording directly bose music speaker ease connecting bose sound touch speaker wifi network app works perfectly distance long two devices connect network avoids distractions low quality audio caused physical distance ensuring sound quality app speaker remote controller allows adjust audio music volume comfort increase decrease voice using optimal amplifier save live micro recordings made library play anytime want better enjoy music player feature add favorite audio songs playlist loved songs played non stop utmost convenience list music retrieved mobile phone library please make sure allow permissions accesses get app features privacy important us none data collected bose connect app compatible speakers components easily detect connect devices in simple steps connection simple speaker appear on device list launch app see device maker sure connected wifi network appear please set up speaker using app disclaimer application affiliated endorsed bose corporation official product affiliates number subscriber identification module", "label": 1}
{"pkg_name": "com.landrover.incontrolremote", "description": "land rover remote smartphone app allows remain in touch land rover making life easier really counts use app remotely prepare trip checking fuel level range dashboard alerts locate vehicle on map get walking directions back check left windows doors open download journey information assist in claiming business expenses in event breakdown request optimised land rover assistance vehicles remote premium following additional features available check on vehicle security status lock unlock vehicle required cool heat vehicle desired temperature prior journey availability function depending on vehicle capability reset vehicle alarm accidentally triggered locate vehicle in crowded car park beep flash functionality download app log in using land rover username password app requires one following packages fitted vehicle protect remote remote premium information including models land rover protect available on visit www com currently land rover fitted land rover protect still install app try demo mode technical assistance visit owners section www landrover com number local area network", "label": 1}
{"pkg_name": "it.equipmentgroup.mytestlanedisplay", "description": "take full control in hands easier way use brake tester test lane cabinet computer screen needed save space time money full mobility direct clear results reading wherever in shop download app on ios android smart device start using steps app connects directly wi fi network electric box need additional access point gives full control brake testing lane interacting thanks virtual remote control up three devices connected electric box first device act like master two like repeaters number local area network", "label": 1}
{"pkg_name": "de.ElsnerElektronik.CorloTouch", "description": "mobile app use touch knx wl screen functions either smartphone tablet pc example settings changed status requests sent devices drives operated manually mobile app works like app makes connection touch knx wl display elsner elektronik via wi fi mobile internet menus configured released display visible in app well automatic functions scenes alerts alarms timer display basics set on move example drives devices operated values shown via display pages turns mobile device remote controller functions touch knx wl requirements touch knx wl version up terminal smart phone tablet pc wi fi access operating system android up number", "label": 1}
{"pkg_name": "strange.watch.utility.cola", "description": "handy utility app wear os watch allows prevent screen automatically dimming shutting extended periods time please aware using app keep screen awake greatly reduce battery life outstanding features cola ambient mode switch remote control handheld app automatic timeout up hour in advance lightweight efficient app designed part strange watch utility range unleash potential useful photography demonstrations android wear os designed developed in london strange watch watch navy ltd", "label": 1}
{"pkg_name": "com.ultimate.tv.remote.controller.all_pro", "description": "application virtual remote control allows control connected tv smart tv smartphone app completely free replace standard tv remote control use remote control smartphone tablet must on wi fi network tv detection tv automatic depending on model tv accept message appear on tv screen since app works on home network close tv app supports biggest tv brands like samsung smart tv h series j series k series q series n series lg webos sony bravia kd philips panasonic telefunken grundig in addition faithful visual representation remote control use functions remote control simply list available functions smart tv info guide return functions use navigation pad use functions media player increase decrease volume change channel comments questions please write us enjoy app number subscriber identification module", "label": 1}
{"pkg_name": "in.sigmacell.sellqwik.vihan", "description": "range ornate products tell exactly defined choice matter us create miniatures in machine precision give desire kind form wits shine brilliantly yes preference crucial shows us future galore must witness desire exemplified in expertise range collective products display desire claim privilege offering best service assistance choose variety option adorn space simple aura taste well highly deft textured products define select imagination say least offer possible exclusive quite distinct constant source inspiration diligence offer best significant offer dynamic concept gadgets appliances including remote devices control ambience well multi purpose device combining bluetooth concept better ambience number subscriber identification module", "label": 0}
{"pkg_name": "com.edddison.controller", "description": "walk 3d file within epic unreal engine unity 3d autodesk 3ds max autodesk trimble sketchup siemens plant simulation easily would play board game interactive 3d apps great involving buyers stakeholders in sales communication process know crucial winning losing pitch problem handle navigate 3d apps mouse keyboard tricky requires special skills makes easy walk building see space almost perspective discuss design decisions starting build manufacture particularly people without technical background target user group enables real estate developers sales reps architects builders advertise sell plan construction projects using touchscreens tablets mixed reality technologies fits seamlessly existing applications bim building informational models visualization digital prototyping serious games platform work need plug in 3d software editor available com consists three parts plug in 3d software epic unreal engine unity 3d autodesk 3ds max autodesk trimble sketchup siemens plant simulation easy use editor creating outstanding 3d presentations in clicks without programming skills also add pictures videos presentation app remotely control 3d model whole presentation local area network subscriber identification module", "label": 0}
{"pkg_name": "com.hootBike", "description": "hoot tracker application alerts in case attempted theft bike allows locate track stolen bike hoot tracker application associated gps tracker hoot hidden in bike fork secure installation connected bluetooth smartphone hoot tracker detects suspicious movement attempted theft smartphone within bluetooth range alerted hoot tracker application activate intensive tracking mode locate track stolen bike protect bike hoot tracker associate hoot gps tracker bluetooth smartphone create bike profile name brand model photo etc receive alerts in case suspicious movement detection bike in case theft track gps position bicycle on map share data authorities faster assistance in case theft choose security hoot gps tracker hoot tracker application discover buy hoot tracker go on https www hoot bike number", "label": 1}
{"pkg_name": "com.secrui.w17", "description": "app used multi function alarm host control arming disarming left arming device app add accessories remote magnetometer infrared remote controller device in app accessory triggers alarm host send notification app play alarm bell number", "label": 1}
{"pkg_name": "com.netvox.smarthome.mobile", "description": "m2 end end iot total solution intranet internet login switching different gateways account linkage zigbee lora devices diversity alert messages create rules multiple conditions energy data pushed cloud via gateway ranking reports days months years billing amount notice use gateway m2 fw", "label": 1}
{"pkg_name": "com.arrisi.mm", "description": "note application work authorized cable operators please check cable operator see cable provider listed in option in cable provider listing screen ways enjoy tv entertainment home available on go newest version follow tv mobile application using program guide select stream live tv recorded content android tablet smartphone manage dvr full control media players even added parental controls make sure appropriate age content viewed throughout family android tablet smartphone becomes remote control center search discover navigate on go without interrupting tv show watching quickly see new tv shows view guides search tv shows manage recordings quickly easily power follow tv mobile application download free app enjoy tv entertainment everywhere available features include streaming live tv recorded tv shows inside outside home parental controls close captioning secondary audio programming support browse tv channel guide without interrupting tv shows watching view listings up days in advance schedule tv show movie browse recorded tv shows manage recordings delete recordings favorite shows instantly search schedule browse shows away home start watching show on media player flick finger available in home feature ensure great mobile tv experience follow tv mobile application make sure done following remote control tv guide make sure connected media gateways network router also make sure turned on media players network control function on media player ui requires arris media streamer number", "label": 1}
{"pkg_name": "com.technoline.bwc5", "description": "application heating controllers buderus used monitoring control heating system smartphone tablet functions display boiler information display fault messages display data fm cm module display data fm module display heating circuit information display hot water circuit information change heating circuit mode day night automatic manual change room set temperature change hot water mode day night automatic manual change hot water set temperature change fm module mode temperature features quick access control system parameters local network show controller settings without sms registration required connect buderus commercial center connection first need connect buderus local network find ip address second controller settings select connection type ip gateway attention select types use buderus control center start application enter system ip address connect controller need remote control set up router example vpn connection local network system requirements buderus version lan wlan router supported devices buderus buderus bosch control android update android system information please visit website www techno line info local area network short message service", "label": 1}
{"pkg_name": "com.technogym.myplatinumfitness", "description": "platinum mind body fitness get services facility train indoor outdoor completely redesigned look feel three areas facility discover services facility provides choose interests movement chosen find programme classes booked challenges joined activities chosen facility results check results monitor progress train platinum app collect moves get active every day enjoy best experience in technogym equipped facilities using platinum app connect equipment bluetooth qr code equipment automatically set up program results automatically tracked on account log moves manually sync apps apple health fitbit garmin polar use platinum mind body fitness app facility contents glance discover in facility area app programmes classes challenges facility promotes hand on virtual coach guides in workout easily choose workout want today in movement page let app guide workout app automatically moves next exercise gives possibility rate experience schedule next workout superior classes experience use platinum app easily find classes interest book spot receive smart reminders help forget appointment outdoor activity keep track outdoor activities directly via platinum app automatically synchronise data stored in applications apple health fitbit garmin polar body measurements keep track measurements weight body fat etc check progress time number", "label": 1}
{"pkg_name": "com.tas.remote.control", "description": "smart tv remote universal tv remote app supports tv models popular brands smart remote controller gives comprehensive tv ac many home appliances controlling functionalities amazing user interface universal tv remote controller free application controls tv functions effectively smart remote control convert smartphone universal tv remote remote control tv includes leading television brands use universal remote tv control need settings connect smartphone smart tv wifi connection also phone built in infrared feature allows work perfectly tv remote controller ir feature send signals mobile device smart tv set way tv remote smart tv remote easy use universal remote application allows control tv works like universal tv remote app reason providing universe remote tv control app people always carry phones rather searching real tv remote better install smart remote control application on phone make life easier universal tv remote app transform mobile smart tv remote in time smart remote control app control smart tv ac brands models android device smart tv remote simple remote control app quickly configures easily connect smart tv set tv remote controller app features universal remote control tv ac free smart tv control app volume control options play stop reverse fast forward smart remote control one find right left up navigation in universal remote control app universal tv remote app power control voice search options smart tv remote app control tv ac brands universal remote controller works efficiently home appliances like smart tv ac download universal remote control tv ac free feel free contact us feedback important us number subscriber identification module", "label": 1}
{"pkg_name": "com.redigo.production", "description": "welcome friend gets central india first smart green shareable mobility solution mission making daily commute pollution free time saving relaxxxg reliable convenient offer hub hub rental services new keyless iot enabled scooters unlock ride hassle free ride scanning qr code end ride nearest hub", "label": 1}
{"pkg_name": "com.jch_hitachi.aircloudpro", "description": "starting gateway installed connected cloud pro app offers easy management hitachi variable refrigerant flow systems iot technology anytime anywhere access monitor air conditioning equipment smartphone app web optimizing air conditioning never easy visual interface intuitive types users including less familiar hvac controls save time energy one simple touch key functionalities live dashboard per project controls indoor unit set temperature air flow direction speed per zone per indoor unit remote control group turn indoor units error tracking history display indoor outdoor units indoor unit filter cleaning reminders scheduling operations repetitions exceptions lock indoor units individual controllers partial complete easy configuration registering system pairing gateway qr code available zone creation naming installer operator view adding new users restricted access setting staff visit www com subscriber identification module", "label": 1}
{"pkg_name": "com.mygeostar.symphony", "description": "symphony wifi enabled comfort platform unsurpassed in ease use features capabilities provides detailed system feedback in real time tools control symphony marries aurora controls geothermal unit aurora weblink router providing access equipment practically anywhere symphony cloud based software install provides control entire geothermal system thermostat in smart thermostat systems symphony allows ; view control geothermal system operation anywhere using laptop smart phone tablet using intuitive dashboard quick access unit status operation history alert history energy usage ; remotely control temperatures programs up zones requires zoning system ; observe track unit energy use last months ; provide equipment performance data dealers remote monitoring diagnosis ; receive equipment alerts service reminders well dealer via email texts number", "label": 1}
{"pkg_name": "com.fdore.smartled", "description": "app bluetooth remote controlled control designated work lights turn on work lights adjust brightness timing function provide group management control multiple work lights time", "label": 1}
{"pkg_name": "com.casdata.hmicontrollerforarduinol", "description": "hmi controller application android os allows connect arduino board uno mega android device in easy way connected bluetooth lan local area network without need understanding nothing android programming also without need knowing lot functions writing extended code in arduino sketch make communication hmi controller managed control process pins variables declared in arduino project make customizable hmi in app without need computer select seven different objects widgets button switch led display segments numeric display bar indicator gauge slider in lite version app free features full version use four seven widgets switch led bar indicator display segments full version https play google com store apps details id com hmi controller website http com question problem contact gmail com number local area network email", "label": 1}
{"pkg_name": "batterie.monitor", "description": "battery monitor ble application vehicle battery let know real time car battery helps users know battery fully testing cranking charging system voltage datas showed on mobile bluetooth", "label": 1}
{"pkg_name": "com.quantatw.roomhub", "description": "using ripple control may control home appliances anytime anywhere ripple control connects home router control appliances via ir bluetooth may pre cool c going home set schedule turn c besides c ripple control also control fan air purifier certified appliances create better environment taking care loved ones number", "label": 1}
{"pkg_name": "com.digipower.pdu", "description": "user add unlimited number pdu in app according departments users different levels management support remote control outlet app support monitor pdu information including pdu system information outlet status power information temperature humidity information", "label": 1}
{"pkg_name": "com.amixys.ami", "description": "application easily access vacuum cleaner whenever want control robot functions remotely view in real time precise plan parts cleaned robot define areas cleaned areas avoided using map plan cleaning slots according days times want adjust suction washing power floors questions suggestions use please contact us email mail address support tech local area network email", "label": 1}
{"pkg_name": "com.rideonewheel.onewheel", "description": "app connects android device app uses bluetooth allows monitor many important things customize handling suit riding style low battery alert regeneration alert battery overcharge warning going downhill point return message battery charge left battery fully charged notification detection consumption display tells much percentage full battery charge already burned regeneration display tells much percentage full battery charge regenerated going downhill braking estimated remaining range according current riding profile total odometer display speed display board live movement display shows movement board auto connect favorite board name give name android wear app social sharing online leaderboards gps track recording digital shaping change way rides way surfboard shaper customizes ride individual rider monitor riding keep track battery status key riding parameters fly world led lighting control control led lighting on firmware upgrades first upgrade cloud enhance riding experience loading latest firmware onto using android device cable required android wear android wear connectivity allows monitor battery status speed adjust digital shaping directly wrist battery disclaimer continued use gps running in background dramatically decrease battery life number", "label": 1}
{"pkg_name": "com.datavideo.dvprompterplus", "description": "dv prompter plus full function teleprompter scripting application suitable android phones tablets used standalone app used wr wired wireless remote controller combined tp range teleprompters android device mounted on camera in professional rig hardware products available global network resellers found splash screen start app plus version dv prompter offers following advantages legacy dv prompter app multi language support improved rich text editor change font type colour justification on per script basis even use multiple different fonts within single script editor also support embedding images videos simplified user interface improved hdmi output mode support airplay timer function create edit manage unlimited number scripts local network control monitor prompter local network using device html5 compatible web browser playlist support load reload control scripts local network slave mode mirror scrolling text multiple slaves devices local network number local area network", "label": 1}
{"pkg_name": "com.denkovi.main", "description": "developed access ethernet relay modules ip controllers lan relay boards wi fi relays access relays lights fans water jets monitor sensors temperature humidity pressure simply several clicks widgets control electrical garage door via gps location coordinates app optimized phones may used tablets tvs used in like home automation industrials sensor monitoring remote control data acquisition robotics many others features access many devices single application access one many ip relay boards via single smart phone select model device drop list add device list device name ip port password saved possible easily control monitor devices dae remember settings control digital outputs outputs used relays turned on one one states manually one click give name output line name saved on smartphone particular module support names synchronized hardware device well analog inputs manual auto refresh analog inputs values analog input named scaled show values in user units temperature humidity pressure called linearization scaling digital inputs counters manual auto refresh digital inputs values usually inputs two possible states on shown in application different colors additionally modules support counters digital inputs also shown on screen analog outputs tab devices support analog outputs pwm sliders easily used dimming lights instance in home inputs access inputs temperature humidity voltage current on devices support special inputs input values obtained in units dae app show in tab show hide often lines used application offers capability hide unused buttons showings easily back several clicks location control feature possible turn on example garage door approach home car automatically uses gps coordinates in order control relay module open door timers although relay boards support timers implemented feature in app every relay digital output possible set software timer pulse widgets control electrical devices home screen widgets without need entering in app screens dae app suitable controlling monitoring ip devices found on link http com ethernet relays number local area network subscriber identification module", "label": 1}
{"pkg_name": "com.octal.studio.carforsell", "description": "sell car quickly safely free app works online ads show car home sellers buyers alike tired going home look car sale allows sellers post car gps location on map in convenient public place like work grocery store parking lot download install free today start buying selling cars online park pin sell eliminates wait time buyers sellers trying set appointments see car sale use map find car gps location posted in convenient public place like grocery store parking lot work right calls check cars sale posted in convenient public places let buyers visit car in person without present care safety security developed smart system let buyers see car location visit in person anywhere in town without need present buyers contact know serious buying car view real car photos information sale terms location visit in person contact seller phone email directly vehicle listing simple incredibly easy use increased safety anonymity helps sellers buyers stay safe number subscriber identification module", "label": 0}
{"pkg_name": "com.mqcon.app.android.settingtool.onyx", "description": "onyx motorbikes app electric vehicle control system software connect electric vehicles review vehicle condition information master vehicle status adjust vehicle parameters personalize settings permission description location permission device uses ble bluetooth low energy technology connect app needs use ble scanning find device ble technology also used in location services android wants let users know app uses ble scanning possible obtain user location information app requires ble scanning must apply location permission location service recently found on mobile phones even location permission location service turned on ble scanning still work try enable location service on phone similar issue number subscriber identification module", "label": 1}
{"pkg_name": "com.klyapps.equalizer", "description": "music equalizer in one bass boost offers brilliant sound quality music equalizer est un tout en un bass booster qui une sonore brillante disable equalizer in phone enabling simple easy use equalizer bass boost volume booster phone follows google material design control equalizer bass boost independently means need enable eq enable bass boost get best results pair app best headphones also great speaker booster use bluetooth speaker listen music listen top songs in music library best audio control bass booster app android volume booster equalizer sound effect various features including five band eq amp bass boost 3d slider volume audio control simple installation usage turn on music player play music turn on bass booster application adjust sound level frequency put headphones best results close application open app switch effects use loudness enhancer caution bass booster volume booster loudness enhancer 3d effect maximizes voice phone media audio control bass booster headphones five band music equalizer presets normal classic dance flat folk heavy metal hip hop jazz pop rock effect speaker booster save custom preset compatible popular music video players on market listen good music whatever audio player use circular music beat bars video volume booster extra volume bass booster equalizer improve sound effects equalizer sound booster music eq sonido music booster sound equalizer make sound music amplifier audio equalizer sound enhancer music volume eq sound booster equalizer super loud volume booster music implying unprecedented sound quality http louder louder sound enhancer volumen bass booster sound booster ultimate volume booster improve sound quality android device make sound maximum phone volume volume booster equalizer number subscriber identification module", "label": 1}
{"pkg_name": "com.ihippo.freejazzmusic", "description": "listen selective list jazz radio world easy interface variety radio stations stations dynamically loaded adding stations without need upgrade app find favorite styles including smooth jazz classic jazz latin jazz blues vocals swing bebop big band sinatra style many jazz music radio app contains best melodies arise in human jazz best music relax forget everything bothers main features listen hand picked jazz music channels easy search function search stations name special ui design playing jazz music stream music app in background things save favorite radio stations sleep timer save network data traffic supports wireless speakers remote control bluetooth headsets switch songs list favorite list conveniently share favorite tracks on facebook twitter email list popular jazz stations fm adore jazz radio bit blues com fm blues radio big blue swing abc jazz jazz groove com pl much much", "label": 0}
{"pkg_name": "com.aphcarios.hotbox", "description": "bluetooth controller allow users control system functionalities mobile devices bluetooth connection device installed in vehicles heat water stored in internal external tank device useful people travelling camping outdoors", "label": 1}
{"pkg_name": "org.naviki", "description": "comprehensive bicycle app offers worlwide best route planning bicycles impressive documentation cycling activities optionally everyday leisure mountain bike racing bike provides ideal connections start destination addresses immediately shows routes on map navigates target spoken navigation instructions arrows on display easily records trips synchronises www org result impressive personal collection routes simple practical plan routes on www org transmit app one click important functions route planner simply enter start destination immediately get customised route important additional information turn turn navigation spoken instructions pleasantly large navigation arrows on display means spoken instructions phone remain in pocket energy saving spontaneous deviation planned route problem automatically calculates new route destination everyday routing gives cycle tracks daily activities prefers minor roads bicycle lanes rather short straight routes well easy accessible solid surfaces leisure routing cycle routes tourism leisure activities prefers officially signposted cycle tracks easy accessible solid surfaces minor roads nice natural environment mountain bike routing routes great mtb experiences prefers unsealed surfaces single trails distinguished signposted mtb routes well forest country tracks racing bike routing racing bike routes fascinating fast trips prefers sealed smooth surfaces tracks allowing high speed cycling minor roads scenic environment routing tailored routes fast e bikes up mph on roads allowing power driven vehicles prefers minor roads nice environment whenever possible round trips enter start required length calculates numerous alternative round trips choose immediate navigation points interest contains huge well structured collection points interest easily implement in calculated routes using destinations offline maps download high quality maps on smartphone use independent internet access height profile routes provides height profile highest lowest points total altitude cycled upwards convenient cockpit average speed distance traveled distance target always in view navigation recording speedometer automatically displayed connectivity via bluetooth sends distance next turn navigation arrows display www shop de saves battery power phone remain in pocket recording trips one tap records path cycle stores in personal cloud easily create impressive statistic on www org always add individual description turn turn instructions recorded routes provides turn turn instructions paths arbitrary origin including recorded memorise paths plan comfortably on web immediately use routes via app transmit routes www org app one click lists memorised recorded routes clearly arranged lists show recorded trips routes calculated via web app extras find points interest in app purchase turn turn navigation leisure routing mountain bike routing racing bike routing offline maps starting number local area network subscriber identification module", "label": 1}
{"pkg_name": "com.stom.cardiag", "description": "trustworthy mechanic in pocket free intuitive mobile application allows motorists diagnose vehicle breakdowns wear components pollution driving score free intuitive multi brand application application supports motorists z in diagnostic maintenance repair vehicle independently cheaply since doubt problem identification fault diagnostic in simple easy understand terms pollution driving score auto repairs tips buy parts well cost estimation nearest mechanic also provide digital maintenance book features automatic diagnostic equipped bluetooth device easy get available less provides complete list car problems in simple easy understand terms manual diagnostic provides assistance direct diagnostic user visual defects noise smells etc reset check engine light mil check engine light comes on indicate malfunction in engine pollution control system allows reset malfunction indicator lamp maintenance book digitize store repairs made user professional attached invoices tutorials auto repair tips buy car parts car repair cost estimation nearest mechanic routine vehicle maintenance perform regular vehicle check up pre vehicle inspection buying car done observation take vehicle garage mechanic diagnoses possible breakdowns using dedicated diagnostic tool simple diagnostic billed around dollars in addition potential repairs difficult evaluate real cost necessity however sometimes simple reset on board computer solve many electronic problems feature available in application prerequisites use application obd ii compatible car obd ii compatible us vehicle models since european since diesel since since obd ii bluetooth adapter easy get available less number subscriber identification module", "label": 1}
{"pkg_name": "quicklic.floating.api", "description": "quick click using app make smart phone use little convenient always floating around on top screen also offers variety features favorites feature users register right away switch apps volume wifi gps bluetooth screen rotation components controlled arrow keys switch apps offered variety features planned free first app provided free charge google ads simple intuitive interface intuitive image flat design used use app look attached picture trusted app app collect smart device information app light uses much less battery power optimized features capacity large app kbs users manually run press continue use battery supports various screen android devices various screen sizes app ui provided devices rate number subscriber identification module", "label": 0}
{"pkg_name": "com.orvibo.yidongtwo", "description": "yd smart home platform lets users flexibly control home appliances anywhere in world via smart phone tablet wifi 3g 4g specially yd wifi smart socket connects home wifi network home appliances users control wherever whenever via using on mode timer countdown function in yd app control like heater floor lamp automation energy saving security purpose", "label": 1}
{"pkg_name": "com.selfmade", "description": "self made professional meal planning food activity logging tool activated authorized nutrition counselor login self made using username password provided counselor web based cloud account set up personalized meal plan grocery list daily caloric goal weight control goal setup counselor on web cloud account pushed self made app nutritional weight management goals include daily calorie budget goal weight bmi ratios important factors attribute better overall health nutritional habits weight control works login self made app access daily meal plan recommended counselor grocery list log foods activities track daily amount calories consumed burned activities compare numbers established counselor self made cloud account also allows logging online via web based portal regardless log on phone cloud account data sync up logged information viewed monitored nutrition counselor better coaching compliance personal plan step up goals wearable device steps calorie tracking fitbit simply sync wearable device profile let self made rest step calorie counting fitbit watch stay on track up date daily activity logging note use self made need login username password provided nutrition professional questions please email app com number local area network subscriber identification module email", "label": 0}
{"pkg_name": "buddy.example.bikebuddy", "description": "bike alarm attempt decrease chance bicycle theft loud siren alarm would deter potential thieves bringing attention towards bike alarm would controlled via bluetooth connection native android ios mobile applications however bluetooth connection disconnected usually distance bike owner bike becomes armed bike would disarmed bluetooth connection established in addition in proximity owner could arm alarm even within bluetooth range additionally mobile apps connected firebase real time database in order report users stolen bikes check stolen bikes in area alarm hidden in discrete location handle bars in shaft bike seat bike theft issue bike owner deal project think could decrease rate theft number", "label": 1}
{"pkg_name": "com.igh.igh8", "description": "turn device control monitor touch screen igh home automation system enables control home appliances lights shutters audio video control home remotely 3g wi fi networks app enabled igh subscription features ; system installation setup ; lights control ; shutters blinds control ; audio video control ; control ; energy management please note igh home automation system required enjoy features see www com information number", "label": 1}
{"pkg_name": "de.andreashuth.pushtv", "description": "ideal complement pushover net service receive messages home automation doorbell server monitoring telephone system conveniently in front tv help application possibilities nearly limitless whether email signaling new twitter entry facebook etc available app android tv fire tv highlights messages appear in right corner screen html formatting priorities in pushover messages supported sender application logo displayed acoustic announcement made easily send messages common programming languages via e mail integration install done usage ideal home automation alarm messages monitoring systems telephone call messages etc examples in programming languages api libraries c c net go haskell java lua node js perl php python r ruby rust vba unix command line open beta test app currently in beta testing per in app purchase in google play store amazon appstore permanently use app unlimited receiving messages on android tv amazon fire tv unlocked without activation reception limited maximum messages please keep in mind pre production version may still limitations errors may work on android tv amazon fire tv devices sony tv a11 amazon fire tv app extensively tested on devices promo codes feedback in google beta test phase interested every feedback want try app email de send promo code free permanent use current limitations constantly evolving missing features improvements submitted update list ready implement features display attachments picture attachment tag url url title tags supported makes sense want start browser directly url on tv messages priority set retry expire tags currently supported type messages must acknowledged user two factor authorization pushover net currently possible pushover license using pushover service purchase license usd directly pushover first days test service free acquired desktop license also used devices like windows browser macos safari please inform on websites pushover important notes pushover independent app available ios devices android mobiles tablets business relationship connection service pushover pushover trademark product superblock llc number local area network website email email number", "label": 1}
{"pkg_name": "com.trainerize.selkrigperformanceunit", "description": "performance app start tracking nutrition workouts measuring results achieving fitness goals help personal trainer set health fitness goals track progress towards goals manage nutrition intake prescribed coach schedule workouts stay committed beating personal bests access training plans track workouts message coach in real time track body measurements take progress photos get push notification reminders scheduled workouts activities connect wearable devices like apple watch fitbit sync body stats instantly download app today number", "label": 1}
{"pkg_name": "com.jb.dont.grill.me", "description": "app disables wifi bluetooth data phone call helping getting head exposed unnecessary electromagnetic waves b save battery keeping device cooler phonecall ends previous state restored comfortably continue browsing internet checking mails settings delay time ensure apps reacting phone call run first e g remote control app pauses music via wifi like app please rate app uses android intent receiver concept meaning permanently run in background called android system phone call started incoming ideas questions feel free contact via gmail com thread in xda developer forum http forum xda developers com php please also look apps number email", "label": 0}
{"pkg_name": "com.microphone.soundmagnifier", "description": "super hearing sound magnifier designed filter amplify sound boost environmental hearing especially people hearing loss super hearing sound magnifier uses headphone microphone phone microphone detect amplify sound surroundings help hear better use super hearing sound magnifier boost sound devices television radio speaker laptop etc improve sound clarity recreational activities like bird watching super hearing sound magnifier used in classrooms churches meetings conferences setting distance away speaker supports bluetooth wired headsets super hearing sound magnifier fine tunes augments amplifies sound help communicate effectively eliminate danger hearing amplifier sound amplification improves ability hear sound without disturbing sleepers super hearing sound magnifier helps individuals hearing loss hear better in small group settings one on one conversations super hearing sound magnifier everyday companion millions people conversations work friends family use bluetooth headphones avoid carrying phone around use super hearing sound magnifier proper hearing leads better communication hearing well leads positive attitude towards life better sound produces better music video experience hearing using bluetooth connection lets put phone away better hearing lowers stress levels hearing well makes confident enhanced hearing lets grab opportunities makes successful better hearing gives right orientation amplified sound lets detect danger understand speech enjoy natural sounds like birds chirping leaves rustling restore normal hearing levels help eradicate hearing loss features super hearing sound magnifier high quality sound feedback echo cancellation noise suppression sound recorder loudness enhancement bass booster save configurations regular updates disclaimer super hearing sound magnifier replacement medical hearing aids always use medical hearing aid consult audiologist experiencing hearing loss number", "label": 1}
{"pkg_name": "com.trainerize.nourishedbybmpt", "description": "nourished app able join lifestyle program start taking steps live healthiest happiest life able track meals workouts measuring results achieve health fitness goals help brad alysha nourished personalised macro calorie breakdowns weekly workout plans demonstrations schedule workouts stay committed beating personal bests track progress towards goals set health fitness goals message nourished team in real time track body measurements take progress photos get push notification reminders scheduled workouts activities connect wearable devices like apple watch synced health app fitbit held accountable download app today number", "label": 1}
{"pkg_name": "com.iteris.ivv", "description": "vantage provide state art video radar detection systems deliver superior performance on scalable platform next generation video radar detection system capitalizes on latest processors uses powerful processor enables future functional growth maintaining proven video detection performance reliability architecture supports expanding applications easily integrates existing future technologies vantage legacy video radar detection system deployed in many thousands intersections state art detection system delivers superior performance today traffic engineers planners need real time data ensure maximum efficiency effectiveness traffic management solutions vantage detection systems capture data necessary allow local traffic controller manage intersection remotely delivering network wide data back traffic management center vantage detection systems improve lifecycle cost simplifying installation special tools required providing exceptional vehicle detection advanced algorithm design video viewer integrates seamlessly vantage detection systems provide real time streaming video traffic network number subscriber identification module", "label": 1}
{"pkg_name": "com.strivesmartgym", "description": "strive smart gym app gets services facility train indoor outdoor completely redesigned look feel three areas facility discover services facility provides choose interests movement chosen find programme classes booked challenges joined activities chosen facility results check results monitor progress train strive smart gym collect moves get active every day enjoy best experience in technogym equipped facilities using strive smart gym connect equipment bluetooth qr code equipment automatically set up program results automatically tracked on account log moves manually sync apps apple health fitbit garmin polar use strive smart gym app facility contents glance discover in facility area app programmes classes challenges facility promotes hand on virtual coach guides in workout easily choose workout want today in movement page let app guide workout app automatically moves next exercise gives possibility rate experience schedule next workout programme get personalized complete training program including cardio strength classes types activities access exercise instructions videos keep track results automatically signing in directly on technogym equipment wherever in world superior classes experience use strive smart gym easily find classes interest book spot receive smart reminders help forget appointment outdoor activity keep track outdoor activities directly via strive smart gym app automatically synchronise data stored in applications apple health fitbit garmin polar fun join challenges organized facility train improve challenge ranking in real time body measurements keep track measurements weight body fat etc check progress time number", "label": 1}
{"pkg_name": "com.jazibkhan.equalizer", "description": "equalizer bass boost volume booster phone follows google material design control equalizer fx bass boost sound boost independently means need enable eq enable bass boost get best results pair app best headphones pair headphones want use speaker still enjoy good music app also great speaker booster use bluetooth speaker listen music use good music system subwoofer listen top songs in music library best audio control bass booster app android app various features including five band eq equalize music amp bass boost 3d slider volume audio control key features minimal flat ui follows google material design dark light themes regular updates presets including classical dance flat folk heavy metal hip hop jazz pop rock bass booster effect volume booster effect loudness enhancer effect surround sound effect bands works music video players simple installation usage turn on music player play music turn on bass booster application adjust sound level frequency put headphones best results close application open app switch effects", "label": 1}
{"pkg_name": "com.tomtop.smart", "description": "free app lets see weight stats progress trends in easy understand charts graphs on personalized dashboard whenever wherever set achievable goals monitor progress get motivated committed make life become healthy comfortable convenient creates smart cloud system includes smart manager health monitor health data analysis social network sharing customized service one click shopping on smart manager user add use various smart devices smart cloud system body fat monitors smart bracelets blood pressure monitors smart sockets thermostats etc system smart manager organize devices make sure work perfectly health monitor system monitor updates user health status smart devices twenty four health data analysis system make health analysis report based on user operation behaviors health data via report system provide lot advises improve health healthy tips exercise adviser nutrition fact diet plan on social network sharing keep connected system allows data sharing users social network example user share exercise health information via social media like microblog customized services health data analysis system provide user best customized services like doctors life assistants etc make life better less stress one click shopping system simply one click purchase favorite smart hardware services question product please send email support com generally receive response business day customer support http www com support html facebook https www facebook com twitter https twitter com instagram https www instagram com official youtube https www youtube com channel local area network subscriber identification module email", "label": 1}
{"pkg_name": "com.channelvision.aria2", "description": "channel vision instinctive noise pollution sound masking audio amplifier full set features bring homeowner business apartment peace in busy world vanquish set up single room system complete distributed audio system in home office securely connect control customize stream music custom vanquish audio system streaming bluetooth audio directly phone choose selection unique sounds white brown pink noise beach waves rain babbling brook zen sounds zen water meditation rain forest night morning birds eliminate annoying neighbors loud traffic achieve focus work time fall asleep soothing noise rainfall wake up morning birds built in schedules feature schedule feature allows set up schedule speaker playing rainfall 9pm 6am vanquish uses state art instinctive technology drown annoying outside noises adapting canceling sound outside noise comparator circuit bringing peace on earth number", "label": 0}
{"pkg_name": "com.andromo.dev614880.app826023", "description": "explore simple internet things iot projects tutorials beginners projects based on raspberry pi arduino etc subscriber identification module", "label": 0}
{"pkg_name": "com.gwendallv.miemspatplayer", "description": "spat real time controller sound based on geometric matrix interpolations allows perform complex effects simple touch gestures on screen computed on up inputs audio outputs app remote controller intended used altogether dedicated vst au plugin running on desktop computer plugin inserted in reaper ableton live pro tools modern digital audio workstation plugin called matrix router edit geometric shapes effects also need download install dedicated desktop editor free available windows macos editor simply called editor desktop download links provided within app found http laras downloads interface part multitouch interfaces electroacoustic music research project get information participate in research program linked interface please visit http laras subscriber identification module", "label": 0}
{"pkg_name": "com.psychocreatives.supereartool", "description": "presenting hearing aid app people hearing range problem cannot let people hear sound clearly many people buy devices purpose hear sound clearly super hearing useful solution one hearing troubles someone forgets hearing aid device hearing solution super tool helps in easy listening need bluetooth handsets headphones hands free use hearing aid app click start button in ear booster app place mobile within range bluetooth listen sound louder putting headphones in ear app helpful sound amplification using hearing aid app listen whatever want listen ear assist provides best clear sound quality makes feel like super ear even want listen sound large distance like another room need bluetooth headphones connected ear scout app place device safely near audio source superheroes super powers proudly say ear assist app makes ear superhero ear mean super ear use app in many different ways want listen tv shows disturbing anyone in room turn tv volume connect ear booster app bluetooth headphones earpiece place hearing aid app near tv also listen lectures sitting last bench class using super hearing app hearing assistance app functionality similar hearing aid device ear assist captures sound mic phone takes ear without delay makes feel like super ear key features application enhance hearing quality amplifying sound surrounding visualizer added show intensity sound hear sounds clearly using hearing aid app control volume sounds voices ear scout offline free app important notice enhance performance via using bluetooth headset sound amplification non medical hearing aid ear booster makes listen in private conversations deep hearing app deliberate used spying secretly listen conversation super ear tool mix up hearing assist app spy app engage in spying on someone private conversation using hearing amplifier spying on people secret conversation part service provided in super hearing app supposed hear clear better using bluetooth hearing assistance moreover clear audible hearing tool permit save recording preventing unlawful use forget rate share review like app also give us feedback tell us exciting features gmail com part next update number subscriber identification module email", "label": 1}
{"pkg_name": "uno.yit.tcs", "description": "convert smart tv tv box tablet mobile phone table calling system waiter attendant service use app call button special hardware required run on wireless network bluetooth connection place call using customer mobile devices recommended use wifi network android tv box number", "label": 1}
{"pkg_name": "com.videostorm.splashtiles", "description": "turn android device fully customized digital signage display including remote control allows connect android tv boxes shield etc splash tiles com cloud account also works on android tablets cloud account allows easily create customized screens include news weather stocks ip cameras twitter facebook sports scores traffic radar photos much best internet condensed want see bring up screens on tvs touch button even display pip apps like watch netflix screens triggered remotely using alexa voice control cloud server 3rd party control systems rti etc services like also perfect solution business digital signage needs remotely control displays advanced scripting scheduling built in ultimate custom screen saver android android tv device select customs screens default device screen saver cloud free cloud service credit card required low cost subscriptions available professional commercial customers turn android device fully customized display ultimate screen saver android device full remote control via alexa cloud support 3rd party control systems services wake up sleep fire tv sleep remote command also turn on connected cec tvs easily create customized screens best internet sources view ip cameras full screen tiled pip apps control devices single account number", "label": 1}
{"pkg_name": "com.cox.iotasapp", "description": "smart apartment reimagined simply move in enjoy connected living never easy cox smart apartments enabled cox offer convenience comfort joy smart home without setup installation hassle home tap away left home in rush lock door in seconds anywhere anytime easily control lights outlets thermostats locks set scene in seconds spontaneous movie night ready turn on netflix enjoy home automatically reacts routines routines great way save energy home turn on lights awake on weekdays use popular voice services amazon alexa google assistant control home asking home set scene turn on light never easy okay google turn on movie time must resident property cox enjoy number subscriber identification module", "label": 1}
{"pkg_name": "com.trainerize.thegrindbodyshop", "description": "grind fitness app start working personal trainer anywhere in world start tracking workouts meals measuring results achieving fitness goals help personal trainer access training plans track workouts schedule workouts stay committed beating personal bests track progress towards goals manage nutrition intake prescribed coach set health fitness goals message coach in real time track body measurements take progress photos get push notification reminders scheduled workouts activities connect wearable devices like apple watch fitbit sync body stats instantly download app today number", "label": 1}
{"pkg_name": "com.soft.longerremotecontrol", "description": "longer remote ir universal remote control running on smartphone pad webtv control home devices via audio port bluetooth wi fi contains models tv dtt dvd vcr sat hifi air conditioner editable keypad layout learning function import output code file pc webserver audio port bluetooth wi fi communication channels ir programming longer prc via bluetooth wi fi transceiver details please check www net", "label": 1}
{"pkg_name": "page.home.welcome.philips", "description": "secure entrances monitor home philips welcome app philips welcome app philips welcome app makes easy interact home automation solutions create scenarios interact philips hue lighting solutions security solutions philips doorbells philips tvs products including latest link voice activated using voice assistants information security like receive movement notifications record visits home information handled in way respects personal data stored locally on sd card supplied link video doorkeeper link videophone connected video intercom allows control view entrances smartphone using smart speaker displaying video on android tv wide angle image quality rechargeable batteries active noise reduction robustness philips voice ensures easy install use number", "label": 1}
{"pkg_name": "kr.co.imgate.hospitality.user2.urbn", "description": "enjoy keyless access apm key bluetooth smart door lock key less access door lock mobile key in smartphone", "label": 1}
{"pkg_name": "com.ionicframework.mangalaint875810", "description": "project offers concept home everyone reasonably good price point quality construction special emphasis given provide best quality homes market place health clinic school community centre location advantage located in gujarat international finance tec city gift city gandhinagar first smart city india gift city globally benchmarked international financial service centre ifsc developed government gujarat joint venture company gift global financial services hub first kind in india designed par globally benchmarked financial centers shanghai la defense paris london dockyards hongkong singapore dubai etc almost national international banks available in gift premises connectivity situated twin city ahmedabad gandhinagar connected road transport mins drive ahmedabad domestic international airport mins drive sabarmati railway station ahmedabad metro also available in near future connected ahmedabad city project detail acres total land area initially launch includes ; total residential units bhk unit sq ft ; market place sq ft ; community center ; health clinic ; school building local area network", "label": 0}