比较从 char[] 创建的字符串



我的代码比较两个单词之间的相等性。如果字符串相等,则打印值"TRUE"。否则,它将返回假。正在使用Java"等于"函数

class k{  
    public static void main(String args[]){  
        String s1="Sach";  
        String s2=word();  
        String s3=new String("Sach");   
        System.out.println(s1.equals(s2));  
        System.out.println(s1.equals(s3));      
    } 
    public static String word() {
        char[] str=new char[100];
        str[0]='S';
        str[1]='a';
        str[2]='c';
        str[3]='h';
        String ss=new String(str);
        System.out.println(ss);
        return ss;
    }
} 

我需要将一些选定的字母提取到数组中并将其转换为字符串。此转换后,该函数返回字符串。但比较会导致不正确的值。是否有其他方法可以将数组转换为字符串,以便该程序给出正确的结果。

您在方法中创建新String的字符数组具有 4 个以上的字符,因此它当然不会等于其他String

准确地说,您的数组包含您指定的 4 个字符和另外 96 个空字符 ('\u0000'),因为您没有指定值并使用默认值。

将方法更新为仅指定一个包含 4 个字符的数组,如下所示,您将获得预期的结果。

public static String word() {
    char[] str = new char[4];
    str[0] = 'S';
    str[1] = 'a';
    str[2] = 'c';
    str[3] = 'h';
    String ss = new String(str);
    System.out.println(ss);
    return ss;
}

此外,如注释中所述,您可以清理方法,使其不必指定数组长度,如下所示:

public static String word() {
    char[] str = new char[] {'S', 'a', 'c', 'h'};
    return new String(str);
}

相关内容

  • 没有找到相关文章

最新更新