扭转字符串,不起作用

时间:2014-09-24 00:49:22

标签: java string methods reverse

我评论了选项窗格以快速查看输出。我不确定我做错了什么,我刚刚开始了计算机科学课。我的输出与输入相同,但我知道反向字符串方法是正确的,因为我测试了它。

import javax.swing.JOptionPane;


public class ReverseString
{
  public static void reverse(String n)
  {
    for(int i=0; i<n.length();i++)
    {
      n=n .substring(1, n.length()-i)
      +n.substring(0,1)
      +n.substring(n.length()-i, n.length());
    }
  }

  public static void main (String []arg)
  {
    String n = (JOptionPane.showInputDialog(null,"Input String to reverse"));
    reverse(n);
    System.out.println(n);
   // JOptionPane.showInputDialog(null,"Reversed String is: "+Input);
  }
}

1 个答案:

答案 0 :(得分:1)

 public static void reverse(String n)

您的返回类型为void,因此此函数不会返回任何内容,因此您不会有任何反转 在你的控制台中。

为什么你会得到相同的结果? 因为你只需按照以下行打印出来

System.out.println(n); <-- you did not pass this n into your function.
                           Even though if you did, nothing would happened because 
                           your reverse return type is void                          

如果你在for循环后添加System.out.println(n);,你的代码就可以了。

 public static void reverse(String n) {
        for (int i = 0; i < n.length(); i++) {
            n = n.substring(1, n.length() - i)
                    + n.substring(0, 1)
                    + n.substring(n.length() - i, n.length());
        }
        System.out.println(n); <---- print out the reverse result on the console
                                     from the reverse function 
    }

Read More About Returning a Value from a Method