Showing posts with label Android Studio. Show all posts
Showing posts with label Android Studio. Show all posts

Migrate from KAPT to KSP in Android

In 2025, Android Studio LadyFrog has made it easier than ever to take advantage of the latest tools for Kotlin development. One such tool is Kotlin Symbol Processing (KSP), which provides a faster, more Kotlin-friendly alternative to Kotlin Annotation Processing Tool (KAPT). If you want to optimize your Android project, migrating from KAPT to KSP should be a priority. This migration can bring numerous benefits, such as improved build performance, better Kotlin feature integration, and a more streamlined development process. 


Why Migrate from KAPT to KSP?

KAPT has been the standard annotation processing tool for Kotlin for years. It serves its purpose well, but there are several reasons to migrate to KSP, especially in Android development.

1. Faster Build Performance

KAPT processes Kotlin code by first converting it to Java before running the annotation processor. This additional conversion step increases build times, especially in large projects. KSP, on the other hand, operates directly on Kotlin code, eliminating the need for this conversion and significantly reducing build times.

2. Better Kotlin-Specific Feature Support

While KAPT works fine with Kotlin, it was originally designed for Java and doesn't always handle Kotlin’s language features efficiently. KSP, explicitly designed for Kotlin, integrates seamlessly with Kotlin’s advanced features like data classes, sealed classes, and extension functions. KSP is thus more flexible and allows you to take full advantage of Kotlin's features.

3. Multiplatform Compatibility

KSP supports Kotlin Multiplatform (KMP), making generating code that works across platforms like Android and iOS is easier. If you're building a multiplatform project, migrating to KSP is the way forward as it will allow for better code sharing between platforms.

4. Simplified Annotation Processing

KSP uses a more straightforward API, making it easier to understand and use for code generation. Developers will find KSP easier to debug and work with, improving the overall development experience.

5. Memory Efficiency

KAPT can be memory-intensive because of its Java conversion step. KSP is designed to be lighter and more memory-efficient, which is particularly useful for large projects with extensive annotation processing.

Benefits of Migrating to KSP

Migrating to KSP offers several benefits:

  • Improved build times: Faster annotation processing leads to quicker builds, enhancing development speed.

  • Enhanced Kotlin feature support: KSP is built to handle Kotlin features natively, allowing you to leverage Kotlin's full potential in your code generation.

  • Cleaner, simpler tooling: KSP simplifies the code generation process and makes integrating with your Android development workflow easier.

  • Better multiplatform support: KSP works well with Kotlin Multiplatform, making it easier to share code across different platforms.

Now that you know why migrating is essential, let's review the steps required to make this migration happen in Android Studio LadyFrog.

How to Migrate from KAPT to KSP in Android Studio LadyFrog (2025)

Migrating from KAPT to KSP is a straightforward process. Here are the steps to follow:

Step 1: Set Up KSP in build.gradle

In Android Studio LadyFrog, the configuration to use KSP is simple and clear. The first step is to add the KSP plugin and update your build.gradle files accordingly.

Project-Level build.gradle

In the project-level build.gradle, add the classpath for KSP:

buildscript {
    repositories {
        google()
        mavenCentral()
    }
    dependencies {
        // Add the KSP plugin classpath
        classpath "com.google.devtools.ksp:symbol-processing-api:1.0.0"  // Update as per latest version
    }
}

App-Level build.gradle

In the app-level build.gradle, replace the KAPT plugin with KSP and update your dependencies. Here’s how you can do it:

apply plugin: 'com.google.devtools.ksp'

dependencies {
    // Replace KAPT with KSP for code generation libraries
    implementation 'com.squareup.retrofit2:retrofit:2.9.0'
    ksp 'com.squareup.retrofit2:retrofit-ksp:2.9.0'  // Retrofit with KSP support

    // For Room, Dagger, or other annotation processors that support KSP
    ksp 'androidx.room:room-compiler:2.3.0'  // Room with KSP
    ksp 'com.google.dagger:dagger-compiler:2.35'  // Dagger with KSP
}

Step 2: Remove KAPT Plugin and Dependencies

Once you add KSP to your project, you need to remove KAPT from your build.gradle configuration. This includes removing the KAPT plugin and any dependencies associated with KAPT.

// Remove the KAPT plugin
apply plugin: 'kotlin-kapt'

// Remove KAPT dependencies
dependencies {
    // Remove kapt dependencies like
    // kapt 'com.squareup.retrofit2:retrofit-compiler:2.9.0'
}

Step 3: Update Annotation Processors for KSP Compatibility

For most annotation processors, like Retrofit, Dagger, and Room, you’ll need to update their dependencies to versions that support KSP. The syntax in your code doesn’t change—only the dependencies in build.gradle need to be updated.

For example, if you were using Retrofit with KAPT before:

kapt 'com.squareup.retrofit2:retrofit-compiler:2.9.0'

Now, use the KSP version:

ksp 'com.squareup.retrofit2:retrofit-ksp:2.9.0'

Step 4: Clean and Rebuild the Project

Once you have updated your dependencies and removed KAPT from your project, cleaning and rebuilding the project is essential to ensure that everything is now using KSP for annotation processing.

./gradlew clean build

This will remove the old KAPT-generated files and rebuild your project with KSP, optimizing the code generation process.

Example: Migrating Retrofit from KAPT to KSP

Let’s walk through an example where we migrate a Retrofit-based API service from KAPT to KSP.

Old Setup (with KAPT)

Before migration, your build.gradle file would look like this:

// build.gradle (App-Level)
dependencies {
    implementation 'com.squareup.retrofit2:retrofit:2.9.0'
    kapt 'com.squareup.retrofit2:retrofit-compiler:2.9.0'  // Retrofit with KAPT
}

Your API service interface might look like this:

interface ApiService {
    @GET("users/{user}/repos")
    fun getRepos(@Path("user") user: String): Call<List<Repo>>
}

New Setup (with KSP)

After migrating to KSP, your build.gradle file will now look like this:

// build.gradle (App-Level)
dependencies {
    implementation 'com.squareup.retrofit2:retrofit:2.9.0'
    ksp 'com.squareup.retrofit2:retrofit-ksp:2.9.0'  // Retrofit with KSP
}

Your ApiService interface remains the same, and the Retrofit library now uses KSP for annotation processing. There's no need to modify the code itself—only the dependencies in the build.gradle file need to be updated.

Step 5: Verify the Migration

After the migration is complete, make sure everything works as expected. Run your tests and verify that the generated code works correctly with KSP. Ensure all annotation processors function as expected and code generation is happening without issues.

Summary

Migrating from KAPT to KSP in Android Kotlin projects is a crucial step for optimizing performance and embracing Kotlin-specific features. By following the steps outlined in this article, you can easily migrate your Android project to KSP using Android Studio LadyFrog (2025). The migration will lead to faster build times, better Kotlin support, and improved development experience.

As the Android ecosystem evolves, migrating to KSP ensures that your project stays up-to-date with the latest tooling, allowing you to build high-performance, scalable apps with minimal hassle.

Happy coding!

Git Cheatsheet for Android Development with Android Studio Terminal

Let’s dive into some detailed examples for common scenarios and setups in Android development with Git and Android Studio terminal:

1. Setting Up a New Android Project with Git

Let’s say you’re starting a new Android project and you want to set up a Git repository from the beginning.

Steps:

  1. Initialize the Git repository: Inside your Android project folder, run:

    git init
    
  2. Create a .gitignore file: Android projects usually include .gitignore files to prevent certain files from being tracked, like build files and IDE configurations. Here’s a basic .gitignore for Android:

    # Android
    .gradle/
    .idea/
    *.iml
    build/
    *.apk
    *.log
    local.properties
    

    You can create this file manually or use GitHub’s or GitLab’s default Android .gitignore template.

  3. Add all files to the staging area:

    git add .
    
  4. Commit the initial project setup:

    git commit -m "Initial commit of Android project"
    
  5. Set the remote repository: First, create a repository on GitHub or GitLab, and then add the remote URL to your project:

    git remote add origin <repository_url>
    
  6. Push the code to the remote repository:

    git push -u origin master
    

2. Working with Branches in Android Studio

Let’s walk through the process of creating a new branch for a feature and pushing it to Git.

Steps:

  1. Create a new feature branch: Use this command to create and switch to a new branch:

    git checkout -b feature/user-login
    
  2. Make your changes in Android Studio: After implementing the feature (e.g., creating a user login screen), add the files to the staging area:

    git add .
    
  3. Commit the changes:

    git commit -m "Implemented user login screen"
    
  4. Push the branch to the remote repository:

    git push origin feature/user-login
    
  5. Create a Pull Request (PR) on GitHub/GitLab: Once the branch is pushed, you can create a PR from the GitHub/GitLab interface to merge it into the main or develop branch.

3. Merging a Branch into main Branch

After your feature branch is complete and has been tested, it’s time to merge it into the main branch.

Steps:

  1. Switch to the main branch:

    git checkout main
    
  2. Pull the latest changes from the remote main branch:

    git pull origin main
  3. Merge the feature branch into main:

    git merge feature/user-login
    
  4. Resolve any merge conflicts (if any), and then commit the merge:

    git commit -m "Merged feature/user-login into main"
    
  5. Push the changes to the remote repository:

    git push origin main
    

4. Reverting or Undoing Changes

If you made a mistake or want to discard changes, you can use git reset or git checkout:

Example 1: Undo the last commit (keep changes in working directory):

git reset --soft HEAD~1

Example 2: Undo changes in a specific file:

git checkout -- path/to/file

Example 3: Undo staged changes:

git reset path/to/file

5. Working with Git in Android Studio Terminal

You can also use Android Studio’s integrated terminal to run these commands, which makes it easier to work with both Android-specific tasks and Git commands without leaving the IDE.

Example 1: Building and Running Your Android Project Using Gradle

  1. Clean your project:

    ./gradlew clean   # On Unix-based systems
    gradlew clean     # On Windows
    
  2. Build the APK:

    ./gradlew assembleDebug
    
  3. Install and run the app on a connected device or emulator:

    ./gradlew installDebug
    
  4. Run unit tests:

    ./gradlew testDebugUnitTest
    

Example 2: Checking Gradle Dependencies

  1. List all dependencies in your project:
    ./gradlew dependencies

Example 3: Linting Your Android Project for Issues

  1. Run lint to check for code quality and possible issues:
    ./gradlew lint
    

Example 4: Handling Build Failures

When a build fails, you can view detailed logs in Android Studio. You can also use the terminal to examine issues:

./gradlew build --stacktrace

This should cover most common Git workflows and using Android Studio’s terminal for building and managing projects. Let me know if you want to explore any specific command or setup in more detail!

📢 Feedback: Did you find this article helpful? Let me know your thoughts or suggestions for improvements! 😊 please leave a comment below. I’d love to hear from you! 👇

Happy coding! 💻✨


Dealing with INSTALL_FAILED_INSUFFICIENT_STORAGE in Android Studio: Tips and Solutions (2024)

As of November 2024 in Android Studio, the INSTALL_FAILED_INSUFFICIENT_STORAGE error persists as a common issue encountered when there's not enough storage space on either the physical device or the emulator. However, Android Studio has introduced additional tools and features that can assist in better managing app storage and resolving these errors.



Causes of INSTALL_FAILED_INSUFFICIENT_STORAGE Error (Nov 2024)

  1. Insufficient Storage on Device or Emulator:

    • The available storage space on the device or emulator might be too low to accommodate the installation of the APK or app bundle.
  2. Large APK or App Bundle Size:

    • The app size could be too large for the available storage, especially if your app includes large resources (images, videos, etc.).
  3. Leftover Data or Cache:

    • Unused or accumulated data, especially from previous app installations, could take up storage space, causing installation to fail.
  4. Storage Management in Emulator:

    • The default virtual storage settings in the emulator might not be large enough to handle the installation of large applications.

Steps to Resolve INSTALL_FAILED_INSUFFICIENT_STORAGE in Android Studio (Nov 2024)

1. Check Available Storage on Device or Emulator

For Physical Devices:

  • Open Settings > Storage on the device to check the available storage.
  • Clear space by deleting unnecessary files, apps, or media.

For Emulators:

  • Increase the Emulator's Storage:
    1. Go to Tools > AVD Manager in Android Studio.
    2. Select your active Virtual Device and click the Edit (pencil) icon.
    3. Increase the Internal Storage size (e.g., 2GB or more) in the Advanced Settings section.
    4. Click Finish to apply the changes and try installing the app again.

ADB Command (for Devices and Emulators):

  • You can also use the following ADB command to check the available storage space:
    adb shell df
    
  • This will show the disk usage across partitions (e.g., /data).

2. Clear Cache or Uninstall Previous Apps (on the Device or Emulator)

  • Clear Cache and Data for apps that might be consuming space:

    1. Go to Settings > Apps.
    2. Select the app causing the issue and click on Storage.
    3. Tap on Clear Cache and Clear Data.
  • Uninstall Unnecessary Apps or media files (images, videos) from the device or emulator.

3. Optimize APK Size

For APKs:

  • If the APK is too large, consider using Android App Bundles (AAB) instead, as they provide more efficient packaging for delivery, reducing the size per device.
    • Android App Bundle splits your APKs by device configuration and allows Android to dynamically serve only the parts required for the device.
  • Use the Build > Analyze APK feature in Android Studio to check the APK’s size and reduce unnecessary resources.

Other APK Optimization Techniques:

  • ProGuard/R8 Minification: Reduce the size of your app by removing unused code.

    • In build.gradle, enable code shrinking:
      buildTypes {
          release {
              minifyEnabled true
              shrinkResources true
          }
      }
  • Compress Images: Convert images to more efficient formats like WebP.

  • Remove Unused Resources: Remove unused resources like images or layouts that aren’t part of the app.

4. Use Android App Bundles (AAB)

Android Studio now strongly encourages using Android App Bundles (AAB) for distribution over traditional APKs.

  • Benefits:
    • It allows Google Play to generate optimized APKs for different device configurations (screen size, architecture, etc.), drastically reducing the app size.
    • It's now the default format for apps published on the Google Play Store.
  • To build an AAB in Android Studio:
    1. Go to Build > Build Bundle / APK.
    2. Select Build Bundle.

If you haven’t migrated to AAB, this might be a good time, as it can help address storage-related issues.

5. Clear Old App Data or Artifacts

For Physical Devices:

  • If you’re re-installing the app multiple times or iterating on your app, there may be old data or build artifacts causing storage issues.
  • Uninstall the App and reinstall to clear old data.

For Emulators:

  • Sometimes snapshots or old builds in the emulator can cause storage issues.
    • Go to AVD Manager and Wipe Data or Cold Boot the emulator to reset it.

6. Check and Use ADB Tools for Storage Debugging

Use ADB to check the partition status and storage usage:

 
adb shell dumpsys diskstats

This command provides detailed information about disk usage and can help you identify what might be taking up space.

7. Android Studio Updates and Storage Tools (Nov 2024)

Android Studio (November 2024) now provides:

  • Profiler Tools: Use the Profiler tab to monitor the app’s resource consumption, which can help identify large assets or inefficient code.
  • Better Emulator Management: Android Studio offers advanced tools to configure your emulator’s resources, including disk space, RAM, and CPU.

New Emulator Features (Nov 2024):

  • Dynamic Storage Allocation: Android Emulator has a feature that dynamically adjusts storage allocation depending on the requirements of the app.
  • Snapshot Management: Improved snapshot management allows you to save and restore emulator states without consuming unnecessary storage.

Conclusion

The INSTALL_FAILED_INSUFFICIENT_STORAGE error in Android Studio (Nov 2024) can be resolved by freeing up space on your device/emulator, optimizing your app's size (using AAB, minimizing resources, etc.), and leveraging Android Studio's improved storage management tools for emulators. If your emulator runs into storage limits, consider increasing the emulator's storage size in the AVD Manager and managing build artifacts effectively.

Oreo: Auto-sizing Textview in Android Studio using Kotlin


Android 8.0 (API level 26) allows you to instruct a TextView to let the text size expand or contract automatically to fill its layout based on the TextView's characteristics and boundaries. This setting makes it easier to optimize the text size on different screens with dynamic content.

First important part to enable auto sizing textview, put this in textview:

android:autoSizeTextType="uniform"

This can explore the vertically and horizontally, ignoring text size.

If you are using support library make sure you have to use:

xmlns:app="http://schemas.android.com/apk/res-auto"

You can not use wrap content both layout height and width, because that may produce unexpected result, instead match parent or fix size. 

You can use either framework or support library to set up the autosizing of TextView programmatically or in XML. To set the XML attributes, you can also use the Properties window in Android Studio.
There are three ways you can set up the autosizing of TextView:


Note: If you set autosizing in an XML file, it is not recommended to use the value "wrap_content" for the layout_width or layout_height attributes of a TextView. It may produce unexpected results.

Now, if you are using from xml, the do following :



If you want make from programmatically then do this:


Here are array inside the values/arrays.xml, please make sure name should be same as in textview properties.



Here is the simple output that looking like:
Clone/Download/Fork/Star Full Source Code From github

Source:  Developer.android.com
#ILoveKotlin #PrAndroid #KotlinTutorials #AndroidTutorials

How to Install Crashlytics via Gradle in Android Studio and Kotlin

Crashlytics is the most powerful, yet lightest weight crash reporting solution.Spend less time finding and more time fixing crashes. Named the #1 performance SDK on both iOS and Android, Crashlytics provides deep and actionable insights, even the exact line of code your app crashed on.

First you have to signup in fabric.io.Then do following steps integrate crashlytics in android using kotlin.

1. Go To build.gradle(Project) and add following dependencies.


2. Go To build.gradle(App) and add following dependencies.


and click sync button on the top:

3. Now, Time to add some fabric key and give internet permission in manifest file



4. Then add following coding snippet in you code, where you want to be add crash.


Now you got email and click view, Then you will get following screen in fabric.io,




Want to know more about installation in android, please visit : fabric.io
#HappyCoding #ILoveKotlin #PrAndroid




First android app developed using Kotlin

I just started learning kotlin since google I/O air in 2017. I brought two books Kotlin in Action by Dmitry Jemerov and Svetlana Isakova and Kotlin for Android Developers by Antonio Leiva.


I developed small application "Tic Tac Toe" both 3x3 and 4x4 , which is published on google play store.


Here is the sample snapshots of Tic Tac Toe from google play store. Please checkout and expecting good suggestion.How do i improved the existing app.




Google Play: Download


#HappyCoding #IloveKotlin

Override Equal, HashCode and ToString in Kotlin

We all know that override equal(), hashcode() and toString() in java, Here in Kotlin by default implementation, you don't have to need override them. However, if you want to override toString, equals and hashCode, you have to do this.

equals: 
open operator fun equals(other: Any?)Boolean
Indicates whether some other object is "equal to" this one. Implementations must fulfil the following requirements:
  • Reflexive: for any non-null reference value x, x.equals(x) should return true.
  • Symmetric: for any non-null reference values x and y, x.equals(y) should return true if and only if y.equals(x) returns true.
  • Transitive: for any non-null reference values x, y, and z, if x.equals(y) returns true and y.equals(z) returns true, then x.equals(z) should return true
  • Consistent: for any non-null reference values x and y, multiple invocations of x.equals(y) consistently return true or consistently return false, provided no information used in equals comparisons on the objects is modified.
Note that the == operator in Kotlin code is translated into a call to equals when objects on both sides of the operator are not null.
hashCode:
open fun hashCode()Int
Returns a hash code value for the object. The general contract of hashCode is:
  • - Whenever it is invoked on the same object more than once, the hashCode method must consistently return the same integer, provided no information used in equals comparisons on the object is modified.
  • - If two objects are equal according to the equals() method, then calling the hashCode method on each of the two objects must produce the same integer result.
toString:
open fun toString()String
Returns a string representation of the object.

------------------------------------------------------------
Here is the full implementation kotlin code:

Output looks like
without override equals , hashCode and toString method
false
false
euquals
false
false
toString
co.prandroid.firstkotlin.MainActivity$User@4c83bb6
hashCode
80231350
with override equals , hashCode and toString method
false
true
euquals
false
true
toString
Client(name=john, code=12345)
hashCode
101315726
#HappyCoding #ILoveKotlin

How to use RecyclerView in Android using Kotlin

Yes, we all love develop mobile application, but some case there is lots boilerplate, null safety problems in java, which is more concise using kotlin.

RecyclerView is a flexible view for providing a limited window into a large data set.It is a modernized version of the ListView and the GridView classes provided by the Android framework. Recycler view addresses several issues that the existing widgets have.

I assume, you have already download latest Android Studio 3.0 preview, If you have not download , please follow the download an install Android Studio 3.0 Preview, which includes Kotlin support out of the box.

RecyclerView allow to use different layout managers for positioning items. Such as LinearLayout, GridLayout and StaggerLayout. I have developing  all there layout and populate data on all the layouts.

Glide used for Image display.

1. First you have to add dependencies on app gradle, following dependencies.

implementation 'com.android.support:recyclerview-v7:25.4.0'
compile 'com.github.bumptech.glide:glide:3.5.2'

2. We must have to make add recyclerview on layout file .


3. Now we have to declear Pojo class in kotlin, which is more easy and simple


4. Create simple data using through object in kotlin.


5. Now, we have make MovieAdapter in Kotlin is simple, which is more complex in java.


6. Declear Recycler view and set layout depend you requirement, like Linear, Grid and Stagger.

7. If you want to make divider in your recycler view , then you using RecyclerView.ItemDecoration.
8. Finally, Application ready to run, and then we have get following snapshots.




To get full source code, please download and fork github repository. Download

#HappyCoding #ILoveKotlin

Simple use of glide library for display images on android

We know all that memory to store images on mobile is limited, if we have display images using through the bitmap images, it will take lots of memory, which is followed by ultimately memory performance and finally application will be slow.

Yes, we have new image display library call glide. Glide is the perfect and best one to use compared to Picasso and Fresco.

Reasons of using Glide:
  1. Recommended by Google and has been used in many Google open source projects.
  2. Picasso loads the full-size image (1920x1080 pixels) into the memory and let GPU does the real-time resizing when drawn. While Glide loads the exact ImageView-size (768x432 pixels) into the memory which is a best practice.
  3. Glide cache both the full-size image and the resized one. Picasso will cache only single size of image, the full-size one. Glide acts differently, caches separate file for each size of ImageView.
  4. GIF (animated image) support.
  5. In addition, it also helps preventing an app from popular OutOfMemoryError.
Fresco has huge size of library and cache also. Moreover, app freezes while loading big images from internet into ListView.
While Glide has small size of both library and cache.(Source: Quora)
Here is the pictorial difference between Glide vs Picasso vs Fresco.

Now, How to use Glide to display images on Android, Here is the simple steps,
First you have to introduces dependencies on gradle.
compile 'com.github.bumptech.glide:glide:3.5.2'
and 
On your imageview, please provide this code for display images.
image is image view , depend you requirement, 
In kotlin:
val image = currentView.findViewById(R.id.image) as ImageView

In Java

ImageView image= (ImageView) findViewById(R.id.image)

Now, render the image url on our imageview.
Glide.with(context)
.load(currentVolume.imageUrl)
.into(image)

#HappyCoding #ILoveKotlin

Hello World and Button Click Event fire in Kotlin (Android) .

We are going to series of kotlin tutorials for android. JetBrains software company introduce new android studio 3.0 in build kotlin plugin, we don't have to add any plugin.
First you have to download Android Studio 3.0 Canary 4 is now available on developer.android.com and learn kotlin from the basic , there is a official documentation of kotlin.
https://kotlinlang.org/.

Let start kotlin

We are going to print simply hello world, then we will moving series of kotlin for android developer.

After finish download android studio, then follow the follow the following steps.


1. Open Android studio 3.0

2. Click File -> New -> New Project.

3. The give the name of Project and you have see by default kotlin plugin checked on android studio.Then click Next.

4. Then choose target Minimum SDK for the application.

5.  Now choose the Activity to mobile, by default there is empty activity, choose this and click next.


6. Finally, when you click finish, then it take few seconds for loading gradles, libraries and other necessary files for mobile application.


Now, your project is created, initially, you can see different then tradition java code because it is kotlin. you simple run the project you have to see, hello world.

I am going to simple change the App, We give the input from EditText and click show Button and display on TextView.

Let start to do this,

Here is the simple layout file:



Here is the simple kotlin code, which is more less and more clear to understand then java code.




Here is the simple output of above program:

I love kotlin and please follow the next tutorials.

How to get Android O sdk in Android Studio

Android O introduces several new features and APIs, and includes changes that can affect the behavior of your app even if you change nothing.


  1. Install Android Studio 2.4 Canary. Only Android Studio 2.4 includes support for all the new developer features available with Android O. So you need to get the canary version of Android Studio 2.4 to begin using the Android O SDK. But you can still keep your stable version of Android Studio installed.
  2. Launch Android Studio 2.4 and open the SDK Manager by clicking Tools > Android > SDK Manager.
  3. In the SDK Platforms tab, check Show Package Details. Below Android O Preview check the following:
    • Android SDK Platform O
    • Google APIs Intel x86 Atom System Image (only required for the emulator)
  4. Switch to the SDK Tools tab and check all items that have updates available (click each checkbox that shows a dash ). This should include the following that are required:
    • Android SDK Build-Tools 26.0.0 (rc1 or higher)
    • Android SDK Platform-Tools 26.0.0 (rc1 or higher)
    • Android Emulator 26.0.0
    • Support Repository
  5. Click OK to install all the selected SDK packages.
Now you're ready to starting developing with the Android O Developer Preview.

Update your build configuration

Update compileSdkVersion, buildToolsVersion, targetSdkVersion, and the Support Library version with the following versions:
android {
  compileSdkVersion 'android-O'
  buildToolsVersion '26.0.0-rc1'

  defaultConfig {
    targetSdkVersion 'O'
  }
  ...
}

dependencies {
  compile 'com.android.support:appcompat-v7:26.0.0-alpha1'
}


You cannot publish your app with this configuration. The "O" version is a provisional API level that is usable only for development and testing during the Android O Developer Preview. You must wait to publish your Android O changes until the final API level is released, and then update your configuration again at that time.

Interview Question: find the angle between hour hand and minute hand

Recently, I gave interview on the reputed company in silicon valley, I figure out the solution to that problem with solution in android.

Question: 
How do you find the angle between hour hand and minute hand with two input field, one is an hour and next one is minute and click the button find the angle, and calculate the angle between two input in textview.
Time: 30 Minute

Solution:
They given me, Hour: 6  and Minute: 30 and output will be 15

I took the base case for hour 12:00 (h = 12, m = 0) as a reference and followed these steps.

  • Calculate the angle made by hour hand with respect to 12:00 in h hours and m minutes.
  • Calculate the angle made by minute hand with respect to 12:00 in h hours and m minutes.
  • The difference between two angles is the angle between two hands.
And I told them if I move minute hand  360 degree in 60 minute(or 6 degree in one minute) and move hour hand  360 degree in 12 hours(or 0.5 degree in 1 minute). 
In hour hours and minute minutes, 

#  minute hand would move to the (hour*60 + minute)*6 and 
# hour hand would move to the(h*60 + m)*0.5.

if you get the confuse above equation, please put the real hour and minute value check, it would be correct.

Now, I started to coding in android

Step 1: Layout
The layout is very easy, in relative layout, you can just put textview for label and editext for input for both hour and minute and the button for click and gives output, finally, I put one textview for display out.

Here is the Layout code, if you have any confusion:


Now, I am going to write, the actual code that I have present during interview session:



Here is the Acutal output of snapshot:





I am still waiting for response!!
Happy Coding !!!




How to use Retrofit to get data from stackoverflow API and GitHub Demo in android studio

Retrofit is a type-safe REST client for Android developed by Square. The library provides a powerful framework for authenticating and interacting with APIs and sending network requests with OkHttp. See this guide to understand how OkHttp works.

This library makes downloading JSON or XML data from a web API fairly straightforward. Once the data is downloaded then it is parsed into a Plain Old Java Object (POJO) which must be defined for each "resource" in the response.

Setup
Must be defined on internet permission on AndroidManifest.xml .


Dependencies
Add following dependencies on app/build.gradle file:



Converter:
Here is the different type of  Gson converter, we can use them:



How to create retrofit instance, 
then we have to define, the userendpoint:
Now, create model class, user variables, In MainActivity.java, we have to create instance of APIClient and call the users.

Download Full code: https://github.com/dharmakshetri/Android-API-Demos
and you can find out Awesome Retrofit Article: Retrofit Tutorial With Example In Android Studio [Step by Step]
More details:
https://square.github.io/retrofit/
https://github.com/square/retrofit
https://guides.codepath.com/android/Consuming-APIs-with-Retrofit
https://realm.io/news/droidcon-jake-wharton-simple-http-retrofit-2/
http://www.vogella.com/tutorials/Retrofit/article.html


Happy Coding !!!

What’s new – Material design (December 2016)

In the Material design in August 2016, three Notifications, Widgets and Confirmation and acknowledgement.
source:matrial.io

Now in December 2016, In Material design here is the latest added new section and significance updates.

New sections
  • Platforms discusses when and how to adapt apps to Material Design, and when to adhere to platform conventions
  • App shortcut icons contains specs on how to create app shortcut icons for the home screen
  • Help and feedback describes how to indicate, craft, and place help content
Significant updates
  • Bidirectionality has updated guidance on mirroring UI content and icons in right-to-left (RTL) languages
  • Accessibility contains new guidance on sound, controls, labeling elements, and testing
  • Selection includes detailed examples on item selection, toggling, and styling
Happy Coding !!!

Firebase: Save, Delete and Retrieve data from firebase database in Android Studio

In Firebase Realtime Database we can store and sync data with our NoSQL cloud database. Data is synced across all clients in realtime, and remains available when your app goes offline.

The Firebase Realtime Database is a cloud-hosted database. Data is stored as JSON and synchronized in realtime to every connected client. When you build cross-platform apps with our iOS, Android, and JavaScript SDKs, all of your clients share one Realtime Database instance and automatically receive updates with the newest data.

Android Setup

Here is the one example how to store on firebase and retrieve data on your android device.

First step Create firebase project  from https://console.firebase.google.com.

Add the dependency for Firebase Realtime Database to your app-level build.gradle file:



Update the rules for your database to allow reads and writes from all users, as this demo will not cover Firebase Authentication.


Steps:
1. Create firebase database reference
2. Get data from your form
3. Add and push data on database
4. Update on your view using creating anonymous inner class ChildEventListener.
5. Check you firebase database

Here is the full code:





Update on recyclerview, which show in below git hub link.

Output Snapshots:




Clone the github java
$git clone https://github.com/dharmakshetri/FirebaseAddOrDeleteonDatabase.git

Happy Coding !!!