【问题描述】
Excel是最常用的办公软件。每个单元格都有唯一的地址表示。比如:第12行第4列表示为:“D12”,第5行第255列表示为“IU5”。
事实上,Excel提供了两种地址表示方法,还有一种表示法叫做RC格式地址。 第12行第4列表示为:“R12C4”,第5行第255列表示为“R5C255”
你的任务是:编写程序,实现从RC地址格式到常规地址格式的转换。
【输入、输出格式要求】
用户先输入一个整数n(n<100),表示接下来有n行输入数据。
接着输入的n行数据是RC格式的Excel单元格地址表示法。
程序则输出n行数据,每行是转换后的常规地址表示法。
例如:用户输入:
2
R12C4
R5C255
则程序应该输出:
D12
IU5
【分析】字符串处理,用数组模拟加法26进1,1-26对应A-Z,26存在数组中为{26},27存在数组中为{1,1},255存在数组中为{21,9}……最后将每个数转成字母逆序输出。
import java.util.Scanner;
public class ExcelAddr {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
int n = sc.nextInt();
for(int i = 0;i < n;i ++){
String str = sc.next();
fun1(str);
}
sc.close();
}
private static void fun1(String str) {
int h = Integer.parseInt(str.substring(1, str.indexOf("C")));
int l = Integer.parseInt(str.substring(str.indexOf("C")+1));
int[] num = new int[100];
//初始化数组
for(int i = 0;i < 100;i ++){
num[i] = 0;
}
//数组中每个存放一个26以内的数,如果大于26,本位重置为1,下一位进1
for(int i = 0;i < l;i ++){
num[0] ++;
for(int j = 0;;j ++){
if(num[j] > 26){
num[j] = 1;
num[j + 1] ++;
}
if(num[j + 1] == 0)
break;
}
}
//将数组中的数转成字母
String result = "";
for(int i = 0;;i ++){
if(num[i] == 0)
break;
else
result = (char)('A' + num[i] - 1) + result;
}
System.out.println(result + h);
}
}