Language Basics Java Book

It is possible to create a generic method that is enclosed within a non-generic class.

public class Main {
static boolean isIn(T x, V[] y) {
for (int i = 0; i < y.length; i++) {
if (x.equals(y[i])) {
return true;
}
}
return false;
}
public static void main(String args[]) {
Integer nums[] = { 1, 2, 3, 4, 5 };
if (isIn(2, nums)){
System.out.println("2 is in nums");
}
String strs[] = { "one", "two", "three", "four", "five" };
if (isIn("two", strs)){
System.out.println("two is in strs");
}
}
}

The following code declares a copyList() generic method.

import java.util.ArrayList;
import java.util.List;
public class Main {
public static void main(String[] args) {
List ls = new ArrayList();
ls.add("A");
ls.add("B");
ls.add("C");
List lsCopy = new ArrayList();
copyList(ls, lsCopy);
List lc = new ArrayList();
lc.add(0);
lc.add(5);
List lcCopy = new ArrayList();
copyList(lc, lcCopy);
}
static void copyList(List src, List dest) {
for (int i = 0; i < src.size(); i++)
dest.add(src.get(i));
}
}