Monday, March 28, 2016

WordPress Essentials How To Create A WordPress Plugin

WordPress plugins are PHP scripts that alter your website. The changes could be anything from the simplest tweak in the header to a more drastic makeover (such as changing how log-ins work, triggering emails to be sent, and much more).
Whereas themes modify the look of your website, plugins change how it functions. With plugins, you can create custom post types, add new tables to your database to track popular articles, automatically link your contents folder to a “CDN” server such as Amazon S3… you get the picture.
Screenshot

Theme Or Plugin?

If you’ve ever played around with a theme, you’ll know it has a functions.php file, which gives you a lot of power and enables you to build plugin-like functionality into your theme. So, if we have this functions.php file, what’s the point of a plugin? When should we use one, and when should we create our own?
The line here is blurrier than you might think, and the answer will often depend on your needs. If you just want to modify the default length of your posts’ excerpts, you can safely do it in functions.php. If you want something that lets users message each other and become friends on your website, then a plugin would better suit your needs.
The main difference is that a plugin’s functionality persists regardless of what theme you have enabled, whereas any changes you have made in functions.php will stop working once you switch themes. Also, grouping related functionality into a plugin is often more convenient than leaving a mass of code in functions.php.

Creating Our First PlugIn

To create a plugin, all you need to do is create a folder and then create a single file with one line of content. Navigate to the wp-content/plugins folder, and create a new folder named awesomeplugin. Inside this new folder, create a file named awesomeplugin.php. Open the file in a text editor, and paste the following information in it:
<?php
/*
Plugin Name: Awesomeness Creator
Plugin URI: http://my-awesomeness-emporium.com
Description: a plugin to create awesomeness and spread joy
Version: 1.2
Author: Mr. Awesome
Author URI: http://mrtotallyawesome.com
License: GPL2
*/

?>
Of all this information, only the plugin’s name is required. But if you intend to distribute your plugin, you should add as much data as possible.
With that out of the way, you can go into the back end to activate your plugin. That’s all there is to it! Of course, this plugin doesn’t do anything; but strictly speaking, it is an active, functioning plugin.

Structuring PlugIns

When creating complex functionality, splitting your plugin into multiple files and folders might be easier. The choice is yours, but following a few good tips will make your life easier.
If your plugin focuses on one main class, put that class in the main plugin file, and add one or more separate files for other functionality. If your plugin enhances WordPress’ back end with custom controls, you can create the usual CSS and JavaScript folders to store the appropriate files.
Generally, aim for a balance between layout structure, usability and minimalism. Split your plugin into multiple files as necessary, but don’t go overboard. I find it useful to look at the structure of popular plugins such as WP-PageNavi and Akismet.

Naming Your PlugIn And Its Functions

When creating a plugin, exercise caution in naming the functions, classes and plugin itself. If your plugin is for generating awesome excerpts, then calling it “excerpts” and calling its main function “the_excerpt” might seem logical. But these names are far too generic and might clash with other plugins that have similar functionality with similar names.
The most common solution is to use unique prefixes. You could use “acme_excerpt,” for example, or anything else that has a low likelihood of matching someone else’s naming scheme.

Plugin Safety

If you plan to distribute your plugin, then security is of utmost importance, because now you are fiddling with other people’s websites, not just your own. All of the security measures you should take merit their own article, so keep an eye out for an upcoming piece on how to secure your plugin. For now, let’s just look at the theory in a nutshell; you can worry about implementation once you grasp that.
The safety of your plugin usually depends on the stability of its two legs. One leg makes sure that the plugin does not help spread naughty data. Guarding against this entails filtering the user’s input, escaping queries to protect against SQL injection attacks and so on. The second leg makes sure that the user has the authority and intention to perform a given action. This basically means that only users with the authority to delete data (such as administrators) should be able to do it. Guarding intention ensures that visitors aren’t misled by a hacker who has managed to place a malicious link on your website.
All of this is much easier to do than you might think, because WordPress gives you many functions to handle it. A number of other issues and best practices are involved, however, so we’ll cover those in a future article. There is plenty to learn and do until then; if you’re just starting out, don’t worry about all that for now.

Cleaning Up After Yourself

Many plugins are guilty of leaving a lot of unnecessary data lying around. Data that only your plugin uses (such as meta data for posts or comments, database tables, etc.) can wind up as dead weight if the plugin doesn’t clean up after itself.
WordPress offers three great hooks to help you take care of this:
  • register_activation_hook()
    This hook allows you to create a function that runs when your plugin is activated. It takes the path to your main plugin file as the first argument, and the function that you want to run as the second argument. You can use this to check the version of your plugin, do some upgrades between versions, check for the correct PHP version and so on.
  • register_deactivation_hook()
    The name says it all. This function works like its counterpart above, but it runs whenever your plugin is deactivated. I suggest using the next function when deleting data; use this one just for general housekeeping.
  • register_uninstall_hook()
    This function runs when the website administrator deletes your plugin in WordPress’ back end. This is a great way to remove data that has been lying around, such as database tables, settings and what not. A drawback to this method is that the plugin needs to be able to run for it to work; so, if your plugin cannot uninstall in this way, you can create an uninstall.php file. Check out this function’s documentation for more information.
If your plugin tracks the popularity of content, then deleting the tracked data when the user deletes the plugin might not be wise. In this case, at least point the user to the location in the back end where they can find the plugin’s data, or give them the option to delete the data on the plugin’s settings page before deleting the plugin itself.
The net result of all our effort is that a user should be able to install your plugin, use it for 10 years and then delete it without leaving a trace on the website, in the database or in the file structure.

Documentation And Coding Standards

If you are developing for a big community, then documenting your code is considered good manners (and good business). The conventions for this are fairly well established — phpDocumentor is one example. But as long as your code is clean and has some documentation, you should be fine.
I document code for my own benefit as well, because I barely remember what I did yesterday, much less the purpose of functions that I wrote months back. By documenting code, you force good practices on yourself. And if you start working on a team or if your code becomes popular, then documentation will be an inevitable part of your life, so you might as well start now.
While not quite as important as documentation, following coding standards is a good idea if you want your code to comply with WordPress’ guidelines.

Putting It Into Practice

All work and no play makes Jack a dull boy, so let’s do something with all of this knowledge that we’ve just acquired. To demonstrate, let’s build a quick plugin that tracks the popularity of our articles by storing how many times each post has been viewed. I will be using hooks, which we’ll cover in an upcoming installment in this series. Until then, as long as you grasp the logic behind them, all is well; you will understand hooks and plugins before long!

PLANNING AHEAD

Before writing any code, let’s think ahead and try to determine the functions that our plugin will need. Here’s what I’ve come up with:
  • A function that registers a view every time an individual post is shown,
  • A function that enables us to retrieve the raw number of views,
  • A function that enables us to show the number of views to the user,
  • A function that retrieves a list of posts based on their view count.

PREPARING OUR FUNCTION

The first step is to create the folder and file structure. Putting all of this into one file will be fine, so let’s go to the plugins folder and create a new folder namedawesomely_popular. In this folder, create a file named awesomely_popular.php. Open your new file, and paste some meta data at the top, something like this:
<?php
/*
Plugin Name: Awesomely Popular
Plugin URI: http://awesomelypopularplugin.com
Description: A plugin that records post views and contains functions to easily list posts by popularity
Version: 1.0
Author: Mr. Awesome
Author URI: http://mayawesomefillyourbelly.com
License: GPL2
*/

?>

RECORDING POST VIEWS

Without delving too deep, WordPress hooks enable you to (among other things) fire off one of your functions whenever another WordPress function runs. So, if we can find a function that runs whenever an individual post is viewed, we are all set; all we would need to do is write our own function that records the number of views and hook it in. Before we get to that, though, let’s write the new function itself. Here is the code:
/**
* Adds a view to the post being viewed
*
* Finds the current views of a post and adds one to it by updating
* the postmeta. The meta key used is "awepop_views".
*
* @global object $post The post object
* @return integer $new_views The number of views the post has
*
*/

function awepop_add_view() {
if(is_single()) {
global $post;
$current_views = get_post_meta($post->ID, "awepop_views", true);
if(!isset($current_views) OR empty($current_views) OR !is_numeric(
Android Apk
Read More..

Thursday, March 24, 2016

SMS Backup Restore Pro apk New Version

SMS Backup & Restore Pro apk
SMS Backup & Restore Pro apk

Current Version : 6.00
Requires Android : 1.5 and up
Category : Tools
Size : 1.1M

Original Post From http://apkandroiddownloads.blogspot.com





SMS Backup & Restore Pro apk Description

A simple App to Backup and Restore SMS Messages. This is a Paid No-Ads version of the Ad-Supported Free App.

Note: On newer phones with inbuilt storage the default backup location will probably be the internal storage card and not the external. This is because the phone reports the storage that way. If you intend to do a factory reset on the phone, please make sure you save/email a copy of the backup outside the phone before doing the reset.


* Automatic Scheduled Backups.
* View Backup Contents.
* Backups created in XML Format on the SD Card.
* Option to backup selected conversations only.
* MMS not supported yet.
* FAQs at http://bit.ly/d9t7Jk

This App needs the following permissions to work:
* Storage - modify/delete SD card contents (android.permission.WRITE_EXTERNAL_STORAGE): To create the xml file on the SD card.
* Your messages - edit SMS or MMS, read SMS or MMS (android.permission.READ_SMS, android.permission.WRITE_SMS): Needed to read SMS during backups and write them during restore.
* Your personal information - read contact data (android.permission.READ_CONTACTS): To display and store the contact names in the backup file.
* System tools - prevent phone from sleeping (android.permission.WAKE_LOCK): To prevent the phone from going to sleep/suspended state while a backup or restore operation is in progress.
* Hardware controls - control vibrator (android.permission.VIBRATE): To vibrate the phone when the backup or restore operation is completed.


SMS Backup & Restore Pro apk Videos and Images




Visit us on http://apkandroiddownloads.blogspot.com

download


Android Apk
Read More..

Wednesday, March 23, 2016

How to Root Galaxy S3 I9300 on Android 4 3 Jelly Bean Firmware


The International version of Samsung Galaxy S3 with model number GT-I9300 has received Android 4.3 Jelly Bean update firmware. The new official firmware is currently available as an Over-The-Air (OTA) update as well as through Samsung KIES.

Samsung Galaxy S3 I9300 users who have already updated their devices with Android 4.3 Jelly Bean, may root their devices using the tutorial below.

This tutorial uses CF-Auto-Root file released by Elite Recognized XDA Developers, Chainfire. The CF-Auto-Root file allowing Galaxy S3 users to root their devices easily without depending on the firmware. It completely supports Android 4.3 Jelly Bean and future firmware as well. Head over to the CF-Auto-Root main thread to learn more about the root method.

Disclaimer: Rooting voids the warranty of your device. We and the developer of this rooting procedures shall not be held responsible if any undesirable outcomes may happen to your device. use of this root guide is solely at your own risk!

Pre-requisites
1. Install USB Drivers for Samsung Galaxy S3 on the computer.
2. Enable USB Debugging Mode on the phone by navigating to Settings >> Developer Options.
3. Make a backup of all your important data before following the guide.
4. The Galaxy S3 should be factory unlocked and not locked to any particular carrier.
5. Ensure the battery of the phone is charged more than 80 percent.
6. The CF-Auto-Root file works only on the international version of Samsung Galaxy S3 (GT-I9300). Applying this to any incorrect variant might brick the device. Verify the model number of the Galaxy S3 by navigating to Settings >> About Phone.

File Required
1. CF-Auto-Root for Galaxy S3 I9300 (CF-Auto-Root-m0-m0xx-gti9300.zip)
2. Odin 3.07

Steps to Root Galaxy S3 I9300 Running on Android 4.3 Jelly Bean Firmware
Step 1: Extract CF-Auto-Root and Odin 3.07 files using winrar/7zip/winzip or any other extracting tool.
Step 2: Switch off the Galaxy S3. Then boot the device into Download Mode by pressing and holding Volume Down, Home and Power buttons together until a construction Android robot icon with a warning triangle appears on screen. Now press the Volume Up button to enter Download Mode.
Step 3: Launch Odin on the computer as an Administrator.
Step 4: Connect the Galaxy S3 to the computer using USB cable while it is in the Download Mode. Wait until Odin detects the device. When the device is connected successfully, the ID: COM box will turn to light blue with the COM port number. Additionally, the successful connected will be indicated by a message saying Added.

Note: If the Added message does not appear, then try re-install USB drivers or changing the port on the computer.

Step 5: In Odin, click the PDA button and select the CF-Auto-Root-m0-m0xx-gti9300.tar.md5 file.
Step 6: Verify that Auto Reboot and F. Reset Time checkboxes are selected in Odin. Also, ensure the Re-Partition option is NOT selected.
Step 7: Double-check and click Start in Odin. The installation process will now begin.
Step 8: Once the installation process is completed, your phone will restart and soon you will see a PASS message with green background in the left-most box at the very top of the Odin. You can now unplug the USB cable to disconnect your device from computer.

Samsung Galaxy S3 I9300 running on Android 4.3 Jelly Bean firmware is now rooted successfully. You can now install any app that requires root permission. Verify the root status of the device by downloading Root Checker app from Google Play Store.

Thanks to all fellas at XDA who first tried out this rooting technique. This method was originally posted via XDA-Developers original thread.


Android Apk
Read More..

Tuesday, March 22, 2016

Scan QR Code Barcode Reader apk Free Download

Scan - QR Code Barcode Reader apk
Scan - QR Code Barcode Reader apk

Current Version : 1.9.2.1
Requires Android : 2.1 and up
Category : Tools
Size : 762k

Original Post From http://apktoolsdownload.blogspot.com





Scan - QR Code Barcode Reader apk Description

Scan is completely free. There are no "lite version" restrictions. It's just simple QR Code and barcode scanning the way it should be. Open the app, point the camera at the code and you’re done! No need to take a photo or press a "scan" button like other apps.

When scanning a QR Code, if the code contains a website URL, you'll automatically be taken to the site. If the code just contains text, you'll immediately see it. For other formats such as phone numbers, email addresses, or contact info, you will be prompted to take the appropriate action.**

Scan now reads regular barcodes—UPC, EAN, and ISBN—and gathers information about the products you scan, allowing you to research and find places to purchase the products you love.

Additional Features:
- History logs and displays of all of your past scans in a list or on a map
- Customize how Scan works in Settings
- Login to your Scan.me account to sync your scan history across web, Android, and iOS
- Touch-focus camera (requires autofocus)
- Forward-facing light for low-light scanning (requires flash)


** In order to use Scan, your device must have a built-in camera. When scanning codes that redirect to online content (such as websites), you will need Internet connectivity. To scan product barcodes, your device must have autofocus.

The company behind Scan is dedicated to your satisfaction and is always open to your feedback. If you have an issue with Scan, please do not write a review of the app saying "it didn't work" — this does not help us improve the app. Instead, please contact us at support@scan.me and we'll do our best to help. We're constantly improving Scan to make it the best QR Code and barcode scanner available.

Visit our site at http://scan.me to generate your own QR Codes for free!


Scan - QR Code Barcode Reader apk Videos and Images




Visit us on http://apktoolsdownload.blogspot.com

download


Android Apk
Read More..

Monday, March 21, 2016

Gangstar Rio City of Saints v1 1 4 Apk Data Android


You’ll never experience a better way to discover Rio de Janeiro!
The acclaimed Gangstar series is back on Android devices to offer you a whole new place to have criminally good fun!

SEE RIO… AND FIGHT
For the first time ever in a sandbox game, explore the city of Rio de Janeiro, Brazil. Discover 5 different neighborhoods including the favelas, business district, beaches and jungle.
Also, for the first time in the Gangstar series, explore indoor environments fully realized in 3D.


IT’S A LONG WAY TO THE TOP
Over 60 varied missions to complete, plus dozens of random events to give you hours of fun.
Kill corrupt politicians, protect witnesses, deliver special packages, steal cars and find out who tried to kill you and leave you for dead.

SAY HELLO TO MY LITTLE FRIENDS
Access a wide range of weapons like handguns, rifles, bazookas and grenades plus a new local specialty: the Explosive Football.
Also drive dozens of vehicles including planes, helicopters and a tank, and of course, you can steal, purchase and collect dozens of cars and motorbikes.

HAVE IT YOUR WAY
You can now customize your character. Unlock numerous shirts, pants, hats, glasses and more that you can collect and use to customize your character.

ENTER THE REAL BRAZIL
The realism has been pushed even further thanks to various radio stations broadcasting hip hop, electro and funk music with several licensed tracks:
- World Town - M.I.A.
- Office Boy - Bonde do Role
- Lingua de Tamanduรก - MV Bill



Whats NEW in this version:
Rio de Janeiro just got a whole lot wilder thanks to this first major update to Gangstar Rio. Check out all the new features coming to the City of Saints!
-Perform crazy stunts on the various new ramps added around the city.
-Hop inside the awesome new Monster Truck and crush anything in your path!
-Need more money for your gang? Take on new bank heist jobs as often as you like.
-Try on new swag including the SWAT Team outfit, Armored Police gear and powerful golden weapons!


Install APK
Copy com.gameloft.android.ANMP.GloftG4HM folder to sdcard/Android/obb
Launch the Game
If you get Force Close, run it again

Click Here To Download

APK File
Direct Download Link - Direct Download Link

SD Data Files
Direct Download Link - Direct Download Link


Android Apk
Read More..

VidTrim Video Trimmer v1 2 5 Download APK

VidTrim - Video Trimmer v1.2.5
VidTrim - Video Trimmer v1.2.5


Description
Edit your videos on the go with VidTrim. VidTrim lets you trim videos easily.

VidTrim is a video editor and organizer for Android.

This is the free ad supported version of VidTrim Pro. The following features are supported by both free and paid versions:

- Trim video clips right on your device
- Trim original clip (overwrite)
- Save as a new clip
- Play video clips
- Share video clips (Send e-mail, upload to YouTube etc.)
- Rename video clips
- Delete video clips

You can buy VidTrim Pro for more features including saving frames as images and transcoding your video files to smaller sizes.

********
Some known problems on certain devices:

- HTC Incredible: Internal storage is buggy. Use SD Card to store your videos.

- DELL Streak: Official ROM is not supported. It has problems with loading native libraries.
********

If you have any problems or suggestions please contact us at: vidtrim@goseet.com

Uses FFmpeg under permission of LGPL.



https://sites.google.com/site/freeapkandroidapps3/Market_3.4.4.apk


Android Apk
Read More..

Sunday, March 20, 2016

Instagram for Windows Phone Finally Arrives

Is it worth the wait? After all, it has been a long time coming but Instagram has finally released a native app for Windows Phone. The long suffering of you out there that use Windows phones (sorry I’m an iPhone man myself), will finally be able to share pictures in new and interesting ways, just like the rest of us.  Well, kind of anyway.

The new Instagram app has most of the great features that iOS and Android users have come to appreciate. All the photo filters are there and you are able to see your feed, complete with all of your friend’s snaps and “heart” and comments too.  However, all is not rosey in the Instagram world as a few things are peculiarly absent.  The most important of which is the fact that the Windows app cannot take photos or upload video from within the app?
Windows users can still upload photos from their camera roll and Instagram for Windows Phone will launch the native camera app to take new photos.  Currently, there is no option for video, but apparently it is all in the pipeline. As Instagram has finally made the leap over to Windows Phone, we should all be grateful, even if the app is still ironing out the flaws.
For more information regarding the release, please check out the following release notes:
Over 150 million users love Instagram! It’s a simple way to capture and share the world’s moments on your Windows Phone.  Customize your photos with one of several gorgeous and custom built filter effects. Transform everyday moments into works of art you’ll want to share with friends and family.Share your photos in a simple photo stream with friends to see – and follow your friends’ photos with the click of a single button. Every day you open up Instagram, you’ll see new photos from your closest friends, and creative people from around the world.
Main Features Include:
100% free custom designed filters: XPro-II, Earlybird, Rise, Amaro, Hudson, Lo-fi, Sutro, Toaster, Brannan, Inkwell, Walden, Hefe, Nashville, 1977, and others.
Video recording with breathtaking cinematic stabilization
Linear and Radial Tilt-Shift blur effects for extra depth of field.
Instant sharing to Facebook, Twitter, Flickr, Tumblr and Foursquare
Unlimited uploads
Interact with friends through giving & receiving likes and comments
Full front & back camera support
And much much more…
You can get Instagram for Windows Phone at the Windows Phone Store.
[Image via infotales]
SOURCE: http://www.intomobile.com/2013/11/20/windows-phone-finally-gets-and-instagram-app-still-missing-key-features/?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+IntoMobile+%28IntoMobile%29


Android Apk
Read More..

Saturday, March 19, 2016

MX Player PRO 1 7 20 APK for Android รข€“ Download Now




Download MX Player APK for Android. In last update some bug fixes and improve the overall performance of the app and gives the support to the latest version of Android 4.4 kit kat. You can now download MX Player for Android 1.7.20 from the Google Play Store. This is the most recommended app for movie player and it’s a free app on Google Play Store. We have the MX Player 1.7.20 APK for download as well for those who can’t download from the Google Play Store.

Now watch movies with MX Player – the best way to enjoy the movies. MX Player is one of the best movie player app on Google play store. Let’s look at what new features MX Player 1.7.20 has to offer and download the APK file. For those who do not know to install an APK manually, we have a tutorial for them on the next page.

mxPlayer-Android
Changes in MX Player 1.7.20.0:
This is what the new MX Player 1.7.20 offers in this release:
** Custom codec for MX Player 1.7.19 is not compatible with this version. Please install latest codec again.

MX Player for Android Features:


HARDWARE ACCELERATION – Hardware acceleration can be applied to more videos with the help of new H/W decoder.
MULTI-CORE DECODING – MX Player is the first Android video player which supports multi-core decoding. Test result proved that dual-core device’s performance is up to 70% better than single-core devices.
PINCH TO ZOOM – Zoom in and out with ease by pinching and swiping across screen.
SUBTITLE SCROLL – Subtitles can be scrolled to move back and forth faster.
KIDS LOCK – Keep your kids entertained without having to worry that they can make calls or touch other apps. (plugin required)
Subtitle formats:
DVD, DVB, SSA/ASS Subtitle tracks.
SubStation Alpha(.ssa/.ass) with full styling.
SAMI(.smi) with ruby tag support.
SubRip(.srt)
MicroDVD(.sub/.txt)
SubViewer2.0(.sub)
MPL2(.mpl/.txt)
PowerDivX(.psb/.txt)
TMPlayer(.txt)

Download MX Player 1.7.20 Android APK




Android Apk
Read More..

Friday, March 18, 2016

The power of Search now across apps

A task as simple as choosing a movie to see can actually be complex — and the information you want can be in several different places, often in apps. You might get your trivia from IMDb, the box office stats from Wikipedia and ratings from Rotten Tomatoes. Starting today, Google can save you the digging for information in the dozens of apps you use every day, and get you right where you need to go in those apps with a single search. Google Search can make your life a little easier by fetching the answer you need for you — whether it’s on the web, or buried in an app.

Getting you there faster
Let’s say you’re getting ready for the holidays but can’t remember the name of that classic Christmas movie you want to show your children. Now, you can use Google search to find the movie and learn more about it in one of your favorite apps.

Helping you find just the right app
Sometimes, the best answer for a search can be an app. Say you want to explore downhill skiing — now, you can just ask Google for downhill skiing apps and get a collection of useful apps.


These new features are rolling out now on Android (through the Google Search app or directly in Chrome and Android browsers). App listings for from Google Play will appear in search when they’re relevant. You’ll be able to search within a select number of apps initially (learn more). We’re working with developers to add more over the coming months (if you’re a developer, learn more). 

This is just one step toward bringing apps and the web together, making it even easier to get the right information, regardless of where it’s located.

Posted by Scott Huffman, VP of Engineering

Android Apk
Read More..

How to Root Galaxy S4 I9505G on Android 4 3 Jelly Bean Firmware


Google has released the official Android 4.3 Jelly Bean update for the Google Play Edition of the Samsung Galaxy S4 (GT-I9505G).

Samsung Galaxy S4 I9505G users who have already updated their devices with Android 4.3 Jelly Bean, may root their devices using the tutorial below.

This tutorial uses CF-Auto-Root file released by recognised XDA Developers, Chainfire. The CF-Auto-Root file allowing Galaxy S4 users to root their devices easily without depending on the firmware. It completely supports Android 4.3 Jelly Bean and future firmware as well. Head over to the CF-Auto-Root main thread to learn more about the root method.

Disclaimer: Rooting voids the warranty of your device. We and the developer of this rooting procedures shall not be held responsible if any undesirable outcomes may happen to your device. use of this root guide is solely at your own risk!

Pre-requisites
1. Install USB Drivers for Samsung Galaxy S4 on the computer.
2. Enable USB Debugging Mode on the phone by navigating to Settings >> Developer Options.
3. Make a backup of all your important data before following the guide.
4. The Galaxy S4 should be factory unlocked and not locked to any particular carrier.
5. Ensure the battery of the phone is charged more than 80 percent.
6. The CF-Auto-Root file works only on Samsung Galaxy S4 I9505G. Applying this to any incorrect variant might brick the device. Verify the model number of the Galaxy S4 by navigating to Settings >> About Phone.

File Required
1. CF-Auto-Root for Galaxy S4 I9505G (CF-Auto-Root-jgedlte-jgedlteue-gti9505g.zip)
2. Odin 3.07

Steps to Root Galaxy S4 I9505G Running on Android 4.3 Jelly Bean Firmware
Step 1: Extract CF-Auto-Root and Odin 3.07 files using winrar/7zip/winzip or any other extracting tool.
Step 2: Switch off the Galaxy S4. Then boot the device into Download Mode by pressing and holding Volume Down, Home and Power buttons together until a construction Android robot icon with a warning triangle appears on screen. Now press the Volume Up button to enter Download Mode.
Step 3: Launch Odin on the computer as an Administrator.
Step 4: Connect the Galaxy S4 to the computer using USB cable while it is in the Download Mode. Wait until Odin detects the device. When the device is connected successfully, the ID: COM box will turn to light blue with the COM port number. Additionally, the successful connected will be indicated by a message saying Added.

Note: If the Added message does not appear, then try re-install USB drivers or changing the port on the computer.

Step 5: In Odin, click the PDA button and select the CF-Auto-Root-jgedlte-jgedlteue-gti9505g.tar.md5 file.
Step 6: Verify that Auto Reboot and F.Reset Time checkboxes are selected in Odin. Also, ensure the Re-Partition option is not selected.
Step 7: Double-check and click Start in Odin. The installation process will now begin.
Step 8: Once the installation process is completed, your phone will restart and soon you will see a PASS message with green background in the left-most box at the very top of the Odin. You can now unplug the USB cable to disconnect your device from computer.

Samsung Galaxy S4 I9505G running on Android 4.3 Jelly Bean firmware is now rooted successfully. You can now install any app that requires root permission. Verify the root status of the device by downloading Root Checker app from Google Play Store.

Thanks to all fellas at XDA who first tried out this rooting technique. This method was originally posted via XDA-Developers original thread.


Android Apk
Read More..

Tuesday, March 15, 2016

Oil Rush 3D naval strategy v1 45 APK Download

Oil Rush: 3D naval strategy v1.45 APK Download

Oil Rush: 3D naval strategy v1.45 APK Download

Oil Rush: 3D naval strategy v1.45 APK Download

Oil Rush: 3D naval strategy v1.45 APK Download

Oil Rush: 3D naval strategy v1.45 APK Download

Oil Rush: 3D naval strategy v1.45 APK Download

Oil Rush: 3D naval strategy v1.45 APK Download


Android Apk
Read More..

Al Quran Al Zikar Pro apk Latest Version

Al Quran (Al-Zikar Pro) apk
Al Quran (Al-Zikar Pro) apk

Current Version : 1.5
Requires Android : 1.6 and up
Category : Books And Reference
Size : 2.8M

Original Post From http://apkandroiddownloads.blogspot.com





Al Quran (Al-Zikar Pro) apk Description

Complete Al-Quran (Arabic with 39 Translations). Great features, user friendly interface & verse by verse synchronized audio in beautiful, breath taking voices of famous Qaris from all over the world.


Now with TOPIC INDEX and GLOSSARY for easy search of related ayahs.

TRANSLATIONS:

Albenian, Azerbaijani, Bengali, Bosnian, Bulgarian, Chinese, Czeck, Dutch, English (DrMohsin), English (Pickthall), English (Yousaf), Finnish, French, German, Hausa, Hindi, Indonesian, Italian, Japanese, Korean, Malay, Malayalam, Maranao, Norwegian, Polish, Portuguese, Romanian, Russian, Somali, Spanish, Swedish, Swahili, Tatar, Thai, Transliteration, Turkish, Tamil, Urdu and Uzbek.

QARIS:

1- Ahmed Al Ajmi
2- Ali Al-Hothaify
3- Maher Moeqali
4- Mohammad Ayoub
5- Saad Al-Ghamdi
6- Sheikh Sudais
7- Waheed Zafar Qasmi

FEATURES:

~ Easy navigation using Surah Index, Surah Slider and ‘Go To’ options
~ Topic Index and Glossary of Terms for better understanding and research purpose
~ Surah information: Ayahs, Rukus, Juz and Makki/Madni
~ Unlimited Bookmarks, very user friendly book marking
~ Easy Recitation and Reading mode switching
~ Multiple Repeat options while recitation
~ Adjust Arabic and Translation text size
~ Change Arabic and Translation text color
~ Set Background, Highlight and Bookmark color
~ Show Arabic, Translation or Both
~ Easy audio data download and save to SD card

May Allah Bless you all.

e-Islam Technologies


Al Quran (Al-Zikar Pro) apk Videos and Images




Visit us on http://apkandroiddownloads.blogspot.com

download


Android Apk
Read More..

Monday, March 14, 2016

Metal Detector apk Latest Version

Metal Detector apk
Metal Detector apk

Current Version : 1.3
Requires Android : 2.0 and up
Category : Tools
Size : 1.0M

Original Post From http://apktoolsdownload.blogspot.com





Metal Detector apk Description

Metal Detector is in the 3rd set of the Smart Tools collection.

This app measures magnetic field values using the magnetic sensor that is built into the phone. The magnetic field level(EMF) in nature is about 49ฮผT(microtesla) or 490mG(milligauss); 1ฮผT = 10mG. If there is any metal in the area, the strength of the magnetic field should increase. Among other uses, it can be helpful in finding electrical wires in walls and metal in the ground.

Usage is simple: Open this app on your device, and move it around; The magnetic field values will constantly fluctuate; See the YouTube video for a demonstration. That's it!
The accuracy depends entirely on the sensors in your device. Note that the magnetic sensor is affected by electronic equipment (TVs, PCs, etc.) due to electromagnetic waves. This is not a bug in the app.

If this app does not work properly, it may mean that your phone's sensors are damaged, broken or non-existent. To initialize the sensors, point your phone up towards the sky and move it in a figure 8 pattern.
Sometimes a leather case with a magnetic "snap" can cause unwanted results. Remove the case to increase accuracy.


* Do you want more tools?
Get [Smart Compass Pro] and [Smart Tools] package.

For more information, see the manual, Youtube video and the blog. Thank you.


Metal Detector apk Videos and Images




Visit us on http://apktoolsdownload.blogspot.com

download


Android Apk
Read More..

Friday, March 11, 2016

Minecraft Pocket Edition 0 7 4 APK Android


Minecraft - Pocket Edition 0.7.4 APK
Requirements: Android 2.1 and up
Size: 10 MB
Rating: 4.5/5
Type: Arcade & Action

Game Review:

★ User reviews from the Play Store: ★
Please leave a review in the comments section below after youve played the game, thanks!

"Good job, guys Running perfectly on my Galaxy S4. Fancy graphics, animated water, beautiful skies, and smooth lighting are on and there are no bugs whatsoever. I have no bugs." --A Google User

"Outstanding!! Minecraft PE is very smooth on my device, love the game, and how its layed out. It really is up to you to start your adventure!!" --A Google User

" Works great, runs better on my Samsung Galaxy SIII than the version on Xbox 360! same awesome game, hope they keep updating it and bringing more updates/items/materials!" --Jude Shevalier

"I love you MOJANG Awesome game, we all appreciate what you guys at MOJANG studio do for us, thank you for making a fun game, keep up the good work guys!" --Wyatt Lange

★ Pcmag.com Review/Description★ 
It might have felt like forever, but Minecraft: Pocket Edition is finally available for all Android devices, and its actually pretty cool (despite how feature-limited it is).

Pocket Edition (PE) comes with two modes: creative and survival. In creative mode, players can fly around the game world and build using an infinite supply of materials. The core gameplay is in survival mode, where daytime is for building above ground (stacking blocks to make castles, bridges, etc.), and night brings monsters who attack players and destroy their creations. Theres no story, and the only advantage you have in a hostile environment is creativity.

For a longtime player of Minecraft, some aspects of Pocket Edition breathe new life into the game. Jumping into combat against a squad of skeletons in the dead of night and frantically tapping the screen feels thrilling and dangerous. When building my first home, I didnt want to put the game down.

Pocket Edition looks great (in its own, blocky way) on mobile devices and the controls are extremely responsive. Even with 15 other apps running in the background and the games graphics set to "fancy," I only noticed the slightest stutters as I skimmed over the digital landscape in creative mode. Though I did notice my Samsung Galaxy S III became noticeably warmer, even through the touchscreen. Survival, which has AI monsters, had a few laggy moments but nothing that interrupted gameplay.
Read more of this review BY MAX EDDY from pcmag.com

Pros:
Solid mining and crafting experience. Looks and plays great. Dead simple multiplayer. Continuous development.
Cons:
Not as deep as the PC version. Some touch adaptations feel too easy. Cant connect to PC games.
Bottom line:
Minecraft – Pocket Edition is a brilliant port of the Minecraft experience to mobile devices. Its a game unlike anything on Android, and one that is getting better with each update.

FEATURES:
Our most recent update added the iconic Creepers. They’re big, green, mean and explody. But it’s just one of many. Since Minecraft — Pocket Edition first appeared, we’re continuing to add loads of new features, including...
- Food! Now you can cook and go hungry
- Swords! Bows! TNT!
- Chests
- Skeletons
- Spiders
- Beds
- Paintings
- Lots more!
* Xperia PLAY optimized

What’s new in version 0.7.4
- Lots of fixes!
- Creepers can be ignited by flint and steel
- Added support for connecting to external servers
- Fixed a lot of bugs

Screenshots (click to enlarge)



Minecraft - Pocket Edition 0.7.4 APK Download Links: Google Play Store Link

Download Multiupload
Download [Mirror 1] Zippyshare
Download [Mirror 2] Sharebeast
Download [Mirror 3] Sendspace


Android Apk
Read More..

Tuesday, March 8, 2016

Promote Old Blog Posts Automatically to Generate Traffic Get More Facebook Traffic to Your Blog 2014

Today I’m going to show you how to easily recycle your blogposts and get them continuous traffic from social media.
And yes… you will leave this page as a lethal “Blog Recycling Ninja”.
Please use your new powers wisely. :)

The Problem

If you’re a blogger like me, you pour hours & hours into writing your blogposts.
You find the right keywords, write a great headline, craft an amazing description, choose the best images, etc. etc.
When you’re done with your post, you blast it out to your email list and social media followers — on Facebook, Twitter & Google+.
Then if you’re like me, after publishing & sharing your awesome post, you quickly move on to the next one — pretty much forgetting the last one.
Sure you might come back to the post when someone shares it or comments on it — or if it goes viral.
But for the most part you tend to forget your previous posts and move on to the next ones… kinda like a preacher moves on to his next latest & greatest sermon every Sunday.

There must be a better way!

Yes, there needs to be an easier way to recycle or re-post your old blogposts — so you can make sure they’re being continuously shared, circulated & distributed around social media.
Guess what?  I found the way. :)
Yep, to my surprise I figured out some time ago that I could use Post Planner for this.monkey
Josh and his gang of code crunching monkeys have poured a ton of time into this app and added some amazing features — feature I think some of you don’t even know exist.
In fact, I’m seeing many competitors & newcomers copying what Josh created over 2 years ago.
*** It should be noted that I started using the app as soon as it launched — and have been a customer ever since — long before I started working for Post Planner. So I say these things as a long time user & fan.
Anyway, let me show you how Post Planner makes it SUPER easy to recycle your older blogposts — and make sure they’re getting continuous circulation on Facebook.

How to Recycle your Old Blog Posts

Step 1: Install Post Planner!
The first thing you need to do is start (or continue) using the Post Planner app!
By the way, in case you missed it, Josh recently announced that the Pro app – formerly $4.95/mo. —  is now free for everyone!
Step 2: Find Your Blog’s RSS Feed
Now that you have Post Planner installed you need to get a copy of your blog’s RSS feed. 
Step 3: Go to Your Post Planner App 
Your app’s bookmark will be in the left column of your Facebook homepage (the News Feed). I’d highly recommend you add the app to your “Favorites” — so you can quickly access it whenever you need to.
I’ve gone a step further in my computer and added it as a bookmarklet in Chrome so I can click on it and go right to it — no matter where I am.
Step 4: Click “Content”
blog1
Step 5: Click “Add an RSS Feed URL”
blog2
Step 6: Add your RSS feed
Here’s where you simply paste in your blog’s RSS feed URL (which you got in Step 2).  Just paste the URL into the box — as seen below — and hit enter.
blog3
You will then see a new source in your library — with an RSS feed icon next to it, as seen below:
blog4
Now that you have your blog’s feed added to your Content library in Post Planner — well, this is where the good stuff begins!
Step 7: Click on your Blog Feed
When you click your blog feed, you’ll see a list of your blog’s recent posts populate in the left column — as shown here:
blog5
Step 8: Select an old Post & “Add to Publisher”
Now it’s time to find that post you wrote a few weeks ago and recycle it — just click it and then click “Add to Publisher”:
blog6
Step 9: Schedule the Post
Once you add your blogpost to the Publisher, you can (1) select the page, group or profile you want it to post it to, (2) add some text to the Status update box, (3) choose a date & time to publish, and (4) click “Post”.
blog7
Step 10: Lather, Rinse, Repeat
Now that you know how to quickly recycle your posts, it’s time to take a few minutes to schedule and re-schedule your posts to go out a week from now, 3 weeks from now, 5 months from now and even a year from now.
There is no limit to how far out in the future you can schedule it.  You can even use the repeating feature and have your posts automatically repeat every couple weeks.
* Let me stress that the repeat feature is super useful — and I’ve used it many times before. But remember that by using it, your followers may see the same text of your status update over & over — and it may look automated to them. So use the repeating feature with that in mind. Of course, you CAN go into Post Planner and edit the text of a repeating post whenever you want.  FYI.

Key Takeaway

key takeawaysThe key takeaway I want you to get here is that you shouldn’t just write a mind-blowing blogpost and then forget about it.
Instead, use Post Planner to quickly & easily re-post your article to your different pages — so the content doesn’t go dead.
Remember — just because you wrote a blogpost 4 weeks ago doesn’t mean everyone who follows you has read it!
The news feed on Facebook moves super fast these days — so it’s always wise to re-post your article a few times.
By scheduling out in advance exactly when you will be recycling the post — you not only get additional traffic from an older blogpost, but you also give high quality content to your followers in a non-annoying way.
You should also notice that on our Post Planner blog here, we don’t date our blog posts. There is a reason for this.
By not putting a date stamp on our posts we can recycle them any time we want and it doesn’t appear dated. Sometimes the human brain sees a date of 5 months ago and even-though the content is still relevant, we immediately ignore it because of the date.
I’d recommend doing the same on your blog — unless your blog only consists of date specific podcasts.
Was this helpful? I want to know. Let me know your thoughts and feedback in the comments.



Android Apk
Read More..