|
|
Program: How implement bounded types (implements an interface) with generics?
As of now we have seen examples for only one type parameter. What happens in case we want to access
group of objects comes from same family, means implementing same interface? You can restrict the generics type parameter to
a certain group of objects which implements same interface. You can achieve this my specifying extends <interface-name> at class
definitions, look at the example, it gives you more comments to understand. You can also specify multiple interfaces at the definision.
you can do this by specifying mulitple interfaces seperated by "&". You can also specify class which implements an interface and the interface
together. For example:
class MyClass<T extends TestClass & TestInterface> {
Look at example for more understanding.
package com.java2novice.generics;
public class MyBoundedInterface {
public static void main(String a[]){
//Creating object of implementation class X called Y and
//passing it to BoundExmp as a type parameter.
BoundExmp<Y> bey = new BoundExmp<Y>(new Y());
bey.doRunTest();
//Creating object of implementation class X called Z and
//passing it to BoundExmp as a type parameter.
BoundExmp<Z> bez = new BoundExmp<Z>(new Z());
bez.doRunTest();
//If you uncomment below code it will throw compiler error
//becasue we restricted to only of type X implementation classes.
//BoundExmp<String> bes = new BoundExmp<String>(new String());
//bea.doRunTest();
}
}
class BoundExmp<T extends X>{
private T objRef;
public BoundExmp(T obj){
this.objRef = obj;
}
public void doRunTest(){
this.objRef.printClass();
}
}
interface X{
public void printClass();
}
class Y implements X{
public void printClass(){
System.out.println("I am in class Y");
}
}
class Z implements X{
public void printClass(){
System.out.println("I am in class Z");
}
}
|
|
Output: |
I am in class Y
I am in class Z
|
|
|
|
|
Java Generics Sample Code Examples
- Write a simple generics class example.
- Write a simple generics class example with two type parameters.
- How implement bounded types (extend superclass) with generics?
- How implement bounded types (implements an interface) with generics?
- What is generics wildcard arguments? Give an example.
|
|
|
Different types of Access Modifiers
public: Any thing declared as public can be accessed from anywhere.
private: Any thing declared as private can't be seen outside of its class.
protected: Any thing declared as protected can be accessed by classes in the same package and subclasses in the other packages.
default modifier: Can be accessed only to classes in the same package.
You can never get enough of what you don’t really need.
-- Eric Hoffer
|