Create AVD of Nexus 6P running Android 6 Marshmallow
M Launcher - Android M Launcher Premium v.2.0
Altamente personalizable:
- Icono de soporte técnico tema, compatible con icono 5000+ terceros paquetes ; Muchos fondos de pantalla en vivo y en la nube basado fondos de pantalla
- Capaz de cambiar de escritorio lanzador y cajón de tamaño de la cuadrícula, escritorio cerradura, etc.
- 4 UI Mode tamaño, fácil de cambiar el tamaño de los iconos
- 4 cajones de estilo: horizontal, vertical, vertical con categoría, estilo de lista
- 12 de escritorio y el cajón de transición efecto;
- Se incluyen características prácticas, como más limpios, de palanca, la antorcha, aplicaciones favoritas y mucho más;
- Y usted puede arrastrar fuera Sidebar desde cualquier lugar
- Características para ocultar aplicaciones, crear carpetas, ordenar aplicación y mucho más;
- Y cajón tiene AZ Quick bar para ayudar a localizar rápidamente la aplicación; también admite grupos múltiples (multi pestañas)
- Muchas de las funciones para proteger su privacidad, tales como bloqueo de aplicaciones, bloquear aplicaciones ocultas, carpeta privada y modo de invitado
- Ahorro de energía (incluye monitor de CPU, Greenify hibernación, gestión de arranque),
- Booster (un grifo para impulsar teléfono),
- Switcher, rápida para gestionar todo el conmutador en un lugar, más útil entonces el sistema de
- M Launcher proporciona casi todas las herramientas útiles que se necesitan para administrar bien sus dispositivos
- Muchos gestos y Muelle icono gestos
- Condes leídos / notificador de SMS, correo, llamada perdida, Whatsapp, etc.
- Copia de seguridad y restaurar la configuración de lanzamiento y el diseño; Diseño Soporte importación de otros lanzadores
- Carpeta privada; Carpeta de Super
- Bloqueo App
- Doble toque para apagar la pantalla, triple pulsación para encender
- Condes Más leídos / notificador
- Más gestos; Gestos Icon
- Más efecto de transición
- Clone StatusBar transparente para Android 4,0 a 4,3
- Etc.
actualización v2.0
1. Optimizar cajón para el último estilo M Android
2. Mejorar la carpeta GameBoost
3. Optimizar el widget del tiempo
Menú 4. Optimizar Cajón
5. Optimizar el modo de edición
6. Optimizar Sidebar
Ajuste 7. Optimizar Cajón
8. Fijar varios errores de choque
Descargalo desde el Play Store > M Launcher - Android M Launcher
Descargalo aquí como apk > M Launcher - Android M Launcher Premium v.2.0
Chromecast v.1.12.32
- Configurar tu Chromecast y conectarlo a tu red Wi-Fi
- Configurar el fondo de pantalla y personalizar la pantalla de tu televisor con obras de arte, fotos personales, noticias y mucho más.
- Administrar la configuración de tu Chromecast (por ejemplo, cambiar el nombre del dispositivo, la contraseña de la red Wi-Fi, etc.)
Descargalo desde el Play Store > Chromecast
Descargalo aquí como .apk > Chromecast v.1.12.32
Know the news from Google Android
Google just announced:
- New Nexus phone running Marshmallow: Nexus 6P and 5X
- The first Android tablet built by Google, Pixel C, and the Chromebook Pixel
- The new Chromecast and Chromecast Audio
- Google Play Music and Google Photos
Google Press Event 9/29/15
Check Official Google Blog
AndroidMarshmallow will begin rolling out to Nexus 5, 6, 7, 9 and Nexus Player starting next week
check the original post.
Extract Prominent Colors from an Image, using Palette class
The Android Support Library r21 and above includes the Palette class, which lets you extract prominent colors from an image. This class extracts the following prominent colors:
- Vibrant
- Vibrant dark
- Vibrant light
- Muted
- Muted dark
- Muted light
reference: http://developer.android.com/training/material/drawables.html#ColorExtract
This example show how to load photos, and get Prominent Colors using Palette class.
(Actually I don't know what the Prominent Colors means!)
To use the Palette class in your project, add the following Gradle dependency to your app's module:
dependencies {
...
compile 'com.android.support:palette-v7:xx.x.x'
}
com.blogspot.android_er.androidpalette.MainActivity.java
package com.blogspot.android_er.androidpalette;
import android.annotation.TargetApi;
import android.app.Activity;
import android.content.Intent;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import android.net.Uri;
import android.os.Build;
import android.os.Bundle;
import android.support.v7.app.AppCompatActivity;
import android.support.v7.graphics.Palette;
import android.view.View;
import android.widget.Button;
import android.widget.ImageView;
import android.widget.TextView;
import java.io.FileNotFoundException;
public class MainActivity extends AppCompatActivity {
Button buttonOpen;
TextView textUri;
ImageView imageView;
TextView textVibrant, textVibrantDark, textVibrantLight;
TextView textMuted, textMutedDark, textMutedLight;
View viewVibrant, viewVibrantDark, viewVibrantLight;
View viewMuted, viewMutedDark, viewMutedLight;
private static final int RQS_OPEN_IMAGE = 1;
Uri targetUri = null;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
textUri = (TextView) findViewById(R.id.texturi);
imageView = (ImageView) findViewById(R.id.image);
buttonOpen = (Button) findViewById(R.id.btnopen);
buttonOpen.setOnClickListener(buttonOpenOnClickListener);
textVibrant = (TextView)findViewById(R.id.textVibrant);
textVibrantDark = (TextView)findViewById(R.id.textVibrantDark);
textVibrantLight = (TextView)findViewById(R.id.textVibrantLight);
textMuted = (TextView)findViewById(R.id.textMuted);
textMutedDark = (TextView)findViewById(R.id.textMutedDark);
textMutedLight = (TextView)findViewById(R.id.textMutedLight);
viewVibrant = (View)findViewById(R.id.viewVibrant);
viewVibrantDark = (View)findViewById(R.id.viewVibrantDark);
viewVibrantLight = (View)findViewById(R.id.viewVibrantLight);
viewMuted = (View)findViewById(R.id.viewMuted);
viewMutedDark = (View)findViewById(R.id.viewMutedDark);
viewMutedLight = (View)findViewById(R.id.viewMutedLight);
}
View.OnClickListener buttonOpenOnClickListener =
new View.OnClickListener() {
@TargetApi(Build.VERSION_CODES.KITKAT)
@Override
public void onClick(View v) {
Intent intent = new Intent();
if (Build.VERSION.SDK_INT >=
Build.VERSION_CODES.KITKAT) {
intent.setAction(Intent.ACTION_OPEN_DOCUMENT);
} else {
intent.setAction(Intent.ACTION_GET_CONTENT);
}
intent.addCategory(Intent.CATEGORY_OPENABLE);
// set MIME type for image
intent.setType("image/*");
startActivityForResult(intent, RQS_OPEN_IMAGE);
}
};
@TargetApi(Build.VERSION_CODES.KITKAT)
@Override
protected void onActivityResult(int requestCode,
int resultCode, Intent data) {
if (resultCode == Activity.RESULT_OK) {
Uri dataUri = data.getData();
if (requestCode == RQS_OPEN_IMAGE) {
targetUri = dataUri;
textUri.setText(dataUri.toString());
updatImage(dataUri);
}
}
}
private void updatImage(Uri uri){
if (uri != null){
Bitmap bm;
try {
bm = BitmapFactory.decodeStream(
getContentResolver()
.openInputStream(uri));
imageView.setImageBitmap(bm);
extractProminentColors(bm);
} catch (FileNotFoundException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}
//extract prominent colors
/*
compile 'com.android.support:palette-v7:23.0.1'
is needed in Gradle dependency
*/
private void extractProminentColors(Bitmap bitmap){
int defaultColor = 0x000000;
Palette p = Palette.from(bitmap).generate();
int VibrantColor = p.getVibrantColor(defaultColor);
textVibrant.setText("VibrantColor: " + String.format("#%X", VibrantColor));
viewVibrant.setBackgroundColor(VibrantColor);
int VibrantColorDark = p.getDarkVibrantColor(defaultColor);
textVibrantDark.setText("VibrantColorDark: " + String.format("#%X", VibrantColorDark));
viewVibrantDark.setBackgroundColor(VibrantColorDark);
int VibrantColorLight = p.getLightVibrantColor(defaultColor);
textVibrantLight.setText("VibrantColorLight: " + String.format("#%X", VibrantColorLight));
viewVibrantLight.setBackgroundColor(VibrantColorLight);
int MutedColor = p.getMutedColor(defaultColor);
textMuted.setText("MutedColor: " + String.format("#%X", MutedColor));
viewMuted.setBackgroundColor(MutedColor);
int MutedColorDark = p.getDarkMutedColor(defaultColor);
textMutedDark.setText("MutedColorDark: " + String.format("#%X", MutedColorDark));
viewMutedDark.setBackgroundColor(MutedColorDark);
int MutedColorLight = p.getLightMutedColor(defaultColor);
textMutedLight.setText("MutedColorLight: " + String.format("#%X", MutedColorLight));
viewMutedLight.setBackgroundColor(MutedColorLight);
}
}
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:padding="16dp"
android:orientation="vertical"
tools:context=".MainActivity">
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_margin="20dp"
android:layout_gravity="center_horizontal"
android:autoLink="web"
android:text="http://android-er.blogspot.com/"
android:textStyle="bold"/>
<Button
android:id="@+id/btnopen"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="Load image"/>
<ScrollView
android:layout_width="match_parent"
android:layout_height="wrap_content">
<LinearLayout
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:orientation="vertical">
<TextView
android:id="@+id/texturi"
android:layout_width="wrap_content"
android:layout_height="wrap_content" />
<ImageView
android:id="@+id/image"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:adjustViewBounds="true"/>
<TextView
android:id="@+id/textVibrant"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="Vibrant"/>
<View
android:id="@+id/viewVibrant"
android:layout_width="match_parent"
android:layout_height="25dp"/>
<TextView
android:id="@+id/textVibrantDark"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="VibrantDark"/>
<View
android:id="@+id/viewVibrantDark"
android:layout_width="match_parent"
android:layout_height="25dp"/>
<TextView
android:id="@+id/textVibrantLight"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="VibrantLight"/>
<View
android:id="@+id/viewVibrantLight"
android:layout_width="match_parent"
android:layout_height="25dp"/>
<TextView
android:id="@+id/textMuted"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="Muted"/>
<View
android:id="@+id/viewMuted"
android:layout_width="match_parent"
android:layout_height="25dp"/>
<TextView
android:id="@+id/textMutedDark"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="MutedDark"/>
<View
android:id="@+id/viewMutedDark"
android:layout_width="match_parent"
android:layout_height="25dp"/>
<TextView
android:id="@+id/textMutedLight"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="MutedLight"/>
<View
android:id="@+id/viewMutedLight"
android:layout_width="match_parent"
android:layout_height="25dp"/>
</LinearLayout>
</ScrollView>
</LinearLayout>
Download the APK to try .
الاثنين، 28 سبتمبر 2015
Try android:elevation on TextView
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:padding="20dp"
android:orientation="vertical"
tools:context=".MainActivity"
android:background="#ffffff">
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_margin="20dp"
android:layout_gravity="center_horizontal"
android:autoLink="web"
android:text="http://android-er.blogspot.com/"
android:textStyle="bold"/>
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_margin="20dp"
android:textSize="22dp"
android:textStyle="bold"
android:text="Simple TextView" />
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_margin="20dp"
android:textSize="22dp"
android:textStyle="bold"
android:text="TextView with elevation, no background"
android:elevation="20dp" />
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_margin="20dp"
android:textSize="22dp"
android:textStyle="bold"
android:text="TextView with both elevation and background"
android:background="#0000ff"
android:elevation="20dp" />
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_margin="20dp"
android:textSize="22dp"
android:textStyle="bold"
android:text="TextView with both elevation and background (same as parent background)"
android:background="#ffffff"
android:elevation="20dp" />
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_margin="20dp"
android:textSize="22dp"
android:textStyle="bold"
android:textColor="#ffffff"
android:text="TextView with both elevation and background (black)"
android:background="#000000"
android:elevation="20dp" />
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_margin="20dp"
android:textSize="22dp"
android:textStyle="bold"
android:text="TextView with both elevation and transparent background"
android:background="#00000000"
android:elevation="20dp" />
</LinearLayout>
Test on Nexus 7, Android 5.1.1 |
If hardwareAccelerated is disabled in AndroidManifest.xml by adding android:hardwareAccelerated="false" in <application>, the shadow effect will disappear. (tested on Nexus 7 running Android 5.1.1)
src/main/AndroidManifest.xml
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.blogspot.android_er.androidelevation" >
<application
android:allowBackup="true"
android:icon="@mipmap/ic_launcher"
android:label="@string/app_name"
android:theme="@style/AppTheme"
android:hardwareAccelerated="false" >
<activity
android:name=".MainActivity"
android:label="@string/app_name" >
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
</application>
</manifest>
android:hardwareAccelerated="false" |
WifiKill Pro v2.3.2 Cracked Apk
WifiKill Pro v2.3.2 Cracked Apk
-------------------------------------
Requirements: Android 4.x, ROOT
Well, with this application you can disable internet link for a device on the same network. So if an individual (anyone) is misusing the net throwing away precious data transfer for a Justin Bieber videoclips you can simply kill their connection and also stay delighted with a complete bandwidth just for yourself.
Split by MessyBinary.
-------------------------------------
FEATURES OF WifiKill Pro Apk :
> getting hold of traffic, showing web sites visited by grabbed device
> showing bytes transferred by "got gadget".
> tablet computer friendly!
> android 4.x only.
> Note, needs root access.
-------------------------------------
DOWNLOAD LINKS
Uploadex Link
WIFIKILL PRO CRACKED APK (489KB)
Dailyuploads Link
MIRROR LINK 1 (489KB)
Bdupload Link
MIRROR LINK 2 (489KB)
Userscloud Link
MIRROR LINK 3 (489KB)
-------------------------------------
ALSO SEE THESE UNLIMITED EARNING TRICKS
MCENT UNLIMITED TRICK WITHOUT ROOT
(Biggest Loot) MCent Rs.60 Per Refer & Unlimited Trick For Rooted + None-Rooted Devices
EARN TALKTIME RS40 PER REFER UNLIMITED TRICK
Earn Talktime Update : Now Giving Rs.40 Per Refer & Unlimited Loot Trick is Here (PROOF ADDED)
GRAPPR UNLIMITEDRECHARGEMAHA LOOT TRICK
(MaHa LooT) Earn Unlimited Free Recharges From Grappr App (PROOF ADDED)
JOY APP LOOT UNLIMITED
(MEGA LOOT) Unlimited Loot Trick For Joy App : Get Rs.10 Per Refer – Only Verify OTP , No Need to Download Apps (PROOF ADDED)
MOBI TALKTIME LOOT TRICK
Mobi Talktime - A New Free Recharge App For Android Rs.5 Sign up Bonus & Rs.25 Per Refer (Unlimited Trick Added)
FOKAT MONEY RS.10 SIGN UP BONUS & RS.30 PER REFER
NEW FREE RECHARGE APP -FOKATMONEY Giving Rs.10 Sign up Bonus & Rs.30 Per Refer
-------------------------------------
JOIN CRAZY4ANDROID FACEBOOK GROUP
Boat Browser for Tablet v.2.2.1 [Unlock]
- Sincroniza marcadores con la versión móvil gracias a tu cuenta de Google.
- Sincroniza tus marcadores de la versión de escritorio de Firefox con una cuenta Firefox (Pro).
- Crea y recupera copias de seguridad en una tarjeta SD.
- Importa marcadores del navegador Android.
- Hasta 12 gestos personalizados. Controla tu navegador de un modo más intuitivo.
- El widget flota sobre cualquier página web. Contiene muchas útiles funciones. Puedes ponerlo en cualquier parte de la pantalla.
- Este panel incluye interruptores, que permite operaciones más rápidas.
- Barra de pestañas independiente para navegación privada. El navegador no guarda historial, cookies o caché de una pestaña de incógnito.
- Mantén 10 pestañas cerradas recientemente en la esquina superior izquierda (el icono de basura). Así puedes reabrirlas más rápidamente.
- Guarda hasta 100 páginas de marcación rápida para poder acceder más rápidamente. Organiza las marcaciones rápidas en carpetas (Pro).
- Accede a tus archivos con nuestro gestor de archivos sin necesidad de instalar otras aplicaciones. Integrado en la pestaña de descargas.
- Soporta video de YouTube y Flash (¡Cuidado! Algunos dispositivos se cerrarán o se colgarán si intentan reproducir flash. El reproductor de Flash tiene un problema de estabilidad. ).
- La versión Pro se desbloquea con un pago dentro de la aplicación (IAP). Las características incluyen:
2. Agregar carpetas en marcación rápida
¡Este navegador es para ti! Si tienes algún problema con el, por favor háznoslo saber. ¡Estamos comprometidos a proporcionarte el mejor navegador disponible!
Actualización V2.2.1:
1. Los errores Fix SSL y mejorar el rendimiento.
Descargalo desde el Play Store > Boat Browser for Tablet
Descargalo aquí > Boat Browser for Tablet v.2.2.1 [Unlock]
الأحد، 27 سبتمبر 2015
The Room Two v1.06 Cracked APK & Data
The Room Two
The much anticipated sequel to ‘The Room’, recipient of a BAFTA award, is here at last.
Follow a trail of cryptic letters from an enigmatic scientist known only as “AS” into a compelling world of mystery and exploration.
-------------------------------------
Key Features
PICK-UP-AND-PLAY DESIGN
Easy to start, hard to put down, an entrancing mix of intriguing puzzles with a simple user interface
INNOVATIVE TOUCH CONTROLS
A tactile experience so natural you can almost feel the surface of each object
REALISTIC 3D LOCATIONS
Immerse yourself in a variety of stunning environments which will challenge your puzzle solving prowess.
DETAILED 3D OBJECTS
Pore over the intricate details of dozens of artifacts in search of their hidden secrets.
UNNERVING AUDIO
A haunting soundtrack and dynamic sound effects create a soundscape that reacts to your play.
CLOUD SAVING NOW SUPPORTED
Share your progress between multiple devices, and unlock the all-new achievements.
MULTI LANGUAGE SUPPORT
Available in English, French, Italian, German, Spanish & Brazilian Portuguese.
-------------------------------------
How to install?
> Download the given apk and data from the links below
> Install The Room Two v1.06.apk
> Extract and Copy the OBB folder to ‘sdcard/Android/obb/ ’That’s it, Enjoy!!!
-------------------------------------
DOWNLOAD LINKS
((((((((((APK)))))))))
Uploadex Link
THE ROOM TWO v1.06 APK (16.5MB)
Dailyuploads Link
MIRROR LINK 1 (16.5MB)
Bdupload Link
MIRROR LINK 2 (16.5MB)
Userscloud Link
MIRROR LINK 3 (16.5MB)
(((((((((OBB DATA)))))))))
Uploadex Link
THE ROOM TWO 1.06 OBB DATA (269.9MB)
Dailyuploads Link
MIRROR LINK 1 (269.9MB)
Bdupload Link
MIRROR LINK 2 (269.9MB)
Userscloud Link
MIRROR LINK 3 (269.9MB)
-------------------------------------
ALSO SEE THESE UNLIMITED EARNING TRICKS
MCENT UNLIMITED TRICK WITHOUT ROOT
(Biggest Loot) MCent Rs.60 Per Refer & Unlimited Trick For Rooted + None-Rooted Devices
EARN TALKTIME RS40 PER REFER UNLIMITED TRICK
Earn Talktime Update : Now Giving Rs.40 Per Refer & Unlimited Loot Trick is Here (PROOF ADDED)
GRAPPR UNLIMITEDRECHARGEMAHA LOOT TRICK
(MaHa LooT) Earn Unlimited Free Recharges From Grappr App (PROOF ADDED)
JOY APP LOOT UNLIMITED
(MEGA LOOT) Unlimited Loot Trick For Joy App : Get Rs.10 Per Refer – Only Verify OTP , No Need to Download Apps (PROOF ADDED)
MOBI TALKTIME LOOT TRICK
Mobi Talktime - A New Free Recharge App For Android Rs.5 Sign up Bonus & Rs.25 Per Refer (Unlimited Trick Added)
FOKAT MONEY RS.10 SIGN UP BONUS & RS.30 PER REFER
NEW FREE RECHARGE APP -FOKATMONEY Giving Rs.10 Sign up Bonus & Rs.30 Per Refer
-------------------------------------
JOIN CRAZY4ANDROID FACEBOOK GROUP
السبت، 26 سبتمبر 2015
Greenify Pro v2.7 Beta 6 Mod APK With All Experimental Features Unlocked (No Donation Key Needed)
Greenify
Never should your phone or tablet become slower and battery hungrier after lots of apps installed. With Greenify, your device can run almost as smoothly and lastingly as it did the first day you had it !
Greenify help you identify and put the misbehaving apps into hibernation when you are not using them, to stop them from lagging your device and leeching the battery, in an unique way! They can do nothing without explicit launch by you or other apps, while still preserving full functionality when running in foreground, similar to iOS apps!
Features
> NEVER greenify alarm clock apps, instant messaging apps unless you don’t rely on them.
> Please do verify the impact of greenified apps on which you heavily rely.
> Compared to other popular tools aimed for the similar purpose, Greenify offers the following advantages:
Unlike the “Freeze” feature in “TitaniumBackup Pro” that totally disable the app, you can still use your app as usual, share content with it.
> No need to freeze & defrozen it.
> Unlike “Autostarts”, you can benefit from almost all of its advantages, without needing to deal with the complexity and risk of obscure app components, and never lose functionality when app is actively running.
> Unlike any “XXX Task Killer”, your device will never fall into the cat-mouse-game of stealthy-running and aggressive killing, which unnecessarily consumes more battery juice.
> Note: Greenify do need a background persistent “Cleaner” service to put the greenified apps back into hibernation when you are not actively using them.
> It is designed and implemented in extremely lightweight, with an average RAM footprint at 3M in total, and nearly zero CPU and battery consumption.
What’s New in 2.7 Beta 5 ?
> Greenify now cleans up native processes after hibernation, to prevent self-reviving.
> Fixed root mode on Android 4.0 & 4.1.
> Fixed non-root mode on Android M.
> No longer pause auto-hibernation when charging.
How to Install ?
> Please remove all previous version of Greenify and Donation Package at first.
> Install Greenify Pro apk.
Enjoy
Note - Greenify Needs Root For Some Features & Xposed Installer For Boost Mode
DOWNLOAD LINKS
GREENIFY PRO APK (2.4MB)
LIKE CRAZY4ANDROID ON FACEBOOK
Dolphin Browser Express v.11.4.22
- Gesto - Accede a la web mediante la creación de un gesto personal (símbolo) para que lo utilices al máximo.
- Sonar - Busca, comparte en tus redes sociales favoritas, marca tus sitios webs favoritos y navega utilizando tu voz.
- Comparta con un Toque - Tuitee páginas web, publíquelas en Facebook, capture cualquier contenido y compártalo, o guárdalo directamente en Evernote o Carpeta.
- Navegación con pestañas – No necesitas cambiar entre pantallas. La navegación con pestañas te permite buscar como si estuvieras en tu computadora de escritorio.
- Extensiones- Mejora tu experiencia de navegación en Internet móvil, te permite ejecutar cualquier acción con el navegador móvil.
- Web App Store - El nuevo sitio web Dolphin App Store te ofrece acceso a muchos sitios populares para que nunca tengas que salir del navegador.
- Pantalla de inicio- Añade tus sitios web más visitados como números de marcación rápida en la pantalla de inicio. Además, puedes organizarlos fácilmente con un toque de acceso.
- Dolphin Connect – Sincronice historiales, favoritos, contraseñas y abra pestañas fácilmente desde múltiples dispositivos incluyendo Chrome, Firefox y Safari.
- Tema- Personalice los colores del tema, fondos de pantalla y skins para hacer suyo Dolphin
Puedes enviar las páginas web entre su móvil y tu computadora de escritorio usando la extensión Dolphin:
- Web a PDF
- Capturador de pantalla Dolphin
- Navegador más rápido para Dolphin
- Traductor Dolphin Translate
- Lector Dolphin
- Ahorrar bateria Dolphin
- Marcadores Widget
- Dolphin Brightness
- Dolphin Tab Reload
- Dolphin Show IP
- Dolphin Ultimate Flag
- Dolphin: Extensión de bolsillo
- Dolphin Whols
- Dolphin: Dropbox Add-on
- Dolphin Alexa Rank
- Xmarks para Dolphin
Descargalo desde el Play Store > Dolphin Browser Express
Descargalo aquí > Dolphin Browser Express v.11.4.22
الجمعة، 25 سبتمبر 2015
Order & Chaos 2 Redemption v.1.0.0n [Mod]
- Explora un mundo enorme y único que cobra vida gracias a gráficos impresionantes!
- Múltiples facciones y miles de PNJs forman un mundo rico e interactivo.
- 5 razas diferentes: orcos, humanos, elfos, mendel y los nuevos kratan.
- 5 clases diferentes: caballeros de sangre, exploradores, magos, guerreros y monjes.
- Mejora y evoluciona tus armas y vuélvete imparable!
- Elabora y fusiona para crear el equipo definitivo!
- Realiza cientos de misiones mientras desentrañas una historia apasionante.
- Enfréntate a los más grandes y desafiantes jefes de MMO
- Adéntrate en solitario en las mazmorras de sueños y consigue grandes recompensas!
- Reúne al mejor equipo y enfrentaos a las mazmorras más duras.
- Lucha por la supremacía enfrentándote a otros jugadores en JcJ en mundo abierto.
- Desafía rápidamente a cualquier jugador a un duelo JcJ.
- Comercia utilizando las casas de subastas o directamente con otros jugadores.
- Controles optimizados para juegos MMO en dispositivos móviles.
- Mejor comunicación con funciones optimizadas del chat y del buzón.
Descargalo aquí > Order & Chaos 2 Redemption v.1.0.0n [Mod]
Como lo instalamos:
- Instala la .apk
- Extrae el contenido de la DATA y pasa "com.gameloft.android.ANMP.GloftO2HM" a la ruta "sdcard/Android/obb"
- Inicia el juego
Divider and Space
Create our divider in drawable folder:
drawable/myhdivider.xml
<?xml version="1.0" encoding="utf-8"?>
<shape xmlns:android="http://schemas.android.com/apk/res/android">
<size android:height="1dp" />
<solid android:color="#A00000FF" />
</shape>
drawable/myvdivider.xml
<?xml version="1.0" encoding="utf-8"?>
<shape xmlns:android="http://schemas.android.com/apk/res/android">
<size android:width="1dp"/>
<solid android:color="#A0FF0000" />
</shape>
Edit layout to use our dividers in LinearLayout, and also insert space.
<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:padding="20dp"
android:orientation="vertical"
android:divider="@drawable/myhdivider"
android:showDividers="middle"
tools:context=".MainActivity"
android:background="#D0D0D0">
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="android-er"
android:textStyle="bold" />
<TextView
android:id="@+id/title"
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"
android:divider="@drawable/myvdivider"
android:dividerPadding="5dp"
android:showDividers="middle"
android:background="#B0B0B0">
<Button
android:layout_width="0dp"
android:layout_height="wrap_content"
android:layout_weight="1"
android:text="button"/>
<Button
android:layout_width="0dp"
android:layout_height="wrap_content"
android:layout_weight="1"
android:text="button"/>
<Button
android:layout_width="0dp"
android:layout_height="wrap_content"
android:layout_weight="1"
android:text="button"/>
</LinearLayout>
<Space
android:layout_width="match_parent"
android:layout_height="50dp" />
<Button
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="button"
android:background="?android:attr/selectableItemBackground"/>
<Button
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="button"
android:background="?android:attr/selectableItemBackground"/>
</LinearLayout>