#include<stdio.h>
#define msize 4096
struct memory
{
int a[msize];
};
void main()
{
struct memory m;
m.a[0]=250; // temperature value of 25,0
m.a[4]=01; // heater status OFF
m.a[8]=240; // temperature value of 24,0
m.a[12]=00; // heater status ON
m.a[16]=220; // temperature value of 22,0
m.a[20]=00; // heater status ON
read(&m);
}
void read(struct memory m)
{
int i;
for(i=0;i<sizeof(msize);i++)
{
scanf("%d", m.a[i]);
}
}
我的代码创建了一个大小为4096字节的结构,这是结构的一个对象,然后将值赋给i。
编译时,编译器会在read
函数中抛出“first here here”错误。
另外,有人可以帮我将这个读取值转换为ASCII吗?
答案 0 :(得分:3)
您需要传递scanf
一个地址才能写入,因此需要更改
scanf("%d", m.a[i]);
到
scanf("%d", &m.a[i]);
// ^
您还应该考虑将指针传递给m
到read
,而不是按值传递这个巨大的结构
void read(struct memory* m)
{
int i;
for(i=0;i<msize;i++)
{
scanf("%d", &m->a[i]);
}
}
(事实上,read(&m)
中main
的{{1}}来电已经假定此更新了。)
答案 1 :(得分:1)
除了@simonc所说的,你还应该在顶部声明这个功能:
#include<stdio.h>
#define msize 4096
struct memory
{
int a[msize];
};
void read(struct memory m);
void main()
{
//...
答案 2 :(得分:0)
#include<stdio.h>
#define msize 4096
struct memory
{
int a[msize];
};
void read(struct memory *m)
{
int i;
for(i=0;i<sizeof(msize);i++)
{
scanf("%d",&m->a[i]);
}
}
int main()
{
struct memory m;
m.a[0]=250; // temperature value of 25,0
m.a[4]=01; // heater status OFF
m.a[8]=240; // temperature value of 24,0
m.a[12]=00; // heater status ON
m.a[16]=220; // temperature value of 22,0
m.a[20]=00; // heater status ON
read(&m);
return 0;
}