题意:给定一些电子表格,每个单元格里要么是整数要么是公式,公式是=号开头的,用+号连接的字符串。公式中要用到其他单元格的值,而要用到的其他单元格,可能还是个公式。但可以保证,不会形成单元格的环形的引用。其中,行的标号范围是从1到999,列的标号范围是从A到ZZZ。要求在输出的时候将公式替换为数值。
思路:很容易可以看到这和拓扑排序有关,一个单元格值的计算必须要在另一个的之前完成。但是这里没有必要进行拓扑排序。只需要在dfs访问的时候,递归地进行dfs即可。 中间错了几下,如注释部分的代码内容。其中第二个错误尤为严重,因为strchr(str, ch), 如果在sp=p后,传入参数的不是sp+1而是sp,那传入的参数相当于是空串~
小结:1. 取字符串中的内容。取如“=A1+A2+B3+C4”中的A1、A2等内容,代码如88-97行。
2. 进制的转化。将A、B、...、ZZZ转化为整数,代码如106行的alphatoint函数,重点是for循环中的简洁代码。
Code:
#include<stdio.h> #include<stdlib.h> #include<string.h> #include<ctype.h> int dfs(char* sp); int alphatoint(char *r); void solve(int row,int col); char* sheet[1000][18300]; char str[100]; int main() { //freopen("196.in","r",stdin); //freopen("196.out","w",stdout); int num; scanf("%d",&num); while(num-->0) { int col,row; scanf("%d%d",&col,&row); for(int i=1;i<=row;++i) for(int j=1;j<=col;++j) { scanf("%s",str); char* c=(char*)malloc(strlen(str)+1); if(c==NULL) printf("false\n"); sheet[i][j]=c; strcpy(sheet[i][j],str); } solve(row,col); //print for(int i=1;i<=row;++i) { for(int j=1;j<col;++j) { printf("%s ",sheet[i][j]); } //printf("%s\n",sheet[i][col-1]); printf("%s\n",sheet[i][col]); } //free-pointer for(int i=1;i<=row;++i) for(int j=1;j<=col;++j) { if(sheet[i][j]!=NULL) { free(sheet[i][j]); sheet[i][j]=NULL;} } } return 0; } void solve(int row,int col) { for(int i=1;i<=row;++i) for(int j=1;j<=col;++j) { dfs(sheet[i][j]); } } int dfs(char* sp) { if(sp[0]!='=') {//不是公式 if(isdigit(sp[0])) { return atoi(sp); } else//递归调用时的A1、A2等单元格名称 { int n=0; while(isalpha(sp[n])) n++; char c[4]; strncpy(c,sp,n); c[n]='\0'; char r[4]; strcpy(r,sp+n); int co=alphatoint(c); int ro=atoi(r); return dfs(sheet[ro][co]); } } char* dp=sp; char* ep=(char*)malloc(strlen(sp)+1-1); int cnt=0; char* p=strchr(sp,'+'); while(p!=NULL) { *p='\0'; strcpy(ep,sp+1); cnt=cnt+dfs(ep); sp=p; //p=strchr(sp,'+'); p=strchr(sp+1,'+'); } strcpy(ep,sp+1); cnt=cnt+dfs(ep); sprintf(dp,"%d",cnt); free(ep); ep=NULL; return cnt; } int alphatoint(char *r) { int cnt=0; int len=strlen(r); for(int i=0;i<len;++i) { cnt=cnt*26+(r[i]-'A'+1); } return cnt; }
时间: 2024-11-02 02:44:35