6

以下のコードを使用して、組み込みボードの SPI ポートからデータを出力します (olimex imx233-micro -- ボード固有の質問ではありません)。コードを実行すると、 「不正なアドレスioctl」が返されます。http://twilight.ponies.cz/spi-test.cで正常に動作するコードを変更しています。誰が私が間違っているのか教えてもらえますか?

root@ubuntu:/home# gcc test.c -o test
test.c:20: warning: conflicting types for ‘msg_send’
test.c:16: note: previous implicit declaration of ‘msg_send’ was here
root@ubuntu:/home# ./test
errno:Bad address - cannot send SPI message
root@ubuntu:/home# uname -a
Linux ubuntu 3.7.1 #2 Sun Mar 17 03:49:39 CET 2013 armv5tejl GNU/Linux

コード:

//test.c
#include <stdint.h>
#include <unistd.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <getopt.h>
#include <fcntl.h>
#include <sys/ioctl.h>
#include <linux/types.h>
#include <linux/spi/spidev.h>
#include <errno.h>

static uint16_t delay;

int main(int argc,char *argv[]){
     msg_send(254); //the message that I want to send decimal "254"
     return 0;
}

void msg_send(int msg){
    int fd;
    int ret = 0;
    fd = open("/dev/spidev32766.1", O_RDWR); //ls /dev outputs spidev32766.1
    if(fd < 0){
        fprintf(stderr, "errno:%s - FD could be not opened\n ", strerror(errno));  
        exit(1);
        }

    struct spi_ioc_transfer tr = {
        .len = 1,
        .delay_usecs = delay,
        .speed_hz = 500000, //500 kHz
        .bits_per_word = 8,
        .tx_buf = msg,
        .rx_buf = 0, //half duplex
    };

    ret = ioctl(fd, SPI_IOC_MESSAGE(1), &tr);
    if (ret <1 ){
        fprintf(stderr, "errno:%s - cannot send SPI message\n ", strerror(errno));
    }
    close(fd);
}

ありがとうございました!

4

1 に答える 1

13

エラー メッセージ "Bad address" はEFAULT、プロセスの仮想アドレス空間で有効な仮想アドレスではないアドレスをカーネルに渡すときに発生するエラー コードから発生します。構造体へのアドレスtrは明らかに有効であるため、問題はそのメンバーの 1 つにあるはずです。

の定義にstruct spi_ioc_transferよれば、.tx_bufおよび.rx_bufメンバーは、ユーザー空間バッファーへのポインター、または null でなければなりません。有効なユーザー空間ポインターではない整数 254 に設定.tx_bufしているため、そこから不正なアドレスが発生しています。

私はこの IOCTL に詳しくないので、データをバイナリでベースにする必要があると推測します。これを行う1つの方法は次のとおりです。

struct spi_ioc_transfer tr = {
    .len = sizeof(msg),  // Length of rx and tx buffers
     ...
    .tx_buf = (u64)&msg, // Pointer to tx buffer
    ...
};

代わりにASCIIとして送信する必要がある場合はsnprintf(3)、整数をASCII文字列に変換するなどの関数を使用してから、TXバッファをその文字列に向け、それに応じて長さを設定する必要があります。

于 2013-04-02T17:03:22.113 に答える