关于java:函数参数中3个点的含义是什么?

what is the meanining of 3 dots in function parameters?

本问题已经有最佳答案,请猛点这里访问。

我在读Android文档中的AsyncTask。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
private class DownloadFilesTask extends AsyncTask<URL, Integer, Long> {
     protected Long doInBackground(URL... urls) {
         int count = urls.length;
         long totalSize = 0;
         for (int i = 0; i < count; i++) {
             totalSize += Downloader.downloadFile(urls[i]);
             publishProgress((int) ((i / (float) count) * 100));
             // Escape early if cancel() is called
             if (isCancelled()) break;
         }
         return totalSize;
     }

     protected void onProgressUpdate(Integer... progress) {
         setProgressPercent(progress[0]);
     }

     protected void onPostExecute(Long result) {
         showDialog("Downloaded" + result +" bytes");
     }
 }

问题是doInBackground(URL... urls)这3个点是什么?


这不是Android功能。这是包含在Java 5中的Java特性(包含在Java中),这样您就可以拥有"自定义"参数。

这种方法:

1
2
3
4
5
protected Long doInBackground(URL... urls) {
  for (URL url : urls) {
    // Do something with url
  }
}

这一个:

1
2
3
4
5
protected Long doInBackground(URL[] urls) {
  for (URL url : urls) {
    // Do something with url
  }
}

因为内部方法是相同的。整个区别就在于你调用它的方式。对于第一个(也称为varargs),您只需执行以下操作:

1
doInBackground(url1,url2,url3,url4);

但是对于第二个,您必须创建一个数组,因此如果您只在一行中尝试这样做,它将类似于:

1
doInBackground(new URL[] { url1, url2, url3 });

好的事情是,如果您尝试调用以这种方式使用varargs编写的方法,它将以与不使用varargs时相同的方式工作(向后支持)。


这意味着这个函数接受变量个数的参数-它的arity是可变的。例如,所有这些都是有效的调用(假设这是绑定到AsyncTask的实例):

1
2
3
4
5
6
this.doInBackground();                 // Yes, you could pass no argument
                                       // and it'd be still valid.
this.doInBackground(url1);
this.doInBackground(url1, url2);
this.doInBackground(url1, url2, url3);
// ...

在方法体中,EDOCX1[1]基本上是一个数组。varargs的一个有趣之处在于,您可以通过两种方式调用此类方法——要么通过传递参数数组,要么通过将每个URL指定为单独的方法参数。因此,这两者是等效的:

1
2
this.doInBackground(url1, url2, url3);
this.doInBackground(new URL[] {url1, url2, url3});

您可以使用for循环遍历所有这些内容:

1
2
3
4
5
protected Long doInBackground(URL... urls) {
  for (URL url : urls) {
    // Do something with url
  }
}

当然,您可以自己定义类似的方法,例如:

1
2
3
public void addPerson (String name, String... friends) {
  // ...
}

在本例中,您的方法将接受一个强制参数(name,您不能使用此参数)和可变数量的friends参数:

1
2
3
this.addPerson();               // INVALID, name not given
this.addPerson("John");         // Valid, but no friends given.
this.addPerson("John,""Kate"); // Valid, name is John and one friend - Kate

并不是Java 5以来可用的构造。您可以在这里找到文档。


这三个点表示函数的变长参数。


由于stackoverflow上已经存在多个重复项,因此这个问题显示的研究工作很少:

在方法定义过程中,当作为参数的一部分使用时,三个点(…)表示什么?

当你使用对象时它叫什么…作为参数?

参数中的3个点是什么?/什么是变量arity(…)参数?


这三个点意味着变量数量的参数可以传递给我们使用progress[0]或progress[1]等访问的函数。