建站提交历史文章,原文写作时间 2023 年 5 月 18 日前后。

Mysql 与 C/C++

本篇介绍 Windows MysqlC/C++ 开发的连接方法。

本章节不教 SQL 语法。 如尚未学习 SQL 建议与 SQL 混合食用。

编译

  • Mysql 安装目录下的 include文件夹 拷贝到工程目录。

  • 拷贝安装目录下的 lib\libmysql.dllbin\libcrypto-1_1-x64.dllbin\libssl-1_1-x64.dll 到工程根目录。

  • 用命令行编译(使用其他编译工具其原理都是基于命令行方式的)

    1
    g++ main.cpp -o main.exe -I include -L . -l mysql
  • dll 动态库必须位于工程根目录,不得重命名。(因为我不会其他方法)

接口

GET START

因为偷懒,这里只有 GET START ,其实关于 SQL 也就只有简单的询问和查询操作,仔细看相信大家都能看懂。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
#include <bits/stdc++.h>
#include "mysql.h"
using namespace std;

MYSQL mysql; // Mysql 结构体
MYSQL_RES *mysql_res; // 返回结果集
MYSQL_ROW mysql_row; // 暂存单行记录

// 假设服务端口为: root@localhost:3306 jamhus_tao
// 假设已创建数据库:CREATE DATABASE school CHARSET gbk;
// 假设数据库已建表:CREATE TABLE score(ID int, name varchar(255), age int, score int, PRIMARY KEY(ID));

// 查询全部数据并输出
void display() {
// 查询数据,此处可以传递任何 SQL 语句,操作量大时不建议直接使用临时字符串传递
int ret = mysql_query(&mysql, "SELECT * FROM score;");

if (ret) {
// 输出错误信息,当 ret 返回 1 表示错误时
cout << mysql_error(&mysql) << endl;
}

// 获取结果集,捕捉 mysql_query 输出的数据
mysql_res = mysql_store_result(&mysql);

cout << "ID name age score" << endl;
// 给 ROW 赋值,判断 ROW 是否为空,不为空就打印数据。
while (mysql_row = mysql_fetch_row(res)) {
cout << mysql_row[0] << " "; // 打印 ID
cout << mysql_row[1] << " "; // 打印 name
cout << mysql_row[2] << " "; // 打印 age
cout << mysql_row[3] << endl; // 打印 score
}

// 释放结果集,每次获取结果集后都要释放
mysql_free_result(mysql_res);
}

int main() {
// 初始化数据库
mysql_init(&mysql);

// 设置字符编码
mysql_options(&mysql, MYSQL_SET_CHARSET_NAME, "gbk");

// 连接数据库
// localhost 为服务器,root 为用户名和密码,school 为数据库名,3306 为端口
if (mysql_real_connect(&mysql, "localhost", "root", "root", "school", 3306, NULL, 0) == NULL) {
cout << "Connect failed!" << endl;
cout << "Errno: " << mysql_errno(&mysql) << endl;
cout << "Errmsg: " << mysql_error(&mysql) << endl;
exit(-1);
}

display();

//关闭数据库
mysql_close(&mysql);
return 0;
}