Changing coordinate system using rotation 2D from canonical base UPDATE

Some weeks ago I wrote a C code for a particular case of changing coordinateas using rotation matrix and today I rewrote it for a general use:
CODE:

 1 #include<stdio.h>
2 #include<math.h>
3 #define PI 3.14159265
4 double a[2][2],b[2],c[2],x;
5 int i,j;
6 /*initializare matrice rotatie*/
7 void matrice_rotatie(double a[2][2],double x)
8 {a[0][0]=a[1][1]=cos(x*2*PI/360);
9 a[0][1]=-sin(x);
10 a[1][0]=sin(x);
11 }
12 /*rotatie*/
13 void rotatie(double b[2],double c[2],double a[2][2])
14 {
15 for(i=0;i<2;i++)
16 for(j=0;j<2;j++)
17 c[i]+=a[i][j]*b[i];
18 }
19 /*afisare_matrice*/
20 void afis_matrice(double a[2][2]){
21 for (i = 0; i < 2; i++) {
22 for (j = 0; j < 2; j++)
23 printf("%.2lf ", a[i][j]);
24 printf("
"
);
25 }
26 }
27 int main(){
28 printf("Coordonatele punctului:");scanf("%lf %lf",&b[0],&b[1]);
29 printf("Unghiul de rotatie:");scanf("%lf",&x);
30 matrice_rotatie(a,x);
31 rotatie(b,c,a);
32 printf("coordonatele noi sunt:%.2lf si %.2lf
"
,c[0],c[1]);
33 return 0;
34 }
Read More..

Different case in lifecycle of Activity and Fragment

Its part of the articles of lifecycle: start reading from Understand lifecycle of Activity and Fragment, Introduction.


I try to show the different case in lifecycle of Activity and Fragment in this post. Before I show the code, I show what found in my trial experiment.

case 1:
    Close app by HOME, become invisible:
  • MainActivity.onPause
  • MyFragment1.onPause
  • MainActivity.onStop
  • MyFragment1.onStop

  • back from closed app:
  • MainActivity.onRestart
  • MainActivity.onStart
  • MyFragment1.onStart
  • MainActivity.onResume
  • MyFragment1.onResume



case 2:
    Finished by calling finish() method (press the finish button):
  • MainActivity.onPause
  • MyFragment1.onPause
  • MainActivity.onStop
  • MyFragment1.onStop
  • MainActivity.onDestroy
  • MyFragment1.onDestroyView
  • MyFragment1.onDestroy
  • MyFragment1.onDetach

  • back from finished:
  • MainActivity.onCreate
  • MainActivity.onCreate / savedInstanceState == null
  • MainActivity.onStart
  • MyFragment1.onAttach
  • MyFragment1.onCreate
  • MyFragment1.onCreateView
  • MyFragment1.onActivityCreated
  • MyFragment1.onStart
  • MainActivity.onResume
  • MyFragment1.onResume

case 3:
    Orientation changed:
  • MainActivity.onPause
  • MyFragment1.onPause
  • MainActivity.onStop
  • MyFragment1.onStop
  • MainActivity.onDestroy
  • MyFragment1.onDestroyView
  • MyFragment1.onDestroy
  • MyFragment1.onDetach
  • MainActivity.onCreate
  • MyFragment1.onAttach
  • MyFragment1.onCreate
  • MainActivity.onCreate / savedInstanceState != null
  • MainActivity.onStart
  • MyFragment1.onCreateView
  • MyFragment1.onActivityCreated
  • MyFragment1.onStart
  • MainActivity.onResume
  • MyFragment1.onResume

case 3:
    Kill by system
    (refer this post to simulate activity killed by system)
  • MainActivity.onPause
  • MyFragment1.onPause
  • MainActivity.onStop
  • MyFragment1.onStop
  • MainActivity.onDestroy
  • MyFragment1.onDestroyView
  • MyFragment1.onDestroy
  • MyFragment1.onDetach

  • back from killed
  • MainActivity.onCreate
  • MyFragment1.onAttach
  • MyFragment1.onCreate
  • MainActivity.onCreate / savedInstanceState != null
  • MainActivity.onStart
  • MyFragment1.onCreateView
  • MyFragment1.onActivityCreated
  • MyFragment1.onStart
  • MainActivity.onResume
  • MyFragment1.onResume




The test code is modified version from the post "Understand lifecycle of Activity and Fragment". To make the main code clear, custom Activity (MyFragmentActivity extends FragmentActivity) and Fragment (MyFragment extends Fragment) were implemented to display status of lifecycle on Toast and log in LogCat.

MyFragmentActivity.java
package com.example.androidfragmenttest;

import android.os.Bundle;
import android.support.v4.app.FragmentActivity;
import android.util.Log;
import android.widget.Toast;

public class MyFragmentActivity extends FragmentActivity {

@Override
protected void onCreate(Bundle savedInstanceState) {
recLifeCycle();
super.onCreate(savedInstanceState);
}

@Override
protected void onStart() {
recLifeCycle();
super.onStart();
}

@Override
protected void onRestart() {
recLifeCycle();
super.onRestart();
}

@Override
protected void onResume() {
recLifeCycle();
super.onResume();
}

@Override
protected void onPause() {
recLifeCycle();
super.onPause();
}

@Override
protected void onStop() {
recLifeCycle();
super.onStop();
}

@Override
protected void onDestroy() {
recLifeCycle();
super.onDestroy();
}

public void recLifeCycle(){

String className = getClass().getSimpleName();
StackTraceElement[] s = Thread.currentThread().getStackTrace();
String methodName = s[3].getMethodName();

Toast.makeText(getApplicationContext(),
className + "." + methodName, Toast.LENGTH_SHORT).show();
Log.i("MYTAG", className + "." + methodName);

}

public void recLifeCycle(String note){
String className = getClass().getSimpleName();
StackTraceElement[] s = Thread.currentThread().getStackTrace();
String methodName = s[3].getMethodName();

Toast.makeText(getApplicationContext(),
className + "." + methodName, Toast.LENGTH_SHORT).show();
Log.i("MYTAG", className + "." + methodName + " / " + note);
}

}


MyFragment.java
package com.example.androidfragmenttest;

import android.app.Activity;
import android.os.Bundle;
import android.support.v4.app.Fragment;
import android.util.Log;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.Toast;

public class MyFragment extends Fragment {

@Override
public void onAttach(Activity activity) {
recLifeCycle();
super.onAttach(activity);
}

@Override
public void onCreate(Bundle savedInstanceState) {
recLifeCycle();
super.onCreate(savedInstanceState);
}

@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container,
Bundle savedInstanceState) {
recLifeCycle();
return super.onCreateView(inflater, container, savedInstanceState);
}

@Override
public void onActivityCreated(Bundle savedInstanceState) {
recLifeCycle();
super.onActivityCreated(savedInstanceState);
}

@Override
public void onStart() {
recLifeCycle();
super.onStart();
}

@Override
public void onResume() {
recLifeCycle();
super.onResume();
}

@Override
public void onPause() {
recLifeCycle();
super.onPause();
}

@Override
public void onStop() {
recLifeCycle();
super.onStop();
}

@Override
public void onDestroyView() {
recLifeCycle();
super.onDestroyView();
}

@Override
public void onDestroy() {
recLifeCycle();
super.onDestroy();
}

@Override
public void onDetach() {
recLifeCycle();
super.onDetach();
}

public void recLifeCycle(){

String className = getClass().getSimpleName();
StackTraceElement[] s = Thread.currentThread().getStackTrace();
String methodName = s[3].getMethodName();

Toast.makeText(getActivity(),
className + "." + methodName, Toast.LENGTH_SHORT).show();
Log.i("MYTAG", className + "." + methodName);
}

public void recLifeCycle(String note){

String className = getClass().getSimpleName();
StackTraceElement[] s = Thread.currentThread().getStackTrace();
String methodName = s[3].getMethodName();

Toast.makeText(getActivity(),
className + "." + methodName, Toast.LENGTH_SHORT).show();
Log.i("MYTAG", className + "." + methodName + " / " + note);
}

}


MainActivity.java
package com.example.androidfragmenttest;

import android.os.Bundle;
import android.support.v4.app.FragmentManager;
import android.support.v4.app.FragmentTransaction;
import android.view.View;
import android.view.View.OnClickListener;
import android.widget.Button;
import android.widget.FrameLayout;

public class MainActivity extends MyFragmentActivity {

static public class MyFragment1 extends MyFragment {

@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container,
Bundle savedInstanceState) {
super.onCreateView(inflater, container, savedInstanceState);
View view = inflater.inflate(R.layout.fragment_layout1, null);
return view;
}

}

FrameLayout fragmentContainer;
Button buttonFinish;

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

buttonFinish = (Button)findViewById(R.id.finish);
buttonFinish.setOnClickListener(new OnClickListener(){

@Override
public void onClick(View arg0) {
finish();
}});

fragmentContainer = (FrameLayout) findViewById(R.id.container);
if (savedInstanceState == null) {
// ifs the first time created
recLifeCycle("savedInstanceState == null");

MyFragment1 myListFragment1 = new MyFragment1();
FragmentManager supportFragmentManager = getSupportFragmentManager();
FragmentTransaction fragmentTransaction = supportFragmentManager
.beginTransaction();
fragmentTransaction.add(R.id.container, myListFragment1);
fragmentTransaction.commit();


}else{
recLifeCycle("savedInstanceState != null");
}
}

}


/res/layout/activity_main.xml
<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" >

<Button
android:id="@+id/finish"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="finish()"/>
<FrameLayout
android:id="@+id/container"
android:layout_width="match_parent"
android:layout_height="match_parent" >
</FrameLayout>

</LinearLayout>


/res/layout/fragment_layout1.xml
<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="match_parent"
android:layout_height="wrap_content"
android:text="Fragment 1"/>

</LinearLayout>


Test different case in lifecycle of Activity and Fragment


download filesDownload the files.

* the original chart of lifecycle is taken here.

Read More..

Anti Mosquito Sonic Repeller v1 5 APK Android FULL VERSION

Anti Mosquito - Sonic Repeller v1.5 APK Android FULL VERSION

Anti Mosquito - Sonic Repeller v1.5 APK Android FULL VERSION
Req: Android 1.6+ Android Apk Free


Anti Mosquito - Sonic Repeller v1.5 APK Full version new release! This Mosquito Repeller prevents you from getting bitten by mosquitoes.

Each year there are more than 225 million cases of malaria, killing around 781,000 people.

The application emit a very unique high frequency sound (ultra sound) that the insects dislike. The pitch of the sound is so high that most humans will not notice anything.

Keep the application close to you and enjoy the outdoors without bites.... say no to MOSQUITO!

GET NOW!

Download Anti Mosquito - Sonic Repeller v1.5 APK Android FULL VERSION
Read More..

Brain Puzzle Block Rogue 1 3 Android

Block Rogue 1.3 (Android)
Requirements: Android 2.2

Block Rogue 1.3 (Android) Overview: A massive, labyrinthine dungeon, hundreds of mind-bending puzzles, and a dark mystery waiting to be solved. Prepare yourself: Block Rogue is the biggest mobile puzzle adventure game ever made.
Think you’re good at solving puzzles? I hope so, because little Ilbin really needs your help. He’s lost in this dungeon, you see, and seems to be suffering from a bit of memory loss. And the only things keeping him company are a bunch of talking mirrors, magic orbs, and a torn-up book of secrets.
Help Ilbin puzzle his way through, and we’ll figure out what’s up with this crazy dungeon!

Block Rogue 1.3 (Android) features:

  • - Winner of Microsoft-sponsored "Dr. Dobbs Challenge Deuce" competition
  • - Slide to Play says: "Sokoban has never been as addictive as it is in Block Rogue"
  • - Recipient of "The Gamers Temple Award of Excellence"
  • - Featured as Edge magazines "Friday Game"
  • - Featured in Cult of Macs "Must-Have iOS Games of the Week"
  • - Featured in GameFronts "Notable Mobiles"
  • - Block Rogue is a puzzle game where each solution brings you one step closer to discovering the truth!
  • - Progress is automatically saved! Jump in and jump out at your leisure.
  • - Puzzle rooms are randomly-generated using ingenious and sinister algorithms for endless replay value!
  • - Mind-bending room configurations, from standard push-block puzzles to complex amalgamations of roller-balls, switches, death-rays, and more!
  • - Shockingly-deep lore with secret stories hidden throughout the game!


Block Rogue 1.3 (Android) screenshot:
Block Rogue 1.3 (Android)Block Rogue 1.3 (Android)

Block Rogue 1.3 (Android)

Code:
https://play.google.com/store/apps/details?id=com.buzzmonkey.BlockRogue 

Download Block Rogue 1.3 (Android)
Code:
http://rapidgator.net/file/6215552/Block.Rogue.1.3.Android.zip.html 
http://bitshare.com/files/08ycs0ao/Block.Rogue.1.3.Android.zip.html 
http://ifile.it/kd5ce3u/Block.Rogue.1.3.Android.zip 
Read More..

Farm Story™

Farm Story™ 1.3.0

Farm Story: grow fruits, raise animals and decorate beautiful farm with friends!
Welcome to Farm Story™ where you and your friends can grow fruits, raise farm animals, and decorate the most beautiful farms!
Farm Story™ includes FREE updates with new fruits, decorations, animals, and more every week!

FEATURES:
- Plant over 150 varieties of delicious fruits, veggies, and beautiful flowers.
- Design and decorate your farm with trees, fences, and buildings.
- Visit real neighbors to watch their crops grow.
- Simple and easy-to-use tap interface.
- FREE updates with new fruits, flowers, trees, buildings, decorations, animals, fish, and more every week!
- It's FREE!

PLEASE NOTE:
- This is an online game only.
Read more »
Read More..

Handcent SMS v3 9 7 Android apk app


Requirements: for all Android versions
Overview: Handcent fully unleashes the messaging power for android phones, fully customizable and more features than the stock android messaging app.

  > Support All types for andorid phone,from android 1.5 to newest 2.3

> Full SMS/MMS support

> Support 20+ languges

> Group sending options,batch send

> SMS Popup with quick text

> Customize look with theme supports, include iphone look ,hero look, and support for downloading more skins and themes

> Individual contact notification,custom look (background,buble style) for different friends

> Security lock options, password protect handcent and your stock messaing application

> Backup/restore SMS /MMS, Handcent settings online and restore with one click

> My Handcent online services

> Built in spell checker

> Hundreds of handcent online themes, download them free and adding new themes everyday

> 20+ languages supported and will add more language support

> Better Mms support (better picture resize feature,help you download high resolution picture for UK carriers,settings Maximum Mms size)

> Handcent Mms Plus service, helps you send high resolution pictures and videos to your friends

> Additional smileys package add-on, you can download more smileys for handcent from android market

> Support local messaging protocol for different countries

> Split 160 feature support auto split message for CDMA network (for example: Verizon)

> Support for additional font packs, also can display sms message with many beautiful & stylish fonts

> Many plugins (Location,smileys,fontpack...)

> Built in Blacklist with the ability to make incoming mms/sms private per individual sender and help you block spam message.

> Supports manage drafts and undelivery messages

> Added vCard capacity for your android phone ,you can send/receive/import vCards from handcent

>Added Emoji capacity for your android phone,you can send cool/funny emoji icons to iphone and the android phones that installed handcent & handcent emoji plugin

>Handcent greetings include many holidays animated greetings ,you can choose the beatiful greeting and send to your friends.

>Handcent privacy box can help you hide & password protect threads/conversation, private conversations wont be read(or be made visible) by other messaging apps(stock, 3rd party, etc.)

>Support Schedule SMS & MMS messages,you can setup schedule task by daily ,monthly ,weekly ...,powerful

Visit http://www.handcent.com for more introduction & visit http://faq.handcent.com for frequently asked question

Whats in this version:
#3.9.7
> Fix force close at some ASUS phone type
> Improve display timestamp that recipient sent message
# 3.9.6
> Improve group sms feature,now it is fast to send 100+ group sms
>New 2.0 version of hadncent online website
>Support display timestamp of people sent the message now (classic android only include the timestamp that you received message normally)
>Add spell check feature to full editor window
>Add Serbian language support
>Fix Android 1.5 support and some known issues


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

Mirror:
http://www.filefat.com/e1ugevmospni
http://www.multiupload.com/RAXIVTA4AH
Read More..

Fast Burst Camera 2 0 1 v2 0 1 Android Apk App

Fast Burst Camera v2.0.1
Requirements: Android OS 2.2 - 2.3
Overview: Take 5 to 10 pictures per second with this high-speed camera application

Fast Burst Camera is capable of taking 5 to 10 photos per second. Hold shoot button for continuous burst, or tap for fast single shots
Supports flash, focus and zoom. Shutter sound can be turned of.

Great for
- sports shots
- pictures of kids or pets
- party camera
- taking a burst of pictures in an important situation, and pick the best later
- analyse your golf swing frame-by-frame

Tips for good burst photos
- get as much light as possible - especially when capturing things or people in motion
- keep the camera steady
- hold the shoot button for continuous bursts, and pick the good shots later

Whats in this version:
MAJOR improvement in burst size - now up to 100 pictures in a burst!
You can test this by selecting "All Available" in the Memory Buffer Size preference.
Please email support@spritefish.com if you experience issues with this.

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

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

Read More..

Agile lock 2 6 Full APK


Agile lock 2.6 Full APK. agile lock, customize your lock screen, schedule your lock screen additional enticing ! agile lock could be a lock screen replacement, sense 3. zero like, that results in additional experience in making use of cool lock.



Read More..

Nova Launcher Prime v1 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..

Desert Storm Aircraft War

Desert Storm - Aircraft War 1.1.0

DEATH TO ENEMIES!!
AN AIR BATTLE IS INEVITABLE!!
TRY TO JOIN THE WAR AND DEFEAT THE ENEMIES AS A PILOT OF WARPLANE!!

INTRODUCTION
On the morning of August 2, 1990 the mechanized infantry, armor, and tank units of the Iraqi Republican Guard invaded Kuwait and seized control of that country. The invasion triggered a United States response, Operation DESERT STORM,to deter any invasion of Kuwait's oil rich neighbor, Saudi Arabia.
On August 7, deployment of U.S. forces began. The U.S.-led coalition launched air attacks against Iraqi targets.The coalition flew over 100,000 sorties, dropping 88,500 tons of bombs,and widely destroying military and civilian infrastructure at the early age.Iraq responded by launching Al Hussein missiles.

HOT ANDROID HELICOPTER GAME
This game generally received positive reviews from the gaming press; It was praised for its interesting and challenging gameplay and storyline; it also features much more details within the game.
You and your squad highly-specialized soldiers are ordered back to Iraq to complete some unfinished missions. You will play as American Delta Force members.You will have ten different missions to achieve and you will dispose of more weapons and more vehicles too. Each mission has its own features and unique objectives and some of these objectives are only revealed while you are advancing throughout the game.You will have to use different tactics, such as focusing on a head on approach or by using stealth against a variety of forces from the Iraqi military.
Read more »
Read More..

Rule the Kingdom MOD APK v5 04 Unlimited Money Free Full Version No Root Offline Crack Obb Download

Rule the Kingdom 5.04 Apk Mod Full Version Unlimited Money Download

Rule the Kingdom 5.04 Apk Mod Full Version Unlimited Money Download-iANDROID Games 


DOWNLOAD LINKS
Read More..

Font Installer ★ Root ★ apk Free

Font Installer ★ Root ★ apk
Font Installer ★ Root ★ apk

Current Version : 2.0.1
Requires Android : 1.5 and up
Category : Tools
Size : 2.1M






Font Installer ★ Root ★ apk Description

The best Font Installer on Android! Select from hundreds of custom fonts to install system wide! Preview, backup, install from SD card and share your fonts.

This app is for rooted devices only! If you don't know what root is then please do not download this app.

This app is also available in ROM Toolbox Pro along with many more features.

If you have any problems and/or questions feel free to email us at jrummy.apps@gmail.com. We will provide fast and friendly support.

Warning:

Changing fonts modifies your system files. You should always have a current backup in recovery and know how to restore your device back to stock.


Font Installer ★ Root ★ apk Videos and Images





Read More..

Hotspot Shield VPN apk New Version

Hotspot Shield VPN apk
Hotspot Shield VPN apk

Current Version : 1.0
Requires Android : 2.0 - 4.2
Category : Tools
Size : 2.4M






Hotspot Shield VPN apk Description

++ World's most popular FREE VPN for Wi-Fi security, privacy, save data and unblock sites with over 120 Million downloads worldwide!

★ BROWSE PRIVATELY & ANONYMOUSLY; AT SCHOOL, CAFÉ, OR ABROAD
★ ACCESS BLOCKED WEBSITES AND APPS ANYWHERE
★ PROTECT YOURSELF FROM IDENTITY THEFT
★ AVOID 3RD PARTY TRACKING


++ Recommended by CNET, PC WORLD, CNN and PC Magazine!
★★★★★ “You'll notice the difference in Web page loading times. We liked the fact that Hotspot Shield cut down average loading times by more than 30 percent,” CNET

★★★★★ “By using VPN technology to encrypt all traffic….Hotspot Shield protects all digital communication including browsing, e-mail, text messaging, and communication by apps,” PC Magazine

★★★★★ "If you're concerned about threats like Firesheep or you know how easy it is to sniff out passwords and cookies, you may want to give the app a try," Lifehacker


++ Calling ALL US & UK college students: Enter to win $50,000 in scholarship prizes and get Hotspot Shield (desktop or iOS) for FREE for 1-year!
Visit http://college.hotspotshield.com


++ SUPPORTING DEVICES:
- Supports Android 2.x/4.x OS
- NO support for Android 3.x
- NO support for Amazon Kindle.

Android 4.x important (!) note: due to limitations of the Android VPN API there are a few incompatible devices:
- Sony all-tun missing.
- Asus Transformer TF-201 (with Android < 4.0.3).
- Archos G9 (with Android < 4.0.5).
- Compatibility issues may sometimes arise with certain devices. Please give us a feedback in such cases so that we can resolve the issue in our next update.

In case of any issues, please email us at android@anchorfree.com instead of leaving a support issue or comment in the reviews.


++ FEATURES: Enjoy all the great features you love on desktop version!

INTERNET SECURITY & PRIVACY: Protect yourself while using Wi-Fi hotspots; protect your identity and stop unwanted tracking. Share and communicate privately.

PROTECTS & NOTIFIES you of spam, phishing and rogue websites with protection from malware, spam, phishing and bots.

GIVES YOU ACCESS to your favorite sites: Unblock any blocked content and services - get Facebook, Skype, YouTube, Twitter, Flickr, Netflix, Hulu, Pandora, VOIP and other services wherever you are: at work, school or while traveling

QUICKLY SHARE THE APP to your loved ones via email or SMS, so they can secure their connection too! It provides the best recommendations from your contact list. We DO NOT store any personal information


++ Monthly and Annual ELITE Subscriptions available for faster connection, better cost savings and enhanced security. All subscriptions provide unlimited VPN bandwidth and NO ADS


++ NOTES:
Now we ask 2 additional App Permissions, Phone Calls & Your Social Information to enable sharing the app easily.

Before starting Hotspot Shield VPN - if you have other installed VPN clients, please be sure that they are disconnected.
If you see the "Uninstall" button on the application main screen and if you plan to uninstall the app - please tap on this button to uninstall the application. If there is no "Uninstall" button on the screen - please use your usual way to uninstall application.


++ LANGUAGES:
- English
- Russian
- Arabic
- Turkish
- Japanese
- Vietnamese
- French
- Spanish
- German
- Chinese


Follow us on…
Facebook: https://www.facebook.com/hotspotshield
Twitter: @HotspotShield
Also check out our desktop version: http://www.hotspotshield.com
Support URL: http://hsselite.zendesk.com
Contact email: support@anchorfree.com or android@anchorfree.com
Copyright: AnchorFree, Inc.

Thank you for all the support!


Tags: AnchorFree, Hotspot Shield, Free VPN, WiFi, Hide IP, Secure connection, Unblock sites, Access Internet, Content


Hotspot Shield VPN apk Videos and Images





Read More..

Download HDR Pro Camera v1 06 APK

Download HDR Pro Camera v1.06 APK. Create well-exposed HDR photography. HDR Pro Camera creates well-exposed full-resolution pictures captured with the phones camera and from already stored pictures. Therefore two or three pictures with different exposures are stitched into one HDR image. Various parameters can be contolled such as saturation, brightness, contrast, details, picture alignment and others. The final image can be directly uploaded from HDR Pro Camera to Facebook, Flickr, Picasa, and Twitter.

mirror
Read More..

i Fishing Lite apk Fast Download

i Fishing Lite apk
i Fishing Lite apk

Current Version : 5.1
Requires Android : 2.2 and up
Category : Sports Games
Size : 20M






i Fishing Lite apk Description

The most popular iPhone fishing game with over 14 million downloads is now available for Android! If you like iFishing, make sure you try Doodle Fishing, iFishing Saltwater Edition, and iFishing Fly Fishing Edition!

News: iFishing Saltwater 2 is now available with HD graphics!

This is the lite/demo version that includes one lake. The full version includes 15 lakes. You will not be able to unlock more lakes in this version.

This is THE MOST REALISTIC AND IN-DEPTH fishing game for Android. This is not an arcade game like the other fishing games... it's a fishing simulator written by an avid fisherman.

This blows the other fishing games away in terms of realism and gameplay depth! In iFishing, location, lure, lure depth, jigging and your reeling speed makes a difference about what fish you catch. It is the only fishing game that lets you drive a boat around a lake and fish structures.


Features:
-High definition 960x640 graphics for the latest devices including tablets

- Variety of lures with different actions (jigs, topwater, spinnerbait, divers)

- Many species of freshwater fish to catch (perch, black crappie, bluegill, smallmouth bass, largemouth bass, walleye, pike, carp, catfish, and musky)

- Use the accelerometer to cast, jig, aim your lure, and fight fish.

- Exciting fish fights while keeping the line tension in check, even see them jump!

- Use the fish finder and drive your boat to seek out the best places on the lake.

- Advanced fish AI, including schooling behavior, lure preferences, and hotspots based on structure such as dropoffs, weeds, lilypads, logs and rocks.

- Practice or Tournament modes in 3 difficulties.

- See over 40 real life backdrops and different ambient sounds based on where you are in the lake.

- Trophy room to keep track of your biggest fish ever caught.

- Fishing guide gives you audible advice and encouragement!

-To unlock more lakes you need to win cash in the tournaments. Check the lake screen to see how much cash you've earned and need to unlock the next lake.

Responses to reviews:

- To people saying it won't cast more than 8 feet, this has been fixed so 20 ft is the minimum distance. The tilt of the phone when you release the line determines the cast distance. Let go of the line a little while after you make a cast motion. You can actually hold it as long as you want and then let go.

If the rod doesn't move then your accelerometer isn't working on your phone and you should get that checked out.

If you have trouble running it on your phone, please contact me at support@rockingpocketgames.com and tell me what phone/model you have! I will buy the phone and make it work!


i Fishing Lite apk Videos and Images





Read More..

ANDROID Cycling 2013 Apk all devices qvga wvga hvga wsvga

Download ANDROID Cycling 2013

http://androidgamesofworld.blogspot.com/
Cycling 2013 - operate the level of endurance of your athlete while you are riding around the city or in mountains and win first place in cycle racing of Tour de France.

Features:
  • 15 city, rural and mountain levels
  • 10 Grand rounds with 3, 5 or 7 levels
  • 10 obstacles in the motorcycle arena of velodrome
  • 5 levels of difficulty
  • 6 athletes with various levels of actions
Android 2.1 and higher [30.4 MB][apk] Download Here
Read More..

Memo Pad apk Free

Memo Pad apk
Memo Pad apk

Current Version : 18.6.1
Requires Android : 1.6 and up
Category : Tools
Size : 726k






Memo Pad apk Description

Memo Pad is a simple and easy use note book application.
The main target is Xperia X10, but it might be also suitable for other devices.

*Frequently asked questions

Ques. I want to switch to a new phone (or reset my phone). How can I backup my notes in the Memo Pad.

Ans. Please see the extra app 'MemoPad Tools', which you can make a full backup to and from the SDCard (or any other external storage embedded in your phone device).

notice: MemoPad Tools does not support all android devices.

https://market.android.com/details?id=com.xtakagi.android.memopad.tool

notes: As Memo Pad does not require any permission, you'll have to backup your notes manually before uninstalling or you'll lose all your notes. sending notes by email or using share will help you backup your notes manually.

Tested Device
- Xperia X10
- Xperia acro HD (SO-03D)
- Motorola Photon
- Motorola IS12M (XT909)
- Sharp IS03
- Nexus7

Ver. 18.6
- Fixed compatibility for android devices
- Fixed several bugs

Ver. 18.5.2 Release Notes.
- Fixed layout for tablet size screen

Ver.18.5.1
- Bug fixes.
- Icons has been changed.

Ver.18.5 Release Notes.
- Fixed translate bugs.
- New Font size 'Huge' added.
- Adjust layout for wide screen.
- Enabled to move app to media area, such as SDCard.

*notice: widgets will be disabled if you move the app to an external device, such like SDCards.

Ver.18.4.1 Release Notes.
- Fixed layout bugs for specific devices.

Ver.18.4 Release Notes.
- Adjust and rewrite layouts for compatibility.
- Fixed several bugs.

Ver.18.3.2 Release Notes.
- Fixed crash bug in searching memo.
- Adjust display layouts.

Ver.18.3.1 Release Notes.
- Fixed Widget crash bugs.
- Adjust display in widget.

Ver.18.3 Release Notes.
- Enhanced widget (Now themes are applied to widgets!)
- Fixed some display bugs on widgets
- Added new widget size 'thin' (4x1)

Ver.18.2 Release Notes.
- Language Portuguese(PT) added.
- Fixed translate bugs.
- Fixed several display bugs.

Ver.18.1 Release Notes.
- Fixed crash bugs (which occurs in specific settings)

Ver.18.1.0 Release Notes.
- Added Cursor interface (for users who have difficulty moving their cursor on touch screens by using there fingers)


Memo Pad apk Videos and Images





Read More..

New » Apk »Zoner Mobile Security Tablet v1 2 1

Zoner Mobile Security - Tablet v1.2.1

Android Market App: 3.0

Android Market App: Zoner Mobile Security modern security -virus solution device. protection against viruses, dialers, trojans, worms, spyware, adware malware call protection.

BLACK FRIDAY SALE!

antivirus.

New » Apk »Zoner Mobile Security - Tablet v1.2.1 available Zoner Mobile Security:

* Ads detection

* Backup & Restore - SMS logs

Other Android Market App:

* Theft Protection (find device)

* Installed app protection

* On-access -dem

* Phone filtering (block calls )

* Parental lock

* Permission viewer

* Task Manager

* Automatic database updates

* Home screen widget

* Secure messages

Zoner Mobile Security modern security -virus solution device. protection against viruses, dialers, trojans, worms, spyware, adware malware call protection. T developed where many good AV products like AVG, Avast, ESET, Avira come from.

test using applications containing test file:

Zoner AntiVirus Test

or EICAR Anti-virus Test

or Antivirus TESTVIRUS

http://twitter.com/zoner_antivirus

Ads detection provides notifications about installed apps ads. get rid push notifications easily.

Backup SMS logs them between , upload Drive, Dropbox, Gmail, etc.

Theft Protection enables remotely control via SMS messages. If lost get a location it. If been stolen be notified when SIM .

App protection checks all newly installed applications. s old installed applications from .

On-access protection scans any downloaded files SD Card when plugged in.

Phone filtering provides blocking SMS/MMS protects malicious apps paid numbers. bonus a parental lock calls.

Secure messages messages via SMS, email, facebook, twitter, etc.

Zoner Mobile Security uses strong encryption selected messages form. those messages he right key (password).

Languages: لعربية, Česky, 中文, Deutsch, English, Español, Français, Bahasa Indonesia, Italiano, 日本語, 한국어, Magyar, Polski, Português (Brasilia), Pусский, Română (by Cristian Drossu), Slovensky, Tiếng Việt (by Tran Thanh Binh), Türkçe (by Saner Apaydın), Yкраї́нська

Whats New

Version 1.2.1:

* Scheduled s

Version 1.2.0:

* LiveThreat update

* bugfixes

s

/>

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

Download New » Apk »Zoner Mobile Security - Tablet v1.2.1 Instructions

http://ul.to/nnxcfkon

Mirror New » Apk »Zoner Mobile Security - Tablet v1.2.1 :

http://www.kingfiles.net/om7zxi47se10

http://rg.to/file/f52e71d53afa427f1ba3d1ea63dad427

Read More..

Falling skies Planetary warfare apk and data direct link free download


Genres:Strategy
Features:Online
Added:02.18.2014

Android 4.0.4 and higher. Unlimited. ARMv7. v1.1.3 [49.4 MB][apk]


Read More..

EasyTether Pro 1 1 1 apk

Tether to Windows, Mac OS X, Ubuntu, ps3, wii, xbox. No root. No tether fees.
NOTE FOR OUR CUSTOMERS WITH VERIZON: IF YOU HAVE ALREADY BOUGHT THE FULL APP, YOU DO NOT HAVE TO PAY AGAIN, EMAIL OUR SUPPORT (support@mobile-stream.com) AND TELL US YOUR GOOGLE ORDER NUMBER.
RUN THE APP ON YOUR PHONE AND FOLLOW THE SETUP WIZARD.
EasyTether shares your phone Internet connection with PC (Windows 7/Vista/XP 64-bit/32-bit, Mac OS X, Ubuntu, Fedora 13+). EasyTether works via USB.
Remove other EasyTether versions before installation.
Does not require root access.
Tether PS3, Wii, XBox via PC Internet Connection Sharing, you need a computer for game console tethering.
One-time fee only.
EasyTether is developed by Mobile Stream and published by Polyclef Software.

Download via Mediafire, Filesonic, Multiupload, DepositFiles, RapidShare, Wupload, HotFile, etc. Mirror 1 Mirror 2 Mirror 3
Read More..

I Gladiator APK DATA 1 0 0 18380 Google Play Version Free Full No Root Offline Crack Obb Download

I Gladiator Final Apk Full Version Data Files Download

I Gladiator Final Apk Full Version Data Files Download-iANDROID Games 

Download All the parts and extract them. Install .apk File And place data folder in SDcard/Android/obb/ and Start playing. 


DOWNLOAD LINKS
Read More..

New » Apk »Toca Lab v1 0 3

Toca Lab v1.0.3

Android Market App: Android 4.0.3+

Android Market App: Calling all future scientists!

Welcome Lab! Explore world all 118 elements from table.

Discover elements lab tools!

* Take spin centrifuge.

* Warm them burner.

* Put cooling agent!

* Add a drop liquids from tubes.

* Change their voltage them magnetic oscilloscope.

Each elements own personality. Lab, what does Neon sound like? heavy? squishy? Explore, inspect, us know! find all 118?

, future scientists, in lab . Put lab coat eye gear because things experimental!

Toca Lab place fun, hope kids science. While table Lab , new elements . Instead, it’s a fun way , discover curiosity world . Toca Lab a starting point exploration!

About Toca Boca

Toca Boca digital toys. playing fun best way about . Therefore digital toys stimulate , play together kids. Best - a safe way without third-party advertising-app purchases.

/>

https://play.google.com/store/apps/d...caboca.tocalab

Download New » Apk »Toca Lab v1.0.3 Instructions:

http://www.tusfiles.net/9b4l09juswtw

http://ul.to/u7gxs6iu

http://www.kingfiles.net/4vxxw6uu8rg...Lab.v1.0.3.zip

http://unlimitzone.com/cwyyxtf6b8xx/...1.0.3.zip.html

Read More..

Arma Tactics THD NON TEGRA TEGRA APK DATA Free Full Version No Root Offline Crack Download

Arma Tactics THD 1.1912 Apk Data Files Download

Arma Tactics THD 1.1912 Apk Data Files Download-iANDROID Stores 

 

Extract and Install .apk File And place data folder in SDcard/Android/obb/ and Start playing. You Can Always Download Data Files From your Phone If You Want.


DOWNLOAD LINKS
Read More..

ANDROID Reaper Apk all devices qvga wvga hvga wsvga

Download ANDROID Reaper

http://androidgamesofworld.blogspot.com/
Reaper – transfer to the world of magic and begin your fascinating travel. Strike all enemies by means of a sword, pass a set of quests and pump over your hero.

Features:
  • Uncountable quantity of quests
  • Навыки Skills and characteristics of your character on your choice
  • Large number of swords, armors and accessories
  • Support of game controllers
Reaper Android 4.0 and higher. [27.3 MB][apk] Download Here

Read More..

Paper train Reloaded apk for android games direct link


Genres:Simulation, Logic
Added:01.30.2014





Download Paper train: Reloaded apk for android games direct link


Read More..

ANDROID Epic defense The elements Apk all devices qvga wvga hvga wsvga

Download ANDROID Epic defense The elements


http://androidgamesofworld.blogspot.com/
Description Epic defense The elements

Epic defense The elements apk
Epic defense The elements Android
Epic defense The elements apk free download
Epic defense The elements Android free download
Download Epic defense The elements for android
Download Epic defense The elements apk full data free

Android 1.6 and higher. [29.5 MB][apk] Download Here

Read More..