A concrete class is a class that has an implementation for all of its methods. They cannot have any unimplemented methods. It can also extend an abstract class or implement an interface as long as it implements all their methods. It is a complete class and can be instantiated.
In other words, we can say that any class which is not abstract is a concrete class.
Necessary condition for a concrete class: There must be an implementation for each and every method.
Example: The image below shows three classes Shape, Rectangle and Circle. Shape is abstract whereas Rectangle and Circle are concrete and inherit Shape. This is because Rectangle and Circle implement area() method.
Example 1: The below code shows a simple concrete class:
| // Java program to illustrate concrete class Â// Concrete ClassclassMain { Â    // this method calculates    // product of two numbers    staticintproduct(inta, intb)    {        returna * b;    } Â    // this method calculates    // sum of two numbers    staticintsum(inta, intb)    {        returna + b;    } Â    // main method    publicstaticvoidmain(String args[])    {        intp = product(5, 10);        ints = sum(5, 10); Â        // print product        System.out.println("Product: "+ p); Â        // print sum        System.out.println("Sum: "+ s);    }} | 
Product: 50 Sum: 15
Example 2: The code below illustrates a concrete class which extends an abstract class. The method product() in interface X is implemented by class Product but it does not implement method sum(), therefore it has to be abstract. Whereas class Main implements the unimplemented method sum(), therefore there are no unimplemented methods. Hence, it is a concrete class.
| // Java program to illustrate concrete class Â// This is an interfaceinterfaceX {    intproduct(inta, intb);    intsum(inta, intb);} Â// This is an abstract classabstractclassProduct implementsX { Â    // this method calculates    // product of two numbers    publicintproduct(inta, intb)    {        returna * b;    }} Â// This is a concrete class that implementsclassMain extendsProduct { Â    // this method calculates    // sum of two numbers    publicintsum(inta, intb)    {        returna + b;    } Â    // main method    publicstaticvoidmain(String args[])    {        Main ob = newMain();        intp = ob.product(5, 10);        ints = ob.sum(5, 10); Â        // print product        System.out.println("Product: "+ p); Â        // print sum        System.out.println("Sum: "+ s);    }} | 
Product: 50 Sum: 15


 
                                    








