Pages

Monday, February 29, 2016

Android Content Providers

Remember when we created a sqlite database android application. We saw that the database file is stored in the file system directories of that application meaning that the database cannot be accessed from another application. You can apply the same thing on any resources within your application (Files, images, videos, …).
But there is a method to expose your data across multiple applications: Content Providers.
Content Providers expose an application’s data across all other applications, you can use content providers to store or retrieve data of one application from any other application.
In this post we’re going to see how to deal with the existing default content providers by retrieving and manipulating data through them.
Android default content providers:
There are many built-in content providers supplied by OS. They are defined in the android.provider package, they include:
·         Browser.
·         Calllog.
·         Live Folders.
·         Contacts Contract.
·         Media Store.
·         Settings

content providers basics:

the concept of content providers is pretty similar to the concept of ASP.NET Web Services they provide data encapsulation through exposing data by URis. Any content provider is invoked by a URi in the form of content://provider_name . for example the URi of the Contacts content provider that retrieves all contacts is in the following form content://contacts/people. If you want to retrieve a particular contact (by its ID) then it would be in this form: content://contacts/people/5.

You do not need to write the URis of the content providers manually as they are stored as constant values in their respective content provider classes.

The Uri of the Contacts phones content provider is defined in
ContactsContract.CommonDataKinds.Phone.CONTENT_URI
(content://com.android.contacts/data/phones)

The Uri of the browser Bookmarks content provider is defined in
Browser.BOOKMARKS_URI
(content://browser/bookmarks)

The Media store (Video) stored in external device (SD Card) is defined in
MediaStore.Video.Media.EXTERNAL_CONTENT_URI
(content://media/external/video/media) and so on.

content providers allow you to perform basic CRUD operations: Create,Read, Update and Delete on data.

Making Queries

to retrieve data from a content provider we run a sql-like query using ManagedQuery object. The ManagedQuery object returns a cursor holding the result set.

To retrieve a list of all contacts and display them in a ListView
We first define our activity xml layout:
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout
android_orientation="vertical"
android_layout_width="fill_parent"
android_layout_height="fill_parent"
>
<TextView
android_layout_width="wrap_content"
android_layout_height="wrap_content"
android_id="@+id/txt"
/>
<ListView
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:id="@+id/list"
/>
</LinearLayout>

And define the layout of each row in the ListView:
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout

android_layout_width="wrap_content"
android_layout_height="wrap_content"
android_orientation="horizontal"
>
<TextView
android_layout_width="100px"
android_layout_height="wrap_content"
android_id="@+id/txtName"
android_layout_weight="1"
/>
<TextView
android_layout_width="100px"
android_layout_height="wrap_content"
android_id="@+id/txtNumber"
android_layout_weight="1"
/>
</LinearLayout>

Remember to add the following permission to the manifest.xml file
<uses-permission android_name="android.permission.READ_CONTACTS"></uses-permission>

To retrieve the contacts and bind them to the listView:
String [] projection=new String[]{ContactsContract.CommonDataKinds.Phone.DISPLAY_NAME,ContactsContract.CommonDataKinds.Phone.NUMBER,ContactsContract.CommonDataKinds.Phone._ID};
txt.setText(ContactsContract.PhoneLookup.CONTENT_FILTER_URI.toString());
Uri contacts = ContactsContract.CommonDataKinds.Phone.CONTENT_URI;

Cursor managedCursor = managedQuery(contacts,projection,null,null,null);
//Cursor managedCursor =cr.query(contacts, projection, null, null, null);
ListAdapter sca=new SimpleCursorAdapter(this,R.layout.listrow,managedCursor,projection,to);
list.setAdapter(sca);


the above code retrieves all the contacts in the following steps:
  1. We first define the projection of our query, we define the columns we want to retrieve in the result set.We define a String array containing the names of the columns we want to retreieve.The contacts column names are defined in ContactsContract.CommonDataKinds.Phone class.Note that we need to retrieve the _ID column as the cursor that retrieves the data expects such a column to be there.
  2. We specify the Uri of the content provider ContactsContract.CommonDataKinds.Phone.CONTENT_URI
  3. We retrieve the data by a cursor
    Cursor managedCursor = managedQuery(contacts,projection,null,null,null);The cursor is retrieved by executing a managedQuery which has the following parameters:
    1. The Uri of the content provider.
    2. A String Array of the columns to be retrieved (projection)
    3. Where clause.
    4. String array containing selection arguments values.
    5. String representing the order by clause, we can use it but here it will be null. If we want to sort the contacts by name it would be ContactsContract.CommonDataKinds.Phone.DISPLAY_NAME +“ asc”
  4. Then we create a list adapeter using the cursor and bind the ListView to it.

The previous example retrieves all the contacts but what if we want to retrieve a certain contact by name:
There are two ways:
  1. Using the same code above but adding a where clause and selection arguments to the managed wuery so it becomes like this:
    Cursor managedCursor = managedQuery(contacts,projection,ContactsContract.CommonDataKinds.Phone.DISPLAY_NAME+"=?",new String[]{"Jack"},null);
    This retrieves contact info of a person named Jack.

  2. The other method is to inject the query in the Uri, instead of using Uri
    contacts = ContactsContract.CommonDataKinds.Phone.CONTENT_URI;
    we use
    Uri contacts=Uri.withAppendedPath(ContactsContract.CommonDataKinds.Phone.CONTENT_FILTER_URI,Uri.encode("Jack"));
    This is equivalent to the following Uri content://com.android.contacts/data/phones/Jack

Inserting,updating and deleting:

to insert data using a content provider there are two methods

First:
Using the Insert() method of your activity’s content resolver object. Like this example t insert a new bookmark to the browser:
ContentValues cv=new ContentValues();
cv.put(Browser.BookmarkColumns.TITLE, "End Gadget");
cv.put(Browser.BookmarkColumns.URL, "http://www.engadget.com/");
cv.put(Browser.BookmarkColumns.BOOKMARK,1);
Uri u= getContentResolver().insert(Browser.BOOKMARKS_URI, cv);

We create a ContentValues object and add to it all the required fields, then we call getContentResolver().insert method which returns the Uri of the newly inserted item.
It would be in this example content://browser/bookmarks/17
We can use the generated Uri to update or delete the item later.

Second:
We can replace the getcontentresolver().insert() method with bulkInsert method if we want to insert multiple items at a time.
The bulkInsert(Uri url,ContentValues[] values) method returns the number of new items created.

Updating info using Content Providers:

To update data using content providers, we use getContnetResolver.Update() method:
This code updates the title of an existing browser bookmark:
ContentValues cv=new ContentValues();
cv.put(Browser.BookmarkColumns.TITLE, "End Gadget mod");
//uriBook= getContentResolver().insert(Browser.BOOKMARKS_URI, cv);
getContentResolver().update(Browser.BOOKMARKS_URI, cv, BookmarkColumns.TITLE+"=?", new String[]{"End Gadget"});

the Update method has the following parameters:
  • Content Providers Uri
  • ContentValues object having the new values
  • Where clause
  • String array of the where clause arguments values

Deleting info using Content Providers:

To delete info we use getContentResolver.Delete() method
To delete a bookmark:
getContentResolver().delete(Browser.BOOKMARKS_URI,BookmarkColumns.TITLE+"=?", new String[]{"End Gadget"});

the delete function has the following parameters:
  • Content Providers Uri
  • Where clause
  • String array of the where clause arguments values

Remember to add the following permissions to the manifest.xml to add and read browser bookmarks:
<uses-permission android_name="android.permission.WRITE_CONTACTS"></uses-permission>
<uses-permission android_name="com.android.browser.permission.WRITE_HISTORY_BOOKMARKS"></uses-permission>

Read More..

Android 2 2 Released

Google released version 2.2 of the Android SDK.
thi version has an API level equals to 8

some of the new features:
  1. Using Dalvik JIT (just in time) compiler which produces faster performance.
  2. the ability to store applications on SD card instead on phone memory as in previous versions.
  3. Application Backup API, enabling to store a backup of any application and use it on other phones.
  4. The browser java script rendering has became faster.
for more info you can check this link http://developer.android.com/sdk/android-2.2.html

or watch this video
Read More..

Ponsel Cerdas Asus Zenfone 2 Android Pertama Yang Memiliki RAM 4GB

Ponsel Cerdas  Asus Zenfone 2 Android Pertama Yang Memiliki RAM 4GB - Asus adalah merk sebuah gedget ternama dengan produk unggulan mereka yaitu laptop dan smartphone. Pada tahun 2014 produkan ternama Asus mengeluarkan smartphone series Zenfone dengan kualitas tinggi dan memiliki harga cukup murah. Dan untuk melanjutkan tren positif, Asus menggebrak di awal tahun 2015 dengan produknya yaitu Asus Zenfone 2, tentu saja dengan inovasi terbaru dan pertama di dunia yaitu memiliki RAM sebesar 4GB.
Asus Zenfone 2 Android Pertama Yang Memiliki RAM 4GB




Saat memperkenalkan resmi ponsel ini, Asus memberitahukan harga Asus Zenfone 2 dengan Ram 2GB yaitu sebesar $199 atau sekitar 2.5 Jutaan, sedangkan untuk Harga Asus Zenfone 2 versi Ram 4GB dibanderol lebih mahal dengan harga sekitar $249 atau 3.1 Jutaan. Harganya memang cukup murah mengingat spesifikasi yang dibawanya sudah sangat lengkap, jauh mengungguli smartphone sekelasnya.

Harga yang di tawarkan juga cukup murah meskipun memiliki spesifikasi yang sangat tinggi. Asus Zenfone 2 akan mengeluarkan dua tipe yang berbeda yaitu memiliki RAM 4GB dan RAM 2GB. Kemungkinan Asus akan merilis Zenfone 2 ini pada bulan Maret atau April. Dengan spesifikasi dan harga yang di tawarkan akan mmembuat para pecinta gadget tidak sabar menunggu rilisnya Smartphone yang satu ini.

Pada kesempatan kali ini, saya akan mereview spesifikasi dari smartphone yang memiliki kapasitas 4GB RAM. Berikut spesifikasi Asus Zenfone 2:


Desain & Layar

Dimensi152.5 x 77.2 x 10.9 mm
Berat170 g
Tipe LayarIPS capacitive touchscreen, 16M colors
Ukuran Layar5.5 inches 1080 x 1920 pixels (~403 ppi pixel density)
ProteksiCorning Gorilla Glass 3

Memory

Memory Internal16/32/64 GB
Memory EkternalMicroSD maksimum 64 GB

Software

Operating SystemAndroid OS, v5.0 (Lollipop)
Ram2/4 GB
ChipsetIntel Atom Z3580 Quad-core 2.3 GHz
GPUPowerVR G6430
BateraiNon-removable Li-Po 3000 mAh

Kamera

Kamera Utama :13 MP, 4128 x 3096 pixels, autofocus, dual-LED (dual tone) flash
Fitur Kamera    :Geo-tagging, touch focus, face detection, panorama, Video 1080p@30fps
Kamera Depan  :5 MP

Konektivitas

Kartu SimDual SIM (Micro-SIM)
InternetHSPA 42.2/5.76 Mbps, LTE Cat4 150/50 Mbps
WirelessWi-Fi 802.11 a/b/g/n/ac, Wi-Fi Direct, hotspot
Transfer DataBluetooth v4.0, A2DP, NFC, microUSB v2.0, USB Host
GPSA-GPS, GLONASS
Read More..

Download Angry Birds Space For Android

Read More..

Modern Combat 5 Blackout 1 2 Android Obb Download

Modern Combat 5 Blackout 1.2 Apk Full Data Files Download

Modern Combat 5 Blackout 1.2 Apk Full Data Files Download iAndroGames 

Note: Download All The Parts Provided and extract any of them, it will automatically extract all the parts. Install .apk File And place data folder in SDcard/Android/obb/ and Start playing Online. You will need license to play game,to get the license go to play store and search MC5,Start downloading when download starts cancel it,you got the license,now install APK file and play. Its an original apk file, you can also connect to G+ and FB using this apk file

DOWNLOAD LINKS

Download From PlayStore
Click Here For APK+Data Files Download
Read More..

Free Download Sleeping Dogs PC Full Version 2016

Free Download Sleeping Dogs Full Version 2016 | GudangmuDroid - Sleeping Dogs is an action-adventure video game that takes place from a third-person perspective. The player controls Wei Shen, a Chinese-American police officer who goes undercover and infiltrates the Sun On Yee Triad organization.The first missions of the game are a linear tutorial for controlling the character. After these missions, the player is allowed to explore the games world and take part in side missions and other activities. Shen navigates the world by running, jumping, climbing over obstacles, swimming, and driving cars, boats and motorcycles. The heads-up display (HUD) interface features a mini-map that indicates targets, key locations (safe houses and contact points) and Shens current position. The mini-map incorporates two meters: one shows Shens health and the other his face. When the face meter fills, upgrades are unlocked such as health regeneration, improved combat abilities and reduced equipment costs. The HUD also displays the weapon carried and its ammunition count. Download too: Free Download Hungry Shark Evolution MOD v3.7.0 Apk Full Version 2016


Free Download Sleeping Dogs Full Version 2016 Latest Version


The game features role-playing mechanics based on three types of experience points (XP): Triad XP, Face XP and Police XP. Triad XP is obtained through melee combat and violent actions such as "environmental kills". Face XP, obtained in civilian side missions, fills Shens face meter and unlocks cosmetic items such as clothes and vehicles. When it is full, Shen gains health regeneration, increased attack damage and other benefits. Police XP is gained by minimising civilian casualties and property damage in missions and by completing police side missions. Gaining XP unlocks abilities such as hot-wiring cars and disarming opponents. The clothes, accessories and vehicles purchased by Shen affect non-player characters reactions toward him. Players may also collect jade statues used to unlock melee combat skills.

Sleeping Dogs Synopsis: 

The game begins in Victoria Harbour, where Wei Shen is arrested after a drug deal goes wrong. In jail, Shen meets an old friend, Jackie Ma, who offers to introduce Shen to the members of a Triad gang once they are released. It is later revealed that Shens arrest was part of a police operation, headed by Superintendent Thomas Pendrew and Raymond Mak, to infiltrate the Water Street branch of a criminal organization, the Sun On Yee Triad gang. Shen joins the gang and is sent on various assignments by the leader, Winston Chu, against a rival branch known as the Jade Gang led by Sam "Dogeyes" Lin.

Retaliatory attacks on each others properties culminate in the killing of Winston and his fiancée at their wedding by an 18K gang member. The group leader of the Sun On Yee Triads, David Wai-Lin "Uncle" Po, is also critically wounded in the attack but is saved by Shen. As a reward, Shen is promoted to leader of the Water Street branch and hunts down Winstons killer who reveals that Dogeyes was the instigator of the attack. Shen then captures Dogeyes who is killed by Winstons mother. Po later dies in the hospital.

As a branch leader, Shen becomes embroiled in a power struggle over the leadership of Sun On Yee, siding with "Broken Nose" Jiang against another branch leader, Henry "Big Smile" Lee. Shen also refuses Pendrews order to get off the case out of fear of Lee taking over the leadership. Pendrew then leaks Shens identity to Lee, who attempts to use this information to disgrace Jiang prior to the upcoming election. After Jackie is killed at the hands of Lees gang, Shen escapes his captors and kills Lee. With the deaths of many senior ranking gang members, Shen is commended on his work but is informed by Mak that Pendrew has since been reassigned and is out of his reach. Shen later receives evidence from Jiang that Pendrew was responsible for the death of Uncle Po. Pendrew is imprisoned for his crime while Shen returns to the police force. Download too: Prison Break: Alcatraz v1.0 Apk Full Version 2016

System/Minimum Requirements!

  • Windows Xp,7,Vista,8
  • Video Memory: 512 MB
  • Ram: 2 GB
  • HDD: 15 GB
  • Cpu: Intel Core 2 Due 2.0GHz
Screenshots: 





Download Link: 

File Size: 17 GB
Free Download Sleeping Dogs Full Version 2016 | Megasync

Password RAR if Need: www.gudangmudroid.blogspot.com

Tags: sleeping dogs pc download,sleeping dogs pc download free,sleeping dogs full,sleeping dogs pc download full version,sleeping dogs pc download free
Read More..

Aplikasi Penambah dan Pengukur Kecepatan Processor RAM Di Ponsel Android

Aplikasi Penambah dan Pengukur Kecepatan Processor / RAM Di Ponsel Androidd - Aplikasi ini bernama AnTuTu yang merupakan Aplikasi Penambah dan Pengukur Kecepatan Processor / RAM Di Ponsel Android dan salah satu Aplikasi kenamaan sebuah developer yang memegang peranan penting dalam Aplikasi Benchmark yang terkenal itu yaitu AnTuTu Benchmark. Dan salah satu Aplikasi yang terkenal lainya adalah AnTuTuCPU Master yang merupakan sebuah Aplikasi Master CPU.

Fungsi Aplikasi yaitu ini mampu menggedor daya prosesor Smartphone Android menjadi lebih cepat. Nah, pada kesempatan kali ini saya akan berbagi tentang Cara Menambah Kecepatan Prosesor Pada Android.

Pada cara ini, smartphone yang kalian miliki harus memiliki akses root, anda bisa melihat tutorial Cara Root disini dan cara yang digunakan adalah overclock prosessor untuk mendapatkan hasil yang maksimal.

Berikut Cara Menambah Kecepatan Prosesor Android :

  1. Install Aplikasi AnTuTu CPU Master (Free) via | Google Play
  2. Setelah proses instal selesai kemudian jalankan.
  3. Ketuk tombol Apply.
    Aplikasi Penambah Kecepatan Processor / RAM Di Ponsel Android
  4. Selesai, maka prosesor anda sudah dimaksimalkan kecepatanya.
  5. Terdapat menu-menu lain yang mempunyai fungsi lain, anda bisa bereksperimen sendiri pada menu-menu tersebut.
Dan cara untuk mengukur kecepatan prosesor smartphone anda, anda tinggal download dan install Aplikasi AnTuTu Benchmark di Playstore. AnTuTu Benchmark merupakan Aplikasi pengukur kemampuan gadget Android dan membandingkanya dengan merk lain. 

Anda dapat Download Aplikasi AnTuTu Benchmark via | Google Play

Bagaimana ? tertarik untuk mencoba ? langsung saja ikuti langkah langkah diatas.

Demikian artikel dari saya tentang Cara Menambahkan dan Mengukur Kecepatan Prosesor Android kurang lebihnya mohon dimaafkan, semoga bermanfaat dan selamat mencoba. Terima Kasih atas kunjungan anda di blog ini.
Read More..

Free Download Thrillville Off The Rails PC



Link Download : (Download)

This game is like The Sims 3, but, in this game people who work at the company JetCoaster etc..



You can boast of visitors to the building JetCoaster, Ghost House, Bomb - Bomb Car etc in this game, visitors can also get upset if you rarely make the promotion and Jetcoaster who have not finished
if you want to visit more and give you more money tips how easily just make one long and menengangkan JetCoaster






Read More..

Kumpulan Game PS1 untuk All Android Devices

 Kali ini saya akan share beberapa game PS1 untuk android all devices. Jadi hampir semua game ini Support di Smartphone sobat. Untuk dapat memainkan game ini sobat harus punya aplikasi yang bernama FPse for android.apk . Bagi yang belum punya Lihat disini. Kalau gamenya gak bisa dimainkan kemungkinan ROM sobat kurang mampu mencerna gamenya hehe... :D

Baiklah berikut Game-game yang ane punya..

1. TEAM BUDDIES 

    pass : Code:04


2. BEYBLADE
    size only 4mb


PASS : http://snesorama.us/ 

3. DragonBall GT - Final Bout       
    size 50 mb an..

4. Twisted Metal 3
    Only 7mb di extract jadi 250mb

5. SmackDown

6. Tomba 
    Size 7mb >>extract 400 mb

7. Digimon Rumble Arena 

8. Final Fantasy Tactic 

9. Resident Evil Survivor 
    Favorit gue untuk ngadu nyali

10. Scooby-doo 

11. Driver
      Lumayan buat ngebut2an

12. Dino Crisis 2
      Game yang buat jantung mau copot

13. Tomba 2

14. Need for Speed 2

15. Medal of Honor

16. Die Hard Trilogy

17. Tony Hawk Pro Skater 4

Pertama ekstrak dulu game yang sudah didownload ,,
Game yang berformat .bin ,contoh (Resident evil survivor.bin) bisa langsung dimainin pake Fpse

nb  : Di dalam file game yang sobat download ada beberapa game yang berformat .bin.data & .bin.mode untuk ngeekstrak nya menjadi .bin harus pakai COSI.exe, yang belum punya
Download COSI disini .(link fixed)
Cara menggunakan cosi sangat mudah, pertama buka COSI di pc/laptop, cari file game hasil extract yang didownload tadi (file extensionnya … .bin.data & … .bin.mode) pilih decompress, tunggu sampai selesai…. 

Beberapa game yg saya share juga ada yg extensionnya .ecm
Untuk menjadikannya image file agar bisa dimainin pake aplikasi UnECM.
cara pakai file ….ecm di drag ke apps unecm ( dijadikan 1 folder ).
Download UnECM 

Kalau ada link yang rusak/mati harap lapor saya..
Read More..

Android example code using ColorFilter



MainActivity.java
package com.blogspot.android_er.androidcolorfilter;

import android.graphics.ColorFilter;
import android.graphics.ColorMatrixColorFilter;
import android.os.Bundle;
import android.support.v7.app.AppCompatActivity;
import android.widget.ImageView;
import android.widget.SeekBar;

public class MainActivity extends AppCompatActivity {

ImageView imageView;
SeekBar redBar, greenBar, blueBar;

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

imageView = (ImageView)findViewById(R.id.iv);
redBar = (SeekBar)findViewById(R.id.redbar);
greenBar = (SeekBar)findViewById(R.id.greenbar);
blueBar = (SeekBar)findViewById(R.id.bluebar);

redBar.setOnSeekBarChangeListener(colorBarChangeListener);
greenBar.setOnSeekBarChangeListener(colorBarChangeListener);
blueBar.setOnSeekBarChangeListener(colorBarChangeListener);

setColorFilter(imageView);
}

SeekBar.OnSeekBarChangeListener colorBarChangeListener
= new SeekBar.OnSeekBarChangeListener(){

@Override
public void onProgressChanged(SeekBar seekBar, int progress, boolean fromUser) {
setColorFilter(imageView);
}

@Override
public void onStartTrackingTouch(SeekBar seekBar) {

}

@Override
public void onStopTrackingTouch(SeekBar seekBar) {

}
};

private void setColorFilter(ImageView iv){

/*
* 5x4 matrix for transforming the color+alpha components of a Bitmap.
* The matrix is stored in a single array, and its treated as follows:
* [ a, b, c, d, e,
* f, g, h, i, j,
* k, l, m, n, o,
* p, q, r, s, t ]
*
* When applied to a color [r, g, b, a], the resulting color is computed
* as (after clamping)
* R = a*R + b*G + c*B + d*A + e;
* G = f*R + g*G + h*B + i*A + j;
* B = k*R + l*G + m*B + n*A + o;
* A = p*R + q*G + r*B + s*A + t;
*/

float redValue = ((float)redBar.getProgress())/255;
float greenValue = ((float)greenBar.getProgress())/255;
float blueValue = ((float)blueBar.getProgress())/255;

float[] colorMatrix = {
redValue, 0, 0, 0, 0, //red
0, greenValue, 0, 0, 0, //green
0, 0, blueValue, 0, 0, //blue
0, 0, 0, 1, 0 //alpha
};

ColorFilter colorFilter = new ColorMatrixColorFilter(colorMatrix);
iv.setColorFilter(colorFilter);
}

}


layout/activity_main.xml
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout


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_gravity="center_horizontal"
android_autoLink="web"
android_text="http://android-er.blogspot.com/"
android_textStyle="bold" />

<ImageView
android_id="@+id/iv"
android_layout_width="wrap_content"
android_layout_height="wrap_content"
android_src="@mipmap/ic_launcher"/>

<SeekBar
android_id="@+id/redbar"
android_layout_width="match_parent"
android_layout_height="wrap_content"
android_max="255"
android_progress="255"/>
<SeekBar
android_id="@+id/greenbar"
android_layout_width="match_parent"
android_layout_height="wrap_content"
android_max="255"
android_progress="255"/>
<SeekBar
android_id="@+id/bluebar"
android_layout_width="match_parent"
android_layout_height="wrap_content"
android_max="255"
android_progress="255"/>
</LinearLayout>


Related:
- Convert ImageView to black and white, and set brightness, using ColorFilter

Read More..

Menambahkan Pengukur Kecepatan Internet KBps MBps Distatus Bar Ponsel Android

Read More..

Sunday, February 28, 2016

Epic Astro Story Paid Full for Android


Epic Astro Story - Paid/Full for Android


Ready to test your mettle against the final frontier?

Pioneer an untamed planet, building roads and houses for your fellow denizens of the future. Cultivate your quaint colony into a stellar space citadel, and you'll pull alien tourists from everywhere this side of Alpha Centauri!

Careful though, not all intelligent life seeks souvenirs. Prepare to engage in heated battle with all manner of cosmic creatures! Win--and you just might be rewarded...

Strap into your spacecraft, all systems are go for an epic astro adventure that'll warp you to light speed and beyond!



Read More..

Mafia Rush Unlimited Money Android Game Moded


Salam Blogger :)
Selamat malam menjelang pagi, seperti biasa saya akan update. hehe. kenapa update malem trus. ya karena ada waktunya malem dan ada kuota nya jg malem hehe. Oke selamat menikmati game game mod di blog ini :) .

Details Game: 
Name      : Mafia Rush 
Genre      : Arcade
Platform  : Android 
Requires  : Android 2.3.3  and up

Modification on Game: 
- Unlimited Money


Review Modif:

Screenshoot:



Tutorial Instal : 
1. Download game. 
2. Pindahkan Game ke Androidmu.
3. Uniinstal Version originalnya, jika ada.
4. Instal MOD apk & Play
5. Enjoyyy 


|DOWNLOAD|
Mafia Rush - Unlimited Money[Android Game : Moded]

|Download Original game|
On Playstore

#Salam Blogger
#Semoga bermanfaat :)
#Ask? comment :)
Read More..

Date and Time Picker Views Android Developer Tutorial Part 20

Continuing my tutorials on some UI related stuff… In Part 16 & 17, I spoke about Simple ListView and Custom ListView. In Part 18, though it seems like a tutorial on Threads and Handlers, I have touched upon ProgressDialog, another view.


Here I would like to talk on the DatePicker and TimePicker that are bundled with the SDK. Both are very similar. So, I will talk only about DatePicker, but the sample code will have both.

Typically, we would want an end user to be able to set a date though a DatePickerDialog that pops-up on some user action. So, I have a button “Set Date” on the click of which a DatePickerDialog pops-up. Once the user selects a date and “sets” it, it is displayed back in a TextView field.

So, the code associated with the button is:

pickDate.setOnClickListener( new OnClickListener() {
@Override
    public void onClick(View v) {
        showDialog(DATE_DIALOG_ID);
    }
});

showDialog(…) is a method available on an Activity Itself. It just takes an integer to help decide which dialog should actually be shown. This is decided in the onCreateDialog(…) method that gets automatically invoked when showDialog(…) is called.

Here is the code for the same:

protected Dialog onCreateDialog(int id){
    switch(id) {
        case DATE_DIALOG_ID:
            return new DatePickerDialog(this, dateListener, year, month, day);
        case ….
    }
    return null;
}

In this method, when the int passed is DATE_DIALOG_ID, a new DatePickerDialog is passed along with the values for year, month and day. Where did I set values for these? In the onCreate(…) method itself, I have done this:

final Calendar cal = Calendar.getInstance();
year = cal.get(Calendar.YEAR);
month = cal.get(Calendar.MONTH);
day = cal.get(Calendar.DAY_OF_MONTH);

Also note that a handle to a listener is expected to be given to the DatePickerDialog. I will come to this listener a little later.

I have also updated the Date - TextView with these values in the updateDate() method which is invoked in the onCreate(…) method itself.

private void updateTime() {
    timeDisplay.setText(new StringBuilder().append(hours).append(:)
    .append(min));
}

So far, what I have done is shown how to create a Dialog and set the date.

Once the dialog shows up, when a user sets the date and clicks ‘set’, the listener that is invoked in on the DatePickerDialog. The method is onDateSetListener whose handle is passed during the creation of the DatePickerDialog itself.

private DatePickerDialog.OnDateSetListener dateListener =
    new DatePickerDialog.OnDateSetListener() {
        @Override
        public void onDateSet(DatePicker view, int yr, int monthOfYear, int dayOfMonth) {
            year = yr;
            month = monthOfYear;
            day = dayOfMonth;
            updateDate();
     }
};

In this method, on the click on the dialog, we are setting the day, month, year values to the new values that the user selected and also calling the updateDate() method to refresh the TextView with what the user selected.

It is this simple.

Same thing can be done with the TimePicker as well. The only difference is that you can pass a Boolean variable to say whether you want the time in 24 hour or 12 hour pattern.

Here is the complete code for the same.



Read More..

Mi Luncher dan Launcher Buzz Untuk Android Versi Terbaru dan Gratis

Download Install Mi Luncher dan Launcher Buzz Untuk Android Versi Terbaru dan Gratis – Siapa yang tidak mau jika tampilan homescreen di android terlihat mernarik dan berbeda dari kebanyakn pengguna android ?? Nah, disini saya akan memberikan kumpulan launcher android apk terbaru 2016 dan keren serta sangat recomend banget deh untuk di install di hp android kamu. 


Bagiamana tidak bagus , karena launcher yang lingkaran anda share adalah launcher yang paling diminati oleh para pengguna android. Lalu Launcher apa saja yang akan saya share untuk kalian semua ?? Untuk itu mari kita lihat ulasannya berikut ini.
 


 
Fitur :
  • Add My Tab in app drawer.
  • Add floating menu feature.
  • Add app drawer and folder background blurring effect.
  • Minor bug fixed.
Link Download
Buzz Launcher Versi 1.9.0.10 apk - DOWNLOAD
Miui Launcher apk - DOWNLOAD

Demikian artikel kali ini tentang Mi Luncher dan Launcher Buzz Untuk Android Versi Terbaru dan Gratis, semoga bermanfaat.
Read More..

Aplikasi Blogger Rewrite Artikel For Android

Aplikasi Blogger Rewrite Artikel For Android
 
Aplikasi Blogger Rewrite Artikel For Android -  Hallo selamat pagi sahabat lingkaran anda, terimakasih sebelumnya tetap berkunjung di blog sederhana milik admin ini. Pada kesempatan kali ini lingkaran anda akan berbagi yaitu sebuah Aplikasi untuk kamu para Blogger. Aplikasi ini bernama Article Rewriter Free yang tersedia Gratis di Playstore.

Aplikasi ini sangat cocok untuk anda, agar menghasilkan Content yang bagus dan unik di mata google. Dengan Aplikasi ini anda juga tidak bisa langsung di cap sang copaser atau seorang yang mencuri artikel orang lain tetapi dengan Aplikasi ini anda bisa menghasilkan kata-kata yang unik dan bagus yang disukai oleh google. Nah untuk itu silahakn anda seger Install langsung dari Hp anda.

Aplikasi  Article Rewriter Free ini akan membantu anda untuk membuat artikel baru dari artikel lama yang di spin, memutar urutan kata, dan mengubah beberapa kata dengan sinonim mereka. Cara untuk menggunakan aplikasi ini cukup mudah, anda cukup copy artikel anda yang lama kemudian pastekan ke dalam aplikasi ini, seterlah itu anda tinggal klik tombol Rewrite maka aplikasi ini secara otomatis akan memutar artikel anda.

Untuk Caranya sendiri, saya tidak menjelaskannya karena sangat mudah. Jika anda berminat silahkan anda kunjungi Google Playstore atau bisa anda Klik Disini.

Demikian dan semoga dapat bermanfaat :)

Read More..

Saturday, February 27, 2016

Android 2 3 is here and what does it bring

Android 2.3 (Gingerbread) has been released on the 6th of December 2010. While it is still a minor release, Android 3.0 (Honeycomb) would probably bring greater surprises. Atleast I am hoping that there would be the "Wow" factor with it.

Here are a few features of the Gingerbread version:
  • Updated user interface design
  • Support for extra-large screen sizes and resolutions (WXGA and higher)
  • Native support for SIP VoIP telephony
  • Support for WebM/VP8 video playback, and AAC audio encoding
  • New audio effects such as reverb, equalization, headphone virtualization, and bass boost
  • Support for Near Field Communication
  • System-wide copy–paste functionalities
  • Redesigned multi-touch software keyboard
  • Enhanced support for native code development
  • Audio, graphical, and input enhancements for game developers
  • Concurrent garbage collection for increased performance
  • Native support for more sensors (such as gyroscopes and barometers)
  • A download manager for long running downloads
  • Improved power management and application control
  • Native support for multiple cameras
  • Switched from YAFFS to the ext4 filesystem
  • An Integrated task Manager
Alongside the new platform, Google is also releasing updates to the Software Development Kit (SDK) tools (r8), Native Development Kit (NDK) and Android Development Tools (ADT) plug-in for Eclipse (8.0.0).
    The new features are simplified debug builds, integrated ProGaurd support, HierarchyViewer improvements and a preview of new UI Builder.  For a few of the reviews you can go here:
    Gizmodos Review - Android 2.3 Gingerbread Review: Better Than Fruitcake
    Techworlds review - Google Android 2.3 Gingerbread review


    Read More..

    UltraChron Stopwatch Lite v1 95 Free

    Ultrachron Lite is an easy to use digital stopwatch & talking timer that is responsive and accurate.
    Great for cooking!
    "Ultrachron is firmly entrenched on my list of must-have apps for Android. The free Lite version is fantastic, but for $1 you get some great extra features. Id pay $1 just to support the developer." - Brent Rose, PC World
    Features:
    •Talking stopwatch/timer
    •Set timer with voice
    •Large display
    •Lap Times
    •Editable descriptions
    •Email timing reports
    •Wakes phone
    •Persistent notifications
    No Ads!


    Whats New
    Version 1.9.4
    - Fixed bug for Android 4.1
    - Added graph to timer display
    - Added ability to auto-stop count up after alarm
    Version 1.9.4
    - Fixed notification bug for Android 4
    Version 1.9.3
    - Updated to better support 10" tablets

    Read Here: How to Install APK

    Requirements: Android 2.1+
    File Size: 656.24 KB
    Download Link: Mediafire.com
    Read More..

    Android Developers Backstage Ep2 Storage

    Chet Haase, Tor Norbye, are joined by Jeff Sharkey on the second episode of Android Developers Backstage.

    Jeff is a longtime engineer on the Android Framework team responsible in large part for one of the exciting new features in Android 4.4 KitKat, the Storage Access Framework. Learn about that new feature along with other random Android things that happened to come up in the conversation.

    Click here to download the podcast
    Read More..

    Counter Strike Xtreme V7 FULL Free Games PC Download


    Salam Blogger :) 
    Selamat malam, gmna kawan2 UAS nya udh pada selesai. waktu nya main lagi dong kalo udh haha. oke kali ini ane mau share game PC dulu. yaitu Game CS Xtreme V7 . disini banyak modenya Ada Mod Zombie, Alien, dll. buat yg kangen main CS , bsa bernostalgia dgn CS Xtreme versi terbaru ini. oke cek itt Broo :

    System Requirements :
    OS : Windows 2000/XP/7/8
    CPU : Pentium 4  2.4 GHz or Equivalent
    RAM : 1GB
    Hard Disk: 2 GB Free
    VGA : 512 MB


    Review Game






    Tutorial install :
    1. Klik File .Exe Game nya
    2. Install game, tunggu hingga selesai
    3. Done
    4. Game siap dimainkan dengan Full 

    |DOWNLOAD|

    Counter Strike Xtreme V7 FULL [Free Games PC Download]


    #Salam Blogger
    #Semoga bermanfaat :)
    #Ask? comment :) 
    Read More..