我写了这个:
#include <stdio.h>
#include <fcntl.h>
#include <sys/ioctl.h>
#include <mtd/mtd-user.h>
#include <errno.h>
int main( void )
{
int fd;
char buf[4]="abc";
fd = open("/dev/mtd0", O_RDWR);
lseek(fd, 1, SEEK_SET);
write(fd, &buf, 4);
close(fd);
perror("perror output:");
return 0;
}
使用nandsim内核模块创建文件/ dev / mtd0,然后运行
mtdinfo /dev/mtd0
获得了有意义的输出。运行我的程序后,输出:
perror output:: Invalid argument
如果我的程序中有任何错误?
答案 0 :(得分:2)
是的,有问题。您对perror()
的使用是错误的。
在调用perror之前,您应首先检查系统调用是否表示存在问题。 手册页非常清楚:
Note that errno is undefined after a successful library call: this call
may well change this variable, even though it succeeds, for example
because it internally used some other library function that failed.
Thus, if a failing call is not immediately followed by a call to per‐
ror(), the value of errno should be saved.
您应该检查每个系统的返回代码,并且只有在失败时才调用perror。 像这样:
fd = open("/dev/mtd0", O_RDWR);
if (fd < 0) {
perror("open: ");
return 1;
}
if (lseek(fd, 1, SEEK_SET) < 0) {
perror("lseek: ");
return 1;
}
if (write(fd, &buf, 4) < 0) {
perror("write: ");
return 1;
}
close(fd);
答案 1 :(得分:1)
你应该有这样的东西
if(-1 == write(fd, &buf, 4)){
perror("perror output:");
}
close(fd);
因为perror显示上一个错误。
http://www.cplusplus.com/reference/clibrary/cstdio/perror/
以及有关perror http://www.java-samples.com/showtutorial.php?tutorialid=597
的更多信息答案 2 :(得分:1)
也许这有帮助?
这一切都必须处理访问权限。
正如Jakub和Mat所说,检查每个API调用的错误代码。
答案 3 :(得分:1)
您可能需要编写整个页面,而不仅仅是4个字节。
您可以在shell中键入命令dmesg
来确认。
然后你应该看到以下内核消息:
nand_do_write_ops:尝试不写页面对齐的数据
然后将代码替换为在mtd中写入:
char buf[2048]="abcdefghij"; //Ajust size according to
//mtd_info.writesize
mtd_info_t mtd_info; // the MTD structure
if (ioctl(fd, MEMGETINFO, &mtd_info) != 0) {... // get the device info
memset(buf+10, 0xff, mtd_info.writesize - 10); //Complete buf with 0xff's
if (write(fd, &buf, mtd_info.writesize) < 0) {... // write page
在编写之前,还要考虑检查坏块(ioctl(fd, MEMGETBADBLOCK, ...
)和擦除块(ioctl(fd, MEMERASE, ...
)。
希望这有帮助。
答案 4 :(得分:0)
问题出在这一行:
if (write(fd, &buf, 4) < 0) {
写调用的第二个参数必须是指针,“buf”已经是指针,用“&amp;”引用它。您获得指向错误指针的指针:正确的调用是:
if (write(fd, (void*)buf, 4) < 0) {