Thursday, 11 September 2014

Count word in java

package com.swain.cell;

import java.util.StringTokenizer;

public class CountWords {

/**
 * @param args
 */
public static void main(String[] args) {
// TODO Auto-generated method stub
        String st="how to count word in java?";
        int count=0;
        StringTokenizer stk=new StringTokenizer(st," ");
        while(stk.hasMoreTokens()){
            String token=stk.nextToken();
            count++;
        }
        System.out.println("Number of words are: "+count);

}

}

binary search in java

package com.swain.cell;

import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;

public class BinarySearch {
public static void main(String args[])throws IOException{

int i;
InputStreamReader x=new InputStreamReader(System.in);
BufferedReader y=new BufferedReader(x);
int a[]=new int[10];
System.out.println("ENTER THE NUMBER TO BE SEARCHED");
int n=Integer.parseInt(y.readLine());
System.out.println("ENTER 10 NUMBERS FOR THE ARRAY");
for(i=0;i<10;i++)
{
a[i]=Integer.parseInt(y.readLine());
   } 
   System.out.println("CONTENTS OF ARRAY ARE");
   for(i=0;i<10;i++)
   {
    System.out.println(a[i]);
   }
   System.out.println("NUMBER TO BE SEARCHED IS "+n);
   int p=-1,mid,l=0,u=9;
   while(l<=u)
   {
    mid=(l+u)/2;
    if(a[mid]==n)
    {
    p=mid;
    break;
    }
    else if(n> a[mid])
    {
    l=mid+1;
    }
    else if(n<a[mid])
    {
    u=mid-1;
    }
   }
   if(p==-1)
   {
    System.out.println("NUMBER DOES NOT EXIST IN THE ARRAY");
   }
   else
   {
    System.out.println("NUMBER EXISTS AT THE INDEX "+p);
   }
}
}

armstrong no in java

package com.swain.cell;

public class Armstrong {
public static void main(String args[])
   {
      int n, sum = 0, temp, r;
      n=407;
      temp = n;

      while( temp != 0 )
      {
         r = temp%10;
         sum = sum + r*r*r;
         temp = temp/10;
      }

      if ( n == sum )
         System.out.println(n+" is an armstrong number.");
      else
         System.out.println(n+" is not an armstrong number.");       
   }

}

Tuesday, 2 September 2014

How to monitoring performance in Zk

By Sitansu S Swain

There are three steps to monitoring performance in zk.

(1)Register in zk.xml

<library-property><name>org.zkoss.bind.PhaseListener.class</name><value>com.demo.CommandPhaseListener</value></library-property>

<listener><description>Monitor the statistic</description><listener-class>org.zkoss.zk.ui.util.Statistic</listener-class></listener>

<listener><description>ZK performance monitor</description><listener-class>com.demo.PerformanceMeter</listener-class></listener>

(2)create a CommandPhaseListener.java  class for Set the command name to be used in PerformanceMeter for logging with slf4j.

package com.demo;

import org.zkoss.bind.BindContext;
import org.zkoss.bind.Phase;
import org.zkoss.bind.PhaseListener;
import org.zkoss.zk.ui.Executions;

public class CommandPhaseListener implements PhaseListener {

@Override
public void prePhase(Phase phase, BindContext ctx) {
if (phase == Phase.COMMAND) {
//Set the command name to be used in PerformanceMeter for logging.
Executions.getCurrent().setAttribute("command", ctx.getCommandName());
}
}

@Override
public void postPhase(Phase phase, BindContext ctx) {

}
}

(3)Create a DemoPerformanceMeter.java class for monitoring performance.


package com.demo;

import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.zkoss.zk.ui.Execution;
import org.zkoss.zk.ui.util.PerformanceMeter;

public class DemoPerformanceMeter implements PerformanceMeter {
private static final Logger LOGGER = LoggerFactory.getLogger(DemoPerformanceMeter.class);

private long timeStartAtClient;
private long timeStartAtServer;
private long timeCompleteAtServer;
private long timeRecieveAtClient;
private long timeCompleteAtClient;

@Override
public void requestCompleteAtClient(String requestId, Execution exec, long time) {
timeCompleteAtClient = time;
}

@Override
public void requestCompleteAtServer(String requestId, Execution exec, long time) {
timeCompleteAtServer = time;
Long serverExe = timeCompleteAtServer - timeStartAtServer;
Long clientExe = timeCompleteAtClient - timeRecieveAtClient;
Long networkExe = (timeCompleteAtServer - timeRecieveAtClient) + (timeStartAtServer - timeStartAtClient);
long totalExe = 0;
totalExe += serverExe != null ? serverExe : 0;
totalExe += clientExe != null ? clientExe : 0;
totalExe += networkExe != null ? networkExe : 0;
if (exec.getAttribute("command") != null) {
LOGGER.debug("Command name:{} ",exec.getAttribute("command"));
}
LOGGER.debug("Total browser execution time:{} milliseconds., Total server execution time:{} milliseconds., Total network execution time:{} milliseconds., Total execution time:{} milliseconds.", new Object[]{clientExe,serverExe,networkExe,totalExe});
}

@Override
public void requestReceiveAtClient(String requestId, Execution exec, long time) {
timeRecieveAtClient = time;
}

@Override
public void requestStartAtClient(String requestId, Execution exec, long time) {
timeStartAtClient = time;
}

@Override
public void requestStartAtServer(String requestId, Execution exec, long time) {
timeStartAtServer = time;
}
}

Performance testing Java web applications using servelet filter

By Sitansu S Swain


For performance testing in  java  web applications  1st register in web.xml

<filter><filter-name>PerformanceFilter</filter-name>
<filter-class>com.demo.PerformanceFilter</filter-class>
<</filter>
<filter-mapping>
<filter-name>PerformanceFilter</filter-name>
<url-pattern>/*</url-pattern>
</filter-mapping>

Use slf4j to logging performance

package com.demo;

import java.io.IOException;

import javax.servlet.Filter;
import javax.servlet.FilterChain;
import javax.servlet.FilterConfig;
import javax.servlet.ServletException;
import javax.servlet.ServletRequest;
import javax.servlet.ServletResponse;
import javax.servlet.http.HttpServletRequest;

import org.slf4j.Logger;
import org.slf4j.LoggerFactory;

public class PerformanceFilter implements Filter {
private static final Logger LOGGER = LoggerFactory.getLogger(PerformanceFilter.class);

@Override
public void doFilter(ServletRequest request, ServletResponse response, FilterChain chain) throws IOException, ServletException {
long startTime = System.currentTimeMillis();
chain.doFilter(request, response); // Process the request.
long elapsed = System.currentTimeMillis() - startTime;

String name = "Response ";
if (request instanceof HttpServletRequest) {
name = ((HttpServletRequest) request).getRequestURI();
}

LOGGER.debug("{} took {} milliseconds.", name, elapsed);
}

@Override
public void destroy() {
}

@Override
public void init(FilterConfig filterConfig) throws ServletException {
}

}



Monday, 1 September 2014

Mutable and Immutable Objects in java

Mutable and Immutable Objects

by Sitansu S Swain

Mutable and Immutable objects are a simple idea with wide ranging consequences. Often when immutability is mentioned it isn't defined, or when it is defined there are no details of how to ensure immutability or the consequences.
Before we start, the terminology follows the article Pass-by-Value, Please in the JavaRanch Camp fire. If you haven't learnt to say Java is pass-by-value, you might want to head there first.

Crappy Definition to start off with:

Mutable Objects: When you have a reference to an instance of an object, the contents of that instance can be altered
Immutable Objects: When you have a reference to an instance of an object, the contents of that instance cannot be altered


Immutability and Instances

To demonstrate this behaviour, we'll use java.lang.String as the immutable class and java.awt.Point as the mutable class.
 Point myPoint = new Point( 0, 0 );
 System.out.println( myPoint );
 myPoint.setLocation( 1.0, 0.0 );
 System.out.println( myPoint );

 String myString = new String( "old String" );
 System.out.println( myString );
 myString.replaceAll( "old", "new" );
 System.out.println( myString );
In case you can't see what the output is, here it is:
 java.awt.Point[0.0, 0.0]
 java.awt.Point[1.0, 0.0]
 old String
 old String
We are only looking at a single instance of each object, but we can see that the contents of myPoint has changed, but the contents of myString did not. To show what happens when we try to change the value of myString, we'll extend the previous example.
 String myString = new String( "old String" );
 System.out.println( myString );
 myString = new String( "new String" );
 System.out.println( myString );
The output from this is:
 old String
 new String
Now we find that the value displayed by the myString variable has changed. We have defined immutable objects as being unable to change in value, so what is happening? Let's extend the example again to watch themyString variable closer.
 String myString = new String( "old String" );
 String myCache = myString;
 System.out.println( "equal: " + myString.equals( myCache ) );
 System.out.println( "same:  " + ( myString == myCache ) );

 myString = "not " + myString;
 System.out.println( "equal: " + myString.equals( myCache ) );
 System.out.println( "same:  " + ( myString == myCache ) );
The result from executing this is:
 equal: true
 same:  true
 equal: false
 same:  false
What this shows is that variable myString is referencing a new instance of the String class. The contents of the object didn't change; we discarded the instance and changed our reference to a new one with new contents.


Variable Values and Instance Contents

If you look at the example above, you can see the point I'm trying to sneak through. You can always change the value of a variable by getting your variable to reference a new object. Sometimes you can change the value of a variable by keeping a reference to the same instance, but change the contents of the instance.

After you have eliminated those possibilities, you have a variable that retains its reference to an object, but the contents of this object cannot change. Doesn't sound like a very interesting idea, and it sounds a bit too simple to be useful.
It turns out that Immutable Objects, that is objects that you cannot change the contents after they have been set, are a very handy tool when used in the right place. They can promote thread safety in your code, you can share them around without being afraid that they will change without your knowledge, they are great for caching and constants. But we're not going to cover any of that yet; we are going to concentrate on building immutable objects.

Building an Immutable class

So what is it about the String class that makes it Immutable while a Point is mutable?

In this case, Strings have no mutators while Points do. If we removed all of the mutators from the Point class, would it be Immutable? No it wouldn't. Removing mutators is a necessary first step, but immutability requires more than that to ensure that the contents of an instance never changes.

Fields must be private

Obviously all of the fields must be private. There is little point removing the mutators if they aren't even required to change the instance contents.
 public class ImmutablePoint
 {
  //note there are no mutators!
  private double x;
  private double y;

  //and the rest...
 
This is almost enough, but there are two more steps to consider.


Make sure methods can't be overridden.

If your class gets extended, it could add extra fields that are not immutable, or the methods could be overridden to return a different value each time. There are two ways to protect against this.

The preferred way is to make the class final. This is sometimes referred to as "Strong Immutability". It prevents anyone from extending your class and accidentally or deliberately making it mutable.
The second way, also called "Weak Immutability" is to make your methods final. It allows others to extend your class to add more behaviour, but protects the original contract specified by the class. If you want a more verbose description, imagine a class is weakly immutable. If you have an instance of object A, it is immutable. If someone creates class B that extends A, it is only the behaviour defined by the A class that is immutable. Any added behaviour from class B may not be immutable.

Protect mutable fields

The last requirement which many people fall victim too, is to build your immutable class from primitive types or immutable fields, otherwise you have to protect mutable fields from manipulation.

To highlight this problem, we'll use the example of a supposedly immutable class representing a person. Our class has a first and last name, as well as a date of birth.
 import java.util.Date;
 public final class BrokenPerson
 {
  private String firstName;
  private String lastName;
  private Date dob;

  public BrokenPerson( String firstName,
    String lastName, Date dob)
  {
   this.firstName = firstName;
   this.lastName = lastName;
   this.dob = dob;
  }

  public String getFirstName()
  {
   return this.firstName;
  }
  public String getLastName()
  {
   return this.lastName;
  }
  public Date getDOB()
  {
   return this.dob;
  }
 }
This all looks fine, until someone uses it like this:
 Date myDate = new Date();
 BrokenPerson myPerson =
   new BrokenPerson( "David", "O'Meara", myDate );
 System.out.println( myPerson.getDOB() );
 myDate.setMonth( myDate.getMonth() + 1 );
 System.out.println( myPerson.getDOB() );
Depending on the dates entered, the output could be something like this:
 Mon Mar 24 21:34:16 GMT+08:00 2003
 Thu Apr 24 21:34:16 GMT+08:00 2003
The Date object is mutable, and the myPerson variable is referencing the same instance of the Date object as the myDate variable. When myDate changes the instance it is referencing, the myPerson instance changes too. It isn't immutable!

We can defend against this by taking a copy of the of the Date instance when it is passed in rather than trusting the reference to the instance we are given.
 import java.util.Date;
 public final class BetterPerson
 {
  private String firstName;
  private String lastName;
  private Date dob;

  public BetterPerson( String firstName,
    String lastName, Date dob)
  {
   this.firstName = firstName;
   this.lastName = lastName;
   this.dob = new Date( dob.getTime() );
  }
  //etc...
Now we're close, but we're still not quite there. Our class is still open to abuse.
 BetterPerson myPerson =
   new BetterPerson( "David", "O'Meara", new Date() );
 System.out.println( myPerson.getDOB() );
 Date myDate = myPerson.getDOB();
 myDate.setMonth( myDate.getMonth() + 1 );
 System.out.println( myPerson.getDOB() );
We see here that taking a copy on the way in wasn't enough; we also need to prevent anyone from getting a reference to our mutable Date field when we pass it out.
 public Date getDOB()
 {
  return new Date( this.dob.getTime() );
 }

Make deep copies of mutable data

The only point to add is that when you copy the instance on the way in and the way out, you need to make a deep copy. Otherwise you run the risk of leaving some mutable data in your immutable class!

If you are confused about the need to provide a deep copy, keep in mind that a single piece of shared mutable data, no matter how deep it is buried inside an object, makes your class mutable. When you create a copy of an object to defend against the value changing, you need to make sure your copy doesn't include this shared mutable class. You need to copy any mutable objects all the way down to the last field, and copy any nested fields until you have a completely new copy of your own. It's the only way to be safe!

Our Template for Immutable Classes

Now we have a template for creating immutable objects.
  • Make all fields private
  • Don't provide mutators
  • Ensure that methods can't be overridden by either making the class final (Strong Immutability) or making your methods final (Weak Immutability)
  • If a field isn't primitive or immutable, make a deep clone on the way in and the way out.


Which classes are Immutable?

To finish up, lets discuss the common Java classes that are immutable and those that aren't. Firstly, all of the java.lang package wrapper classes are immutable: Boolean, Byte, Character, Double, Float, Integer, Long, Short, String.

As in the Person classes we discussed, java.util.Date objects are not immutable. The classes java.math.BigInteger and BigDecimal are not immutable either, although maybe they should have been.

And we're done...

...for now. This concludes an introduction to Mutable and Immutable Classes in Java. Hopefully there will be a second part that will go into more detail on weak and strong immutability, reasons why you'd make classes immutable and reasons to avoid them, and some other miscellaneous topics on immutable types in Java.

Wednesday, 27 August 2014

How to quickly make eclipse faster

Once we start working on eclipse, it gradually becomes slower. To improve the performance and make eclipse faster, there are certain ways which you can utilize and see noticeable differences. These effective method are listed below:
1) Clean up history and indexes
2) Remove structured text validation
3) Do not use subclipse plugin
4) Configure appropriate start-up arguments
Let’s understand them in detail one by one:

1) Clean up history and indexes

Cleaning up history and indexes reduce the load on RAM, and overall HDD usage as well. This result in very high impact on performance. To remove the indexes and history folders, please cleanup all files/folders inside these two folders:
For cleaning up indexes
{workspace path}\.metadata\.plugins\org.eclipse.jdt.core
For cleaning up history
{workspace path}\.metadata\.plugins\org.eclipse.core.resources\.history
Here {workspace path} is the path of eclipse workspace where you create all projects.