一种IPC通信机制Gdbus详解

news2025/1/22 8:29:13

一、DBus介绍

常规进程间通信有管道,消息队列,共享内存,以及socket等,每个都有优劣,这次我们介绍一种高阶的进程间通信方式DBus。
DBus通信是IPC通信机制的一种方式,本身是建立在socket机制之上,它支持远程函数调用和信号传递。
它有两种模式,分别为:session(会话模式)、system(总线模式)
总线模式(system bus):采用总线模式时,系统需要维护一个DBus Daemon,每个DBus的请求通过DBus Daemon转发。这种模式Server只需要维护一个与DBus Daemon的链接,结构清晰,可以通过广播的方式发送消息到各个Client。
会话模式(session bus):这种模式一般称之为点对点的星型结构,Client与Server之间是直接的Peer2Peer的连接,少了DBus Daemon的中转,因此性能较好。
在这里插入图片描述

二、DBus API

glib API中有两种可以用的,分别是dbus-glib和gdbus,dbus-glib是一种老的API,现在不推荐使用了,gdbus是从glib2.26开始添加的,目前推荐使用。gdbus和glib-dbus都是GNU组织开发的,gdbus可以认为是dbus-glib的升级版,其编程过程比起dbus-glib来要简单得多。

三、DBus 开发

多进程之间需要通信,可能有一对一,可能有一对多,多对多的通信方式。为简单起见,我们假设某个系统中就只有两个进程需要通信——我们称之为Server和Client。基于GDBus的进程间通信,首先就是要定义好Server和Client之间的通信接口。在GDBus编程框架下,我们使用xml文件来描述接口,然后通过GDbus提供的工具生成对应的C/C++代码。
通常应用的组织形式如下,服务端发布的时候同时提供接口库供其他客户端程序调用,客户端连接接口库即可,像正常的接口调用,如下图,下面我们通过一个设置、获取一个人姓名和年龄,并且设置完姓名和年龄后会广播给所有客户端的程序来学习一下GDBus。
在这里插入图片描述
interface_people.xml

<?xml version="1.0" encoding="UTF-8"?>
<node>
  <interface name="gdbus.demo.people">
    <method name="set_name">
      <arg name="name" type="s" direction="in"/>
      <arg name="ret" type="b" direction="out"/>
    </method>
    <method name="get_name">
      <arg name="name" type="s" direction="out"/>
    </method>
    <method name="set_age">
      <arg name="age" type="i" direction="in"/>
      <arg name="ret" type="b" direction="out"/>
    </method>
    <method name="get_age">
      <arg name="age" type="i" direction="out"/>
    </method>
    <signal name="send_info">
      <arg name="name" type="s"/>
      <arg name="age" type="i"/>
    </signal>
  </interface>
</node>

四、数据类型介绍

上面XML中使用了一些数据类型,对应关系如下表。
1、基本数据类型

NameCode in D-BusData Type in glibData Type in libdbus-C++
BYTE‘y’gucharunsigned char
BOOLEAN‘b’gbooleanbool
INT16‘n’gint16signed short
UINT16‘q’guint16unsigned short
INT32‘i’gintint
UINT32‘u’guintunsigned int
INT64‘x’gint64signed long long
UINT64‘t’guint64unsigned long long
DOUBLE‘d’gdoubledouble
STRING‘s’const gchar *std::string
OBJECT_PATH‘o’const gchar *DBus::Path :public std::string
UNIX_FD‘h’GVariant *int
SIGNATURE‘g’const gchar *DBus::Signature :public std::string

2、复杂数据类型

NameCode in D-BusData Type in glibData Type in libdbus-C++
STRUCT‘(‘ and ‘)’GvariantDBus::Struct<>
ARRAY‘a’Gvariantstd::vector<>
VARIANT‘v’GvariantDBus::Variant
DICT_ENTRY‘{’ and ‘}’(Only appear after ‘a’)GvariantWhen it is used together with ‘a’,it is representedby std::map<>

五、程序运行

gdbus运行需要先运行deamon和环境变量
方法一:
1、运行下面脚本,生成地址,同时这个daemon要跑着

dbus-daemon --config-file=/etc/dbus-1/session.conf --print-address

2、生成的地址替换掉下面的地址部分

export DBUS_SESSION_BUS_ADDRESS=unix:abstract=/tmp/dbus-4z6nMwqewd,guid=e6359f4ef81d07fc7185fb8b6059d267

3、在需要运行程序的终端中设置上面的环境变量
方法二:
1、执行完下面脚本,然后在同一终端运行Server和Client

eval dbus-launch --auto-syntax

方法三:

export DBUS_SESSION_BUS_ADDRESS="unix:abstract=/tmp/dbus-cwrMdqoyqU,guid=4780330fcb5755ab1492ce8800000024"
dbus-daemon --config-file=/etc/dbus-1/session.conf --address=$DBUS_SESSION_BUS_ADDRESS

六、代码附录

文件结构如下
在这里插入图片描述
重点代码
client.cpp

#include <iostream>
#include <unistd.h>
#include <string.h>
#include <stdlib.h>

#include "interface.h"

using namespace std;

int main(void)
{
	string name = "";
	int age = 0;

	interface iface;
	iface.initDBusCommunication();

	name = "dongdong.fan";
    iface.set_name(name);
	iface.set_age(30);

	name = iface.get_name();
	age = iface.get_age();

	cout << "Have a people name:" << name << "age:" << age;

    while (1)
	{
		sleep(10);
	}

    return 0;
}

service.cpp

#include <unistd.h>

#include "people.h"
#include "gdbusServer.h"

int main()
{
    initDBusCommunication();

    while (1)
	{
		sleep(10);
	}

    return 0;
}

gdbusServer.cpp

#include "gdbusServer.h"

#include <ctype.h>
#include <gio/gio.h>
#include <glib.h>
#include <stdbool.h>
#include <stdlib.h>
#include <string.h>

#include "gdbusCommon.h"
#include "people.h"
#include "people_gen_interface.h"

static guint g_own_id = 0;
static GMainLoop *g_pLoop = NULL;
static GdbusDemoPeople *g_pSkeleton = NULL;
static people g_people;

// start
static gboolean set_name_method(GdbusDemoPeople *object,
                                GDBusMethodInvocation *invocation,
                                const gchar *in_arg,
                                gpointer user_data) {
    my_printf("Server set_name_method is call, arg is : %s.\n", in_arg);
    bool ret = 0;
    string strTemp = in_arg;
    ret = g_people.set_name(strTemp);

    gdbus_demo_people_complete_set_name(object, invocation, ret);

    // 同时广播
    gdbus_demo_people_emit_send_info(
        object,
        g_people.get_name().c_str(),
        g_people.get_age());

    return TRUE;
}

static gboolean get_name_method(GdbusDemoPeople *object,
                                GDBusMethodInvocation *invocation,
                                const gchar *in_arg,
                                gpointer user_data) {
    my_printf("Server get_name_method is call.\n");
    string strTemp = g_people.get_name();

    gdbus_demo_people_complete_get_name(object, invocation, strTemp.c_str());

    return TRUE;
}

static gboolean set_age_method(GdbusDemoPeople *object,
                               GDBusMethodInvocation *invocation,
                               gint in_arg,
                               gpointer user_data) {
    my_printf("Server set_age_method is call, arg is : %d.\n", in_arg);
    bool ret = 0;
    ret = g_people.set_age(in_arg);

    gdbus_demo_people_complete_set_age(object, invocation, ret);

    // 同时广播
    gdbus_demo_people_emit_send_info(
        object,
        g_people.get_name().c_str(),
        g_people.get_age());

    return TRUE;
}

static gboolean get_age_method(GdbusDemoPeople *object,
                               GDBusMethodInvocation *invocation,
                               gpointer user_data) {
    my_printf("Server get_age_method is call.\n");
    int age = g_people.get_age();

    gdbus_demo_people_complete_get_age(object, invocation, age);

    return TRUE;
}
// end

static void GBusAcquired_Callback(GDBusConnection *connection,
                                  const gchar *name,
                                  gpointer user_data) {
    GError *pError = NULL;

    g_pSkeleton = gdbus_demo_people_skeleton_new();

    // Attach to dbus signals
    // start
    (void)g_signal_connect(g_pSkeleton, "handle-set-name", G_CALLBACK(set_name_method), NULL);
    (void)g_signal_connect(g_pSkeleton, "handle-get-name", G_CALLBACK(get_name_method), NULL);
    (void)g_signal_connect(g_pSkeleton, "handle-set-age", G_CALLBACK(set_age_method), NULL);
    (void)g_signal_connect(g_pSkeleton, "handle-get-age", G_CALLBACK(get_age_method), NULL);
    // end

    (void)g_dbus_interface_skeleton_export(G_DBUS_INTERFACE_SKELETON(g_pSkeleton),
                                           connection,
                                           GDBUS_DEMO_PEOPLE_OBJECT_PATH,
                                           &pError);

    if (pError == 0) {
        my_printf("skeleton export successfully. \n");
    } else {
        my_printf("Error: Failed to export object. Reason: %s.\n", pError->message);
        g_error_free(pError);
        g_main_loop_quit(g_pLoop);
        return;
    }
}

static void GBusNameAcquired_Callback(GDBusConnection *connection,
                                      const gchar *name,
                                      gpointer user_data) {
    my_printf("GBusNameAcquired_Callback, Acquired bus name: %s \n", GDBUS_DEMO_PEOPLE_NAME);
}

static void GBusNameLost_Callback(GDBusConnection *connection,
                                  const gchar *name,
                                  gpointer user_data) {
    if (connection == NULL) {
        my_printf("GBusNameLost_Callback, Error: Failed to connect to dbus. \n");
    } else {
        my_printf("GBusNameLost_Callback, Error: Failed to get dbus name : %s\n", GDBUS_DEMO_PEOPLE_NAME);
    }
    g_main_loop_quit(g_pLoop);
}

static void *run_callback(void *arg) {
    g_main_loop_run(g_pLoop);
    return NULL;
}

bool initDBusCommunication(void) {
    bool ret = false;
    pthread_t tid;

    g_pLoop = g_main_loop_new(NULL, FALSE);
    if (NULL == g_pLoop) {
        my_printf("g_pLoop is NULL\n");
        goto LEAVE;
    }

    g_own_id = g_bus_own_name(G_BUS_TYPE_SESSION,
                              GDBUS_DEMO_PEOPLE_NAME,
                              G_BUS_NAME_OWNER_FLAGS_NONE,
                              &GBusAcquired_Callback,
                              &GBusNameAcquired_Callback,
                              &GBusNameLost_Callback,
                              NULL,
                              NULL);

    pthread_create(&tid, NULL, run_callback, NULL);

    ret = true;
LEAVE:
    return ret;
}

bool uinitDBusCommunication(void) {
    g_bus_unown_name(g_own_id);
    g_main_loop_unref(g_pLoop);
    return true;
}

gdbusServer.cpp

#ifndef _GDBUS_SERVER_H_
#define _GDBUS_SERVER_H_

bool initDBusCommunication(void);
bool uinitDBusCommunication(void);

#endif

people.cpp

#include "people.h"

people::people()
{
    m_name = "default";
    m_age = 20;
}

people::~people()
{
    //todo
}

bool people::set_name(string &name)
{
    m_name = name;
    return true;
}

string people::get_name()
{
    return m_name;
}

bool people::set_age(int age)
{
    m_age = age;
    return true;
}

int people::get_age()
{
    return m_age;
}

people.hpp

#ifndef _PEOPLE_H_
#define _PEOPLE_H_

#include <string>

using namespace std;

class people
{
    public:
    people();
    ~people();

    bool set_name(string &name);
    string get_name();
    bool set_age(int age);
    int get_age();
    
    private:
    string m_name;     // 姓名
    int m_age;         // 年龄  
};

#endif

interface.hpp

#ifndef  _INTERFACE_H_
#define  _INTERFACE_H_

#include <string>

class interface
{
    public:
    interface();
    virtual ~interface();

    bool initDBusCommunication(void);

    //people
    bool set_name(std::string &name);
    std::string get_name();
    bool set_age(int age);
    int get_age();
};

#endif

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/468853.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

计算机网络——快速了解常见应用层协议体系

文章目录 〇、加密算法对称加密非对称加密 一、远程登录——TELNET、SSH1.Telnet2.SSH 二、文件传输——FTP、SFTP、FTPS1.FTP2.SFTP3.FTPSSSL工作原理 三、电子邮件——SMTP、POP、IMAP1.SMTP&#xff08;推送邮件&#xff09;2.POP&#xff08;接收邮件&#xff09;3.IMAP 四…

计算机中的数据存储

计算机的存储规则&#xff1a; 文本、图片、声音所有的数据存储 在计算机当中一般会有三类数据&#xff1a;文本数据、图片数据以及声音数据其中文本它又包含了数字、字母以及汉字视频的本质是图片和声音的组合体。在计算机当中&#xff0c;任意的数据都是以二进制的形式来存储…

【Matlab】基于偏格式动态线性化的无模型自适应控制

例题来源&#xff1a;侯忠生教授的《无模型自适应控制&#xff1a;理论与应用》&#xff08;2013年科学出版社&#xff09;。 &#x1f449;对应书本 4.3 单输入单输出系统(SISO)偏格式动态线性化(PFDL)的无模型自适应控制(MFAC) 上一篇博客介绍了基于紧格式动态线性化的无模型…

K8S---Service

服务原理 容器化的问题&#xff1a; 1.自动调度 无法预知pod所在节点&#xff0c;pod的IP地址 2.有故障时&#xff0c;换新节点新ip进行部署 service就是解决这些问题 自动跟踪 clusterip不变 都能找到对应pod 主要靠后端pod的标签 负载均衡 通过iptables/LVS规则将访问的请…

MySQL 数据库概述

数据&#xff08;Data&#xff09; 描述事物的符号记录包括数字&#xff0c;文字、图形、图像、声音、档案记录等以“记录”形式按统一的格式进行存储 表 将不同的记录组织在一起用来存储具体数据 记录&#xff1a;行 字段&#xff08;属性&#xff09;&#xff1a;列 数…

[Gitops--7]Kubesphere 配置镜像仓库

Kubesphere 配置镜像仓库 1. Harbor https证书配置 1.1 生成Harbor证书 mkdir /apps/harbor/cert -p cd /apps/harbor/cert openssl genrsa -out ca.key 2048 openssl req -x509 -new -nodes -key ca.key -subj "/CCN/STShanghai/LShanghai/Opana/OUDevops/CNharbor.i…

HBase(3):集群搭建

1 基础环境需求 jdk1.8以上Hadoopzookeeper 2 下载HBase安装包 Apache Downloads 3 安装 3.1 上传解压HBase安装包 tar -xvzf hbase-3.0.0-alpha-3-bin.tar.gz -C /opt/ 3.2 修改HBase配置文件 &#xff08;1&#xff09;修改hbase-env.sh cd /opt/hbase-3.0.0-alpha-3-bi…

【音视频第21天】RTP、RTCP结合wireshark抓包详解

感觉单纯看理论没啥意思&#xff0c;结合RTCP、RTP来看一看抓包详解 RTP 实时传输协议RTP&#xff08;Realtime Transport Protocol&#xff09;&#xff1a;是针对Internet上多媒体数据流的一个传输协议, 由IETF作为RFC1889发布&#xff0c;现在最新的为RFC3550。RTP被定义为…

基于PyQt5的图形化界面开发——自制Redis图形化客户端(文末附源码)

基于PyQt5的图形化界面开发——自制Redis图形化客户端 前言1. Python第三方库安装及Redis学习1.1 Python第三方库安装1.2 Redis数据库安装和基础命令 2. 登录界面2.1 login.py2.2 image_login.py 3. 主界面3.1 main_ui.py3.2 image_main.py 4.界面切换5. 写在最后(附下载链接) …

软件测试笔记(三):黑盒测试

1 黑盒测试概述 黑盒测试也叫功能测试&#xff0c;通过测试来检测每个功能是否都能正常使用。在测试中&#xff0c;把程序看作是一个不能打开的黑盒子&#xff0c;在完全不考虑程序内部结构和内部特性的情况下&#xff0c;对程序接口进行测试&#xff0c;只检查程序功能是否按…

Java——把数组排成最小的数

题目链接 牛客网在线oj题——把数组排成最小的数 题目描述 输入一个非负整数数组numbers&#xff0c;把数组里所有数字拼接起来排成一个数&#xff0c;打印能拼接出的所有数字中最小的一个。 例如输入数组[3&#xff0c;32&#xff0c;321]&#xff0c;则打印出这三个数字能…

汇编语言(第3版)- 学习笔记 - 第1章-基础知识

汇编语言&#xff08;第3版&#xff09;- 学习笔记 - 第1章-基础知识 1.1 机器语言1.2 汇编语言的产生1.3 汇编语言的组成1.4 存储器1.5 指令和数据1.6 存储单元1.7 CPU对存储器的读写1.8 地址总线1.9 数据总线1.10 控制总线1.11 内存地址空间(概述)1.12 主板1.13 接口卡1.14 各…

NSSCTF-[NSSRound#X Basic]ez_z3 [MoeCTF 2022]Art [HDCTF2023]basketball

目录 NSSCTF-[NSSRound#X Basic]ez_z3 [MoeCTF 2022]Art [HDCTF2023]basketball NSSCTF-[NSSRound#X Basic]ez_z3 题目下载&#xff1a;下载 查壳&#xff1a; 发现有upx壳&#xff0c;但是使用upx -d命令不能脱壳&#xff0c;载入十六进制编辑器查看 把XYU改为UPX&#x…

netty/websocket服务器配置阿里云SSL证书安全访问配置,亲测有效

背景&#xff1a;java 微服务包括https访问和websocket访问&#xff0c;当https接口访问ws请求时报错,因为https能访问wss。 申请阿里云免费证书后&#xff0c;搜索各种教程比如nginx配置方式、netty访问证书等。走了不少弯路&#xff0c;终于走通一种。 关键点&#xff1a;1…

龙蜥开发者说:亲历从基础设施构建到系统质量保障,龙蜥未来可期 | 第 19 期

「龙蜥开发者说」第 19 期来了&#xff01;开发者与开源社区相辅相成&#xff0c;相互成就&#xff0c;这些个人在龙蜥社区的使用心得、实践总结和技术成长经历都是宝贵的&#xff0c;我们希望在这里让更多人看见技术的力量。本期故事&#xff0c;我们邀请了龙蜥社区开发者宋彦…

【Python】值得收藏,三元一次方程组的计算,快来看看有什么新奇的~~~

三元一次方程组的计算对于大家来说都不陌生了&#xff0c;但是用编程语言来解决方程组问题想必还是会有些大聪明们有点迷糊的&#xff0c;今天就带大家来看看是怎么利用python实现方程组的解集的&#xff1b; 本文主要分成两部分&#xff1a; 解题验算综述 解题 题目1 代码 …

Security中使用Redis管理会话(模拟cookie实现)

配置redis相关 1. 配置Redis package com.zzhua.blog.config.redis;import com.fasterxml.jackson.annotation.JsonTypeInfo; import com.fasterxml.jackson.core.JsonParser; import com.fasterxml.jackson.core.JsonProcessingException; import com.fasterxml.jackson.cor…

【HCIP】IPV6综合实验(ripng,ospfv3,bgp,6to4)

目录 一、IP规划 二、 连通公网部分(IPv4) 三、R1、R2上IPv4&#xff0b;v6配置 四、IPV6部分ip配置 五、IPV6部分OSPF&BGP协议配置 Ⅰ、 ospf Ⅱ、bgp 六、联通网络 需求&#xff1a; 1、AR1处于IPV4&#xff0c;也有IPV6的地址&#xff0c;有两个环回 2、AR45678处…

Golang Gin 请求参数绑定与多数据格式处理

之前学习了使用Gin框架的Engine的默认路由功能解析HTTP请求。现在我们来学习gin框架的参数绑定操作和请求结果返回格式。 处理POST请求时&#xff0c;使用context.PostForm或者context.DefaultPostForm获取客户端表单提交的数据。 像上述这种只有username和password两个字段的表…

CS:APP 第7章链接分步编译(cpp/cc1/as/ld)遇到的问题

环境 WSL Ubuntu 22.04.2 LTS gcc (Ubuntu 11.3.0-1ubuntu1~22.04) 11.3.0 问题 问题一 cc1 命令找不到 cc1 命令在 /usr/lib/gcc/x86_64-linux-gnu/11/cc1 里&#xff0c;注意不同操作系统等可能 cc1 的位置不一样&#xff0c;可以使用 find 或者 locate 命令搜索。 通过下…