不打印相同的输出

Not printing same output

只是不打印与上面一行相同的输出,我不明白为什么会这样,我注意到它从末尾向后打印最后 N 个数字,无论我输入到参数中是什么第二次打印该数量。

这是主要内容

public class main {
    public static void main(String args[]) {
    ScalesSolution s1 = new ScalesSolution(11);
    s1.println();
    ScalesSolution s2 = new ScalesSolution(s1.GetSol());
    s2.println();
}
}

这是 ScalesSolution Class

import java.util.ArrayList;
import java.util.Random;

public class ScalesSolution {
private String scasol;

public void print() {
    System.out.print(scasol);
}

// Display the string with a new line
public void println() {
    print();
    System.out.println();
}



public String GetSol()
{
    return scasol;
}
}

这是随机的其他 Class

import java.util.*;
import java.io.*;

public class randomOther {
// Shared random object
static private Random rand;

// Create a uniformly distributed random integer between aa and bb inclusive
static public int UI(int aa, int bb) {
    int a = Math.min(aa, bb);
    int b = Math.max(aa, bb);
    if (rand == null) {
        rand = new Random();
        rand.setSeed(System.nanoTime());
    }
    int d = b - a + 1;
    int x = rand.nextInt(d) + a;
    return (x);
}

// Create a uniformly distributed random double between a and b inclusive
static public double UR(double a, double b) {
    if (rand == null) {
        rand = new Random();
        rand.setSeed(System.nanoTime());
    }
    return ((b - a) * rand.nextDouble() + a);
}
static public ArrayList<Double> ReadNumberFile(String filename) {
    ArrayList<Double> res = new ArrayList<Double>();
    Reader r;
    try {
        r = new BufferedReader(new FileReader(filename));
        StreamTokenizer stok = new StreamTokenizer(r);
        stok.parseNumbers();
        stok.nextToken();
        while (stok.ttype != StreamTokenizer.TT_EOF) {
            if (stok.ttype == StreamTokenizer.TT_NUMBER) {
                res.add(stok.nval);
            }
            stok.nextToken();
        }
    } catch (Exception E) {
        System.out.println("+++ReadFile: " + E.getMessage());
    }
    return (res);
}
}

这是输出的问题:

00101001010101101011001011010101101001011010001011010010101101001001011010010
01011010010

我相信这两个输出应该是相同的,我发现这里有问题,不知道为什么不一样

我看到您在 RandomBinaryString(int n) 中使用 System.out.print 的方式引起了混淆。它正在打印并附加到字符串 s。尽量避免这种情况。在 RandomBinaryString 中用 s += '0';s += '1'; 替换 System.out.print(s += '0');System.out.print(s += '1'); 将修复您的输出。

在您的代码中使用以下代码段:

private static String RandomBinaryString(int n) {
    String s = new String();

    // Code goes here
    // Create a random binary string of just ones and zeros of length n
    for (int i = 0; i < n; i++) {
        int y = randomOther.UI(0, 1);
        if (y == 0) {
            s += '0';// this line here was changed
        } else {
            s += '1';// and this line here was changed too
        }
    }

    return (s);
}

希望对您有所帮助!