Pages

Monday, March 31, 2014

Search address by name with Geocoder

The getFromLocationName() method of android.location.Geocoder returns an array of Addresses that are known to describe the named location.

Example of searching address by name with Geocoder:

Search address by name with Geocoder


package com.example.androidgeocoder;

import java.io.IOException;
import java.util.ArrayList;
import java.util.List;
import java.util.Locale;

import android.location.Address;
import android.location.Geocoder;
import android.os.Bundle;
import android.app.Activity;
import android.view.View;
import android.view.View.OnClickListener;
import android.widget.ArrayAdapter;
import android.widget.Button;
import android.widget.EditText;
import android.widget.ListView;
import android.widget.Toast;

public class MainActivity extends Activity {

EditText searchIn;
Button searchButton;
ListView searchOut;

private ArrayAdapter<String> adapter;

Geocoder geocoder;
final static int maxResults = 5;
List<Address> locationList;
List<String> locationNameList;

@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
searchIn = (EditText)findViewById(R.id.serchin);
searchButton = (Button)findViewById(R.id.serch);
searchOut = (ListView)findViewById(R.id.serchout);

searchButton.setOnClickListener(searchButtonOnClickListener);

geocoder = new Geocoder(this, Locale.ENGLISH);

locationNameList = new ArrayList<String>(); //empty in start
adapter = new ArrayAdapter<String>(this,
android.R.layout.simple_spinner_item, locationNameList);
searchOut.setAdapter(adapter);
}

OnClickListener searchButtonOnClickListener =
new OnClickListener(){

@Override
public void onClick(View arg0) {
String locationName = searchIn.getText().toString();

Toast.makeText(getApplicationContext(),
"Search for: " + locationName,
Toast.LENGTH_SHORT).show();

if(locationName == null){
Toast.makeText(getApplicationContext(),
"locationName == null",
Toast.LENGTH_LONG).show();
}else{
try {
locationList = geocoder.getFromLocationName(locationName, maxResults);

if(locationList == null){
Toast.makeText(getApplicationContext(),
"locationList == null",
Toast.LENGTH_LONG).show();
}else{
if(locationList.isEmpty()){
Toast.makeText(getApplicationContext(),
"locationList is empty",
Toast.LENGTH_LONG).show();
}else{
Toast.makeText(getApplicationContext(),
"number of result: " + locationList.size(),
Toast.LENGTH_LONG).show();

locationNameList.clear();

for(Address i : locationList){
if(i.getFeatureName() == null){
locationNameList.add("unknown");
}else{
locationNameList.add(i.getFeatureName());
}
}

adapter.notifyDataSetChanged();
}
}


} catch (IOException e) {
Toast.makeText(getApplicationContext(),
"network unavailable or any other I/O problem occurs" + locationName,
Toast.LENGTH_LONG).show();
e.printStackTrace();
}
}
}};

}


<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:paddingBottom="@dimen/activity_vertical_margin"
android:paddingLeft="@dimen/activity_horizontal_margin"
android:paddingRight="@dimen/activity_horizontal_margin"
android:paddingTop="@dimen/activity_vertical_margin"
android:orientation="vertical"
tools:context=".MainActivity" >

<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="@string/hello_world" />
<EditText
android:id="@+id/serchin"
android:layout_width="match_parent"
android:layout_height="wrap_content" />
<Button
android:id="@+id/serch"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="Search" />
<ListView
android:id="@+id/serchout"
android:layout_width="match_parent"
android:layout_height="wrap_content" />

</LinearLayout>


download filesDownload the files.

Read More..

Sunday, March 30, 2014

Example of ViewFlipper

android.widget.ViewFlipper is a simple ViewAnimator that will animate between two or more views that have been added to it. Only one child is shown at a time. If requested, can automatically flip between each child at a regular interval.

Example of ViewFlipper

<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical"
android:paddingBottom="@dimen/activity_vertical_margin"
android:paddingLeft="@dimen/activity_horizontal_margin"
android:paddingRight="@dimen/activity_horizontal_margin"
android:paddingTop="@dimen/activity_vertical_margin"
tools:context=".MainActivity" >

<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_gravity="center_horizontal"
android:autoLink="web"
android:text="http://android-er.blogspot.com/"
android:textStyle="bold" />

<LinearLayout
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:orientation="horizontal" >

<Button
android:id="@+id/prev"
android:layout_width="0dp"
android:layout_height="wrap_content"
android:layout_weight="1"
android:text="previous" />

<Button
android:id="@+id/next"
android:layout_width="0dp"
android:layout_height="wrap_content"
android:layout_weight="1"
android:text="next" />
</LinearLayout>

<ViewFlipper
android:id="@+id/viewflipper"
android:layout_width="match_parent"
android:layout_height="wrap_content" >

<ImageView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:src="@drawable/ic_launcher" />

<LinearLayout
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:gravity="center"
android:orientation="vertical" >

<Button
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="- Button 2 -" />

<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="LinearLayout 2" />
</LinearLayout>

<LinearLayout
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:gravity="center"
android:orientation="vertical" >

<EditText
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:hint="Enter something" />

<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="LinearLayout 3" />
</LinearLayout>

<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="ViewFlipper is a simple ViewAnimator that
will animate between two or more views that
have been added to it. Only one child is shown
at a time. If requested, can automatically
flip between each child at a regular interval." />
</ViewFlipper>

</LinearLayout>

package com.example.androidviewflipper;

import android.os.Bundle;
import android.app.Activity;
import android.view.View;
import android.view.View.OnClickListener;
import android.view.animation.Animation;
import android.view.animation.AnimationUtils;
import android.widget.Button;
import android.widget.ViewFlipper;

public class MainActivity extends Activity {

Button buttonPrev, buttonNext;
ViewFlipper viewFlipper;

Animation slide_in_left, slide_out_right;

@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);

buttonPrev = (Button) findViewById(R.id.prev);
buttonNext = (Button) findViewById(R.id.next);
viewFlipper = (ViewFlipper) findViewById(R.id.viewflipper);

slide_in_left = AnimationUtils.loadAnimation(this,
android.R.anim.slide_in_left);
slide_out_right = AnimationUtils.loadAnimation(this,
android.R.anim.slide_out_right);

viewFlipper.setInAnimation(slide_in_left);
viewFlipper.setOutAnimation(slide_out_right);

buttonPrev.setOnClickListener(new OnClickListener() {

@Override
public void onClick(View arg0) {
viewFlipper.showPrevious();
}
});

buttonNext.setOnClickListener(new OnClickListener() {

@Override
public void onClick(View arg0) {
viewFlipper.showNext();
}
});
;
}

}

Read More..

Saturday, March 29, 2014

UPDATE NOW! Oracle JDK 7u11 released



Oracle releasdd JDK 7u11 to answer the the flaw in Java software integrated with web browsers.

This release contains fixes for security vulnerabilities. For more information, see Oracle Security Alert for CVE-2013-0422.

Java SE 7 Update 11 is available from the following download sites:


Read More..

Wednesday, March 26, 2014

The Lost Souls v1 0 1 1 Apk Full Version

The Lost Souls v1.0.1.1 Apk Full Version

The Lost Souls v1.0.1.1 APK FULL VERSION
Req: Android 2.1+ Android Apk Free


The Lost Souls v1.0.1.1 APK fully new version! The Lost Souls is a “Escape the Room” game style, with HIGH QUALITY GRAPHICS, many scary scenes and some puzzles to Solve. ..NOW IN ANDROID!

NOTE:
The Lost Souls v1.0.1.1 Apk Full Version contains strong images, scary scenes and gore.
You’ll be playing at your own risk .

TNX and injoy

Download The Lost Souls v1.0.1.1 Apk Full Version
Read More..

Tuesday, March 25, 2014

Gravity Home Pro 1 3 Full APK


Gravity Home Pro 1.3 Full APK. transform your residence screen utilizing a funny various launcher ! gravity home = live wallpaper + launcher + physics flip the phone upside down and watch your favorite app icons respond out to gravity, hanging aroung the screen, being completelly funcional.



Read More..

iQuran Pro v2 3 2

iQuran Pro v2.3.2

iQuran Pro v2.3.2
Requirements: Android OS 1.6 + 

iQuran Pro v2.3.2 Overview: Read the Holy Quran in Arabic alongside its Translation. Provides verse by verse audio playback, repeat functions, unlimited bookmarks, search, excellent navigational controls, several translations and reciters and much more.

With iQuran Pro you enjoy:

  • * Full landscape support
  • * Unlimited bookmarks
  • * Several translations
  • * A powerful full-text search engine
  • * Several downloadable recitations for verse by verse recital

iQuran Pro provides the following translations:

  • * English & Transliteration
  • * German
  • * French
  • * Indonesian
  • * Melayu
  • * Spanish
  • * Turkish
  • * Russian
  • * Bosnian
  • * Dutch
  • * Italian
  • * Albanian
  • * Romanian
  • * Japanese

Included reciters are:

  • * Sheikh Husary
  • * Mishary Al-Afasy
  • * Saood & Shuraim
  • * Abu Bakr Ash-Shatree
  • * Abdul Basit
  • * Ghamdi

Whats in this version:
[NEW] Added new Tajweed rule: Idgham without ghunna
Changed color of normal Idgham to Purple whilst Grey is now reserved for Idgham without ghunna
Improved coloring of Ikhfa Tajweed rule. Coloring now begins from the affected noon sakin or tanween
Fixed scrolling to selected verse from Bookmarks/Search
http://www.facebook.com/iQuran
More Info:

Code:
https://play.google.com/store/apps/details?id=com.guidedways.iQuranPro 


Download Instructions:
http://www.MegaShare.com/4140494
Mirror:
http://rapidgator.net/file/6753104/ip232.apk.html
Read More..

Monday, March 24, 2014

Swiftkey KeyBoard v4 3 1 231 Full Android Apk

Swiftkey Keyboard


Free Download Swiftkey Keyboad For Android

SWIFTKEY - THE MIND-READING KEYBOARD
No.1 best-selling app in 58 Google Play countries, over 200,000 ***** reviews
“Shockingly accurate, making for a creepy-fast typing experience.” - TIME Magazine

SWIFTKEY MAKES TOUCHSCREEN TYPING FASTER, EASIER AND MORE PERSONALIZED
- SwiftKey takes the hard work out of touchscreen typing, replacing your phone or tablet’s keyboard with one that understands you.
- It provides the world’s most accurate autocorrect and next-word prediction in 60 languages.
- It connects seamlessly across all of your devices, with SwiftKey Cloud.

SMART & LEARNING
- SwiftKey predicts your next word before you’ve even pressed a key.
- It intelligently learns as you type, adapting to you and your way of writing.
- SwiftKey doesn’t just learn your popular words, it learns how you use them together.

SWIFTKEY CLOUD: CONNECTED & SEAMLESS ACROSS DEVICES
- Backup and Sync keeps your personal language insights seamlessly up to date across all your devices.
- Teach SwiftKey your writing style based on your language use from your Facebook, Gmail, Twitter, Yahoo, SMS and Blog.
- Your language model can be enhanced each morning with Trending Phrases based on current news and what’s hot on Twitter.

MULTI-LINGUAL
- Enable up to three languages at once.
- Naturally combine languages without having to change a setting.
- SwiftKey supports contextual prediction in 61 languages and counting.
See http://www.swiftkey.net/en/#features for full list of supported languages.

TAP OR FLOW YOUR WORDS
- Switch seamlessly between tapping and gesture-typing with SwiftKey Flow.
- SwiftKey Flow combines the mind-reading capabilities of SwiftKey with the speed and ease of gliding your fingers across the screen, with real-time predictions.
- Type entire sentences without lifting your finger from the screen, simply by sliding to the space bar between words.

MULTIPLE LAYOUTS
- Innovative keyboard layouts and modes for a better experience for all users across all screen sizes
- Full, Thumb and Compact layouts
- All three layouts can be resized and undocked to float

VIDEO TIPS & SUPPORT COMMUNITY
Visit our awesome website for tips, videos, support and much more: http://www.swiftkey.net/

PRIVACY
We take your privacy very seriously. This keyboard never learns from password fields. SwiftKey Cloud is an opt-in, secure, encrypted service and gives you full control over your data. Internet connection permission is required to install this app, so that language module files and cloud personalization data can be downloaded.
Our robust privacy policy explains and protects your rights and privacy. Read it in full at http://www.swiftkey.net/privacy


Swiftkey KeyboardSwiftkey Keyboard
Swiftkey KeyboardSwiftkey Keyboard


Whats New:
- Switch to choose to show numpad on the left or right on secondary layout -
- Fixed loss of personal language when you upgrade
- Restored missing dollar sign
- Spacebar sound is now different to other keys
- See more at http://support.swiftkey.net/knowledgebase/




or


Read More..

Sunday, March 23, 2014

Cut the Rope Pocket God

Download PAID apk for free!
Cut the Rope 1.1.1

Cut the Rope, catch a star, and feed Om Nom candy in this award-winning game!
The long-awaited hit game has finally arrived at Android! Join MORE THAN 55 MILLION PEOPLE who have already played this game and gave it an average rating of 4.81 (out of 5)!
The little monster Om Nom is hungry and the only thing standing between him and a full belly is you – that is your help cutting the ropes that hold the candy he wants. Swipe your finger across the ropes to release the delicious bundles into his mouth. But don’t forget to collect the stars and break the bubbles along the way – easier said than done when enemies and obstacles await!

Pocket God 1.3.1

You’re the island god!
What kind of god would you be? Benevolent or vengeful? Play Pocket God and discover the answer within yourself. Pocket God is an episodic microgame for you to explore, show your friends and have fun with. It contains multiple locations with many hilarious scenarios, exciting mini-games and hidden secrets for you to uncover.
Help us support more devices! If you experience any force close or crash issues, please let us know what device you're using to support.ngmoco.com
Read more »
Read More..

Saturday, March 22, 2014

Smarter Alarm v3 0 Apk Download

Smarter Alarm v3.0 Apk Download

Smarter Alarm v3.0 Apk Download
Description
 
Wake up to information being read to you, like weather, sports, and more!Smarter Alarm is a talking alarm clock. Instead of hearing an annoying alarm, you’ll wake up to the voice of a robotic British woman who will read personalized information to you, like "Jarvis" in Iron Man.
Would you like to know if youll need to dress warmly today? How about the score to last nights basketball game? Smarter Alarm will read information thats important to you, such as weather, your latest emails, Google calendar appointment, sports scores, stock prices, birthdays, the mornings headline news, and your own RSS feeds.
Feeds that Smarter Alarm can read to you:
- Current and forecast weather
- Stock prices
- The days headline news
- Sports scores of your favorite teams (NBA, NHL, and MLB)
- Your Facebook friends who have birthdays today
- Your Google calendar appointments for the day (requires Android 2.0+)
- Your Google tasks
- Your latest Gmail emails
- Your Facebook events in the next 24 hours
- Custom RSS feed
- What happened on this day in history
- Quotes of the day
Additional feeds/information will be added to Smarter Alarm in future updates, including traffic, more sports scores, and much more! Please leave in comments what you would like to see!
If you would like to help out with translating the app to your language, please goto: http://crowdin.net/project/smarter-alarm

Android OS Requirements
1.6 and up

Whats New in this version:
  1. Now reads your Google TASKS.
  2. Set a custom message for EACH alarm. (Smarter Alarm will read the label of each alarm).
  3. Customize the order in which each of the feeds are read.
  4. Portuguese translation.
  5. FC bug fix with Google Tasks
Download Smarter Alarm v3.0 Apk
Smarter Alarm v3.0 Apk Download
Read More..

SPB Mobile Spb Shell 3D 1 2 1 Android App Apk


SPB Mobile Spb Shell 3D 1.2.1 Android App Apk is an application that will beautify the look of your phone android. Comes with impressive graphics, you will be amazed with the next generation user interface in your gadget.


SPB Shell 3D Reviews:

"Butter-like smoothness" - Engadget
"As useful as it is gorgeous" - ZDNet
"Absolute Must-Have for every Android user!" - Gizmodo
"Looks Incredible And Runs Smoothly" - LAPTOP Magazine

To launch SPB Shell 3D press the Home button once installation is completed.

Features:

3D Home screen/launcher
Smart folders
3D widgets
Collection of panels and widgets






SPB Mobile Spb Shell 3D 1.2.1 Android App Apk




If you looking for SPB Mobile Spb Shell 3D 1.2.1 Android App Apk, you can go to the source download this apps via the link below.


SPB Mobile Spb Shell 3D 1.2.1 Android App Apk


All information in this blog based on information available at the official website or from other unofficial websites that discuss applications, games, software, themes and manuals for Android.


freedownloadandroidapps.blogspot.com not responsible for the changes, losses, damages or any matter relating to the 


use of a variety of applications, games, software, themes and manuals that the information contained in this blog.


freedownloadandroidapps.blogspot.com not received any complaints and free from any claims of any party upon the information contained in this blog.
Read More..

Friday, March 21, 2014

Twitter Android v4 1 7 Apk

twitter android apk

Download Twitter For Android

Overview: Follow your interests: instant updates from your friends, industry experts, favorite celebrities, and what’s happening around the world. Get short bursts of timely information on the official Twitter app for your Android phone.

Description
With Twitter, you can watch the world unfold like never before.

• Get real-time stories, pictures, videos, conversations, ideas, and inspiration all in your timeline.
• Follow people and your interests to get unfiltered access and unique behind-the-scenes perspectives.
• Express yourself with photos, videos and comments.

Twitter is your global town square.


Screenshot:
Twitter AndroidTwitter Android
Twitter AndroidTwitter Android


Whats New
4.1.7
Fixes Discover tab loading issue and several crash bugs
4.1.6
Conversations have a new look!
• A blue line in your home timeline indicates a conversation between people you follow
• The first Tweet in the conversation now appears above the most recent reply
• Tap to see all of the replies, even from people you don’t follow
This release also includes other improvements:
• Optimized for entry-level Android smartphones
• Report Tweets as abusive or spam
• New notification settings

Download Twitter For Android v4.1.7 Full Apk
download now
Read More..

Thursday, March 20, 2014

Request Queue for January 2012

Comment here to request,
and don't forget to write your name and the link from Android Market.
Read more »
Read More..

Wednesday, March 19, 2014

WP7Lock Pro v1 0 5 apk


All Customization unlocked !


WP7Lock Pro v1.0.5market.android.com.fullwp7.lockscreen
If you want to try it out before you buy it, head to my other app which is called WP7Lock Lite. Its free, has the basics of the full app.
Note:
This app is still in Beta Stage! It may crash, act not as supposed, or totally different, work smoothly, etc. Do expect anything to happen. (Mostly the errors that are in the Lite version of the app).
Required Android O/S : 1.5+

Screenshots :
 
 

Download : 150Kb APK


Read More..

Angry Birds Space Premium 1 0 1 apk download android

Per scaricare le applicazioni da filesonic bisogna cliccare su slow download e aspettare circa 30 secondi , dopodichè inserire il codice riportato sulla figura e clicca AVVIA DOWNLOAD . Se volete scaricare più rom senza aspettare molto tempo dovete spegnere il modem e riaccenderlo in modo da cambiare ip oppure usare un proxy . Altrimenti dovete aspettare circa 15 min
Read More..

Tuesday, March 18, 2014

Inotia3 Children of Carnia Android Games apk

Inotia3: Children of Carnia Android Games apk




Inotia3 play: Children of Carnia from Com2Us will be very easy if you are accustomed to playing a game similar Ragnarok or any other adventure game epic. Equipped with more than 130 maps and 230 remakable quests, the game is supported in English and French language allows you to control each character separately and enhance their skills and stats as you want. If you are interested in playing this game, you can download Inotia3: Children of Carnia Android Games apk through the following link.


Inotia3: Children of Carnia Android Games apk

Read More..

Monday, March 17, 2014

Tools Gentle Alarm 3 7 0 Android

Gentle Alarm 3.7.0 (Android)

Gentle Alarm 3.7.0 (Android)
Requirements: for all Android versions

Gentle Alarm 3.7.0 (Android) Overview: * most popular Android alarm * * works even when standard alarm is unreliable!!
Full explanation of all permissions given below.
  • - very feature rich
  • - dock support
  • - tries to you wake you up during light sleep (optional, see below)
  • - music, playlists, can create own playlists by choosing an artist or genre...
  • - uses own media player for super-gentle fade-in of music
  • - silent alarm with slowly increasing vibration
  • - night display
  • - large button mode for users with glasses
  • - flip to snooze
  • - test if you are awake
  • - supports SleepBot

An alarm clock shouldnt shell-shock you out of your dreams. Thats why I created Gentle Alarm which tries to wake you up during light sleep using an optional pre-alarm.
Alarm clocks cant know if you are in light sleep or deep sleep (those movement based alarm clock dont work) but they can play a very quiet pre-alarm which you will only hear if you are in light sleep. If you are in deep sleep, you will simply sleep through the pre-alarm.
The pre-alarm plays 30min before you really want to get up (you can change that). If the pre-alarm wakes you up, you will be more refreshed than if you had slept until the main alarm because at that time you would have fallen back into deep sleep. Give it a try and I am sure you wont want to miss it anymore.
Of course, the app has all the usual features of a great alarm clock:
It can switch to a night display automatically when docking the phone. It can automatically shorten the snooze time with each time you press snooze. It can automatically create playlists of your favorite artist or genre. And it allows you to change colors, fonts, and backgrounds.

Whats in Gentle Alarm 3.7.0 (Android):
  • change: simplifaction of time picker
  • change: alarm display can now be much darker when alarm rings
  • new: added weekday to date picker
  • new: more choices for snooze times
  • new: alarm display and night display react to light sensor
  • new: next alarm highlighted in list of alarms
  • bug fix: removed invalid media announcements
  • bug fix: app crashed if no media could be played
  • bug fix: TTS volume issues
  • bug fix: SleepBot didnt punch out
Gentle Alarm 3.7.0 (Android) screenshot:
Gentle Alarm 3.7.0 (Android)Gentle Alarm 3.7.0 (Android)

Gentle Alarm 3.7.0 (Android)

Code:
https://play.google.com/store/apps/details?id=com.mobitobi.android.gentlealarm 

Downlaod Gentle Alarm 3.7.0 (Android)

Code:
http://rapidgator.net/file/6477202/Gentle.Alarm.3.7.0.Android.zip.html 
http://bitshare.com/files/m6kok0ng/Gentle.Alarm.3.7.0.Android.zip.html 
http://ifile.it/bmyzlu2/Gentle.Alarm.3.7.0.Android.zip 
http://www1.zippyshare.com/v/87237323/file.html 
Read More..

Sunday, March 16, 2014

Sidekick reborn as Android powered Sidekick 4G

The Sidekick was one of those mobile gadgets that everyone knew about, but not everyone used. It was powered by Danger, which Microsoft picked up and then used for the KIN, but T-Mobile always had the rights to the Sidekick name.
Well, this morning the Sidekick was re-launched, at a press breakfast but this time it will be powered by Android. So far there’s no word on pricing or official launch date (first half of 2011), but what we do know is that it will run on T-Mobile’s 4G network.
via Zdnet
Read More..

amo Navi X v1 04 APK


Access to all kinds of multimedia content on the internet !

amo Navi-X v1.04market.android.comamo.navix
amo Navi-X is an Android application based on the Navi-X Media Browser which is a "content aggregator" that provides access to all kinds of multimedia content on the internet, listed on a public directory of user contributed listings or playlists for playback NOW right on your Android device!
You may now download any item from the Navi-X section to your device - simply click the title vs the artwork. You may download more than one item at a time and their progress will be displayed in your notifications area.


  • We recommend the VPlayer, RockPlayer Lite or Mobo to handle most video formats you may encounter inside amo Navi-X on Android.
  • As you can see from the screenshots we support both phones and tablets and over 691 devices in the Android Market including some devices like the Nook Color or the HP Touchpad running CM7.
  • Navi-X is also a popular addon for XBMC and Boxee, popular and free media center applications available on Windows, Mac, Linux, Apple TV and the original Xbox (modified).
  • If you would like a version with Boxee options, please check out our amo Boxee Remote.
Required Android O/S : 1.6+

Screenshots :
 
 

Download : 200Kb APK
Read More..

Saturday, March 15, 2014

Launcher 8 PRO v2 1 0 Full Android Apk

Launcher 8 PRO full apk

Download Launcher 8 PRO For Android

Launcher 8 PRO is a great app for you can ease of imitation WP8/IOS 7 and other styles start screen,fully personalized,free DIY and more variety of exciting themes.

Launcher 8 pro:
★More energy efficient,fluent and powerful functional.
★Can free download all premium themes.
★Complete experience all the features of the launcher 8.
★Support horizontal/vertical screen Themes.

Bored of Androids user interface? Can you want try a new style start screen? If you do, then wait no more!

Features:
- You can add different size tiles;
- You can add a variety of color tile;
- You can save and restore the theme;
- You can edit the start screen layout;
- You can set the current background style;
- You can switch the application list style
- You can add Android widgets in the tiles;
- You can set the wp8 style lock screen and status bar;
- You can select more than one hundred kinds of theme colors;
- You can add special features tiles,like time,flashlight,pictures and contact photo.

Reminder:
1 Shows the live contact needs to read the contact data access permission;
2 Add a shortcut when direct dial call authority need the android.permission.CALL_PHONE ;
3 Add send SMS shortcut operation message need permission.
4 Download the themes need access the network.



Screenshot:
Launcher 8 PRO
Launcher 8 PRO


Whats New:
V2.1.0
1. Support 4/6 tiles layout.
2. New special tile of analog clock.
3. Optimize memory usage and more stable.
4. Fix bugs.

Download Launcher 8 PRO v2.1.0 Apk
download now

or



Note: The notification feature requires manual activation . After activating this service, please return to the Theme settings > Statusbar > Notification app > Open the switch if you need to message notification on the app(eg: Facebook).

Read More..