Example of ViewSwitcher

Senin, 31 Maret 2014

android.widget.ViewSwitcher is a sub-class of ViewAnimator, switches between two views, and has a factory from which these views are created. You can either use the factory to create the views, or add them yourself.

A ViewSwitcher can only have two child views, of which only one is shown at a time. If you have more than two child views in ViewSwitch, java.lang.IllegalStateException of "Cant add more than 2 views to a ViewSwitcher" will happen.

Example of ViewSwitcher

<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>

<ViewSwitcher
android:id="@+id/viewswitcher"
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>
</ViewSwitcher>

</LinearLayout>

package com.example.androidviewswitcher;

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.ViewSwitcher;

public class MainActivity extends Activity {

Button buttonPrev, buttonNext;
ViewSwitcher viewSwitcher;

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);
viewSwitcher = (ViewSwitcher) findViewById(R.id.viewswitcher);

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

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

buttonPrev.setOnClickListener(new OnClickListener() {

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

buttonNext.setOnClickListener(new OnClickListener() {

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

}


- Compare with ViewAnimator

Read More..

C code to Find First and Follow in a given Grammar

Minggu, 30 Maret 2014

/* C program to find First and Follow in a given Grammar. */

#include<stdio.h>
#include<string.h>

int i,j,l,m,n=0,o,p,nv,z=0,x=0;
char str[10],temp,temp2[10],temp3[20],*ptr;

struct prod
{
    char lhs[10],rhs[10][10],ft[10],fol[10];
    int n;
}pro[10];

void findter()
{
    int k,t;
    for(k=0;k<n;k++)
    {
        if(temp==pro[k].lhs[0])
        {
            for(t=0;t<pro[k].n;t++)
            {
                if( pro[k].rhs[t][0]<65 || pro[k].rhs[t][0]>90 )
                    pro[i].ft[strlen(pro[i].ft)]=pro[k].rhs[t][0];
                else if( pro[k].rhs[t][0]>=65 && pro[k].rhs[t][0]<=90 )
                {
                    temp=pro[k].rhs[t][0];
                    if(temp==S)
                        pro[i].ft[strlen(pro[i].ft)]=#;
                    findter();
                }
            }
            break;
        }
    }
}

void findfol()
{
    int k,t,p1,o1,chk;
    char *ptr1;
    for(k=0;k<n;k++)
    {
        chk=0;
        for(t=0;t<pro[k].n;t++)
        {
            ptr1=strchr(pro[k].rhs[t],temp);
            if( ptr1 )
            {
                p1=ptr1-pro[k].rhs[t];
                if(pro[k].rhs[t][p1+1]>=65 && pro[k].rhs[t][p1+1]<=90)
                {
                    for(o1=0;o1<n;o1++)
                        if(pro[o1].lhs[0]==pro[k].rhs[t][p1+1])
                        {
                                strcat(pro[i].fol,pro[o1].ft);
                                chk++;
                        }
                }
                else if(pro[k].rhs[t][p1+1]==
Read More..

cat system etc permissions handheld core hardware xml on your Android device

Sabtu, 29 Maret 2014

This example simple display the file /system/etc/permissions/handheld_core_hardware.xml on my Android device.

handheld_core_hardware.xml of HTC One X
For what:
In my old post "List attached USB devices in USB Host mode", Anonymous commented have to check the xml file "/system/etc/permissions/handheld_core_hardware.xml" for < feature name="android.hardware.usb.host" />. Coincidentally I have a post to "Run Linux command with ProcessBuilder", so I modify it to display the content of "/system/etc/permissions/handheld_core_hardware.xml" using Linux command "cat".

package com.example.androidruncommand;

import java.io.IOException;
import java.io.InputStream;

import android.os.Bundle;
import android.app.Activity;
import android.widget.TextView;

public class MainActivity extends Activity {

TextView textCommand, textReturn;

@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
textCommand = (TextView) findViewById(R.id.textcommand);
textReturn = (TextView) findViewById(R.id.textreturn);

String[] command = { "cat", "/system/etc/permissions/handheld_core_hardware.xml" };
StringBuilder cmdReturn = new StringBuilder();

String stringCommand = "$ ";
for(int i=0; i<command.length; i++){
stringCommand += command[i] + " ";
}
textCommand.setText(stringCommand);

try {
ProcessBuilder processBuilder = new ProcessBuilder(command);
Process process = processBuilder.start();

InputStream inputStream = process.getInputStream();
int c;
while ((c = inputStream.read()) != -1) {
cmdReturn.append((char) c);
}

textReturn.setText(cmdReturn.toString());

} catch (IOException e) {
// TODO Auto-generated catch block
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: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" />

<TextView
android:id="@+id/textcommand"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:textStyle="bold" />

<ScrollView
android:layout_width="match_parent"
android:layout_height="match_parent" >

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

<TextView
android:id="@+id/textreturn"
android:layout_width="match_parent"
android:layout_height="wrap_content" />
</LinearLayout>
</ScrollView>

</LinearLayout>

Or, you can pull the file from your device using DDMS of Android Development Tools.

/system/etc/permissions/handheld_core_hardware.xml in HTC One X
<?xml version="1.0" encoding="utf-8"?>
<!-- Copyright (C) 2009 The Android Open Source Project

Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at

http://www.apache.org/licenses/LICENSE-2.0

Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
-->

<!-- These are the hardware components that all handheld devices
must include. Devices with optional hardware must also include extra
hardware files, per the comments below.

Handheld devices include phones, mobile Internet devices (MIDs),
Personal Media Players (PMPs), small tablets (7" or less), and similar
devices.
-->
<permissions>
<feature name="android.hardware.camera" />
<feature name="android.hardware.location" />
<feature name="android.hardware.location.network" />
<feature name="android.hardware.sensor.compass" />
<feature name="android.hardware.sensor.accelerometer" />
<feature name="android.hardware.bluetooth" />
<feature name="android.hardware.touchscreen" />
<feature name="android.hardware.microphone" />
<feature name="android.hardware.screen.portrait" />
<feature name="android.hardware.screen.landscape" />
<!-- devices with GPS must include android.hardware.location.gps.xml -->
<!-- devices with an autofocus camera and/or flash must include either
android.hardware.camera.autofocus.xml or
android.hardware.camera.autofocus-flash.xml -->
<!-- devices with a front facing camera must include
android.hardware.camera.front.xml -->
<!-- devices with WiFi must also include android.hardware.wifi.xml -->
<!-- devices that support multitouch must include the most appropriate one
of these files:

If only partial (non-independent) pointers are supported:
android.hardware.touchscreen.multitouch.xml

If up to 4 independently tracked pointers are supported:
include android.hardware.touchscreen.multitouch.distinct.xml

If 5 or more independently tracked pointers are supported:
include android.hardware.touchscreen.multitouch.jazzhand.xml

ONLY ONE of the above should be included. -->
<!-- devices with an ambient light sensor must also include
android.hardware.sensor.light.xml -->
<!-- devices with a proximity sensor must also include
android.hardware.sensor.proximity.xml -->
<!-- GSM phones must also include android.hardware.telephony.gsm.xml -->
<!-- CDMA phones must also include android.hardware.telephony.cdma.xml -->
<!-- Devices that have low-latency audio stacks suitable for apps like
VoIP may include android.hardware.audio.low_latency.xml. ONLY apps
that meet the requirements specified in the CDD may include this. -->
</permissions>

But...I cant find < feature name="android.hardware.usb.host" /> in my handheld_core_hardware.xml. But it support USB Host mode actually.

Read More..

FaceLock for apps Pro v2 4 8 Apk

Rabu, 26 Maret 2014

FaceLock for apps Pro v2.4.8 Apk

FaceLock for apps Pro v2.4.8
Requirements:
Android 2.3+

FaceLock for apps Pro v2.4.8 Apk Overview:
Get FaceLock to protect both your phone and your apps with face recognition!
Get FaceLock to protect both your phone and your apps with face recognition!
With FaceLock for apps, you dont need to wait for Android 4.0 to use face unlock on your phone. FaceLock also lets you choose individual apps you want to protect. Your face is the key to unlock them.
See our tips and FAQ for help on how to do a proper face training: http://www.facelock.mobi/tips-and-faq A bad training can impair recognition or recognize other people.

Pro version comes with all these features youll love:
- Lock as many apps as you want with your face
- (Experimental) lock screen replacement (like FACE UNLOCK) (lock screen might not work perfectly on all devices).
- PATTERN lock is now available!
- Set PIN, Pattern or password as alternative access method
- More locking options, delayed lock
- Hide notification and start on boot configuration
- And we are working on even more features...

About security: task manager, settings and market are protected so no one can kill or uninstall FaceLock out of the box. Face recognition is reliable and safe with the default settings. For recognition in difficult lighting you can train more images whenever you are not recognized. For increased security you can raise the security level.
By downloading this software you agree to the terms of the end-user license agreement: http://www.facelock.mobi/facelock-for-apps/eula

Whats in FaceLock for apps Pro v2.4.8 Apk:
  • 2.4.7: New visual options, bugfixes.
  • Experimental lock screen replacement (like "face unlock") and pattern lock.
Note: Use Lucky Patcher to remove license verification (both auto and manual mode)

More Info:
Code:
https://play.google.com/store/apps/details?id=com.facelock4appspro 

Download Instructions:
http://www.megashare.com/4120715
Read More..

Evernote v3 1 1 Android apk app

Selasa, 25 Maret 2014



Requirements: Android 1.6+
Overview: Evernote turns your Android device into an extension of your brain.


  Evernote is an easy-to-use, free app that helps you remember everything across all of the devices you use. Stay organized, save your ideas and improve productivity. Evernote lets you take notes, capture photos, create to-do lists, record voice reminders--and makes these notes completely searchable, whether you are at home, at work, or on the go.

Key Features:
- Sync all of your notes across the computers and devices you use
- Create and edit text notes, to-dos and task lists
- Record voice and audio notes
- Search for text inside images
- Organize notes by notebooks and tags
- Email notes and save tweets to your Evernote account
- Connect Evernote to other apps and products you use
- Share notes with friends and colleagues via Facebook and Twitter
★ Premium feature: Add, sync, access and share files (PDF, Word, Excel, PowerPoint, and more)
★ Premium feature: access and modify shared notebooks

Here are some ways to use Evernote for your personal and professional life:
- Research smarter: snap photos of whiteboards and books
- Take meeting and class notes, draft agendas and research notes
- Plan a trip: keep track of travel plans, plane tickets and passports
- Organize and save recipes; search by ingredients later
- Create a grocery list or task list and check things off as you go
- View web pages saved in Evernote on your desktop
- Capture ideas and inspiration on the go
- Access files and notes you create on your phone from your desktop
- Keep track of products and prices for comparison shopping purposes
- Keep finances in order: save receipts, bills and contracts
- Reduce paper clutter by taking snapshots of restaurant menus, business cards and labels
- Use Evernote as part of your GTD system to help you stay organized
- To get the most out of your Evernote experience, download it on all of the computers and phones that you use.

Whats new in this version:

1.Create notes with rich text (bold, italic, underline), bullets, numbered list, and checkboxes
2.Complete redesign for Android Tablets
3.New large widget for quick access to recent notes and core Evernote features
4.Major performance improvements, numerous bug fixes and interface enhancements
5.Full screen note on Tablets


Download Instructions:
http://ul.to/4cmav4e4
http://uploading.com/files/fem192e8/en311.apk/
http://www.megaupload.com/?d=9M6R1HNU
Read More..

Ultimate To Do List 1 5 1 v1 5 1 Android Apk App

Senin, 24 Maret 2014

Ultimate To-Do List v1.5.1
Requirements: for all Android versions
Overview: A to-do list and notebook for power users, which syncs with the Toodledo web site.

This is the smartphone edition. We also have a separate tablet edition for devices with large screens.

ORGANIZE:

- Organize tasks by folder, location, context, tags, goal, star, and subtasks.
- Supports complex repeating patterns (for example: every Tuesday and Thursday).
- Track both estimated and actual length of tasks. Includes a built-in timer.
- Organize your notes into folders.
- 2 home screen widgets: a task list (in multiple sizes), and a new task button

SYNCHRONIZE:

- Synchronizes tasks and notes with the Toodledo.com web site, allowing access from both your desktop computer and phone. All Toodledo features are supported.
- Supports multiple accounts.
- Automatic synchronization, including instant upload of changes on your phone to Toodledo.
- Supports subtasks without a paid Toodledo Pro account. (Subtask syncing requires a pro account.)

PRIORITIZE:

- Includes 5 priority levels and a task status field (active, planning, waiting, etc.).
- Option to set a time based and/or location based reminder (proximity alert) for a task. When linking a task with a location, a location alarm will occur when you reach that location.
- Optional nagging alarms remind you again if you dont hear the sound or feel the vibration.
- Custom vibrate patterns, sounds, and light colors allow you to distinguish a task alarm from other alarms.
- Snooze alarms until later if you cant do the task right away.

CUSTOMIZE:

- Filter and search on any task field.
- Sort by up to 3 levels, on any task field.
- Configurable display allows you to see the exact information you are interested in.
- Save your filter, sort, and display options into custom views for quick access later.
- Customizable interface: Turn off the features you dont want to keep things simple.
- Choice of light or dark theme.

Whats in this version:
Ability to synchronize with Google Tasks / gTasks.
Automatic entry of the folder, context, goal and location fields based on where youre at in the app.
Ability to convert a regular task into a subtask.
Ability to promote a subtask to a regular task.
Multiple levels of subtasks (not supported by Toodledo).
Ability to turn on location reminders from tasks created in Toodledo. (See FAQs at www.ToDoList.co for directions.)
A progress bar is now displayed when running a manual sync.

Note:
Full version, allows you to use the app beyond the 14 day trial.

Download Instructions:
http://www.filesonic.com/file/1824375974

Mirror:
http://www.wupload.com/file/133098871
http://www.multiupload.com/9L5LATCIMC
<input name="IL_RELATED_TAGS" type="hidden" value="1">/></input>

Read More..

Free Download Mathway v1 0 3 APK FULL

Sabtu, 22 Maret 2014

Free Download Mathway v1.0.3 APK FULL

Free Download Mathway v1.0.3 APK FULL
Req: Any Android Version Android Apps


Mathway v1.0.3 APK FULL apps now in android ! Bring the solving power of Mathway.com to your Android device, no network access required! Solve your problems about math!

Mathway is the #1 problem solving resource !!

Download Mathway v1.0.3 APK FULL
Read More..

Twitter for Android App v 2 1 1 apk

Jumat, 21 Maret 2014


Twitter for Android App V2.1.1 apk



Updated to version 2.1.1 on July 13, 2011, Twitter for Android App apk has now been installed by an estimated 10 million to 50 million users android. This figure is fantastic for an application. You can use Twitter for Android App v2.1.1 apk which has a size 1.4M, if you have a cellphone with the Android operating system v.2.1 and above. This application is an official Twitter app for Android that will allow you perform activities like Twitter on the PC. To use this app android, please download the Twitter for Android App v.2.1.1 apk via the link below.

Read More..

Hamiltons Adventure THD v1 0 1 APK Game

Kamis, 20 Maret 2014

Hamiltons Adventure THD v1.0.1 APK Game

Put your problem solving to the test. Collect all the bling to get max score!
Required Android O/S : 3.1+


Hamiltons Adventure THD v1.0.1 APK Game

Hamiltons Adventure THD v1.0.1 APK Game - The action-puzzler Hamiltons Great Adventure, previously released to console and PC, is now made available on Android. It retains the depth and visual quality from the console game while using the unique controls available on tablets to create a new take on a very challenging game.

This first part of the Hamilton’s Great Adventure THD takes you through 24 puzzles, located in the steamy jungle of Amazonas or the windy mountain sides of Himalaya.

Each world has its own set of unique enemies and game features such as traps, spring boards and hidden treasure locations.

It will put your problem solving and timing skills to the test. Outsmart the enemies, plan your way through the levels and collect all the bling to get maximum score. But not to worry, you are not alone on your adventure. Your bird companion Sasha and a number of gadgets are there to help you.

Hamiltons Adventure THD v1.0.1 APK Game Features:
  • 22 levels divided in between two unique worlds (Jungle of Amazonas and Mountains of Himalaya).
  • Two boss levels .
  • Two playable characters, the adventurer Hamilton and his bird Sasha. Use Hamilton to progress in the levels and collect gold and keys while Sasha distract enemies, fly to secret levers to open doors and collect dust to power Hamilton’s abilities.
  • You will encounter everything from hungry Piranhas, flying Exocets, slow but unstoppable Golems and cunning Agents.
  • Get help from Hamilton’s gadgets –the Spyglass and Booster boots
  • Achieve Bronze, Silver or Gold on every level.
  • Enjoy all story content from PC game’s first two chapters (the following two chapters are available in Hamilton’s Great Adventure: THD Expansion.
Please note that the game only run on Tegra 3 powered devices. Ensure that you have at least 1GB of free space before installing Hamilton’s Great Adventure: THD.

Because of the sheer size of the content of Hamilton’s Great Adventure THD your download might take some time and first time start up process may take longer than usual. But not to worry – once done hours of brain-puzzling adventure are awaiting.

Whats in Hamiltons Adventure THD v1.0.1 APK Game : (Updated : Nov 28, 2012)
  • Important Update
  • The first hours after release we had issues with the filter that were supposed to warn buyers if their device were incompatible with the game.
  • If you bought the game prior to the filter fix and found that your device were incompatible - please report it at https://play.google.com/store/account and request a refund. We have contacted Google to find at satisfying solution to these cases and hope to be able to sort any problems out shortly.

Hamiltons Adventure THD v1.0.1 APK Game Screenshots :
Hamiltons Adventure THD v1.0.1 APK Game
Hamiltons Adventure THD v1.0.1 APK Game
Hamiltons Adventure THD v1.0.1 APK Game
Hamiltons Adventure THD v1.0.1 APK Game
Hamiltons Adventure THD v1.0.1 APK Game
Hamiltons Adventure THD v1.0.1 APK Game
Hamiltons Adventure THD v1.0.1 APK Game
Hamiltons Adventure THD v1.0.1 APK Game


Download Hamiltons Adventure THD v1.0.1 APK Game HERE 6.2Mb APK
Read More..

My Coffee Card Pro 1 3 4 APK Full Version

Rabu, 19 Maret 2014

My Coffee Card Pro 1.3.4 APK

My Coffee Card Pro 1.3.4 APK
req: Android:1.6+ Android Apk Free


My Coffee Card Pro 1.3.4 APK.. Leave the card at home and use your Android phone to pay for Starbucks purchases. No more hunting through the purse or wallet. Now you can leave the card and cash at home and pay for your purchases at Starbucks with My Coffee Card Pro for Android.... and now the new version !!

My Coffee Card Pro 1.3.4 APK Updates:
  • Fixed an issue causing reward stars not to update
  • Fixed barcode display for 1.6-2.1 devices
  • Auto-submit pin when entered
  • If you recently got a system software update, and your stars are not updating. Open My Coffee Card, press Settings icon, press Starbucks account, then press Logout. Login again and stars will work as normal.

Register your cards on Starbucks.com to save money and receive rewards each time you use your card or mobile barcode.

Notes:
  • Requires a Starbucks Card gift card or Starbucks Gold Card
  • Duetto VISA and MasterCard are not compatible. This is a Starbucks restriction for your privacy and security
  • Mobile payments are only accepted at company owned retail stores in the U.S. and Target and Safeway stores. Mobile payments are not accepted at drive-thrus
  • Partner cards must be activated before use
  • My Coffee Card Pro is only available in the United States

My Coffee Card Pro 1.3.4 APK Features:
  • Manage unlimited cards on a single device
  • Homescreen widget to see your balance and reward stars at a glance with one-click access to mobile payment barcode and store locator
  • Low balance notifications alert you when your balance is low with simple one-click to reload
  • Prevent un-authorized access to your payment barcode with security PIN lock
  • Share the same cards and rewards account on multiple devices
  • Order notepad assists you with making an office coffee run or ordering your clients favorite drinks
  • Share your rewards on Twitter or Facebook
  • Check-in to foursquare
  • Fast, intuitive user interface
  • Very small install size and battery saving optimizations
  • Supports Android 1.6 and higher

Download My Coffee Card Pro 1.3.4 APK
Read More..

SlideIT Keyboard tastiera apk v4 1 Download android full

Selasa, 18 Maret 2014

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..

Modern Combat 2 Black Pegasus v 3 3 8 apk download android

Senin, 17 Maret 2014

1 Scaricare il File .apk
2 Eliminare Versioni precedenti del Gioco e la cartella GloftBPHP (SDGameloftgames)
3 Installare ed Avviare il Gioco
4 Scaricare i File
5 Giocare



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..

SetCPU for Root Users v2 0 4 apk download android full

Minggu, 16 Maret 2014

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..

City Island v2 11 3 Full Apk

Sabtu, 15 Maret 2014

City Island full apk

Download City Island For Android

If you liked the early Sim City tycoon games, you will definately love this city building game!
In City Island you will build houses for your citizens, decorations and community buildings to make them happy, and create jobs so you can earn money and gold from your happy citizens. If you like to play free games on Android™, building a virtual life on City Island is your best choice!

Discover a life in a virtual world full of quests where you have the power to build a business empire with a choice of 85+ unique buildings, like hotels, cinemas, offices, bakeries, restaurants, and even oil platforms on your paradise island. Grow you tiny city into a large metropolis. Catch some fish with your boats, make people happy by building parks, schools, churches, libraries, museums, plants, and even a nice ferris wheel. It is all about insight and balance in this city tycoon game: happy people attract more citizens, who will need residences and jobs. You have all the power in this epic story: discover what is the best way to be a successful entrepreneur on this fabulous exotic island!


** Features **
- Fun FREE to play tycoon game
- HIGH QUALITY graphics
- Intuitive gameplay
- Challenge to create your own new virtual paradise
- Unlock and build from a list of 85+ Unique buildings (residential, commercial, community, decoration, plants, sea buildings like oil platforms and more)
- Currencies: gold and cash
- Attract citizens with parks, trees, and community buildings
- Build residences for your citizens
- Collect profit from your commercial buildings
- Upgrade your city buildings
- City park theme
- Collect XP and level up to unlock new buildings for construction
- Collect dozens of REWARDS while playing
- Expand the tiny city on your paradise island to create more room for constructing more buildings, and making your tiny city bigger and bigger
- Speed up construction/upgrade time using gold
- Lots of adventure and quests to unlock
- Help your citizens build a city on this exotic island
- Age independent story
- Find pirate chests around your island, containing cash or gold
- Tons of hours of fun
- Sim style architecture
- Play with your friends: enter friend codes and gift codes to receive cash and gold
- The "City Advisor" will provide insight and tell you what is needed in your city

Screenshot:
City Island
City Island

Download City Island v2.11.3 Full Apk
download now

Read More..

Panecal Plus 3 1 0 Full APK

Jumat, 14 Maret 2014


Panecal Plus 3.1.0 Full APK.  Scientific calculator online format with multiple views. A scientific calculator you can enter multiple line numerical formula .


Read More..

Kamus Indonesia KBBI Offline apk New Version

Kamis, 13 Maret 2014

Kamus Indonesia (KBBI) Offline apk
Kamus Indonesia (KBBI) Offline apk

Current Version : 3.0.2
Requires Android : 2.1 and up
Category : Books And Reference
Size : 3.7M






Kamus Indonesia (KBBI) Offline apk Description

Kamus Besar Bahasa Indonesia (also known as KBBI), The Great Dictionary of the Indonesian Language is the official dictionary of the Indonesian language. Produced by the Language Center of the Indonesian Department of Education, it is considered canonical as a measure of which words have been formally incorporated into Indonesian.

The dictionary was first published in 1988, and launched at the Congress on the Indonesian Language. The first edition contained 62,000 entries, the second in 1991 had 72,000, and the third in 2000 had 78,000. The current, fourth edition was released in 2008 and contains 90,000 entries. The language contained within is formal, rather than the informal language used in common conversation, and it omits words that are considered slang or foreign. The authors note:

"the compilation of a dictionary constitutes an effort of language codification which becomes part of standardization of a language."

The dictionary has been criticised for being too selective, and excluding words that are in common use. Continual work is done towards future versions, to ensure the dictionary remains relevant to changes in the Indonesian language, and the authors are open to criticism and advice on how the work might accurately reflect Indonesian. Writing in the Jakarta Post, Setiono Sugiharto states that "KBBI should be appreciated as a byproduct of work by Indonesian scholars who persistently show their commitment to the development of the Indonesian lexicon"

An online version is found at the official site, http://badanbahasa.kemdiknas.go.id/kbbi/

This unofficial Android application allows you to search for the meaning of each word. It works while offline, you don't need Internet connection to view the entries and the definition. You can copy the meaning to the system clipboard to allow pasting to other applications. You can also share it to different applications like email (Gmail), Facebook, Twitter, Google+, and others.

Dictionary Data is © 2008 Pusat Bahasa Departemen Pendidikan Nasional. All rights are property of their respective owners. This app is supported by ads.

Wikipedia contributors. "Great Dictionary of the Indonesian Language of the Language Center." Wikipedia, The Free Encyclopedia. Wikipedia, The Free Encyclopedia, 30 Dec. 2011. Web. 9 May. 2012.

_______________________________

Kamus Besar Bahasa Indonesia (KBBI) Pusat Bahasa adalah kamus ekabahasa resmi bahasa Indonesia yang disusun oleh Tim Penyusun Kamus Pusat Bahasa dan diterbitkan oleh Balai Pustaka. Kamus ini menjadi acuan tertinggi bahasa Indonesia yang baku, karena kamus ini merupakan kamus bahasa Indonesia terlengkap dan yang paling akurat yang pernah diterbitkan oleh penerbit yang memiliki hak paten dari pemerintah Republik Indonesia. Hingga saat ini sejak KBBI terbit pertama kali pada tahun 1988 sudah mengalami tiga kali revisi. Edisi terakhir adalah edisi keempat yang cetakan pertamanya diterbitkan pada tahun 2008.

Para kontributor Wikipedia, "Kamus Besar Bahasa Indonesia Pusat Bahasa." Wikipedia, Ensiklopedia Bebas. Wikipedia, Ensiklopedia Bebas, 20 Apr. 2012. Web. 9 Mei. 2012.


Kamus Indonesia (KBBI) Offline apk Videos and Images





Read More..

The Elder Scrolls V Skyrim Android Game APK

Rabu, 12 Maret 2014





Skyrim Android Game,Its a mini game.

Download Link:(Armv6 and Armv7)
DataFileHost:
SKYRIM APK(QVGA,HVGA,WVGA,Tab)

ZippySHare: 
SkyRim APK(QVGA,HVGA,WVGA,Tab) 

Install Apk And Play.
Read More..

PhotoSequence Pro 2 1 Full APK

Selasa, 11 Maret 2014


PhotoSequence Pro 2.1 Full APK.  Better than a photo, more fun than a video. PhotoSequence Pro is the fastest camera on the Android market. Keep the button pressed for time you want to take photos and have fun selecting the perfect moment, the composition of the PhotoSequence in different designs and configurations or just playing with the images back and forth at the speed of your fingers. For more fun, try to establish a new fx and play PhotoSequence. PhotoSequence Lite works great when shooting fast action sports like skateboarding or snowboarding are taken, but that is not all. Take a 360 degree or even take pictures of your family or friends will be much easier from now on. Create animation sequences in stop-motion slow catch and dragging your finger on the shutter button during the capture.


Read More..

Crazy Climber apk New Version

Crazy Climber apk
Crazy Climber apk

Current Version : 1.0.5
Requires Android : 2.1 and up
Category : Casual
Size : 9.9M






Crazy Climber apk Description

No more runing,Let's climb.
Crazy Climber is a 3D parkour game.
-Simple game operation,climb and dodge, jump to left or right and up.
-Rich and vibrant 3D graphics.
-In game,obstacles are randomly generated when you climb some floors.
-Have surprise with unlock items.so,don't forget unlock items after pick coins.
- speed ,difficulty and control setting on pause user interface.
-Test your Climbing skills and dodge your way past a variety of challenging obstacles.
For your safety,Please Don't imitate any actions at home.
Enjoy the game!

Follow us on Twitter or facebook to know about the newest releases & more!
https://www.facebook.com/icloudzone
https://twitter.com/icloudzone


Crazy Climber apk Videos and Images





Read More..

SPB Shell 3D 1 6 4 Full APK

Senin, 10 Maret 2014


SPB Shell 3D 1.6.4 Full APK.  SPB Shell 3D: next generation user interface. Add a new dimension to your phone! The reality in 3D for your phone. Add a new dimension to your Android! 

Features: 
3D Home screen / Launcher 
Smart Folders 
3D players 
Collection of panels and widgets 

SPB Shell 3D Reviews: 

"Butter-like smoothness" - Engadget 
"A useful measure because it is gorgeous" - ZDNet 
"A must have for all Android users!" - Gizmodo 
"Looks amazing and works well" - LAPTOP Magazine 
To launch SPB Shell 3D press the Home button once installation is complete. 
If you are not able to launch SPB Shell 3D, use "Home Switcher" application from the Android Market.


Read More..

Message Cleanup v1 5 Apk Download

Minggu, 09 Maret 2014

Message Cleanup v1.5 Apk Download

Message Cleanup v1.5 Apk Download
Description 
Helps delete old sms messages.Speeds up unresponsive messaging applications.
Can delete messages over a certain age, keep a set number of recent or trim threads to a set size.
Auto cleanup deletes a SINGLE sms matching criteria when a NEW sms arrives. (Auto cleanup is not compatible with all devices unfortunately)
Click wrench to configure.
Notes:
Does not delete messages stored in the "deleted" folder on some devices.
Locked SMS messages are deleted.
MMS messages are not deleted (only SMS).

Android OS Requirements
1.5 and up

Changelog
Whats in this version:
  1. Better support for high resolution devices.
File Size : 55 Kb

Download Message Cleanup v1.5 Apk
Message Cleanup v1.5 Apk Download
Read More..

Glimmr L Pro 1 6 2 Full APK

Sabtu, 08 Maret 2014


Glimmr L (Pro) 1.6.2 Full APK.  A new application for Android, fast, modern and fun Flickr! "It makes Flickr browsing on your phone Fun Again" - lifehacker.com 
* Browse your photos and contact you easily. 
* The group support. 
* Comment on photos and see the EXIF details. 
* Notifications for when your contacts show new pictures. 
* No ads. 
* Many more to come.


Read More..

ANDROID World of Anargor Apk and Cache qvga wvga hvga wsvga

Jumat, 07 Maret 2014

Download ANDROID World of Anargor

http://androidgamesofworld.blogspot.com/
World of Anargor — become a hero decided to eradicate angrily. Carry out various tasks, collect weapon and armor allocated with magic and become a hero about who will be in legends!

Features:
  • 9 fascinating missions
  • 3 main characters
  • Good graphics and sound
  • Most various enemies
  • Interesting subject line
The game demands cache downloading. How to install the game with cache?
Way for cache: sdcard/Android/obb

For Android 2.3 and higher [13.5 MB][apk] Download Here
For Android 2.3 and higher. Unlimited Money [13.5 MB][apk] Download Here
Game cache [174 MB][zip]     Download Here

Read More..

New » Apk »Premium Wallpapers HD 2 1 5

Kamis, 06 Maret 2014

Premium Wallpapers HD 2.1.5

Android Market App: 2.2

Premium Wallpapers HD collection best full HD wallpapers smartphone. All our wallpapers personally selected so personalize .

A modern but simple UI so easily navigate between categories. make wallpapers . Also Wallpapers HD most along all over , making wallpapers rise top!

New » Apk »Premium Wallpapers HD 2.1.5 :

✔ 10,000 wallpapers quality.

✔ Wallpaper sorted+ categories.

✔ New wallpapers every day.

✔ quality.

✔ Save wallpapers SD card.

✔ speed application.

✔ Stylish interface.

______________

User reviews

**Melissa Ross**

Great apo Great app, nice HD wallpapers ♥♥♥♥♥

**Jim Powell**

Excellent app! Lots categories wallpapers from.

**Gerhard Steyn**

STUNNING!!! Thank MUCH, Beautiful

/>

https://play.google.com/store/apps/d...miumwallpapers

Download New » Apk »Premium Wallpapers HD 2.1.5 Instructions:

http://www.nerofile.com/uap2lwbr7hq2

Read More..

ANDROID Dungeon nightmares Apk all devices qvga wvga hvga wsvga

Rabu, 05 Maret 2014

Download ANDROID Dungeon nightmares





http://androidgamesofworld.blogspot.com/
Dungeon nightmares - an incredibly terrible game, where you get to the world of nightmares. Try to find the way out of this terrible vault of horrors.

Features:
  • Immersing game atmosphere
  • Set of dangers
  • Simple control system
  • Excellent graphics
Read More..