0

我需要使结构中的数据持久化,即想将其存储在一个文件中,并且需要逐个字符地读取该数据...为此,我编写了以下代码...以下代码无法正常工作将结构写入文件(逐个字符)...我需要逐个字符

struct x *x1=(struct x*)malloc(sizeof(struct x));
x1->y=29;
x1->c='A';
char *x2=(char *)malloc(sizeof(struct x));
char *s=(char *)malloc(sizeof(struct x));
for(i=0;i<sizeof(struct x);i++)
{
    *(x2+i)=*((char *)x1+i);
}
fd=open("rohit",O_RDWR); 
num1=write(fd,x2,sizeof(struct x));
num2=read(fd,s,sizeof(struct x));
for(i=0;i<sizeof(struct x);i++)
     printf(" %d ",*(s+i));

我可以使用 fread & fwrite ......但我想逐个字符地做那个......所以我正在使用 read & write(它们是直接系统调用 rite)......我无法写入它我的写入功能是显示错误,即它返回-1...上面的代码有什么问题吗...

4

2 回答 2

0

看到您将其标记为 C++,我会给您 C++ 的答案。

从我可以从你的代码中看出,你有一个struct x1这样的

 struct { 
     int  y;
     char c;
 };

并且您希望将其状态序列化到磁盘和从磁盘序列化,为此我们需要创建一些流插入和流提取操作符;

//insertions
std::ostream& operator<<(std::ostream& os, const x& x1) {
     return os << x1.y << '\t' << x1.c;
}
//extration
std::istream& operator>>(std::istream& is, x& x1) {
     return is >> x1.y >> x1.c;
}

现在x我们可以做以下事情

x x1 { 29, 'A' };
std::ofstream file("rohit");
file << x1;

并反序列化

x x1;
std::ifstream file("rohit");
file >> x1;
于 2012-10-29T10:13:10.620 回答
0

如果需要,您可以使用以下两个功能:

int store(char * filename, void * ptr, size_t size)
{
  int fd, n;

  fd = open(filename, O_CREAT | O_WRONLY, 0644);
  if (fd < 0)
    return -1;

  n = write(fd, (unsigned char *)ptr, size);
  if (n != size)
    return -1;

  close(fd);
  return 0;
}

int restore(char * filename, void * ptr, size_t size)
{
  int fd, n;

  fd = open(filename, O_RDONLY, 0644);
  if (fd < 0)
    return -1;

  n = read(fd, (unsigned char *)ptr, size);
  if (n != size)
    return -1;

  close(fd);
  return 0;
}
于 2012-10-29T12:52:56.663 回答