撰寫自己的Python C擴展!

撰寫自己的Python C擴展!

  • 前言
  • spam.c
    • header
    • C函數
      • 參數
      • 參數解析
      • 函數主體
      • 生成回傳值
    • method table
    • 模組定義
    • 模組初始化函數
    • 拋出異常
    • main函數
    • 完整代碼
  • 編譯及鏈接
    • 使用gcc
    • 使用gcc + Python flags
    • 使用distutils
  • 從Python調用C函數
    • 直接import
    • 使用distutils
    • 透過ctypes調用so檔

前言

本篇為Extending and Embedding the Python Interpreter系列第一篇1. Extending Python with C or C++的學習筆記。

Python平易近人但效率較差,所以有時候我們會希望能用C語言實作某些功能,再由Python端調用。

舉個例子,假設我們想要寫一個名為spam的Python包,並透過以下方式調用:

import spam
status = spam.system("ls -l")

可以料想到我們得先用C語言實作system函數,並將它打包成package才能夠被Python端調用。分為以下步驟:

  • 實作C函數

  • 定義method table並把C函數加入table中

  • 定義Python模組並把method table與Python模組做關聯

  • 定義模組初始化函數

  • 編譯成.so.pyd

但是注意此處介紹的方法只適用於CPython版本的Python。摘自教學本文:

The C extension interface is specific to CPython

首先創建一個名為spam.c的檔案,然後依照如下步驟填入內容。

spam.c

header

為了撰寫一個能夠從Python端調用的C函數,需要事先引入Python.h這個header:

#define PY_SSIZE_T_CLEAN
#include <Python.h>

注:其中#define PY_SSIZE_T_CLEAN的作用是讓之後會提到的PyArg_ParseTuple函數把s#的長度參數當成Py_ssize_t而非int型別,詳見PY_SSIZE_T_CLEAN macro的作用。

C函數

因為在Python端是透過spam.system調用,所以此處將函數取名為spam_system,定義如下:

// the function that will be called by spam.system(string) from python
static PyObject*
spam_system(PyObject* self, PyObject* args) {// The C function always has two arguments, conventionally named self and args// The self argument points to the module object for module-level functions; for a method it would point to the object instance// The args argument will be a pointer to a Python tuple object containing the argumentsconst char* command;int sts;// checks the argument types and converts Python objects to C values// on success, the string value of the argument will be copied to the local variable command, and returns true// returns false, and may raise PyExc_TypeError on failureif(!PyArg_ParseTuple(args, "s", &command))// for functions returning object pointers, NULL is the error indicator return NULL;sts = system(command);if(sts < 0){// raise a spam.error exception defined in PyInit_spamPyErr_SetString(SpamError, "System command failed");return NULL;}// return an integer objectreturn PyLong_FromLong(sts);// for function without return value// Method 1:// Py_INCREF(Py_None);// return Py_None;// Note: Py_None is the C name for the special Python object None// Method 2:// Py_RETURN_NONE
}

這段代碼包含了幾個重點,一一分析如下。

參數

C函數總是接受selfargs這兩個參數:

  • self:根據該函數是module-level function還是class method,self參數會分別指向module物件或是該類別的物件
  • args:指向的一個包含函數參數的Python tuple

參數解析

收到args參數後,PyArg_ParseTuple(args, "s", &command)會將它解析為字串型別("s")的command,如果失敗,則回傳空指標NULL。關於PyArg_ParseTuple函數,詳見Extracting Parameters in Extension Functions。

函數主體

如果成功,就會接著調用system系統函數:sts = system(command);得到int型別的sts返回值。如果system執行失敗(也就是sts小於0的情況),會需要進行錯誤處理。稍後將會詳述。

生成回傳值

函數的回傳值是一個指向Python object(PyObject)的指標,C函數在回傳任何東西前必須先透過Python.h裡的函數將C裡的變數轉換為PyObject*型別。

如此處PyObject *PyLong_FromLong(long v)的作用便是將sts(型別為C的int)轉換成Python的int object(PyObject*)。

method table

接著將spam_system函數註冊到SpamMethods這個method table裡。這個method table稍後會跟名為spam的 模組關聯在一起,使得本函數可以從Python透過spam.system被調用。

// method table
static PyMethodDef SpamMethods[] = {{"system", // namespam_system, // addressMETH_VARARGS, // or "METH_VARARGS | METH_KEYWORDS"// METH_VARARGS: expect the Python-level parameters to be passed in as a tuple acceptable for parsing via PyArg_ParseTuple()// METH_KEYWORDS: the C function should accept a third PyObject * parameter which will be a dictionary of keywords. Use PyArg_ParseTupleAndKeywords() to parse"Execute a shell command."},{NULL, NULL, 0, NULL} // sentinel
};

其中第三個欄位METH_VARARGS表示Python函數將接受positional argument。

PyMethodDef各欄位的具體意義詳見PyMethodDef。

模組定義

PyDoc_STRVAR創建一個名為spam_doc的變數,可以作為docstring使用。

// Creates a variable with name name that can be used in docstrings. If Python is built without docstrings, the value will be empty.
PyDoc_STRVAR(spam_doc, "Spam module that call system function.");

我們希望一個寫一個名為spam的Python包/套件,所以此處需要定義spam這個Python module在C裡的映射,命名為spammodule

// module definition structure
static struct PyModuleDef spammodule = {PyModuleDef_HEAD_INIT,"spam", // name of modulespam_doc, // module documentation, may be NULL // Docstring for the module; usually a docstring variable created with PyDoc_STRVAR is used.-1, // size of per-interpreter state of the module, or -1 if the module keeps state in global variables.SpamMethods // the method table
};

PyModuleDef各欄位的具體意義詳見PyModuleDef。

模組初始化函數

PyInit_spam函數負責初始化module:

// PyInit_spam is module’s initialization function
// must be named PyInit_name
// it will be called when python program imports module spam for the first time
// should be the only non-static item defined in the module file!
// if adding "static", variables and functions can only be used in the specific file, can't be linked through "extern"
// PyMODINIT_FUNC declares the function as PyObject * return type, declares any special linkage declarations required by the platform, and for C++ declares the function as extern "C"
PyMODINIT_FUNC
PyInit_spam(void){PyObject* m;// returns a module object, and inserts built-in function objects into the newly created module based upon the table (an array of PyMethodDef structures) found in the module definition// The init function must return the module object to its caller, so that it then gets inserted into sys.modulesm = PyModule_Create(&spammodule);if(m == NULL)return NULL;// if the last 2 arguments are NULL, then it creates a class who base class is Excetion// exception type, exception instance, and a traceback objectSpamError = PyErr_NewException("spam.error", NULL, NULL);// retains a reference to the newly created exception class// Since the exception could be removed from the module by external code, an owned reference to the class is needed to ensure that it will not be discarded, causing SpamError to become a dangling pointer// Should it become a dangling pointer, C code which raises the exception could cause a core dump or other unintended side effectsPy_XINCREF(SpamError);if(PyModule_AddObject(m, "error", SpamError) < 0){// clean up garbage (by making Py_XDECREF() or Py_DECREF() calls for objects you have already created) when you return an error indicator// Decrement the reference count for object o. The object may be NULL, in which case the macro has no effect; otherwise the effect is the same as for Py_DECREF(), and the same warning applies.Py_XDECREF(SpamError);// Decrement the reference count for object o. The object may be NULL, in which case the macro has no effect; otherwise the effect is the same as for Py_DECREF(), except that the argument is also set to NULL.Py_CLEAR(SpamError);// Decrement the reference count for object o.// If the reference count reaches zero, the object’s type’s deallocation function (which must not be NULL) is invoked.Py_DECREF(m);return NULL;}return m;
}

在Python程式第一次引入模組的時候會調用該模組的初始化函數。初始化函數必須被命名為PyInit_<Python模組的名稱>

初始化函數的關鍵在於PyModule_Create,它會創造一個模組物件。並且將稍早與模組物件關聯的method table插入新建的模組物件中。

初始化函數PyInit_spam最終會把m這個模組物件回傳給它的caller。注意到函數名前面的PyMODINIT_FUNC,它的主要功能就是宣告函數回傳值的型別為PyObject *;另外對於C++,它會將函數宣告為extern "C";對於各種不同的平台,也會為函數做link時所需的宣告。

這段代碼中用到了SpamError物件,其定義如下:

// define your own new exception
static PyObject* SpamError;

PyErr_NewException這句初始化並創建了SpamError這個例外類別。為了避免SpamError之後被外部代碼從module裡被移除,所以需要使用Py_XINCREF來手動增加引用計數。

接著嘗試透過PyModule_AddObject將SpamError加入m這個module裡,如果成功,之後就可以透過spam.error來存取;如果失敗,則需對SpamErrorm減少引用計數做清理。

Py_XDECREF和Py_CLEAR都是減少物件的引用計數,為何要對SpamError重複調用?

拋出異常

SpamError物件初始化成功後,在C函數spam_system處就可以使用PyErr_SetString拋出程序異常:

PyErr_SetString(SpamError, "System command failed");

main函數

最後一步是撰寫main函數,調用剛剛定義的Pyinit_spam對模組做初始化:

int main(int argc, char* argv[]){wchar_t* program = Py_DecodeLocale(argv[0], NULL);if(program == NULL){fprintf(stderr, "Fatal error: cannot decode argv[0]\n");exit(1);}//add a built-in module, before Py_Initialize//When embedding Python, the PyInit_spam() function is not called automatically unless there’s an entry in the PyImport_Inittab table. To add the module to the initialization table, use PyImport_AppendInittab(), optionally followed by an import of the moduleif(PyImport_AppendInittab("spam", PyInit_spam) == -1){fprintf(stderr, "Error: could not extend in-built modules table\n");exit(1);}// Pass argv[0] to the Python interpreterPy_SetProgramName(program);//Initialize the Python interpreter.  Required//If this step fails, it will be a fatal error.Py_Initialize();// Optionally import the module; alternatively,// import can be deferred until the embedded script imports it.PyObject* pmodule = PyImport_ImportModule("spam");if(!pmodule){PyErr_Print();fprintf(stderr, "Error: could not import module 'spam'\n");}PyMem_RawFree(program);return 0;
}

在調用Py_Initialize函數對Python解釋器做初始化前,需要先透過PyImport_AppendInittab函數把PyInit_spam函數加入PyImport_Inittab這個table,這樣Py_Initialize才會調用PyInit_spam對spam module做初始化。

為了測試模組初始化成功與否,程式的最後透過PyImport_ImportModule嘗試import spam module。

完整代碼

新建一個名為spam.c的檔案並填入以下內容:

// pulls in the Python API
#define PY_SSIZE_T_CLEAN // Make "s#" use Py_ssize_t rather than int
#include <Python.h> // must be included before any standard headers// define your own new exception
static PyObject* SpamError;// the function that will be called by spam.system(string) from python
static PyObject*
spam_system(PyObject* self, PyObject* args) {// The C function always has two arguments, conventionally named self and args// The self argument points to the module object for module-level functions; for a method it would point to the object instance// The args argument will be a pointer to a Python tuple object containing the argumentsconst char* command;int sts;// checks the argument types and converts Python objects to C values// on success, the string value of the argument will be copied to the local variable command, and returns true// returns false, and may raise PyExc_TypeError on failureif(!PyArg_ParseTuple(args, "s", &command))// for functions returning object pointers, NULL is the error indicator return NULL;sts = system(command);if(sts < 0){// raise a spam.error exception defined in PyInit_spamPyErr_SetString(SpamError, "System command failed");return NULL;}// return an integer objectreturn PyLong_FromLong(sts);// for function without return value// Method 1:// Py_INCREF(Py_None);// return Py_None;// Note: Py_None is the C name for the special Python object None// Method 2:// Py_RETURN_NONE
}// method table
static PyMethodDef SpamMethods[] = {{"system", // namespam_system, // addressMETH_VARARGS, // or "METH_VARARGS | METH_KEYWORDS"// METH_VARARGS: expect the Python-level parameters to be passed in as a tuple acceptable for parsing via PyArg_ParseTuple()// METH_KEYWORDS: the C function should accept a third PyObject * parameter which will be a dictionary of keywords. Use PyArg_ParseTupleAndKeywords() to parse"Execute a shell command."},{NULL, NULL, 0, NULL} // sentinel
};// Creates a variable with name name that can be used in docstrings. If Python is built without docstrings, the value will be empty.
PyDoc_STRVAR(spam_doc, "Spam module that call system function.");// module definition structure
static struct PyModuleDef spammodule = {PyModuleDef_HEAD_INIT,"spam", // name of modulespam_doc, // module documentation, may be NULL // Docstring for the module; usually a docstring variable created with PyDoc_STRVAR is used.-1, // size of per-interpreter state of the module, or -1 if the module keeps state in global variables.SpamMethods // the method table
};// PyInit_spam is module’s initialization function
// must be named PyInit_name
// it will be called when python program imports module spam for the first time
// should be the only non-static item defined in the module file!
// if adding "static", variables and functions can only be used in the specific file, can't be linked through "extern"
// PyMODINIT_FUNC declares the function as PyObject * return type, declares any special linkage declarations required by the platform, and for C++ declares the function as extern "C"
PyMODINIT_FUNC
PyInit_spam(void){PyObject* m;// returns a module object, and inserts built-in function objects into the newly created module based upon the table (an array of PyMethodDef structures) found in the module definition// The init function must return the module object to its caller, so that it then gets inserted into sys.modulesm = PyModule_Create(&spammodule);if(m == NULL)return NULL;// if the last 2 arguments are NULL, then it creates a class who base class is Excetion// exception type, exception instance, and a traceback objectSpamError = PyErr_NewException("spam.error", NULL, NULL);// retains a reference to the newly created exception class// Since the exception could be removed from the module by external code, an owned reference to the class is needed to ensure that it will not be discarded, causing SpamError to become a dangling pointer// Should it become a dangling pointer, C code which raises the exception could cause a core dump or other unintended side effectsPy_XINCREF(SpamError);if(PyModule_AddObject(m, "error", SpamError) < 0){// clean up garbage (by making Py_XDECREF() or Py_DECREF() calls for objects you have already created) when you return an error indicator// Decrement the reference count for object o. The object may be NULL, in which case the macro has no effect; otherwise the effect is the same as for Py_DECREF(), and the same warning applies.Py_XDECREF(SpamError);// Decrement the reference count for object o. The object may be NULL, in which case the macro has no effect; otherwise the effect is the same as for Py_DECREF(), except that the argument is also set to NULL.Py_CLEAR(SpamError);// Decrement the reference count for object o.// If the reference count reaches zero, the object’s type’s deallocation function (which must not be NULL) is invoked.Py_DECREF(m);return NULL;}return m;
}int main(int argc, char* argv[]){wchar_t* program = Py_DecodeLocale(argv[0], NULL);if(program == NULL){fprintf(stderr, "Fatal error: cannot decode argv[0]\n");exit(1);}//add a built-in module, before Py_Initialize//When embedding Python, the PyInit_spam() function is not called automatically unless there’s an entry in the PyImport_Inittab table. To add the module to the initialization table, use PyImport_AppendInittab(), optionally followed by an import of the moduleif(PyImport_AppendInittab("spam", PyInit_spam) == -1){fprintf(stderr, "Error: could not extend in-built modules table\n");exit(1);}// Pass argv[0] to the Python interpreterPy_SetProgramName(program);//Initialize the Python interpreter.  Required//If this step fails, it will be a fatal error.Py_Initialize();// Optionally import the module; alternatively,// import can be deferred until the embedded script imports it.PyObject* pmodule = PyImport_ImportModule("spam");if(!pmodule){PyErr_Print();fprintf(stderr, "Error: could not import module 'spam'\n");}PyMem_RawFree(program);return 0;
}

編譯及鏈接

使用gcc

參考Python进阶笔记C语言拓展篇(二)动态链接库pyd+存根文件pyi——学会优雅地使用C\C++拓展Python模块的正确/官方姿势和Build .so file from .c file using gcc command line,使用以下指令編譯及鏈接。

分成兩步,首先編譯,得到spam.o:

gcc -c -I /usr/include/python3.8 -o spam.o -fPIC spam.c

然後鏈接,得到spam.so:

gcc -shared -L /usr/lib/python3.8/config-3.8-x86_64-linux-gnu -lpython3.8 -o spam.so spam.o

注:如果是Windows平台,需將.so改成.pyd

這兩步可以合併為:

gcc -shared -I /usr/include/python3.8 -L /usr/lib/python3.8/config-3.8-x86_64-linux-gnu -o spam.so -fPIC spam.c

使用gcc + Python flags

可以善用Python flags,這樣我們就不必手動去尋找Python的include和lib目錄。

分以下這兩步:

gcc -c $(python3.8-config --includes) -o spam.o -fPIC spam.c
gcc -shared $(python3.8-config --ldflags) -o spam.so -fPIC spam.o

可以合併為:

gcc -shared $(python3.8-config --includes) $(python3.8-config --ldflags) -o spam.so -fPIC spam.c

使用distutils

參考如Py似C:Python 與 C 的共生法則和4. Building C and C++ Extensions,創建setup.py,填入以下內容:

from distutils.core import setup, Extension
spammodule = Extension('spam', sources=['spam.c'])setup(name='Spam',description='',ext_modules=[spammodule],
)

然後用以下指令編譯生成.so

python3 setup.py build_ext --inplace

結果如下:

.
├── build
│   └── temp.linux-x86_64-3.8
│       └── spam.o
└── spam.cpython-38-x86_64-linux-gnu.so

從Python調用C函數

直接import

C++編出so或pyd(動態鏈接庫,相當於dll)後Python可以直接import:

>>> import spam
>>> spam.system("ls")
spam.c  spam.o  spam.so
0 # spam.system的回傳值

使用distutils

使用distutils編譯出來的so調用方式跟直接import一樣。

如果希望將package name由spam改成spammodule該怎麼做呢?

因為初始化函數的名稱必須是PyInit_<modname>,所以首先將PyInit_spam改成PyInit_spammodulePyImport_AppendInittab的第一個參數和PyImport_ImportModule的參數代表的也是Python模組名稱,所以也需要將它們改成spammodule。修改之後可以編譯成功,但import時會出現:

>>> import spam
Traceback (most recent call last):File "<stdin>", line 1, in <module>
ImportError: dynamic module does not define module export function (PyInit_spam)
>>> import spammodule
Traceback (most recent call last):File "<stdin>", line 1, in <module>
ModuleNotFoundError: No module named 'spammodule'

參考Unable to solve “ImportError: dynamic module does not define module export function”:

In PyInit_<modname> modname should match the filename.

再把檔名由spam.c改成spammodule.c,記得Extension的第二個參數也要改,但結果還是跟上面一樣。

改了這樣還不夠,根據distutils.core.Extension,它的name參數和sources參數分別代表:

name: the full name of the extension, including any packages — ie. not a filename or pathname, but Python dotted name
sources: list of source filenames, relative to the distribution root (where the setup script lives), in Unix form (slash-separated) for portability. Source files may be C, C++, SWIG (.i), platform-specific resource files, or whatever else is recognized by the build_ext command as source for a Python extension.

Extensionname參數表示import時Python函式庫的名字,因此也需要修改。修改之後便可以成功運行:

>>> import spam
Traceback (most recent call last):File "<stdin>", line 1, in <module>
ModuleNotFoundError: No module named 'spam'
>>> import spammodule
>>> spammodule.system("ls")
build  setup.py  spammodule.c  spammodule.cpython-38-x86_64-linux-gnu.so
0

至於distutils.core.setup的第一個參數,參考Distutils Examples - Pure Python distribution:

Note that the name of the distribution is specified independently with the name option, and there’s no rule that says it has to be the same as the name of the sole module in the distribution

它決定的是發布時的套件(package)名稱,因此可以使用與模組不同的名字。

透過ctypes調用so檔

參考How to run .so files using through python script,使用cdll.LoadLibrary導入so檔:

>>> from ctypes import cdll, c_char_p, c_wchar_p
>>> spam = cdll.LoadLibrary("spam.cpython-38-x86_64-linux-gnu.so")
Traceback (most recent call last):File "<stdin>", line 1, in <module>File "/usr/lib/python3.8/ctypes/__init__.py", line 451, in LoadLibraryreturn self._dlltype(name)File "/usr/lib/python3.8/ctypes/__init__.py", line 373, in __init__self._handle = _dlopen(self._name, mode)
OSError: spam.cpython-38-x86_64-linux-gnu.so: cannot open shared object file: No such file or directory

找不到當前目錄下的.so,在前面加上./就可以找到了(不知為何不加./就會找不到?):

>>> spam = cdll.LoadLibrary("./spam.cpython-38-x86_64-linux-gnu.so")
>>> spam = cdll.LoadLibrary("./spam.so")

嘗試調用spam.system函數,直接傳入字串參數,卻發現執錯誤:

>>> spam.system("ls")
sh: 1: l: not found
32512

查看ctypes文檔:

None, integers, bytes objects and (unicode) strings are the only native Python objects that can directly be used as parameters in these function calls. None is passed as a C NULL pointer, bytes objects and strings are passed as pointer to the memory block that contains their data (char * or wchar_t *). Python integers are passed as the platforms default C int type, their value is masked to fit into the C type.

才發現這是因為Python中只有None,整數,bytes和unicode字串才可以直接作為參數被傳入函數。其它型別則需要用Fundamental data types列出的函數做轉換。

注意其中c_char_p雖然是回傳char*,但它只接受bytes object,如果傳入字串的話會報錯:

>>> c_char_p("ls")
Traceback (most recent call last):File "<stdin>", line 1, in <module>
TypeError: bytes or integer address expected instead of str instance

c_wchar_p雖然接受字串為參數,但是它回傳的型別是wchar_t*,所以一樣會出錯:

>>> spam.system(c_wchar_p("ls"))
sh: 1: l: not found
32512

參考Different behaviour of ctypes c_char_p?,正確的做法是先將Python字串轉換為bytes object,傳入c_char_p得到char*後,才能調用extension函數。有兩種方法,參考【Python】隨記:印出來常見「b」,但究竟什麼是b呢?:

>>> spam.system(c_char_p(b"ls"))
build  demo  setup.py  spam.c  spam.cpython-38-x86_64-linux-gnu.so  system.c  test.py
0

或:

>>> spam.system(c_char_p("ls".encode('utf-8')))
build  demo  setup.py  spam.c  spam.cpython-38-x86_64-linux-gnu.so  system.c  test.py
0

在字串前面加b和在後面加.encode('utf-8')有何區別呢?可以來實驗一下:

>>> s = "str"
>>> s.encode("utf-8")
b'str'
>>> s.encode("ascii")
b'str'
>>> s.encode("utf-8") == b'str'
True
>>> s.encode("ascii") == b'str'
True
>>> s.encode("utf-8") == s.encode("ascii")
True
>>> s = "str"
>>> c_char_p(s.encode('utf-8'))
c_char_p(140096259724976)
>>> c_char_p(b"str")
c_char_p(140096243429648)

用UTF-8和ascii編碼後的字串都與字串前面加b相等。但為何這兩種編碼方式得到的byte string是一樣的呢?可以猜想這是因為UTF-8編碼的前128個字元就是ASCII編碼,所以對於純英文的字串,使用這兩種編碼所得到的byte string是相同的。

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

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

相关文章

2022年09月 C/C++(五级)真题解析#中国电子学会#全国青少年软件编程等级考试

C/C++编程(1~8级)全部真题・点这里 第1题:城堡问题 1 2 3 4 5 6 7 ############################# 1 # | # | # | | # #####—#####—#—#####—# 2 # # | # # # # # #—#####—#####—#####—# 3 # | | # # # # # #—#########—#####—#—# 4 # # | | | | # # ###########…

2023高教社杯数学建模E题思路模型 - 黄河水沙监测数据分析

# 1 赛题 E 题 黄河水沙监测数据分析 黄河是中华民族的母亲河。研究黄河水沙通量的变化规律对沿黄流域的环境治理、气候变 化和人民生活的影响&#xff0c; 以及对优化黄河流域水资源分配、协调人地关系、调水调沙、防洪减灾 等方面都具有重要的理论指导意义。 附件 1 给出了位…

Opencv图像暗通道调优

基于雾天退化模型的去雾算法&#xff0c;Opencv图像暗通道调优&#xff0c;&#xff08;清华版代码&#xff09;对普通相片也有较好的调优效果&#xff0c;相片更通透。 结合代码实际运行效果、算法理论模型、实际代码。我个人理解&#xff0c;实际效果是对图像的三个颜色通道…

04架构管理之分支管理实践-一种git分支管理最佳实践

专栏说明&#xff1a;针对于企业的架构管理岗位&#xff0c;分享架构管理岗位的职责&#xff0c;工作内容&#xff0c;指导架构师如何完成架构管理工作&#xff0c;完成架构师到架构管理者的转变。计划以10篇博客阐述清楚架构管理工作&#xff0c;专栏名称&#xff1a;架构管理…

PDF转Word的方法分享与注意事项。

PDF和Word是两种常用的文档格式&#xff0c;它们各有优点&#xff0c;适用于不同的场景。然而&#xff0c;有时候我们需要将PDF转换为Word&#xff0c;以便更好地进行编辑和排版。本文将介绍几种常用的PDF转Word的方法&#xff0c;并分享一些注意事项。 一、PDF转Word的方法 使…

05-JVM内存分配机制深度剖析

上一篇&#xff1a;04-JVM对象创建深度剖析 1.对象栈上分配 我们通过JVM内存分配可以知道JAVA中的对象都是在堆上进行分配&#xff0c;当对象没有被引用的时候&#xff0c;需要依靠GC进行回收内存&#xff0c;如果对象数量较多的时候&#xff0c;会给GC带来较大压力&#xff…

按照xml文件和txt文件名,将对应名字的图象文件复制

按照xml文件和txt文件名&#xff0c;将对应名字的图象文件复制 需求分析解决方案 需求分析 就是已经标注了xml和txt文件&#xff0c;需要将其对应的图象文件挑选出来 解决方案 # 按照xml文件删除对应的图片 # coding: utf-8 from PIL import Image, ImageDraw, ImageFont imp…

k8s集群证书过期解决

一、k8s集群证书过期解决 问题现象 K8S集群证书过期后&#xff0c;会导无法创建Pod&#xff0c;通过kubectl get nodes也无法获取信息&#xff0c;甚至dashboard也无法访问。 执行命令发现报错&#xff1a; Unable to connect to the server: x509: certificate has expire…

使用ffmpeg截取视频片段

本文将介绍2种使用ffmpeg截取视频的方法 指定截取视频的 开始时间 和 结束时间&#xff0c;进行视频截取指定截取视频的 开始时间 和 截取的秒数&#xff0c;进行视频截取 两种截取方式的命令行如下 截取某一时间段视频 优先使用 ffmpeg -i ./input.mp4 -c:v libx264 -crf…

多维时序 | MATLAB实现GWO-GRU灰狼算法优化门控循环单元的多变量时间序列预测

多维时序 | MATLAB实现GWO-GRU灰狼算法优化门控循环单元的多变量时间序列预测 目录 多维时序 | MATLAB实现GWO-GRU灰狼算法优化门控循环单元的多变量时间序列预测预测效果基本介绍程序设计参考资料 预测效果 基本介绍 MATLAB实现基于GWO-GRU灰狼算法优化门控循环单元的多变量时…

dbeaver离线安装clickhouse连接驱动

Clickhouse 数据库连接工具——DBeaver 主要介绍了Clickhouse 数据库连接工具——DBeaver相关的知识&#xff0c;希望对你有一定的参考价值。 Clickhouse 数据库连接工具——DBeaver 1.下载 DBeaver 和 连接驱动 https://dbeaver.io/files/dbeaver-ce-latest-x86_64-setup.…

如何实现软件的快速交付与部署?

一、低代码开发 微服务、平台化、云计算作为当前的IT技术热点&#xff0c;主要强调共享重用&#xff0c;它们促进了软件快速交付和部署。 但现实的痛点却是&#xff0c;大多数软件即使采用了微服务技术或者平台化思路&#xff0c;也难以做到通过软件共享重用来快速满足业务需求…

C语言文件操作总结

目录 字符方式读入文件 数据块方式读写文件 文件定位与随机读写 文件中数据的修改 字符方式读入文件 1.向文件中写入&#xff08;输入字符&#xff09; 用 fputc 函数或 puts 函数可以把一个字符写到磁盘文件中去。 int fputc(int ch,FILE * fp) ch 是要输出的字符&#…

Elasticsearch(二)kibana数据检索

Elasticsearch(二)kibana数据检索 1.简述 有了数据学习使用kibana调用api检索数据&#xff0c;熟练kibana操作后再进一步使用spring data。 term用于keyword类型数据精准查询&#xff0c;类似mysqlmatch 用于text类型数据分词查询&#xff0c;倒排索引 首先针对keyword文本…

代理IP与网络安全在跨境电商中的关键作用

跨境电商已成为全球商业的重要组成部分&#xff0c;然而&#xff0c;随之而来的网络安全问题也日益凸显。为了在海外市场取得成功&#xff0c;不仅需要优质的商品和服务&#xff0c;还需要稳定、安全的网络连接。本文将介绍如何运用Socks5代理IP技术解决这些挑战。 1. 代理IP与…

【Spring面试】一、SpringBoot启动优化与Spring IoC

文章目录 Q1、SpringBoot可以同时处理多少请求Q2、SpringBoot如何优化启动速度Q3、谈谈对Spring的理解Q4、Spring的优缺点Q5、Spring IoC容器是什么&#xff1f;作用与优点&#xff1f;Q6、Spring IoC的实现机制是什么Q7、IoC和DI的区别是什么Q8、紧耦合与松耦合的区别&#xf…

[技术杂谈]几款常用的安装包制作工具

下面是几款常用的安装包制作工具&#xff1a; Inno Setup&#xff1a;Inno Setup 是一款免费开源的 Windows 平台上的安装包制作工具&#xff0c;支持多种自定义选项和脚本编写&#xff0c;提供了可视化的界面和易于使用的向导引导。它可以创建用户友好的安装程序&#xff0c;…

1.线性表

文章目录 1.1线性表1.2线性表的顺序表示和实现 1.1线性表 线性结构的特点: 在数据元素的非空有限集中。 <1>存在惟一的一个被称为“第一个”的数据元素&#xff1b;<2>存在惟一的一个被称为“最后一个”的数据元素&#xff1b;<3>除第一个之外&#xff0c;集…

javaee spring 声明式事务管理 自定义异常类

spring配置文件 <?xml version"1.0" encoding"UTF-8"?> <beans xmlns"http://www.springframework.org/schema/beans"xmlns:xsi"http://www.w3.org/2001/XMLSchema-instance"xmlns:context"http://www.springframewo…

无服务架构--Serverless

无服务架构 无服务架构&#xff08;Serverless Architecture&#xff09;即无服务器架构&#xff0c;也被称为函数即服务&#xff08;Function as a Service&#xff0c;FaaS&#xff09;&#xff0c;是一种云计算模型&#xff0c;用于构建和部署应用程序&#xff0c;无需关心…