我正在做一些测试编码,用于在给定的模式字符串上生成模式,并按如下方式完成:
头文件是test.h:
#ifndef test_h
#define test_h
#include<stdio.h>
#include<string.h>
#include<malloc.h>
#include<stdlib.h>
extern char uid []= "123456789561";
void generate_uid(FILE *,char *, char);
#endif
.c文件如下:test.c
#include"test.h"
extern int count;
void generate_uid(FILE *fp,char *uid_t, char ch)
{
int index = rand()%12;
int i,j;
strcpy(uid_t,uid);
if(ch == ' ')
{
for(j=3;j<10;j+=6)
{
uid_t[j] = ch;
}
}
// Replace numbers with special chars or alphabets(small/capital)
else
{
if(index < 6)
{
for(i=0;i<index;i++)
{
uid_t[i]=ch;
}
}
else
{
for(i=index;i<strlen(uid);i++)
{
uid_t[i]=ch;
}
}
}
count++;
fprintf(fp,"\"%s\", ",uid_t);
return;
}
main.c中:
#include"test.h"
int count = 0;
int main()
{
FILE *fp_char,*fp_test;
char invalid_chars;
char *uid_t = (char *)malloc(sizeof(char)*14);
fp_char = fopen("invalidchars.txt","r");
fp_test = fopen("uid_test.txt","w");
if(fp_test == NULL || fp_char == NULL)
{
printf("cannot open file.\n");
return;
}
while((invalid_chars = fgetc(fp_char)) != EOF)
{
if(invalid_chars == '\n')
{
continue;
}
generate_uid(fp_test,uid_t, invalid_chars);
}
//Greater than 12 digit
strcpy(uid_t,uid);
strcat(uid_t,"2");
count++;
fprintf(fp_test,"\"%s\", ",uid_t);
//Less than 12 digit
strcpy(uid_t,uid);
uid_t[11]='\0';
count++;
fprintf(fp_test,"\"%s\", ",uid_t);
count++;
fprintf(fp_test,"\"%s\", ","NULL");
count++;
fprintf(fp_test,"\"%s\", ","empty");
free(uid_t);
fclose(fp_char);
fclose(fp_test);
printf("Number of string count : %d\n",count);
return 0;
}
Makefile是:
all : test.o main.o run
run : test.o main.o
$(CC) -g $^ -o $@
%.o : %.c
${CC} -g -c $< -o $@
.PHONY : clean
clean :
-rm -f *.o run
当我编译时,它给出了以下内容:
cc -g -c test.c -o test.o
cc -g -c main.c -o main.o
cc -g test.o main.o -o run
main.o:(.data+0x0): multiple definition of `uid'
test.o:(.data+0x0): first defined here
collect2: error: ld returned 1 exit status
make: *** [run] Error 1
我哪里出错了。
答案 0 :(得分:3)
您可以在头文件中声明一个全局变量,但不能将其赋值为一个值,因为您只能执行一次。因此,如果您将test.h
文件包含在多个.c文件中(通常是这样),编译器在组装.o文件时会看到许多相同内容的初始化。
只允许在test.h
文件中添加:
extern char uid [];
在一个特定的.c文件中(例如uid.c
),将其初始化:
char uid []= "123456789561";
然后将此新文件添加到Makefile中。
答案 1 :(得分:0)
您在标题对象
中定义extern char uid []= "123456789561";
,此定义现在出现在包含标题的每个编译单元中。因此,同一对象被定义了几次,编译器发出错误。
您应该在标题中声明它,例如
extern char uid [13];
并在其中一个模块中定义
char uid []= "123456789561";