我是Java新手,但我在JavaScript方面有丰富的经验。我有一个生成的包含15个随机字符的数组,我想将其转换为字符串(例如,将数组{0,2,f, B, d, 7, a}转换为02fBd7A),但它创建了这个奇怪的字符串。就像它把数组的语法直接放到字符串中(例如array {0,2, f, B, d, 7, A}),而不是"02fbd7a",而是"[0,2,f, B, d, 7, A]";作为字符串。我更精通JavaScript,我知道你可以在JavaScript中手动修剪字符串,但是在Java中是否有更简单的方法来做到这一点?下面的代码(我知道它不能像上面的例子那样生成大写字母,但我认为这是一个简单的东西):
import java.util.Arrays;
import java.util.Scanner;
public class passwordGen {
public static char Number(char[] array) {
byte random = (byte)(Math.random() * 10);
return array[random];
}
public static char Char(char[] array) {
byte random = (byte)(Math.random() * 26);
return array[random];
}
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
final char[] numbers = { '0', '1', '2', '3', '4', '5', '6', '7', '8', '9' };
final char[] alphabet = { 'a', 'b', 'c', 'd', 'e', 'f', 'g',
'h', 'i', 'j', 'k', 'l', 'm', 'n',
'o', 'p', 'q', 'r', 's', 't', 'u',
'v', 'w', 'x', 'y', 'z'
};
float selector;
int length = scanner.nextInt();
char[] passHold = new char[length];
String passFinal;
try {
for (int i = 0; i < length; i++) {
selector = (float)Math.random();
if (selector < 0.5) {
passHold[i] = Number(numbers);
} else {
passHold[i] = Char(alphabet);
}
}
passFinal = Arrays.toString(passHold);
System.out.println(passFinal);
} catch (Exception e) {
System.out.println("An error occurred.");
}
}
}
Arrays.toString
方法创建一个String,显示数组中的每个元素。您正在寻找的是String
构造函数,它接受一个字符数组:
passFinal = new String(passHold);
或者您可以直接将新选择的字符连接到passFinal String上,并跳过中间的字符数组。(你提到你想在你的注释中添加一些类似于连接的东西。)
String passFinal = "";
try {
for (int i = 0; i < length; i++) {
selector = (float)Math.random();
if (selector < 0.5) {
passFinal += Number(numbers);
} else {
passFinal += Char(alphabet);
}
}
System.out.println(passFinal);
}
最好是使用StringBuilder和它的附加-
StringBuilder passFinalSb = new StringBuilder();
try {
for (int i = 0; i < length; i++) {
selector = (float)Math.random();
if (selector < 0.5) {
passFinalSb.append(Number(numbers));
} else {
passFinalSb.append(Char(alphabet));
}
}
String passFinal = passFinalSb.toString();
System.out.println(passFinal);
}