5

我需要创建新的变量Strings,这样

String person1 = "female";
String person2 = "female";
........
........
String person60 = "male";
........
String person100 = "male";

这是我尝试过的

for (int i = 1; i <101; i++) {
  if (i<60) {
    String person+i = "female";
  }
  else {
    String person+i = "male";   
  }
}

有人可以帮我更正这段代码吗?

4

7 回答 7

24

Map 允许您将任何键与任何值相关联。在这种情况下,键是变量的名称,值是值

Map<String, String> details = new HashMap<>();
for (int i = 1; i <101; i++) {
    if (i<60) {
        details.put("person" + i, "female");
    }
    else {
        details.put("person" + i, "male");
    }
}
于 2013-10-12T15:59:32.143 回答
9

你很亲密。如果您将每个人的性别存储在一个数组中,您可以这样做:

String[] persons = new String[100]
for (int i = 0; i < persons.length; i++) {
  if (i<60) {
    persons[i] = "female";
  }
  else {
    persons[i] = "male";   
  }
}

或者,如果一个人不仅仅是一个性别,考虑创建一个Person包含性别字段的类,然后有一个Persons 数组。您将以类似的方式设置性别。

于 2013-10-12T15:57:55.823 回答
6

您可以使用 a Map<String,String>where key 是您的“变量名”,而 value 是该变量的值。

于 2013-10-12T15:58:02.027 回答
4

您将需要一个String[]可以动态确定的大小。
然后,为数组元素赋值。

String[] anArray;

// some magic logic

anArray = new String[100];
for(int i = 0; i < anArray.length; i++){
 // more magic logic to initialize the elements
}  

另一种选择是Vector<>ArrayList<>类似这样:

List<String> anExpandableArray = new ArrayList<String>();
// add String data
anExpandaleArray.add("Foo");
anExpandaleArray.add("Bar");
于 2013-10-12T15:57:43.183 回答
4

当您发现自己想要创建相同类型的“更多变量”时,您通常需要某种类型的列表。Java中有两种基本的“列表”:数组和Lists。

数组:

String[] people = new String[10];               // That gives you room for 10

people[0] = "female";
people[1] = "male";
// ...
int n = 1;
System.out.println("Person " + n + " is " + people[n]);

List

List<String> people = new LinkedList<String>(); // Expandable
people.add("female");
people.add("male");
// ...
int n = 1;
System.out.println("Person " + n + " is " + people.get(n));
// Note difference -------------------------------^^^^^^^

当您提前知道会有多少时,使用数组非常棒。当您不知道会有多少时,使用列表非常棒。

列表注意事项:有一个接口, List,然后有多个不同的具体实现,具有不同的运行时性能特征(LinkedListArrayList等)。这些在java.util.

于 2013-10-12T15:58:44.003 回答
3

只需使用这样的数组

String[] people = new String[numofelements];

并初始化数组

for(int i = 0; i < people.length; i++){
      people[i] = "whatever";
}
于 2013-10-12T15:57:54.527 回答
3
String[] persons = new String[101];

for (int i = 0; i < 101; i++) {
    if (i < 60) {
       String persons[i] = "female";
    } else {
       String persons[i] = "male";   
    }
}
于 2013-10-12T15:58:20.410 回答