Determine when Fragment becomes visible in ViewPager

@Override
public void setUserVisibleHint(boolean visible)
{
    super.setUserVisibleHint(visible);
    if (visible && isResumed())
    {
        //Only manually call onResume if fragment is already visible
        //Otherwise allow natural fragment lifecycle to call onResume
        onResume();
    }
}

@Override
public void onResume()
{
    super.onResume();
    if (!getUserVisibleHint())
    {
        return;
    }

    //INSERT CUSTOM CODE HERE
}

References
http://stackoverflow.com/questions/10024739/how-to-determine-when-fragment-becomes-visible-in-viewpager
https://developer.android.com/reference/android/app/Fragment.html#setUserVisibleHint(boolean)
https://developer.android.com/reference/android/app/Fragment.html#setMenuVisibility(boolean)

LibreOffice PPA

sudo apt-get install python-software-properties
sudo apt-add-repository ppa:libreoffice/ppa
sudo apt update

Create an Index using JPA

@Entity
@Table(name = "region",
       indexes = {@Index(name = "my_index_name",  columnList="iso_code", unique = true),
                  @Index(name = "my_index_name2", columnList="name",     unique = false)})
public class Region{

    @Column(name = "iso_code", nullable = false)
    private String isoCode;

    @Column(name = "name", nullable = false)
    private String name;

} 

or

@Entity
@Table(name    = "company__activity", 
       indexes = {@Index(name = "i_company_activity", columnList = "activity_id,company_id")})
public class CompanyActivity{

References
http://stackoverflow.com/questions/3405229/specifying-an-index-non-unique-key-using-jpa

Java 8 Stream Examples

public class Java8Tester {
   public static void main(String args[]){
      System.out.println("Using Java 7: ");
    
      // Count empty strings
      List<String> strings = Arrays.asList("abc", "", "bc", "efg", "abcd","", "jkl");
      System.out.println("List: " +strings);
      long count = getCountEmptyStringUsingJava7(strings);
    
      System.out.println("Empty Strings: " + count);
      count = getCountLength3UsingJava7(strings);
    
      System.out.println("Strings of length 3: " + count);
    
      //Eliminate empty string
      List<String> filtered = deleteEmptyStringsUsingJava7(strings);
      System.out.println("Filtered List: " + filtered);
    
      //Eliminate empty string and join using comma.
      String mergedString = getMergedStringUsingJava7(strings,", ");
      System.out.println("Merged String: " + mergedString);
      List<Integer> numbers = Arrays.asList(3, 2, 2, 3, 7, 3, 5);
    
      //get list of square of distinct numbers
      List<Integer> squaresList = getSquares(numbers);
      System.out.println("Squares List: " + squaresList);
      List<Integer> integers = Arrays.asList(1,2,13,4,15,6,17,8,19);
    
      System.out.println("List: " +integers);
      System.out.println("Highest number in List : " + getMax(integers));
      System.out.println("Lowest number in List : " + getMin(integers));
      System.out.println("Sum of all numbers : " + getSum(integers));
      System.out.println("Average of all numbers : " + getAverage(integers));
      System.out.println("Random Numbers: ");
    
      //print ten random numbers
      Random random = new Random();
    
      for(int i=0; i < 10; i++){
         System.out.println(random.nextInt());
      }
    
      System.out.println("Using Java 8: ");
      System.out.println("List: " +strings);
    
      count = strings.stream().filter(string->string.isEmpty()).count();
      System.out.println("Empty Strings: " + count);
    
      count = strings.stream().filter(string -> string.length() == 3).count();
      System.out.println("Strings of length 3: " + count);
    
      filtered = strings.stream().filter(string ->!string.isEmpty()).collect(Collectors.toList());
      System.out.println("Filtered List: " + filtered);
    
      mergedString = strings.stream().filter(string ->!string.isEmpty()).collect(Collectors.joining(", "));
      System.out.println("Merged String: " + mergedString);
    
      squaresList = numbers.stream().map( i ->i*i).distinct().collect(Collectors.toList());
      System.out.println("Squares List: " + squaresList);
      System.out.println("List: " +integers);
    
      IntSummaryStatistics stats = integers.stream().mapToInt((x) ->x).summaryStatistics();
    
      System.out.println("Highest number in List : " + stats.getMax());
      System.out.println("Lowest number in List : " + stats.getMin());
      System.out.println("Sum of all numbers : " + stats.getSum());
      System.out.println("Average of all numbers : " + stats.getAverage());
      System.out.println("Random Numbers: ");
    
      random.ints().limit(10).sorted().forEach(System.out::println);
    
      //parallel processing
      count = strings.parallelStream().filter(string -> string.isEmpty()).count();
      System.out.println("Empty Strings: " + count);
   }
  
   private static int getCountEmptyStringUsingJava7(List<String> strings){
      int count = 0;
    
      for(String string: strings){
    
         if(string.isEmpty()){
            count++;
         }
      }
      return count;
   }
  
   private static int getCountLength3UsingJava7(List<String> strings){
      int count = 0;
    
      for(String string: strings){
    
         if(string.length() == 3){
            count++;
         }
      }
      return count;
   }
  
   private static List<String> deleteEmptyStringsUsingJava7(List<String> strings){
      List<String> filteredList = new ArrayList<String>();
    
      for(String string: strings){
    
         if(!string.isEmpty()){
             filteredList.add(string);
         }
      }
      return filteredList;
   }
  
   private static String getMergedStringUsingJava7(List<String> strings, String separator){
      StringBuilder stringBuilder = new StringBuilder();
    
      for(String string: strings){
    
         if(!string.isEmpty()){
            stringBuilder.append(string);
            stringBuilder.append(separator);
         }
      }
      String mergedString = stringBuilder.toString();
      return mergedString.substring(0, mergedString.length()-2);
   }
  
   private static List<Integer> getSquares(List<Integer> numbers){
      List<Integer> squaresList = new ArrayList<Integer>();
    
      for(Integer number: numbers){
         Integer square = new Integer(number.intValue() * number.intValue());
      
         if(!squaresList.contains(square)){
            squaresList.add(square);
         }
      }
      return squaresList;
   }
  
   private static int getMax(List<Integer> numbers){
      int max = numbers.get(0);
    
      for(int i=1;i < numbers.size();i++){
    
         Integer number = numbers.get(i);
      
         if(number.intValue() > max){
            max = number.intValue();
         }
      }
      return max;
   }
  
   private static int getMin(List<Integer> numbers){
      int min = numbers.get(0);
    
      for(int i=1;i < numbers.size();i++){
         Integer number = numbers.get(i);
    
         if(number.intValue() < min){
            min = number.intValue();
         }
      }
      return min;
   }
  
   private static int getSum(List numbers){
      int sum = (int)(numbers.get(0));
    
      for(int i=1;i < numbers.size();i++){
         sum += (int)numbers.get(i);
      }
      return sum;
   }
  
   private static int getAverage(List<Integer> numbers){
      return getSum(numbers) / numbers.size();
   }
}

 

References
https://www.tutorialspoint.com/java8/java8_streams.htm
http://www.drdobbs.com/jvm/lambdas-and-streams-in-java-8-libraries/240166818

Android Get Screen width and height

DisplayMetrics displayMetrics = new DisplayMetrics();
getWindowManager().getDefaultDisplay().getMetrics(displayMetrics);
int height = displayMetrics.heightPixels;
int width = displayMetrics.widthPixels;

In a view you need to do something like this:

((Activity) getContext()).getWindowManager()
                         .getDefaultDisplay()
                         .getMetrics(displayMetrics);

Or

public static int getScreenWidth() {
    return Resources.getSystem().getDisplayMetrics().widthPixels;
}

public static int getScreenHeight() {
    return Resources.getSystem().getDisplayMetrics().heightPixels;
}

References
http://stackoverflow.com/questions/4743116/get-screen-width-and-height

Android Percent Layouts

build.gradle

dependencies {
    compile fileTree(dir: 'libs', include: ['*.jar'])
    androidTestCompile('com.android.support.test.espresso:espresso-core:2.2.2', {
        exclude group: 'com.android.support', module: 'support-annotations'
    })
    compile 'com.android.support:appcompat-v7:25.3.1'
    compile 'com.android.support.constraint:constraint-layout:1.0.2'
    testCompile 'junit:junit:4.12'

    compile 'com.android.support:percent:25.3.1'
}

activity_main.xml

<?xml version="1.0" encoding="utf-8"?>
<android.support.percent.PercentRelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:app="http://schemas.android.com/apk/res-auto"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    tools:context="ir.mhdr.a081.MainActivity">

    <View android:background="@color/colorPrimary"
        app:layout_heightPercent="50%"
        app:layout_marginLeftPercent="25%"
        app:layout_marginTopPercent="25%"
        app:layout_widthPercent="50%"
        android:id="@+id/viewColor">

    </View>

    <android.support.percent.PercentFrameLayout
        android:layout_width="match_parent"
        android:layout_height="match_parent"
        android:layout_below="@+id/viewColor"
        android:layout_centerInParent="true"
        android:layout_alignParentBottom="true">

        <View
            android:layout_gravity="center"
            android:background="@color/colorAccent"
            app:layout_heightPercent="30%"
            app:layout_widthPercent="50%" />
    </android.support.percent.PercentFrameLayout>

</android.support.percent.PercentRelativeLayout>

References
https://github.com/mhdr/AndroidSamples/tree/master/081
https://developer.android.com/reference/android/support/percent/PercentRelativeLayout.html
https://developer.android.com/reference/android/support/percent/PercentFrameLayout.html
https://developer.android.com/topic/libraries/support-library/packages.html

Android Gauge Library

root build.gradle

allprojects {
    repositories {
        jcenter()
        maven { url "https://jitpack.io" }
    }
}

build.gradle

dependencies {
    compile fileTree(dir: 'libs', include: ['*.jar'])
    androidTestCompile('com.android.support.test.espresso:espresso-core:2.2.2', {
        exclude group: 'com.android.support', module: 'support-annotations'
    })
    compile 'com.android.support:appcompat-v7:25.3.1'
    compile 'com.github.Paroca72:sc-widgets:2.1.2'
    testCompile 'junit:junit:4.12'

}

References
https://github.com/mhdr/AndroidSamples/tree/master/080