2

我有一个任务,我需要显示 200 个随机字符,然后询问使用他们想要替换的字母,然后替换所有这些字母。我生成了随机字符,但在替换字母时遇到了麻烦。有人可以帮助我朝着正确的方向前进吗?以下是我的其他一些问题:

  • 我是否对 seek 方法使用 for 循环,以便找到所有这些字母?
  • 我还需要显示每个字母的位置。我会使用文件指针,我也会把它放在一个循环中吗?

这是我的代码:

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

public class Alphabet {
    public static char getRandomCharacter(char ch1, char ch2) {
        return (char) (ch1 + Math.random() * (ch2 - ch1 + 1));
    }

    public static char getRandomUpperCaseLetter() {
        return getRandomCharacter('A', 'Z');
    }

    public static void main(String[] args) throws IOException {

        try (RandomAccessFile raf = new RandomAccessFile("Alphabet.dat", "rw")) {
            raf.setLength(0);

            for (int row = 0; row < 10; ++row){
                for (int col = 0; col < 10; ++col) {
                    raf.writeChar(getRandomUpperCaseLetter());
                }
            }

            raf.seek(0);
            for (int row = 0; row < 10; ++row){
                for (int col = 0; col < 10; ++col) {
                    System.out.print(raf.readChar() +" ");
                }
                System.out.println();
            }

            Scanner Console = new Scanner(System.in);
            System.out.println("Current length of file is: "
                    + raf.length());
            System.out.print("Replace Characters: ");
            String letter = Console.next();
            System.out.print("With Character: ");
            String ch = Console.next();

                for(int j = 0; j < raf.length(); ++j){
                    raf.seek((raf.length()-1)*2);
                    raf.writeChars(ch);
                    System.out.print("Position" + raf.getFilePointer());
                }

            raf.writeChars(ch);
            raf.seek(0);
            for (int row = 0; row < 10; ++row){
                for (int col = 0; col < 10; ++col) {
                }
                System.out.println();
            }
        }
    }
}
4

1 回答 1

1

尝试用具有以下内容的 while 循环替换 for-loop (j < raf.length):

long currPointer = 0;
while(currPointer < raf.length()) {
  long currPointer = raf.getFilePointer(); // save current cursor position
  char currentChar = raf.readChar(); // read current char

  if (currentChar == letter) { // if char equals that to be replaced
     raf.seek(currPointer); // step cursor one step back
     raf.writeChar(ch); // replace char
  }

  currPointer = raf.getFilePointer() // store the position of the cursor 

}

编辑:现在文件是逐字符遍历的,而不是逐字节遍历。鉴于各种字符编码可能不会使用每个字符的恒定字节数,这是最简单的方法。

基本上:

LOOP through all characters in file
    IF current character equals that to be replaced
         step cursor back by one (otherwise you'd be overwriting the next character)
         replace character

只是出于好奇,您到底想达到什么目的:

raf.seek((raf.length()-1)*2);
于 2015-04-21T19:40:16.220 回答