TA的每日心情data:image/s3,"s3://crabby-images/8e309/8e309f4cf802aae0fde4f861b9c21feba5bf2023" alt="" | 开心 2021-3-12 23:18 |
---|
签到天数: 2 天 [LV.1]初来乍到
|
- /**
- * 可变长的参数。
- * 有时候,我们传入到方法的参数的个数是不固定的,为了解决这个问题,我们一般采用下面的方法:
- * 1. 重载,多重载几个方法,尽可能的满足参数的个数。显然这不是什么好办法。
- * 2. 将参数作为一个数组传入。虽然这样我们只需一个方法即可,但是,
- * 为了传递这个数组,我们需要先声明一个数组,然后将参数一个一个加到数组中。
- * 现在,我们可以使用可变长参数解决这个问题,
- * 也就是使用...将参数声明成可变长参数。显然,可变长参数必须是最后一个参数。
- */
- public class VarArgs {
- /**
- * 打印消息,消息数量可以任意多
- * @param debug 是否debug模式
- * @param msgs 待打印的消息
- */
- public static void printMsg(boolean debug, String ... msgs){
- if (debug){
- // 打印消息的长度
- System.out.println("DEBUG: 待打印消息的个数为" + msgs.length);
- }
- for (String s : msgs){
- System.out.println(s);
- }
- if (debug){
- // 打印消息的长度
- System.out.println("DEBUG: 打印消息结束");
- }
- }
- /**
- * 重载printMsg方法,将第一个参数类型该为int
- * @param debugMode 是否debug模式
- * @param msgs 待打印的消息
- */
- public static void printMsg(int debugMode, String ... msgs){
- if (debugMode != 0){
- // 打印消息的长度
- System.out.println("DEBUG: 待打印消息的个数为" + msgs.length);
- }
- for (String s : msgs){
- System.out.println(s);
- }
- if (debugMode != 0){
- // 打印消息的长度
- System.out.println("DEBUG: 打印消息结束");
- }
- }
-
- public static void main(String[] args) {
- // 调用printMsg(boolean debug, String ... msgs)方法
- VarArgs.printMsg(true);
- VarArgs.printMsg(false, "第一条消息", "这是第二条");
- VarArgs.printMsg(true, "第一条", "第二条", "这是第三条");
-
- // 调用printMsg(int debugMode, String ... msgs)方法
- VarArgs.printMsg(1, "The first message", "The second message");
- }
- }
- 运行结果:
- C:java>java VarArgs
- DEBUG: 待打印消息的个数为0
- DEBUG: 打印消息结束
- 第一条消息
- 这是第二条
- DEBUG: 待打印消息的个数为3
- 第一条
- 第二条
- 这是第三条
- DEBUG: 打印消息结束
- DEBUG: 待打印消息的个数为2
- The first message
- The second message
- DEBUG: 打印消息结束
复制代码
源码下载:http://file.javaxxz.com/2014/10/2/071746797.zip |
|