Pages

Senin, 31 Maret 2014

EZ Launcher v0 4 1 Apk

EZ Launcher v0.4.1 Apk

EZ Launcher v0.4.1
Requirements: for all Android versions

EZ Launcher v0.4.1 Apk Overview: EZ Launcher, the most convenent way to operate your phone.
EZ Launcher(beta) is coming, a cool home replacement app, with the most convenient way to operate & organize your phone.

EZ Launcher v0.4.1 Apk Features:
  • - Genius app list brings you the app you most want
  • - Auto category can help you automatically categorize your apps
  • - Quick app search to find the app you want in app list directly
  • - Pre-loaded app manager tool with all task manager, uninstaller, app2sd and etc functions in one place
  • - Useful and handy widgets: Clock & Weather Widget, Task Manager Widget, SMS Widget, Switch Widget
  • - 7x24 hours tech support from INFOLIFE Team
EZ Launcher is still in beta test version, so if you have any bugs or suggestions, please contact us to help us improve the app.

Whats in EZ Launcher v0.4.1 Apk:
v0.4.1
# Fix menu UI bug
# Fix some mini bugs

v0.4.0
# New menu UI
# EZ widget preview on adding
# Mini bugs fix

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

Download Instructions:
http://www.MegaShare.com/4125705

Mirror:
http://rapidgator.net/file/5056402/ez41.apk.html
Read More..

Minggu, 30 Maret 2014

Adjust saturation of Bitmap with ColorMatrix

android.graphics.ColorMatrix is a 5x4 matrix for transforming the color+alpha components of a Bitmap. The setSaturation(float sat) method of ColorMatrix set the matrix to affect the saturation of colors. A value of 0 maps the color to gray-scale. 1 is identity.

This example demonstrate how to generate a bitmap with adjusted saturation using ColorMatrix.setSaturation().

Adjust saturation of Bitmap with ColorMatrix

package com.example.androiddrawbitmap;

import java.io.FileNotFoundException;

import android.net.Uri;
import android.os.Bundle;
import android.app.Activity;
import android.content.Intent;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import android.graphics.Canvas;
import android.graphics.ColorMatrix;
import android.graphics.ColorMatrixColorFilter;
import android.graphics.Paint;
import android.view.View;
import android.view.View.OnClickListener;
import android.widget.Button;
import android.widget.ImageView;
import android.widget.SeekBar;
import android.widget.SeekBar.OnSeekBarChangeListener;
import android.widget.TextView;

public class MainActivity extends Activity {

Button btnLoadImage;
TextView textSource;
ImageView imageResult;
SeekBar satBar;
TextView satText;

final int RQS_IMAGE1 = 1;

Uri source;
Bitmap bitmapMaster;
Canvas canvasMaster;

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

btnLoadImage = (Button) findViewById(R.id.loadimage);
textSource = (TextView) findViewById(R.id.sourceuri);
imageResult = (ImageView) findViewById(R.id.result);

btnLoadImage.setOnClickListener(new OnClickListener() {

@Override
public void onClick(View arg0) {
Intent intent = new Intent(
Intent.ACTION_PICK,
android.provider.MediaStore.Images.Media.EXTERNAL_CONTENT_URI);
startActivityForResult(intent, RQS_IMAGE1);
}
});

satText = (TextView) findViewById(R.id.textsat);
satBar = (SeekBar) findViewById(R.id.satbar);
satBar.setOnSeekBarChangeListener(seekBarChangeListener);

}

@Override
protected void onActivityResult(int requestCode, int resultCode, Intent data) {
super.onActivityResult(requestCode, resultCode, data);

if (resultCode == RESULT_OK) {
switch (requestCode) {
case RQS_IMAGE1:
source = data.getData();

try {
bitmapMaster = BitmapFactory
.decodeStream(getContentResolver().openInputStream(
source));

satBar.setProgress(256);

loadBitmapSat();

} catch (FileNotFoundException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}

break;
}
}
}

OnSeekBarChangeListener seekBarChangeListener = new OnSeekBarChangeListener() {

@Override
public void onProgressChanged(SeekBar seekBar, int progress,
boolean fromUser) {
// TODO Auto-generated method stub

}

@Override
public void onStartTrackingTouch(SeekBar seekBar) {
// TODO Auto-generated method stub

}

@Override
public void onStopTrackingTouch(SeekBar seekBar) {
loadBitmapSat();
}
};

private void loadBitmapSat() {
if (bitmapMaster != null) {

int progressSat = satBar.getProgress();

//Saturation, 0=gray-scale. 1=identity
float sat = (float) progressSat / 256;
satText.setText("Saturation: " + String.valueOf(sat));
imageResult.setImageBitmap(updateSat(bitmapMaster, sat));
}
}

private Bitmap updateSat(Bitmap src, float settingSat) {

int w = src.getWidth();
int h = src.getHeight();

Bitmap bitmapResult =
Bitmap.createBitmap(w, h, Bitmap.Config.ARGB_8888);
Canvas canvasResult = new Canvas(bitmapResult);
Paint paint = new Paint();
ColorMatrix colorMatrix = new ColorMatrix();
colorMatrix.setSaturation(settingSat);
ColorMatrixColorFilter filter = new ColorMatrixColorFilter(colorMatrix);
paint.setColorFilter(filter);
canvasResult.drawBitmap(src, 0, 0, paint);

return bitmapResult;
}
}


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

<Button
android:id="@+id/loadimage"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="Load Image 1" />

<TextView
android:id="@+id/sourceuri"
android:layout_width="match_parent"
android:layout_height="wrap_content" />

<ImageView
android:id="@+id/result"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:adjustViewBounds="true"
android:background="@android:color/background_dark"
android:scaleType="centerInside" />

<TextView
android:id="@+id/textsat"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="Saturation" />
<SeekBar
android:id="@+id/satbar"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:max="512"
android:progress="256"/>

</LinearLayout>


download filesDownload the files.

download filesDownload and try the APK.



more: Something about processing images in Android

Read More..

Sabtu, 29 Maret 2014

Why I like Linux more than Windows

Screenshot of Ubuntu 11.10
Maybe its a little bit strange to create a blog only to post articles about programming on a Linux platform, not Windows.
I use computer since 2007 and I started with Windows XP SP2 and I liked it, I still like Xp and I tried even Windows 7. But Linux, its a bit strange... In the summer of 2010 I had some problems with my laptop, later to find that my HDD had bad sectors, and I wanted to try a Linux kernel. The only one that I heard about was Ubuntu so I downloaded Ubuntu 10.10 and I had a big surprise. A nice GUI, simply to use and a lot of free programs and applications.

At beginning was a little bit difficult because I didnt know the terminal commands and neither to install an applications without that utility, software manager. But now... its very easy to me, Ive tried LinuxMint, Fedora, Ubuntu 11.10 and now I recommend Linux to all my friends.

So why I choose Linux instead of Windows 7 or another version of Windows?
First of all Linux kernels are free.
Secondly, on Linux, as a programmer, I find a lot of applications, utilities to ease my work, also free.
Thirdly, its faster and safer than Windows, its better organized and I have a full control on my laptop and OS.

So thats why I like Linux more than Windows...
Read More..

Rabu, 26 Maret 2014

FREEdi YouTube Downloader v2 0 11 Android apk app


Requirements: All Android Devices
Overview: Save your favorite YouTube videos. Download and transform them into MP3/MP4/AAC formats.


Features:

Download and save all your favorite YouTube videos
Convert them into various formats
Keep your own copy of them

The best app you must have! No more bad experience for watching YouTube! Download YouTube as MP4 / MP3 / AAC with high quality (iOS version is available in Cydia). You cant find it in Android Market because Google keeps removing it.

Recent Changes:
2.0.11 add Facebook share function

Download Instructions:
http://www.ziddu.com/download/15781227/fyd2011.zip.html

Mirror(s):
  http://www.plunder.com/c/fyd2011-apk-download-80a1c21dc4.htm
http://bitshare.com/?f=ke2d2d1t
Read More..

Selasa, 25 Maret 2014

SwiftKey X Keyboard apk download android v2 1 0 242

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

Senin, 24 Maret 2014

Video Caller ID v1 11 05 apk


Set video ringtone on your Android phone !



Video Caller ID v1.11.05 market.android.com.videocallerid
Video ringtone. Show video on incoming call.
As well as blocking unwanted calls.



Features : 
  • Full-screen video (if video is in a special format or if filmed on a camera phone )
  • Personal Settings (on / off the sound and setting the initial position of the video).
  • Use any video from card as a video ringtone
  • growing collection of video ringtones, now has over 500 ringtones for different phone models / permits screens
Required Android O/S : 2.1+

Screenshots :
 
 
 

Download : 800Kb APK


Read More..

Minggu, 23 Maret 2014

Fight me King 94 apk Free

Fight me King 94 apk
Fight me King 94 apk

Current Version : 2.0
Requires Android : 2.2 and up
Category : Arcade And Action
Size : 13M






Fight me King 94 apk Description

Each player has a power gauge at the bottom of the screen which charges when the character is blocking or taking attacks. It can also be filled manually, although it leaves the character vulnerable to an attack, by pressing and holding three buttons at the same time. Once the power gauge is filled, the player's basic attacks become stronger for a short period. When the characters are in this state, their players can also perform the character's Super Move, which immediately consumes the entire power gauge. The players can also access their character's Super Move when the life gauge is 75% empty and flashing red like in Fatal Fury 2. Use of taunt moves can reduce the opponent's power gauge, slow down their manual charging, and stop them reaching the maximum level.[2][3]
Notably, KOF '94 innovated the genre by replacing a traditional round-based format used in preceding fighting games with a format consisting of 3-on-3 team based matches dubbed the Team Battle System. Instead of choosing a single character, the player selects from one of eight available teams, each consisting of three members. Before each match, the players choose the order in which each of their team member enters the battle. When the match begins, the members chosen to go first on their respective teams will fight. When one character is defeated, the following member of the same team will take his or her place, while the character on the other team will have a small portion of their life restored (if energy was lost during the previous round). If a character is losing a match against the opponent, then the player can call one of the remaining teammates standing on the sidelines to jump in and perform a support attack. The match ends when all three members of either team lose.[1]

Fight me King 94 apk Videos and Images





Read More..

Quickoffice� Pro Splashtop Remote Desktop

Download PAID apk for free!
Quickoffice® Pro 4.0.120
Create, Edit and Share Microsoft® Office files!
Quickoffice® Pro takes mobile productivity to the next level with our most comprehensive suite ever for Android smartphones. Enjoy the ability to CREATE, VIEW, and EDIT, Microsoft® Office files including Word documents, Excel spreadsheets, and PowerPoint presentations. Conveniently ACCESS files remotely from your Google® Docs, Dropbox, Box, Huddle™, SugarSync, and MobileMe™ accounts or from your SD card with our enhanced Connected File Manager. Also included is our advanced PDF viewer.

Splashtop Remote Desktop 1.1.5.2
Windows or MAC in your Pocket!
Bring full Windows or MAC experience to your Android device!
** If you have an Android tablet based on Tegra2, we highly recommend you purchase Splashtop Remote Desktop "HD" version, fully optimized for tablet experience -- ALSO BIGGEST SUMMER SALES TODAY**
Splashtop Remote Desktop is the ONLY remote desktop app capable of bringing full interactive video, audio, PowerPoint animations, and even 3D gaming to your Android phones or tablets!!
Read more »
Read More..

Sabtu, 22 Maret 2014

cluBalance Pro v2 5c apk


Application to automatically check the balance on your mobile phone via SMS !


cluBalance Pro v2.5c market.android.com.clubalancepro
Application to automatically check the balance on your mobile phone via SMS messages, many operators offer this service for free.

Features:
  • Knows how to seek balance automatically, at regular intervals, after the conversation, after disconnecting from GPRS/3G etc.
  • Displays separately how much money spent in the last conversation of the day, for the current month, etc.
  • Can be switched off automatically when roaming.
  • Information on the balance sheet can be displayed using widgets placed on the desktop. In this case the choice of widgets available in different sizes: 1x1, 1x2, 1x4. For every taste and color.
  • Many operators is automatically configured when you first start.
  • Able to store individual settings for different SIM cards.
  • Conducted a detailed log of expenditure.
  • You can view charts that let you visually compare the costs of different days / months.
The principle is simple:
  • Sent an SMS message with the specified text to a specified number of the operator.
  • It is expected an SMS message from a given number.
  • Message is parsed for the balance in it.
Required Android O/S : 1.6+

Screenshots :
 
 
 

Download : 560Kb APK


Read More..

Jumat, 21 Maret 2014

Drag Racing v1 1 13 APK FULL VERSION

Drag Racing v1.1.13 APK FULL VERSION

Drag Racing v1.1.13 APK FULL VERSION
Req: Android 2.1+ Android Games


Drag Racing v1.1.13 APK FULLY NEW VERSION ! The most addictive racing game with realistic controls and 50+ cars! More FUN of this games!lots of cars and 40+ million players, updated regularly with new features..

HOW IS YOUR DRIVING? PLAY NOW!

Download Drag Racing v1.1.13 APK FULL VERSION
Read More..

Kamis, 20 Maret 2014

Business Ringtones v2 01 apk


Installs 50 cool and professional normal ringtones !


Business Ringtones v2.01market.android.com.rcptones
If youre looking for professional business ringtones, instead of embarrassing sound effects and pop songs, then youre looking for RCP Ringtones. Our Business Ringtones are the most professional sounding tones from the RCP Ringtones library. Classic business ringers, office phones, simple beeps and chimes. These are the rings that should have been installed on your phone by default!

Each tone in the RCP Ringtones library has been carefully designed and professionally mastered to sound clear and pristine on your Android device. With this app, you can preview 50 professional grade ringtones, assign them as your main ringtone or notification, or save them to your device to assign them with your phones settings app.


Features : 
  • Normal ringers 
  • Modern office tones
  • Business professional ringtones
  • Beeps, chimes, and other alerts
  • Alarm sounds
  • Non-music ring tones
Guaranteed: No hidden fees, no recurring charges, no DRM.

Required Android O/S : 1.6+

Screenshots :
 
 
 

Download : 2Mb APK


Read More..

Rabu, 19 Maret 2014

Drift Mania Street Outlaws v1 02 Full Apk Data

Drift Mania: Street Outlaws

Download Drift Mania: Street Outlaws For Android

Drift Mania: Street Outlaws takes the heat to the streets allowing players to battle and compete in underground drift events based on various world locations.

From Japan where it all began, to the Swiss Alps, Desert Canyons and the steep hills of San Francisco, Street Outlaws will take you to the edge of your seat while drifting around some of the most hazardous roads.

Delivering the same addictive gameplay as the other titles of the Drift Mania series, Street Outlaws features high end 3D graphics, more realistic controls and a new improved multiplayer mode.
____________________________________

HIGH DEFINITION GRAPHICS
Drift Mania: Street Outlaws includes next generation 3D graphics specially optimized for your mobile hardware to provide you with the best drifting experience.

CUSTOMIZE & UPGRADE YOUR CAR
Fully customize your vehicle’s appearance with custom paint jobs, body kits, custom wheels, windows tints and spoilers. Make it your one of a kind drift beast! Upgrade your ride by installing aftermarket performance products to gain an extra edge against the competition.

TUNER FRIENDLY
Adjust different aspects of your car including the suspension, steering sensitivity, gear ratio and weight distribution to suit your own driving style.

BECOME A DRIFT KING
Complete the career mode which includes 12 courses to master, 60 achievements and 48 performance upgrades to unlock. Gain cash to upgrade your favorite ride with visual and performance mods.

DRIFT BATTLE
Start a drift tournament, compete against different opponents and build up your street credit.

ONLINE & LOCAL MULTIPLAYER MODE
Challenge your friends to a drift battle! Share and brag your results with your friends on Facebook or Twitter.

LEADERBOARDS
See your ranking against other players worldwide using the Drift Mania online leaderboards and Game Center. Submit your high scores and expose your accomplishments to the world.

XPERIA PLAY SUPPORT
Xperia Play Optimized (The first PlayStation™ Certified Android smartphone).

MOGA CONTROLLER SUPPORT
Drift Mania: Street Outlaws is now MOGA Enhanced! Available at major retailers, carrier stores and online at http://www.MOGAanywhere.com

LOADED WITH FEATURES

•Supports all latest generation devices and high resolution displays
•Fully customizable controls including element repositioning and sensitivity adjustments
•Accelerometer (gyroscope) and virtual wheel steering mode
•Variable throttle bar system or pedal accelerator controls
•21 high-performance street vehicles with unique specs
•13 drift courses to master from different worldwide locations
•48 performance upgrades per vehicle
•Hundreds of visual mods including body kits, spoilers, window tints, wheels and custom paint job
•Tuning mode to adjust all aspects of your vehicle
•3 levels of difficulties
•5 race camera configurations
•Full race replays
•Soundtrack including songs from Templeton Pek, Curbside, Balliztic and Avery Watts
____________________________________

Drifting is the act of maneuvering a vehicle through corners at speeds and angles that exceed the vehicle’s grip. A drift is when a driver performs a controlled slide through corners while adhering to the racing line. Drifting involves fast cars, super skilled drivers and hardcore fans.

It’s a combination of driving skill, style and showmanship. It’s all about loss of the rear wheel traction while keeping the race car in total control. Drifting is so popular because it brings all the best aspects of motor sports into one package. Highly skilled drivers control a high powered street car past its limit, sideways at high speed, burning rubber. It can’t get any better!

Screenshot:
Drift Mania: Street Outlaws
Drift Mania: Street Outlaws
Drift Mania: Street Outlaws
Drift Mania: Street Outlaws

Whats New:
-Fixed black screen problem at game launch


Download Drift Mania: Street Outlaws v1.02 Apk+Data
download now

Read More..

Sliding Messaging Pro v6 95 Apk Full Apps


Android Sliding Messaging Pro v6.95 Apk Free Apk Apps

Requirement :-  Android4.0+

Android Version :-  Android v6.95 Apk

Name Of  Apps :-  Sliding Messaging Pro v6.95 Apk

Google has decleared the New Apk Apps Sliding Messaging Pro v6.95 Apk For Android Phones . It is Very Awesome Apk Apps For
Android Tablet / Mobile Phone .Android Operating System gives you Best Platform you need to build best Apk Apps in class Apk experiences 2013- 2014 . If you wanna to download and run in Your Phone please download the Sliding Messaging Pro v6.95 Apk Apps please visit Google Apps Store and Search it.


Special Features Apk :-
- Easily switch between conversations by dragging out of the screen.
- Sliding out the menu on the right side of the screen
- Manage old messages with a single click
- Choose between light and dark themes
- Adjust text size and control notifications and theme though settings
- Quick reply popup
- Added old dark card theme back as pitch black card theme
- LED flashing speed options
- Option to set notification reminders
- Option for a workaround for MMS over WiFi
- Multi-window support for Galaxy Note
- Light Flow support (will be active once Light Flow has been updated)


Android Sliding Messaging Pro v6.95 Apk download 2013

Download here :-  https://play.google.com/store/apps
Read More..