ubuntu bluetooth 디버깅

18217 단어 블루투스 기술
소스: bluez_4.66.orig.tar.gz
번역하다
bluez-4.66을 컴파일할 때 configure에서 다음과 같은 dbus 오류가 발생했습니다.
configure: error: D-Bus library is required
해결 방법:
sudo apt-get install libdbus-1-dev libdbus-glib-1-dev
make -j4
최종적으로bluetoothd가 생성됩니다. src/.libs/디렉터리 아래.
운행
ubuntu에서 시스템이 시작될 때 기본적으로 Bluetoothd가 시작되었습니다. 단지 이 Bluetoothd는/usr/sbin/아래에 있습니다.기본값으로 시작하는 블루투스를 킬-9 블루투스로 해치우고 수동으로
우리가 직접 컴파일한bluetoothd를 시작합니다. 검사를 통해 자신이 컴파일한bluetoothd도 운행에 협조할 수 있고 기본적인 파일 배합 기능도 정상입니다.
우리는./bluetoothd -h bluetoothd 실행 명령을 보면 다음과 같습니다.
Usage:   bluetoothd [OPTION...] Help Options:   -h, --help            Show help options Application Options:   -n, --nodaemon        Don't run as daemon in background   -d, --debug=DEBUG     Enable debug information output   -u, --udev            Run from udev mode of operation
가장 간단한 상황에서 우리는 sudo를 사용한다./bluetoothd에서 bluetoothd 프로그램을 시작합니다.sudo를 사용하는 이유는 말할 필요가 없습니다. 프로그램 자체가 루트 권한을 많이 사용하기 때문입니다.우리는 이 명령으로 시작한 후에 프로그램이 곧
백그라운드로 들어갑니다.위help에서 나온 결과를 보고 뒤에 -n 파라미터를 추가하면 프로그램이 컨트롤러에서 실행되고 ctrl+c로 프로그램을 종료할 수 있습니다.여기에서 나는 주로 블루투스 모듈을 디버깅하기 위해 사용한다
내가 원하는 정보를 인쇄하기 위해서 컨트롤러가 프로그램을 뛴다.다른 두 개의 매개 변수는 뒤에서 연구하고 있다.
코드 해석
코드 해석:start_sdp_server(mtu, main_opts.deviceid, SDP_SERVER_COMPAT);
이 부분 코드는 sdpd-server에 있습니다.c 파일에서 함수는 다음과 같습니다.
int start_sdp_server(uint16_t mtu, const char *did, uint32_t flags)
{
	int compat = flags & SDP_SERVER_COMPAT;
	int master = flags & SDP_SERVER_MASTER;

	info("Starting SDP server");

	if (init_server(mtu, master, compat) < 0) {
		error("Server initialization failed");
		return -1;
	}

	if (did && strlen(did) > 0) {
		const char *ptr = did;
		uint16_t vid = 0x0000, pid = 0x0000, ver = 0x0000;

		vid = (uint16_t) strtol(ptr, NULL, 16);
		ptr = strchr(ptr, ':');
		if (ptr) {
			pid = (uint16_t) strtol(ptr + 1, NULL, 16);
			ptr = strchr(ptr + 1, ':');
			if (ptr)
				ver = (uint16_t) strtol(ptr + 1, NULL, 16);
			register_device_id(vid, pid, ver);
		}
	}

	//create a channel according to socket, just like create a port according to the socket
	//then add io_accept_event func listen to the channel if there are someone connect to
	//the channel, just like we create a port on linux, then we will listen to the port because
	//there maybe someone connect to the port, here we act as a server.
	l2cap_io = g_io_channel_unix_new(l2cap_sock);
	g_io_channel_set_close_on_unref(l2cap_io, TRUE);

	g_io_add_watch(l2cap_io, G_IO_IN | G_IO_ERR | G_IO_HUP | G_IO_NVAL,
					io_accept_event, &l2cap_sock);

	if (compat && unix_sock > fileno(stderr)) {
		unix_io = g_io_channel_unix_new(unix_sock);
		g_io_channel_set_close_on_unref(unix_io, TRUE);

		g_io_add_watch(unix_io, G_IO_IN | G_IO_ERR | G_IO_HUP | G_IO_NVAL,
					io_accept_event, &unix_sock);
	}

	return 0;
}
이 함수는 마지막에 리l2cap_io, 병용 io_accept_이벤트 인터페이스에서 이 채널을 정탐합니다.여기에서 나의 이해는 linux에서 우리가 포트를 만든 후,listen 인터페이스로 만든 포트를 정탐하는 것과 유사하다.
클라이언트가 연결되면 accept 인터페이스로 연결을 받을 수 있습니다.여기에서 나는 원리가 같아야 한다고 생각한다. 여기는glib 라이브러리로 이루어질 뿐이다.
다음은 io_accept_이벤트 이 인터페이스:
static gboolean io_accept_event(GIOChannel *chan, GIOCondition cond, gpointer data)
{
	GIOChannel *io;
	int nsk;

	if (cond & (G_IO_HUP | G_IO_ERR | G_IO_NVAL)) {
		g_io_channel_unref(chan);
		return FALSE;
	}

	if (data == &l2cap_sock) {
		struct sockaddr_l2 addr;
		socklen_t len = sizeof(addr);

		nsk = accept(l2cap_sock, (struct sockaddr *) &addr, &len);
	} else if (data == &unix_sock) {
		struct sockaddr_un addr;
		socklen_t len = sizeof(addr);

		nsk = accept(unix_sock, (struct sockaddr *) &addr, &len);
	} else
		return FALSE;

	if (nsk < 0) {
		error("Can't accept connection: %s", strerror(errno));
		return TRUE;
	}

	//here we accept the connect from client, and then generate a new socket, the new socket
	//is for really data transfer, and here we can see we use io_session_event func to deal with 
	//the new socket for processing the coming data.
	io = g_io_channel_unix_new(nsk);
	g_io_channel_set_close_on_unref(io, TRUE);

	g_io_add_watch(io, G_IO_IN | G_IO_ERR | G_IO_HUP | G_IO_NVAL,
					io_session_event, data);

	g_io_channel_unref(io);

	return TRUE;
}
이 인터페이스는client로부터 받은 연결을 실현하고 이 연결을 위해 새로운 socket을 만듭니다. 이 새로 만든socket은 이번 연결을 위해 데이터를 전송하는 데 사용됩니다.이번 연결 데이터에 대한 처리 함수
등록된 io_session_이벤트 인터페이스.다음은 io_session_이벤트 데이터 처리 인터페이스:
static gboolean io_session_event(GIOChannel *chan, GIOCondition cond, gpointer data)
{
	sdp_pdu_hdr_t hdr;
	uint8_t *buf;
	int sk, len, size;

	if (cond & G_IO_NVAL)
		return FALSE;

	sk = g_io_channel_unix_get_fd(chan);

	if (cond & (G_IO_HUP | G_IO_ERR)) {
		sdp_svcdb_collect_all(sk);
		return FALSE;
	}

	//first receive the sdp pdu hdr, connecting msg i guess
	len = recv(sk, &hdr, sizeof(sdp_pdu_hdr_t), MSG_PEEK);
	if (len <= 0) {
		sdp_svcdb_collect_all(sk);
		return FALSE;
	}

	size = sizeof(sdp_pdu_hdr_t) + ntohs(hdr.plen);
	buf = malloc(size);
	if (!buf)
		return TRUE;

	//then receive the real data
	len = recv(sk, buf, size, 0);
	if (len <= 0) {
		sdp_svcdb_collect_all(sk);
		free(buf);
		return FALSE;
	}

	//here we will process the data
	handle_request(sk, buf, len);

	return TRUE;
}
여기서 우선recv는 sdp 헤드 구조 데이터를 사용한 다음recv의 다른 데이터를 추가합니다.우리는 그가 진정으로 처리한 것이 두 번째로 받은 데이터라는 것을 보았다.인터페이스에 데이터 전송handle_request 처리.handle_request 인터페이스는 위의recv에서 온 데이터를
sdp_req_t 구조체, 그리고 프로세스로 전전하기_request 이 함수, 그리고 sdp_req_t구조 전송, sdp_req_t 구조는 다음과 같습니다.
typedef struct request {
	bdaddr_t device;
	bdaddr_t bdaddr;
	int      local;
	int      sock;
	int      mtu;
	int      flags;
	uint8_t  *buf;
	int      len;
} sdp_req_t;
다음은 process_request 이 함수:
static void process_request(sdp_req_t *req)
{
	sdp_pdu_hdr_t *reqhdr = (sdp_pdu_hdr_t *)req->buf;
	sdp_pdu_hdr_t *rsphdr;
	sdp_buf_t rsp;
	uint8_t *buf = malloc(USHRT_MAX);
	int sent = 0;
	int status = SDP_INVALID_SYNTAX;

	//prepare the response struct, init the response data
	memset(buf, 0, USHRT_MAX);
	rsp.data = buf + sizeof(sdp_pdu_hdr_t);
	rsp.data_size = 0;
	rsp.buf_size = USHRT_MAX - sizeof(sdp_pdu_hdr_t);
	rsphdr = (sdp_pdu_hdr_t *)buf;

	if (ntohs(reqhdr->plen) != req->len - sizeof(sdp_pdu_hdr_t)) {
		status = SDP_INVALID_PDU_SIZE;
		goto send_rsp;
	}
	//here do all kinds of process according to the pdu id
	switch (reqhdr->pdu_id) {
	case SDP_SVC_SEARCH_REQ:
		SDPDBG("Got a svc srch req");
		status = service_search_req(req, &rsp);
		rsphdr->pdu_id = SDP_SVC_SEARCH_RSP;
		break;
	case SDP_SVC_ATTR_REQ:
		SDPDBG("Got a svc attr req");
		status = service_attr_req(req, &rsp);
		rsphdr->pdu_id = SDP_SVC_ATTR_RSP;
		break;
	case SDP_SVC_SEARCH_ATTR_REQ:
		SDPDBG("Got a svc srch attr req");
		status = service_search_attr_req(req, &rsp);
		rsphdr->pdu_id = SDP_SVC_SEARCH_ATTR_RSP;
		break;
	/* Following requests are allowed only for local connections */
	case SDP_SVC_REGISTER_REQ:
		SDPDBG("Service register request");
		if (req->local) {
			status = service_register_req(req, &rsp);
			rsphdr->pdu_id = SDP_SVC_REGISTER_RSP;
		}
		break;
	case SDP_SVC_UPDATE_REQ:
		SDPDBG("Service update request");
		if (req->local) {
			status = service_update_req(req, &rsp);
			rsphdr->pdu_id = SDP_SVC_UPDATE_RSP;
		}
		break;
	case SDP_SVC_REMOVE_REQ:
		SDPDBG("Service removal request");
		if (req->local) {
			status = service_remove_req(req, &rsp);
			rsphdr->pdu_id = SDP_SVC_REMOVE_RSP;
		}
		break;
	default:
		error("Unknown PDU ID : 0x%x received", reqhdr->pdu_id);
		status = SDP_INVALID_SYNTAX;
		break;
	}

send_rsp:
	//fill in the response data and then send rsp the the client
	if (status) {
		rsphdr->pdu_id = SDP_ERROR_RSP;
		bt_put_unaligned(htons(status), (uint16_t *)rsp.data);
		rsp.data_size = sizeof(uint16_t);
	}

	SDPDBG("Sending rsp. status %d", status);

	rsphdr->tid  = reqhdr->tid;
	rsphdr->plen = htons(rsp.data_size);

	/* point back to the real buffer start and set the real rsp length */
	rsp.data_size += sizeof(sdp_pdu_hdr_t);
	rsp.data = buf;

	/* stream the rsp PDU */
	sent = send(req->sock, rsp.data, rsp.data_size, 0);

	SDPDBG("Bytes Sent : %d", sent);

	free(rsp.data);
	free(req->buf);
}
이 함수는 간단명료하다. 먼저 되돌아올 데이터 구조체를 초기화한 다음에 요청에 따라 해당하는 동작을 하고 마지막으로rsp 데이터를 채워서client에 보낸다.여기에 언급된 클라이언트 처리 요청은 다음과 같습니다.
/*
 * The PDU identifiers of SDP packets between client and server
 */
#define SDP_ERROR_RSP		0x01
#define SDP_SVC_SEARCH_REQ	0x02
#define SDP_SVC_SEARCH_RSP	0x03
#define SDP_SVC_ATTR_REQ	0x04
#define SDP_SVC_ATTR_RSP	0x05
#define SDP_SVC_SEARCH_ATTR_REQ	0x06
#define SDP_SVC_SEARCH_ATTR_RSP	0x07
검색 요청, 속성 요청, 검색 속성 요청이 있습니다.어떻게 요청이 함께 정의에 응답합니까?오늘 여기까지...
코드 해석:plugin_init(config);
이 함수는 현재 디렉터리에서plugin을 정의합니다.c 파일에서 주된 작업은 제공된plugins를plugins 전역 체인 테이블에 추가하고 각각plugins를 초기화하는 것입니다.
gboolean plugin_init(GKeyFile *config)
{
	GSList *list;
	GDir *dir;
	const gchar *file;
	gchar **disabled;
	unsigned int i;

	/* Make a call to BtIO API so its symbols got resolved before the
	 * plugins are loaded. */
	bt_io_error_quark();

	if (config)
		disabled = g_key_file_get_string_list(config, "General",
							"DisablePlugins",
							NULL, NULL);
	else
		disabled = NULL;

	DBG("Loading builtin plugins");

	//add default plugins, those plugins always need for bluetoothd runing
	//those plugins will add to the global link named plugins
	for (i = 0; __bluetooth_builtin[i]; i++) {
		if (is_disabled(__bluetooth_builtin[i]->name, disabled))
			continue;

		add_plugin(NULL,  __bluetooth_builtin[i]);
	}

	if (strlen(PLUGINDIR) == 0) {
		g_strfreev(disabled);
		goto start;
	}

	DBG("Loading plugins %s", PLUGINDIR);

	dir = g_dir_open(PLUGINDIR, 0, NULL);
	if (!dir) {
		g_strfreev(disabled);
		goto start;
	}

	//add user plugins, those plugins stored in PLUGINDIR path, and the 
	//PLUGINDIR = /usr/local/lib/bluetooth/plugins. The bluetoothd will
	//find all those plugins which name *.so, and open them, get the method
	//named bluetooth_plugin_desc, it will also add those plugins to the
	//plugins links.
	while ((file = g_dir_read_name(dir)) != NULL) {
		struct bluetooth_plugin_desc *desc;
		void *handle;
		gchar *filename;

		if (g_str_has_prefix(file, "lib") == TRUE ||
				g_str_has_suffix(file, ".so") == FALSE)
			continue;

		if (is_disabled(file, disabled))
			continue;

		filename = g_build_filename(PLUGINDIR, file, NULL);

		handle = dlopen(filename, RTLD_NOW);
		if (handle == NULL) {
			error("Can't load plugin %s: %s", filename,
								dlerror());
			g_free(filename);
			continue;
		}

		g_free(filename);

		desc = dlsym(handle, "bluetooth_plugin_desc");
		if (desc == NULL) {
			error("Can't load plugin description: %s", dlerror());
			dlclose(handle);
			continue;
		}

		if (add_plugin(handle, desc) == FALSE)
			dlclose(handle);
	}

	g_dir_close(dir);

	g_strfreev(disabled);

start:
	//init all of the plugins by calling the plugins init function
	for (list = plugins; list; list = list->next) {
		struct bluetooth_plugin *plugin = list->data;

		if (plugin->desc->init() < 0) {
			error("Failed to init %s plugin", plugin->desc->name);
			continue;
		}

		plugin->active = TRUE;
	}

	return TRUE;
}
이 함수가 실행된 최종 결과는plugins 전역 체인표를 생성할 수 있음을 알 수 있습니다.함수에서 볼 수 있듯이add_를 통해plugin () 함수는 __bluetooth_builtin[] 배열의 구성원을plugins 전역 변수에 추가합니다._bluetooth_builtin은 구체적으로 어떤 물건입니까?그것의 정의를 봐라. 이 수조는builtin에 정의되어 있다.h 파일에서는 다음과 같습니다.
extern struct bluetooth_plugin_desc __bluetooth_builtin_audio;
extern struct bluetooth_plugin_desc __bluetooth_builtin_input;
extern struct bluetooth_plugin_desc __bluetooth_builtin_serial;
extern struct bluetooth_plugin_desc __bluetooth_builtin_network;
extern struct bluetooth_plugin_desc __bluetooth_builtin_service;
extern struct bluetooth_plugin_desc __bluetooth_builtin_hciops;
extern struct bluetooth_plugin_desc __bluetooth_builtin_hal;
extern struct bluetooth_plugin_desc __bluetooth_builtin_storage;

static struct bluetooth_plugin_desc *__bluetooth_builtin[] = {
  &__bluetooth_builtin_audio,
  &__bluetooth_builtin_input,
  &__bluetooth_builtin_serial,
  &__bluetooth_builtin_network,
  &__bluetooth_builtin_service,
  &__bluetooth_builtin_hciops,
  &__bluetooth_builtin_hal,
  &__bluetooth_builtin_storage,
  NULL
};
코드 엔지니어링 전체를 검색해도 __ 을 찾을 수 없습니다.bluetooth_builtin_오디오 등 변수의 정의.이 구성원들은 모두 extern 응용 프로그램입니다. 정의는 외부에 있을 것입니다.그것들이 구체적으로 어떻게 정의되었는지 보려면 먼저 다음과 같은 #define 정의를 알아야 한다. #define의 ## 사용.이 정의를 이해하면 다음 중 하나를 보십시오. (다른 유사) 예를 들어 _bluetooth_builtin_오디오, 다음 파일을 보십시오:audio/main.c.이 파일의 맨 아래에는 매크로 정의가 있습니다.
BLUETOOTH_PLUGIN_DEFINE(audio, VERSION,
			BLUETOOTH_PLUGIN_PRIORITY_DEFAULT, audio_init, audio_exit)
이 매크로는 src/plugin에 정의되어 있습니다.h 파일에서는 다음과 같습니다.
#ifdef BLUETOOTH_PLUGIN_BUILTIN
#define BLUETOOTH_PLUGIN_DEFINE(name, version, priority, init, exit) \
		struct bluetooth_plugin_desc __bluetooth_builtin_ ## name = { \
			#name, version, priority, init, exit \
		};
#else
#define BLUETOOTH_PLUGIN_DEFINE(name, version, priority, init, exit) \
		extern struct bluetooth_plugin_desc bluetooth_plugin_desc \
				__attribute__ ((visibility("default"))); \
		struct bluetooth_plugin_desc bluetooth_plugin_desc = { \
			#name, version, priority, init, exit \
		};
#endif
#define의 ###에 따라 이 문법을 사용하면 __bluetooth_builtin_오디오 구조체 변수 정의는 오디오/main입니다.c에 있는 이 매크로는 이 구조체 변수에 초기 값을 추가했습니다. (audio/main.c 매크로 정의에 대응하는 매개 변수 값 참조)
코드 해석:adapter_ops_setup()
먼저 함수 정의를 보십시오.
int adapter_ops_setup(void)
{
	if (!adapter_ops)
		return -EINVAL;

	return adapter_ops->setup();
}
함수는 간단합니다. setup 함수 바늘을 실행했습니다.여기는 주로 어댑터_ops 이 전역 변수는 언제 값이 부여됩니까?이전 함수plugin_init 설명, 글로벌 __bluetooth_builtin [] 수조가plugins에 불러오면 마지막에 각각plugins의 init 함수를 순서대로 실행합니다.읽어들이기 __bluetooth_builtin_hciops에서 호출된 init 함수,plugins/hciops에 정의됩니다.c중, 즉 hciops_init 함수.이 함수는 전송된 정적 전역 변수 hci_ops가 어댑터에게 값을 부여했습니다_ops, 그래서 변수 adapter_ops 변수 hci_ops.그래서 여기에서 어댑터를 호출합니다_ops->setup(), 즉 hciops를 호출합니다.c의 hciops_setup 함수.hciops 보기_setup 함수는 다음과 같이 정의됩니다.
static int hciops_setup(void)
{
	struct sockaddr_hci addr;
	struct hci_filter flt;
	GIOChannel *ctl_io, *child_io;
	int sock, err;

info("hciops_setup
"); if (child_pipe[0] != -1) return -EALREADY; if (pipe(child_pipe) < 0) { err = errno; error("pipe(): %s (%d)", strerror(err), err); return -err; } child_io = g_io_channel_unix_new(child_pipe[0]); g_io_channel_set_close_on_unref(child_io, TRUE); child_io_id = g_io_add_watch(child_io, G_IO_IN | G_IO_ERR | G_IO_HUP | G_IO_NVAL, child_exit, NULL); g_io_channel_unref(child_io); /* Create and bind HCI socket */ sock = socket(AF_BLUETOOTH, SOCK_RAW, BTPROTO_HCI); if (sock < 0) { err = errno; error("Can't open HCI socket: %s (%d)", strerror(err), err); return -err; } /* Set filter */ hci_filter_clear(&flt); hci_filter_set_ptype(HCI_EVENT_PKT, &flt); hci_filter_set_event(EVT_STACK_INTERNAL, &flt); if (setsockopt(sock, SOL_HCI, HCI_FILTER, &flt, sizeof(flt)) < 0) { err = errno; error("Can't set filter: %s (%d)", strerror(err), err); return -err; } memset(&addr, 0, sizeof(addr)); addr.hci_family = AF_BLUETOOTH; addr.hci_dev = HCI_DEV_NONE; if (bind(sock, (struct sockaddr *) &addr, sizeof(addr)) < 0) { err = errno; error("Can't bind HCI socket: %s (%d)", strerror(err), err); return -err; } ctl_io = g_io_channel_unix_new(sock); g_io_channel_set_close_on_unref(ctl_io, TRUE); ctl_io_id = g_io_add_watch(ctl_io, G_IO_IN, io_stack_event, NULL); g_io_channel_unref(ctl_io); /* Initialize already connected devices */ return init_known_adapters(sock); }
이 함수는 먼저 파이프를 만듭니다. 이 파이프가 어디로 통하는지는 아직 알 수 없습니다.그리고 HCI 층에 sock을 만들고 channel:ctl_를 연결합니다.io, 병용 io_stack_이벤트 이벤트 처리는 이 채널에서 얻은 데이터를 처리합니다.마지막으로 HCI 어댑터 초기화, init_known_adapters.다음은 HCI 어댑터를 초기화하는 함수입니다.
static int init_known_adapters(int ctl)
{
	struct hci_dev_list_req *dl;
	struct hci_dev_req *dr;
	int i, err;

info("init_known_adapters
"); dl = g_try_malloc0(HCI_MAX_DEV * sizeof(struct hci_dev_req) + sizeof(uint16_t)); if (!dl) { err = errno; error("Can't allocate devlist buffer: %s (%d)", strerror(err), err); return -err; } dl->dev_num = HCI_MAX_DEV; dr = dl->dev_req; if (ioctl(ctl, HCIGETDEVLIST, (void *) dl) < 0) { err = errno; error("Can't get device list: %s (%d)", strerror(err), err); g_free(dl); return -err; } for (i = 0; i < dl->dev_num; i++, dr++) { device_event(HCI_DEV_REG, dr->dev_id); if (hci_test_bit(HCI_UP, &dr->dev_opt)) device_event(HCI_DEV_UP, dr->dev_id); } g_free(dl); return 0; }
함수에서 알 수 있듯이 여기에서 지원하는 최대 HCI 장치 개수는 16개입니다. 즉, HCI_MAX_DEV의 값입니다.여기서 ioctl로 구동 부분에서 진정한 HCI 어댑터를 얻을 수 있습니다. 획득한 HCI 장치 목록은 hci_dev_req 체인 시계.그리고 체인 시계를 순환해서 device_로이벤트 함수는 순서대로 HCI 장치를 등록하고 시작합니다.
코드 해석:rfkill_init()
void rfkill_init(void)
{
	int fd;

	if (!main_opts.remember_powered)
		return;

	fd = open("/dev/rfkill", O_RDWR);
	if (fd < 0) {
		error("Failed to open RFKILL control device");
		return;
	}

	channel = g_io_channel_unix_new(fd);
	g_io_channel_set_close_on_unref(channel, TRUE);

	g_io_add_watch(channel, G_IO_IN | G_IO_NVAL | G_IO_HUP | G_IO_ERR,
							rfkill_event, NULL);
}
이 함수는/dev/rfkill 파일을 열었습니다. 이 파일은 주로 알 수 없는 데 사용됩니다.파일 작업용 rfkill_이벤트 이벤트 처리 함수로 처리합니다.rfkill 봐야지_이벤트 이벤트 처리 함수, 먼저 다음 구조체를 보십시오.
struct rfkill_event {
	uint32_t idx;
	uint8_t  type;
	uint8_t  op;
	uint8_t  soft;
	uint8_t  hard;
};

좋은 웹페이지 즐겨찾기