This article will show about how we could declare constant in Kotlin, and how to access them in both Java and Kotlin.
There are 3 ways to declare constant in Kotlin:
Top-Level Declaration 
Companion Object 
Object 
 
1. Top-Level Declaration Declaration
Constants.kt 1 2 @file:JvmName ("Constants" )const  val  CONSTANT_VALUE = 10 
The Kotlin code above would compile to following Java code:
Constants.java 1 2 3 public  final  class  Constants  {   public  static  final  int  CONSTANT_VALUE  =  10 ; } 
We access the constant in following ways:
Application.java 1 2 3 4 5 public  class  Application  {  public  static  void  main (String[] args)  {     System.out.println("Constant Value: "  + Constants.CONSTANT_VALUE + " from Java" );   } } 
Application.kt 1 2 3 fun  main ()   println("Constant Value: $CONSTANT_VALUE  from Kotlin" ) } 
2. Companion Object Declaration
Constants.kt 1 2 3 4 5 class  Constants  {  companion  object  {     const  val  CONSTANT_VALUE = 10    } } 
Compiled Java code:
Constants.java 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 public  final  class  Constants  {  public  static  final  int  CONSTANT_VALUE  =  10 ;   @NotNull    public  static  final  Companion  Companion  =  new  Companion ((DefaultConstructorMarker)null );   public  static  final  class  Companion  {     private  Companion ()  {     }          public  Companion (DefaultConstructorMarker $constructor_marker)  {       this ();     }   } } 
Access the constant in following ways:
Application.java 1 2 3 4 5 public  class  Application  {  public  static  void  main (String[] args)  {     System.out.println("Constant Value: "  + Constants.CONSTANT_VALUE + " from Java" );   } } 
Application.kt 1 2 3 fun  main ()   println("Constant Value: ${Constants.CONSTANT_VALUE}  from Kotlin" ) } 
3. Object Declaration
Constants.kt 1 2 3 object  Constants {  const  val  CONSTANT_VALUE = 10  } 
Compiled Java code:
Constants.java 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 public  final  class  Constants  {  public  static  final  int  CONSTANT_VALUE  =  10 ;   @NotNull    public  static  final  Constants INSTANCE;   private  Constants ()  {   }   static  {     Constants  var0  =  new  Constants ();     INSTANCE = var0;   } } 
Access to the constant are same as using Companion Object:
Application.java 1 2 3 4 5 public  class  Application  {  public  static  void  main (String[] args)  {     System.out.println("Constant Value: "  + Constants.CONSTANT_VALUE + " from Java" );   } } 
Application.kt 1 2 3 fun  main ()   println("Constant Value: ${Constants.CONSTANT_VALUE}  from Kotlin" ) } 
Conclusion Top-Level Declaration is the simplest way to declare constant and the compiled Java code is same with the way I declare constant in Java.
I personally preferred using Object to declare constants because the compiled Java is closer with Top-Level Declaration and much simpler than using Companion Object.