特定のベースの値を別のベースの対応する表現に変換する方法を見つけようとしています。.dat ファイルの各行に、値、その基数、および値を変換する必要のある基数が示されます。
.dat ファイルの 3 行の例で、行の最初の数値が値で、その後に基数が続き、次に変換する基数が続きます。
10 10 2
AB 16 10
345 6 4
16 や 18 などの基数で文字の値を説明する方法を除いて、私はそれを理解したと思います。助けてください:
public static void main( String args[] ) throws IOException
{
Scanner file = new Scanner(new File("baseConversion.dat"));
//Keep looping while you can still read lines from the file
while (file.hasNextLine())
{
//Read a line from the file -- read it as a string
String line = file.nextLine();
int firstSpace = line.indexOf(" ");
int lastSpace = line.lastIndexOf(' ', line.length());
String oldBase = line.substring(firstSpace + 1, lastSpace);
// Get the new base from the string
int newBase = Integer.parseInt(line.substring(lastSpace + 1));
// Convert from the Old base to base 10
int numberInBase10 = convertToTen(line.substring(0, firstSpace), Integer.parseInt(oldBase));
System.out.println("Converted " + line.substring(0, firstSpace) + " from base " + oldBase + " to " +
numberInBase10 + " in base 10\n");
public static String convert(int numberInBase10, int base)
{
int quotient = numberInBase10 / newBase;
int remainder = numberInBase10 % newBase;
if(quotient == 0)
{
return Integer.toString(remainder);
}
else
{
return convert(quotient, newBase) + Integer.toString(remainder);
}
}
// DO THIS Print out results
}
file.close();
}
static int convertToTen(String num, int base)
{
int leng = num.length();
int base10 = 0;
int remainder = 0;
int add = 0;
for(int i = leng-1; i >=0; i--)
{
int intValueForC = 0;
remainder = 0;
char c = num.charAt(leng-i-1);
if(!Character.isDigit(c))
{
intValueForC = c - 55;
}
else
{
intValueForC = c - 48;
}
add +=(intValueForC * Math.pow(base, i));
}
return add;
}
}