Saturday, December 19, 2015

Graph

<?php
$example = range(0, 9);
foreach ($example as $value)
{
 echo $value;
}

Graph and basic Graph Traversals:

package com.amazom.graph;

import java.util.ArrayList;
import java.util.Collection;
import java.util.HashMap;
import java.util.List;
import java.util.Map;

public class Graph<T> {

private List<Edge<T>> allEdges;
private Map<Long, Vertex<T>> allVertex;
boolean isDirected = false;

public Graph(boolean isDirected) {
allEdges = new ArrayList<Edge<T>>();
allVertex = new HashMap<Long, Vertex<T>>();
this.isDirected = isDirected;
}

public void addEdge(long id1, long id2) {
addEdge(id1, id2, 0);
}

public void addEdge(long id1, long id2, int weight) {
Vertex<T> vertex1 = null;
if (allVertex.containsKey(id1)) {
vertex1 = allVertex.get(id1);
} else {
vertex1 = new Vertex<T>(id1);
allVertex.put(id1, vertex1);
}
Vertex<T> vertex2 = null;
if (allVertex.containsKey(id2)) {
vertex1 = allVertex.get(id2);
} else {
vertex2 = new Vertex<T>(id2);
allVertex.put(id2, vertex2);
}
Edge<T> edge = new Edge<T>(vertex1, vertex2, isDirected, weight);
allEdges.add(edge);
vertex1.addAdjacentVertex(edge, vertex1);
if (!isDirected) {
vertex2.addAdjacentVertex(edge, vertex1);
}
}

public List<Edge<T>> getEdges() {
return allEdges;
}

public Collection<Vertex<T>> getAllVertex() {
return allVertex.values();

}



}

class Edge<T> {
private boolean isDirected = false;
private Vertex<T> vertex1;
private Vertex<T> vertex2;

private int weight;

Edge(Vertex<T> vertex1, Vertex<T> vertex2) {
this.vertex1 = vertex1;
this.vertex2 = vertex2;
}

Edge(Vertex<T> vertex1, Vertex<T> vertex2, boolean isDirected, int weight) {
this.vertex1 = vertex1;
this.vertex2 = vertex2;
this.isDirected = isDirected;
this.weight = weight;
}

Edge(Vertex<T> vertex1, Vertex<T> vertex2, boolean isDirected) {
this.isDirected = isDirected;
this.vertex1 = vertex1;
this.vertex2 = vertex2;
}

public Vertex<T> getVertex1() {
return vertex1;
}

public Vertex<T> getVertex2() {
return vertex2;
}

int getWeight() {
return weight;
}

public boolean isDirected() {
return isDirected;
}

}

class Vertex<T> {
long id;
private T data;
private List<Edge<T>> edges = new ArrayList<Edge<T>>();
private List<Vertex<T>> adjacentVertex = new ArrayList<Vertex<T>>();

Vertex(long id) {
this.id = id;
}

public long getId() {
return id;
}

public void setId(long id) {
this.id = id;
}

public T getData() {
return data;
}

public void setData(T data) {
this.data = data;
}

public void addAdjacentVertex(Edge<T> e, Vertex<T> v) {
edges.add(e);
adjacentVertex.add(v);
}

public List<Vertex<T>> getAdjacentVertexes(){
        return adjacentVertex;
    }
}


Depth First Traversal for Graph:
package com.amazom.graph;

import java.util.HashSet;
import java.util.Set;

public class GraphTraversal {
public void DFS(Graph<Integer> graph) {
Set<Long> visited = new HashSet<Long>();
for (Vertex<Integer> vertex : graph.getAllVertex()) {
if (!visited.contains(vertex.getId())) {
DFSUtil(vertex, visited);
}
}
}

private void DFSUtil(Vertex<Integer> vertex, Set<Long> visited) {
visited.add(vertex.getId());
System.out.println(" vertex " + vertex.id);
for (Vertex<Integer> ver : vertex.getAdjacentVertexes()) {
if (!visited.contains(ver.getId())) {
DFSUtil(vertex, visited);
}
}
}

public static void main(String args[]) {
Graph<Integer> graph = new Graph<Integer>(true);
graph.addEdge(1, 2);
graph.addEdge(1, 5);
graph.addEdge(1, 6);
graph.addEdge(1, 9);
graph.addEdge(2, 3);
graph.addEdge(3, 4);
graph.addEdge(6, 7);
graph.addEdge(7, 8);
GraphTraversal graphTraversal = new GraphTraversal();
graphTraversal.DFS(graph);
}
}



  • Graph: Boggele Game


package com.amazom.graph;

import java.util.Dictionary;
import java.util.HashSet;
import java.util.Set;

public class Boggle {

public void game(Set<String> dictionary, char board[][]) {

boolean visited[][] = new boolean[board.length][board[0].length];

for (int i = 0; i < board.length; i++) {
for (int j = 0; j < board[0].length; j++) {
StringBuffer buffer = new StringBuffer();
DFS(dictionary, i, j, board, visited, buffer);
}
}

}

private void DFS(Set<String> set, int i, int j, char[][] board,
boolean[][] visited, StringBuffer buffer) {

if (i < 0 || j < 0 || i >= board.length || j >= board[i].length) {
return;
}

if (visited[i][j] == true)
return;

visited[i][j] = true;

buffer.append(board[i][j]);

if (set.contains(buffer.toString())) {
System.out.println("  String is " + buffer.toString());
}

for (int k = i - 1; k <= i + 1; k++) {
for (int l = j - 1; l <= j + 1; l++) {
DFS(set, k, l, board, visited, buffer);// Recursion for the overlapping Strings
}
}

buffer.deleteCharAt(buffer.length() - 1);
visited[i][j] = false;

}

public static void main(String args[]) {
Boggle boggle = new Boggle();
char[][] board = { { 't', 'a', 's', 'g' }, { 'l', 'u', 'n', 'h' },
{ 't', 'e', 'i', 'a' }, { 'a', 'w', 's', 'r' }

};

Set<String> dictionary = new HashSet<String>();

dictionary.add("tushar");
dictionary.add("anisweta");
boggle.game(dictionary, board);

}

}





  • Binary MaxHeap:


import java.util.ArrayList;
import java.util.List;

class BinaryMaxHeap<T> {
private List<Node> allNodes = new ArrayList<Node>();

class Node {
int weight;
T data;
}

public T extractMax() {

int size = allNodes.size() - 1;

T max = allNodes.get(0).data;

int lastNodeWeight = allNodes.get(size).weight;
allNodes.get(0).weight = lastNodeWeight;
allNodes.get(0).data = allNodes.get(size).data;
allNodes.remove(size);

int currentIndex = 0;
size--;

while (true) {
int left = 2 * currentIndex + 1;
int right = 2 * currentIndex + 2;
if (left > size)
break;
if (right > size) {
right = left;
}

int largerIndex = allNodes.get(left).weight >= allNodes.get(right).weight ? left
: right;
if (allNodes.get(currentIndex).weight < allNodes.get(largerIndex).weight) {
Node temp = allNodes.get(currentIndex);
temp.data = allNodes.get(currentIndex).data;
temp.weight = allNodes.get(currentIndex).weight;

allNodes.get(currentIndex).data = allNodes.get(largerIndex).data;
allNodes.get(currentIndex).weight = allNodes.get(largerIndex).weight;

allNodes.get(largerIndex).data = temp.data;
allNodes.get(largerIndex).weight = temp.weight;
currentIndex = largerIndex;
} else {
break;
}
}
return max;

}

public void add(int weight, T data) {
Node node = new Node();
node.weight = weight;
node.data = data;
allNodes.add(node);
int size = allNodes.size();
int current = size - 1;
int parentIndex = (current - 1) / 2;
while (parentIndex >= 0) {
Node parentNode = allNodes.get(parentIndex);
Node currentNode = allNodes.get(current);
if (parentNode.weight < currentNode.weight) {
/* swap(parentNode,currentNode); */
data = parentNode.data;
weight = parentNode.weight;

parentNode.data = currentNode.data;
parentNode.weight = currentNode.weight;

currentNode.data = data;
currentNode.weight = weight;

current = parentIndex;
parentIndex = (parentIndex - 1) / 2;
} else {
break;
}
}
}

public void displayHeap() {
for (Node n : allNodes) {
System.out.println(" " + n.data + " -- " + n.weight);
}
}

private void swap(Node first, Node second) {

T data = first.data;
int weight = second.weight;

first.data = second.data;
first.weight = second.weight;

second.data = data;
second.weight = weight;

}

}

public class BinaryMaxHeapSample {

public static void main(String args[]) {

BinaryMaxHeap<String> binaryMaxHeap = new BinaryMaxHeap<String>();

BinaryMaxHeap<Integer> binaryMaxHeapInt = new BinaryMaxHeap<Integer>();

binaryMaxHeap.add(3, "Tushar");
binaryMaxHeap.add(4, "Ani");
binaryMaxHeap.add(8, "Vijay");
binaryMaxHeap.add(10, "pramila");
binaryMaxHeap.add(5, "Roy");
binaryMaxHeap.add(6, "NTF");

binaryMaxHeap.displayHeap();

System.out.println(" Max is " + binaryMaxHeap.extractMax());

System.out.println(" HEAP WITH DATATYPE : Integer");

binaryMaxHeapInt.add(3, 007);
binaryMaxHeapInt.add(4, 1007);
binaryMaxHeapInt.add(1, 4007);
binaryMaxHeapInt.add(6, 2007);
binaryMaxHeapInt.add(9, 507);

binaryMaxHeapInt.displayHeap();

System.out.println(" Max is " + binaryMaxHeapInt.extractMax());

}


}

The above example explains the ArrayList implementation for MaxHeap
Explains the usage for the Generic Type defined as the data hence two use case:
1. data as String
2. data as Integer

Friday, December 18, 2015

Arrays



  • Find the minimum distance between two numbers in an array


public class MinimumDistanceBetween {
public int getDistanceBetween(int[] arr, int first, int second) {
int minDis = Integer.MAX_VALUE;
int j = 0;
int temp = 0;

for (int i = 0; i < arr.length; i++) {
if (arr[i] == first || arr[i] == second) {
temp = arr[i];
j = i;
break;
}
}
for (int i = j; i < arr.length; i++) {
if (arr[i] == first || arr[i] == second) {
if (arr[i] != temp) {
if (minDis > i - j){
minDis = i - j;
}
j = i;
}

}
}

return minDis;
}

public static void main(String args[]) {
int[] arr = {2, 5, 3, 5, 4, 4, 2, 3};
System.out.println(" Min distance is " + new MinimumDistanceBetween().getDistanceBetween(arr, 3, 2));
}
}


  • Convert the Arrays so as the following pattern as defined in comments is observed

/**
* Convert an unsorted array into an array such that
* a < b > c < d > e < f and so on
*/


import java.util.Arrays;
public class DecreaseIncreaseArray {
private static void getOrderChanged(int[] arr) {
int n = arr.length - 1;
int temp = 0;
Arrays.sort(arr);
for (int i = 1; i < n; i += 2) {
if (i + 1 < n) {
temp = arr[i];
arr[i] = arr[i + 1];
arr[i + 1] = temp;
}
}
for (int i : arr) {
System.out.print(i + " ");
}
}

public static void main(String args[]) {
int[] arr = { 0, 6, 9, 13, 10, -1, 8, 2, 4, 14, -5 };
getOrderChanged(arr);
}
}

Steps:
1. Sort the array : O(nlogn)
2.compare the element: O(n)
total time complexity : O(nlogn + n)




  • Find the number repeating maximum number of time in an array of size length and range of the number is defined by range wherein length <= range


class MaxRepeating {
public int maxRepeating(int[] arr, int length, int range) {
for (int i = 0; i < length; i++) {
arr[arr[i] % range] += range; // as arr[i] will always be <= range so will always have the value for the index falling within the range
}

int max = arr[0];
int result = 0;
for (int i = 1; i < length; i++) {
if (arr[i] > max) {
max = arr[i];
result = i;
}
}
return result;
}

public static void main(String[] args) {
int arr[] = { 2, 3, 3, 5, 3, 4, 1, 7, 4, 4, 4, 4, 4 };
int n = arr.length - 1;
int k = 8;
System.out.println("Maximum repeating element is: "
+ new MaxRepeating().maxRepeating(arr, n, k));
}

}

Thursday, December 17, 2015

Dynamic Programming


Find Common SubString in two Strings
public class LongestCommonSubString {
 public int lcSubString(char[] first,char[] second){
  int max=0;
  int temp[][] = new int[first.length][second.length];
  for(int i=1;i<temp.length;i++){
   for(int j=1;j<temp[0].length;j++){
    if(first[i-1] == second[j-1])
     temp[i][j] =  temp[i-1][j-1] + 1;
        if(max < temp[i][j])
         max = temp[i][j];
   }
  }
  return max;
 }
 
 public static void main(String args[]) {
  String first = "OldSite:GeeksforGeeks.org";
  String second = "NewSite:GeeksQuiz.com";
  System.out.println(" ---  " + new LongestCommonSubString().lcSubString(first.toCharArray(), second.toCharArray()));
 }
}




Find the longest SubSequence(length) in a Suquence

public class LongestIncreasingSubSequence {
 public int lis(int[] arr){
 int max = 0;
 int[] ls = new int[arr.length];
 for(int i=0;i<arr.length;i++){
  ls[i] = 1;
 }
 for(int i=1;i<arr.length;i++){
  for(int j = 0;j<i;j++){
     if(arr[j]<arr[i] && (ls[j]+1)-ls[i]>0){
      ls[i] = ls[i] +1;
     }
  }
 }
 
 
 for(int i=0;i<ls.length;i++){
  if(ls[i] > max)
   max = ls[i];
 }
  return max;
 }
 
 public static void main(String args[]) {
  int[] arr = {10, 22, 9, 33, 21, 50, 41, 60, 80};
  System.out.println(" Longest increasing seq. has length  "+new LongestIncreasingSubSequence().lis(arr));
 }
}



Edit Distance
public class EditDistance {
 private final int EDIT_COST = 1;
 public int minEdits(char[] ch1, char[] ch2) {
  int min = 0;
  int[][] temp = new int[ch1.length + 1][ch2.length + 1];
  for (int i = 0; i < temp.length; i++) {
   temp[i][0] = i;
  }
  for (int j = 0; j < temp[0].length; j++) {
   temp[0][j] = j;
  }
  for (int i = 1; i < ch1.length; i++)
   for (int j = 1; j < ch2.length; j++) {
    if (ch1[i] == ch2[j]) {
     temp[i][j] = temp[i - 1][j - 1];
    } else {
     temp[i][j] = min(temp[i - 1][j - 1] + 1, temp[i - 1][j]
       + EDIT_COST, temp[i][j - 1] + EDIT_COST);
    }
   }
  return min;
 }

 private int min(int a, int b, int c) {
  int temp = Math.min(a, b);
  return Math.min(temp, c);
 }

 public static void main(String args[]) {
  String str1 = "sunday";
  String str2 = "saturday";
  System.out.println(" Minimum edits needed are "
    + new EditDistance().minEdits(str1.toCharArray(),
      str2.toCharArray()));

 }

}


Example above explains the minimum number of edits required to change a string to another, where in the edits include the following operations:
Add
Remove
Edit/Modify

EDIT_Cost is the value associated with the cost for a single edit.

Wednesday, July 8, 2015

TreeMap: Explicitly overriding equals along with the Comparable Interface

package com.collections;


import java.util.HashMap;
import java.util.LinkedHashMap;
import java.util.Map;
import java.util.TreeMap;

public class TreeMapHashCodeSample {
public static void main(String args[]) {
Employee1 emp1 = new Employee1("first", 120);
// Employee1 emp2 = new Employee1("firs11t", 120);
Employee1 emp2 = emp1;
TreeMap<String,Employee1> mp = new TreeMap<String,Employee1>();
mp.put("akkhil",emp1);
mp.put("gupta",emp2);
System.out.println("  Are  employees equal :  "
+ mp.get("akkhil").equals(mp.get("gupta")));
}
}



class Employee1 implements Comparable<Employee1>{
String name;
int score;
public Employee1(String name, int score) {
this.name = name;
this.score = score;
}
public boolean equals(Object o) {
return this.name == ((Employee1) o).name;
}
/*public int hashCode() {
return score;
}*/


/*public int compareTo(Employee1 o) {
 if(equals(o))
 return 1;
 return 0;
}*/


public int compareTo(Employee1 o) {
return  o.score - this.score;
}



}


HashCode Equals Contract in HashMap

package com.collections;

import java.util.HashMap;
import java.util.LinkedHashMap;
import java.util.Map;
import java.util.TreeMap;

class Employee {
String name;
int score;

public Employee(String name, int score) {
this.name = name;
this.score = score;
}
public boolean equals(Object o) {
return this.score == ((Employee) o).score;
}
public int hashCode() {
return score;
}
}

public class EqualsHashCodeExample {
public static void main(String args[]) {
Employee emp1 = new Employee("first", 120);
Employee emp2 = new Employee("Sec", 120);
Map<Employee, String> mp = new HashMap<Employee, String>();
mp.put(emp1, "akkhil");
mp.put(emp2, "gupta");
for (Map.Entry<Employee, String> m : mp.entrySet()) {
System.out.println("  fetch employee "
+ mp.get(emp1).equals(mp.get(emp2)));
}

}

}

Monday, July 6, 2015

Concurreny in Java

Concurreny in Java:
StateLess:
Lazily Initialization / Loading??
Atomicity: ( that􀀃a􀀃group􀀃of􀀃statements􀀃appear􀀃to􀀃execute􀀃as􀀃a􀀃single,􀀃indivisible )State Consistency can be maintained by updating the relates state variables in an atomic operation.
RaceCondition: Lazy Initialization
java.util.concurrent.atomic package AtomicLong, threadSafe?? How Atommic Long works
Instrinsic Lock/Monitor Lock( act as Mutex ):(Reference to an Object serves as the lock) .Every java object can act as implicit Lock.Oreder for which Threads to acquire lock first Not Gauranteed by using intrinsic Lock,( as we use notify() Or notifyAll() ) hence  Extrinsic Lock is to be used.
Intrinsic Locks are also ReEntrant: The Lock which is already held can be held again .
Synchronized blocks in Java are reentrant. This means, that if a Java thread enters a synchronized block of code, and thereby take the lock on the monitor object the block is synchronized on, the thread can enter other Java code blocks synchronized on the same monitor object
Example of ReEntrant Lock: 
package text.reentrant;

import java.util.concurrent.Semaphore;

import java.util.concurrent.locks.Lock;
import java.util.concurrent.locks.ReentrantLock;

public class ReEntrantSample {

public static void main(String args[]) {
Sharedresource sharedresource = new Sharedresource();
Thread t1 = new Thread(sharedresource, "1");
Thread t2 = new Thread(sharedresource, "2");
t1.start();
t2.start();
t1.run();
t2.run();
}

}


class Sharedresource implements Runnable {

CommonResources cr = new CommonResources();

public void run() {

cr.anotherMethod();
}
}

class CommonResources {

private final Lock lock = new ReentrantLock();

public synchronized void getCount() {

try {
for (int i = 0; i < 5; i++) {
System.out.println("Thread--"
+ Thread.currentThread().getName() + " i is " + i);

}


} finally {

}
}

public synchronized void anotherMethod() {

System.out.println(" Inside another method ............. ");
getCount();
}


}

Extrinsic Lock: Lock lock  = new ReEntrantLock(true) where true stands for fairness policy
and also deadlock situation can be avoided by using tryLock() of Lock class
Private Lock: Encapsulates the lock??? Advantages
Client Side Locking??????????
ReEntrant Lock Vs synchronized Difference:
1. fairness
2. tryLock()// using timeOut
3. determine the list of threads waiting.
EXAMPLE??
public class Widget {
public synchronized void doSomething() {
...
}
}
public class LoggingWidget extends Widget {
public synchronized void doSomething() {
System.out.println(toString() + ": calling doSomething");
super.doSomething();
}
}


Don't use lock to hold operations as I/O))???
Synchronization: Also determines NOT only mutual exclusion BUT also memory visibility(most updated value from shared memory) Hence reading/writing of threads to be on common Lock.
Volatile defines that the variable is shared among the Threads?? WHEN to USE???
Volatile gaurantees visibility but NOT atomicity
Avoid escapes: Don't use setters
class UnsafeStates {
private String[] states = new String[] {
"AK", "AL" ...
};
public String[] getStates() { return states; }
}


this reference escape during Construction????

Stack Confinemant: local variable are confined to stack

private to visibility is what final to immutuable


Volatile Refernce to Immutable Object Example???

final Objects are Immutable BUT final fields refering to Immutable Objects are NOT thread Safe

Objetcs defined using static initializer are threadSafe?????????How??
class CommonResources {
private final Lock lock = new ReentrantLock(true);
static int i;
static{
i = 0;
}

public  void getCount() {
//synchronized(CommonResources.class){
lock.lock();
try {
for (; i < 2; i++) {
System.out.println("Thread--"
+ Thread.currentThread().getName() + " i is " + i);
}
} finally {
lock.unlock();
}
//}
}


}

Read Only objects are threadSafe


Java Monitor Pattern: each class has its own intrinsic lock

Vector and problem with Collections.synchronizedSet()????

Iterators are failfast as:
1. starvation
2. DeadLock
3.Scalability as lock being hold for long time and hence CPU usage is more

Solution: clone since it is thread confined.

Collections.synchonizedMap(provide exclusive access/Lock to entire HashMap) ConcurrentHashMap( weakly consistent though NOT fail fast)

import java.util.Collections;
import java.util.HashMap;
import java.util.Iterator;
import java.util.Map;
import java.util.Set;
import java.util.concurrent.ConcurrentHashMap;
import java.util.concurrent.CopyOnWriteArrayList;

public class ConcurrentHashMapSample {
public static void main(String args[]) {
ConcurrentHashMap<String, String> hashMap = new ConcurrentHashMap<String, String>();
// Map<String,String> hashMap = new HashMap<String,String>();
// Collections.synchronizedMap(hashMap);
hashMap.put("core", "java");
hashMap.put("advanced", "J2ee");

for (Map.Entry<String, String> at : hashMap.entrySet()) {
hashMap.put(" newTopic ", "Sample");
System.out.println("  " + at.getKey() + "   " + at.getValue());
}

}
}

Collections.synchronizedMap(hashMap) will lock the whole Map and other threads can't access at same time and also the map can't be modified while iteration is going on, though has advantage against ConcurrentHashMap in terms of Consistency, i.e. to keep the data updated for all threads.


Similarly,
Collections.synchonizedList === CopyOnWriteArrayList

import java.util.ArrayList;
import java.util.Iterator;
import java.util.concurrent.CopyOnWriteArrayList;

public class CopyOnWriteSample {
public static void main(String args[]) {
        CopyOnWriteArrayList<String> threadSafeList = new CopyOnWriteArrayList<String>();
//ArrayList<String> threadSafeList = new ArrayList<String>();
        threadSafeList.add("Java");
        threadSafeList.add("J2EE");
        threadSafeList.add("Collection");
        //add, remove operator is not supported by CopyOnWriteArrayList iterator
        Iterator<String> failSafeIterator = threadSafeList.iterator();
        while(failSafeIterator.hasNext()){
        //threadSafeList.add("Sample");
            System.out.printf("Read from CopyOnWriteArrayList : %s %n", failSafeIterator.next());
         failSafeIterator.remove(); //not supported in CopyOnWriteArrayList in Java
        }
    }
}


BlockingQueue Vs Producer - Consumer pattern??

Synchronizers:
1. Latches
2. Future Tasks
3. Semaphores
4. Barriers

DisAdvantages of Unbounded ThreadCreation

ThreadPools: Types of ThreadPools: Cached, Single,FixedThreadPool

LifeCycle Methods of ExecutorService: 
running,􀀃 shutting􀀃 down,􀀃 and􀀃 terminated.


Result Bearing Taks: Callable and FutureTasks

Real TIme Example???
Interupption policies and Cancellation via future

Newtaskfor􀀃????

ExecutorService􀀃: ShutDown options:
   --- shutDown
   ---shutDownNow


PoisonPills:
https://dzone.com/articles/producers-and-consumers-part-3

ShutDown Hooks : To shutdown JVM


DeadLock in ThreadPool


Ahmdals Law??








Graph : Creation of UnWeighted Graph using Matric Representation

package com.graph;

class Graph {
int[][] graphMatrix;
Vertex[] vertArray;
int vertCount;
int size;

Graph() {
size = 5;
vertArray = new Vertex[size];
graphMatrix = new int[size][size];
vertCount = 0;
for (int i = 0; i < size; i++)
for (int j = 0; j < size; j++)
graphMatrix[i][j] = 0;
}

void addVertex(char ch) {
addVertex(ch, vertArray);
}

void addVertex(char ch, Vertex[] vertArray) {
Vertex vert = new Vertex(ch);
// vertArray = new Vertex[size+3];
vertArray[vertCount++] = vert;
}

void addEdge(int src, int dest) {
graphMatrix[src][dest] = 1;
}

void displayGraph() {
for (int i = 0; i < size; i++)
for (int j = 0; j < size; j++)
if (graphMatrix[i][j] == 1)
System.out.println(" " + graphMatrix[i][j] + " "
+ vertArray[i].label + " " + vertArray[j].label);
}

}

class Vertex {
char label;

Vertex(char label) {
this.label = label;
}
}

class Edge {
char src;
char dest;

Edge(char src, char dest) {
this.src = src;
this.dest = dest;
}

}

public class GraphSample {
public static void main(String args[]) {
Graph graph = new Graph();

graph.addVertex('A');
graph.addVertex('B');
graph.addVertex('C');
graph.addVertex('D');
graph.addVertex('E');

graph.addEdge(0, 1);
graph.addEdge(0, 2);
graph.addEdge(2, 3);
graph.addEdge(3, 3);
graph.addEdge(1, 4);

graph.displayGraph();

}

}

Saturday, July 4, 2015

Threaded Binary Tree: An alternative to find the successor and predecessor in linear time


Threaded Binary Tree


package ds.threadedTree;

class ThreadedNode {

int tData;
ThreadedNode left, right;
boolean leftThread, rightThread;

public ThreadedNode() {

}

public ThreadedNode(int tData, ThreadedNode left, ThreadedNode right,
boolean leftThread, boolean rightThread) {
this.tData = tData;
this.left = left;
this.right = right;
this.leftThread = leftThread;
this.rightThread = rightThread;
}

public ThreadedNode(boolean leftThread, boolean rightThread) {
this.tData = Integer.MAX_VALUE;
this.left = this;
this.right = this;
this.leftThread = leftThread;
this.rightThread = rightThread;
}

}

class ThreadedBSTree {
private ThreadedNode root;

public ThreadedBSTree() {
root = new ThreadedNode(true, false);
}

/*
* public int insert(int tData){ ThreadedNode newNode = findNode(root,
* tData); // if(newNode==null)
*
* }
*/

public ThreadedNode findNode(ThreadedNode current, int tData) {
if (current.tData < tData) {
if (current.rightThread)
return current;
return findNode(current.right, tData);
} else if (current.tData > tData) {
if (current.leftThread)
return current;
return findNode(current.left, tData);
} else
return null;
}

public void insert(int ele) {
ThreadedNode ptr = findNode(root, ele);

/** element already present **/
if (ptr == null)
return;

if (ptr.tData < ele) {
ThreadedNode nptr = new ThreadedNode(ele, ptr, ptr.right, true,
true);
ptr.right = nptr;
ptr.rightThread = false;
} else {
ThreadedNode nptr = new ThreadedNode(ele, ptr.left, ptr, true, true);
ptr.left = nptr;
ptr.leftThread = false;
}
}

public void inOrder() {
ThreadedNode temp = root;
for (;;) {
temp = insucc(temp);
if (temp == root)
break;
System.out.print(temp.tData + " ");
}
}

public ThreadedNode insucc(ThreadedNode tree) {
ThreadedNode temp;
temp = tree.right;
if (!tree.rightThread)
while (!temp.leftThread)
temp = temp.left;
return temp;
}

}

public class ThreadedTree {

public static void main(String args[]) {

ThreadedBSTree threadedBSTree = new ThreadedBSTree();

threadedBSTree.insert(12);
threadedBSTree.insert(9);
threadedBSTree.insert(22);
threadedBSTree.insert(16);
threadedBSTree.insert(32);
threadedBSTree.insert(30);
threadedBSTree.insert(42);

threadedBSTree.inOrder();

}

}

Friday, July 3, 2015

Binary Tree

To print binary Tree Spirally and Inwards:

/*
   http://www.careercup.com/question?id=5749172554694656
*/
public void printSpiralInwards(Node root){
Map<Integer,ArrayList<Node>> mp = new HashMap<Integer, ArrayList<Node>>();
ArrayList<Node> arrayList = null;
ArrayList<Node> arrayList1 = null;
int i = 0;
if(root == null)
return;
Deque<Node> queue = new LinkedList<Node>();
queue.add(root);
queue.add(null);
while(queue.size()>1){
  Node temp = queue.peekFirst();
  
  arrayList = new ArrayList<Node>();
  while(temp!=null){
 
 temp = queue.pollFirst();
 arrayList.add(temp);
 System.out.println(" "+ temp.data );
  
   if(temp.left!=null)
  queue.offerLast(temp.left);
 if(temp.right!=null)  
 queue.offerLast(temp.right);
 temp = queue.peekFirst();
  }
  mp.put(i++, arrayList);
  temp = queue.peekLast();
  arrayList1 = new ArrayList<Node>();
  while(temp!=null){
 temp = queue.pollLast();
 arrayList1.add(temp);
 System.out.println(" "+ temp.data );
 if(temp.right!=null)
  queue.offerFirst(temp.right);
 if(temp.left!=null)  
 queue.offerFirst(temp.left);
 temp = queue.peekLast();
  }
  mp.put(i++, arrayList1);
}
    
  Deque<ArrayList<Node>> de = new LinkedList<ArrayList<Node>>();
  de.addAll(mp.values());

  while(!de.isEmpty()){
  System.out.println(" ");
  ArrayList<Node> first = de.pollFirst();
  Iterator<Node> itr = first.iterator();
  while(itr.hasNext()){
  System.out.print(" "+itr.next().data);
  }
  
  System.out.println(" ");
  ArrayList<Node> sec = de.pollLast();
  Iterator<Node> itr1 = sec.iterator();
  while(itr1.hasNext()){
  System.out.print(" "+itr1.next().data);
  }
  
  
  
  }
  
  
}



Find Maximum in a Binary Tree(NOT BST)

int findMax(Node node) {
int max = Integer.MIN_VALUE;
Queue<Node> queue = new LinkedList<Node>();
queue.add(node);
if (root == null)
return 0;
else {
while (!queue.isEmpty()) {
Node temp = queue.poll();
if (max < temp.tData)
max = temp.tData;
if (temp.lefNode != null)
queue.add(temp.lefNode);
if (temp.rightNode != null)
queue.add(temp.rightNode);
}
return max;
}
}




Generate the Mirror of a Binary Tree:

public void getMirrorOfTree(Node1 node) { Node1 temp; if (node != null) { getMirrorOfTree(node.lefNode1); getMirrorOfTree(node.rightNode1); temp = node.lefNode1; node.lefNode1 = node.rightNode1; node.rightNode1 = temp; } }

To Find Ancestors of a Node:

public boolean ancestorsOfNode(Node1 node, int nData) { if (node == null) return false; if (node.tData == nData) return true; if (ancestorsOfNode(node.lefNode1, nData) || ancestorsOfNode(node.rightNode1, nData)) { System.out.println(" -- " + node.tData); return true; } return false; }

Binary Search Tree(BST)

Adding Node to Tree:

public void buildTree(int tData) {
Node1 newNode1 = new Node1(tData);
if (root == null)
root = newNode1;
else {
Node1 current = root;
Node1 parent;
while (true) {
parent = current;
if (tData < current.tData)// go left
{
current = current.lefNode1;
if (current == null) {
parent.lefNode1 = newNode1;
return;
}
} else {
current = current.rightNode1;
if (current == null) {
parent.rightNode1 = newNode1;
return;
}
}
}
}
}


Check if Node is present in Node:

boolean isPresent(int tData){
if(root==null)
System.out.println(" error ");
else{
Node1 current = root;
while(current!=null && current.tData  != tData){
if(current.tData > tData)
current = current.lefNode1;
else if(current.tData < tData)
    current = current.rightNode1;
}
if(current!=null)return true;
}
return false;
}

Find Maimum Element in BST( with Recursion):

public int findMaxBT(Node1 node) {
Node1 current = node;
while (current.rightNode1 != null) {
current = current.rightNode1;
}
return current.tData;
}