区分方法重载与基本数据类型的转换

时间:2022-09-12 17:00:52
        首先构造一组重载方法作为测试用例,这些方法都有一个基本数据类型的参数,返回值为空,其作用都是输出参数值。
1、若实参的数据类型“窄于”形参的数据类型,则会自动匹配到比实参数据类型“宽”且最接近的数据类型。char类型比较特殊,若实参是char(16位)类型,重载方法的形参中没有char类型,但有short(16位)和int(32位)类型,则会匹配到具有int类型形参的方法。
2、若实参的数据类型“宽于”形参的数据类型,则必须进行强制类型转换,使得有与之相匹配的形参数据类型,否则编译器报错。原因很简单,从范围大的数据类型转换到范围小的数据类型,有可能会丢失信息,编译器要求程序员予以确定。   //OverloadingTest.java
//Demonstrates the overloading and basic data type transform
//package com.msn.spaces.bryantd001;   public class OverloadingTest{
    /*void print(char c){System.out.println("The character is "+c); }*/
    void print(byte b){System.out.println("The byte is "+b);}     /*void print(short s){System.out.println("The short is "+s);}*/     void print(int i){System.out.println("The int is "+i);}     void print(long l){System.out.println("The long is "+l);}     void print(float f){System.out.println("The float is "+f);}     /*void print(double d){System.out.println("The double is "+d); }*/         public static void main(String[] args){         //测试基本数据类型“宽化”
        char cChar='a';
        short sNumber=1;
        //测试基本数据类型“窄化”
        double dNumber=1.0d;
  
        System.out.println("Demonstrates the overloading and basic data type transform");
  
        OverloadingTest testObj=new OverloadingTest();
        testObj.print(cChar);
        testObj.print(sNumber);
        //testObj.print(dNumber);  编译器将报错,找不到匹配的方法
        testObj.print((float)dNumber);
    } };