MXNet--DMLC-Core代碼解讀與宏
dmlc-core是Distributed (Deep) Machine Learning Community的一個基礎模塊,這個模塊用被應用到了mxnet中。dmlc-core在其中用了比軟多的宏技巧,代碼寫得很簡潔,值得大家學習。這博客中講解了其中的宏和mxnet中是怎么向dmlc-core中注冊函數和初始化參數的。
宏(Macros)的一般用法與特殊用法
C/C++中的宏是編譯的預處理,主要用要文本替換。文本替換就有很多功能,比如用來控制編譯的選項、生成代碼等。在C++沒有被發明之前,宏的技巧經常會被用於編程中,這些技巧對大部分人來說是難以快速理解的,畢竟代碼是寫給人看的,不是寫給機器看的,所以很多人稱這些為奇技淫巧。C++出現后,發明了繼承、動態綁定、模板這些現代的面向對象編程概念之后,很多本來用宏技巧寫的代碼被類替換了。但如果宏用得對,可以使代碼更加簡潔。
- 標示符別名
#define NUM 1024
比如在預處理階段:foo = (int *) malloc (NUM*sizeof(int))
會被替換成foo = (int *) malloc (1024*sizeof(int))
另外,宏體換行需要在行末加反斜杠\
#define ARRAY 1, \
2, \
3, \
NUM
比如預處理階段int x[] = { ARRAY }
會被擴展成int x[] = { 1, 2, 3, 1024}
一般情況下,宏定義全部是大寫字母的,並不是說小寫字母不可以,這只是方便閱讀留下來的習慣,當大家看到全是字母都是大寫時,就會知道,這是一個宏定義。
- 宏函數
宏名之后帶括號的宏是宏函數。用法與普通函數是一樣的,但是在編譯時會被展開。優點是沒有普通函數保存寄存器和參數傳遞的開銷、速度快,缺點是可執行代碼體積大。這個現在一般都可能被設計成內斂函數(inline function)。
#define max(X, Y) ((X) > (Y) ? (X) : (Y))
如在預處理時:a = max(1, 2)
會被擴展成:a = ((1) < (2) ? (1) : (2))
- 字符串化(Stringification)
在宏體中,如果宏參數前加個#,那么在宏體擴展的時候,宏參數會被擴展成字符串的形式。如:
#define PRINT(x) \
do{ \
printf("#x = %d \n", x); }\
while(0)
如PRINT(var)
:
會被擴展成:
do{ \
printf("var = %d \n", var); }\
while(0)
這種用法可以用在assert中,可以直接輸出相關的信息。
- 連接(Concatenation)
在宏體中,如果宏體所在標示符中有##,那么在宏體擴展的時候,宏參數會被直接替換到標示符中。如宏定義如下:
#define COMMAND(NAME) { #NAME, NAME ## _command }
struct command
{
char *name;
void (*function) (void);
};
在用到宏的時候的:
struct command commands[] =
{
COMMAND (quit),
COMMAND (help),
...
};
會被擴展成:
struct command commands[] =
{
{ "quit", quit_command },
{ "help", help_command },
...
};
這樣寫法會比較簡潔,提高了編程的效率。
上述的前兩種用法宏的一般用法,后兩種用法則是宏的特殊用法。結果這幾種用法,宏可以生成很多很多很繞的技巧,比如做遞歸等等。
MXNet--DMLC-Core中的宏
在上一篇博客——mxnet的訓練過程——從python到C++中提到:“當用C++寫一個新的層時,都要先注冊到mxnet內核dlmc中”。這個注冊就是用宏來實現的,這里有兩個參考的資料,一個是說了參數的數據結構,只要解讀了parameter.h這個文件,詳見:/dmlc-core/parameter.h;另一個是說明了參數結構是怎么工作的Parameter Structure for Machine Learning。這兩個里面的東西我就不詳細講述了,下面是結合這兩個來說明DMLC-Core宏的工作原理的,對參數結構的描述不如/dmlc-core/parameter.h詳細。所有的代碼來自dmlc-core或者mxnet內的dmlc-core中。
編譯與執行
下載並編譯dmlc-core的代碼,編譯出example下載的paramter可執行文件並執行:
git clone https://github.com/dmlc/dmlc-core.git
cd dmlc-core
make all
make example
./example/parameter num_hidden=100 name=aaa activation=relu
執行結果如下:
Docstring
---------
num_hidden : int, required
Number of hidden unit in the fully connected layer.
learning_rate : float, optional, default=0.01
Learning rate of SGD optimization.
activation : {'relu', 'sigmoid'}, required
Activation function type.
name : string, optional, default='mnet'
Name of the net.
start to set parameters ...
-----
param.num_hidden=100
param.learning_rate=0.010000
param.name=aaa
param.activation=1
Parameter字類中的宏
我們以parameter.cc為切入點,看DMLC的宏是如何擴展生成代碼的:
struct MyParam : public dmlc::Parameter<MyParam> {
float learning_rate;
int num_hidden;
int activation;
std::string name;
// declare parameters in header file
DMLC_DECLARE_PARAMETER(MyParam) {
DMLC_DECLARE_FIELD(num_hidden).set_range(0, 1000)
.describe("Number of hidden unit in the fully connected layer.");
DMLC_DECLARE_FIELD(learning_rate).set_default(0.01f)
.describe("Learning rate of SGD optimization.");
DMLC_DECLARE_FIELD(activation).add_enum("relu", 1).add_enum("sigmoid", 2)
.describe("Activation function type.");
DMLC_DECLARE_FIELD(name).set_default("mnet")
.describe("Name of the net.");
// user can also set nhidden besides num_hidden
DMLC_DECLARE_ALIAS(num_hidden, nhidden);
DMLC_DECLARE_ALIAS(activation, act);
}
};
// register it in cc file
DMLC_REGISTER_PARAMETER(MyParam);
先看下DMLC_DECLARE_PARAMETER
的定義,這個定義先聲明了一個函數____MANAGER__
,但並沒有定義,第二個是聲明了函數__DECLARE__
,定義在上面代碼的第8到第19行,包括在大括號內。__DECLARE__
這個函數體內也有用到了宏。
#define DMLC_DECLARE_PARAMETER(PType) \
static ::dmlc::parameter::ParamManager *__MANAGER__(); \
inline void __DECLARE__(::dmlc::parameter::ParamManagerSingleton<PType> *manager) \
要注意的DMLC_DECLARE_FIELD
是只能用在__DECLARE__
這個函數內的宏,這個宏的定義如下,這個宏返回的是一個對象,.set_range
這些返回的也是對象。DMLC_DECLARE_ALIAS
這個是一個對齊的宏,對齊后可以兩個名字沒有區別,都可以用。比如DMLC_DECLARE_ALIAS(num_hidden, nhidden)
,那么num_hidden
與nhidden
是一樣的,之前的運行命令就可以這樣執行:./example/parameter nhidden=100 name=aaa act=relu
,執行的結果沒有任何區別。
#define DMLC_DECLARE_FIELD(FieldName) this->DECLARE(manager, #FieldName, FieldName)
#define DMLC_DECLARE_ALIAS(FieldName, AliasName) manager->manager.AddAlias(#FieldName, #AliasName)
類似於DECLARE
這樣的成員函數是定義在父類struct Parameter
中的,之后所有的自義MyParam
都要直接繼承這個父類。AddAlias
這個函數定義在class ParamManager
中,這些函數都在同一個文件parameter.h中。
我們繼續來看下一個宏DMLC_REGISTER_PARAMETER
,在上一篇博客——mxnet的訓練過程——從python到C++中就提到有一個宏是注冊相關層的到內核中的,這個是注冊到參數到內核中。這個宏的定義以下:
#define DMLC_REGISTER_PARAMETER(PType) \
::dmlc::parameter::ParamManager *PType::__MANAGER__() { \
static ::dmlc::parameter::ParamManagerSingleton<PType> inst(#PType); \
return &inst.manager; \
} \
static DMLC_ATTRIBUTE_UNUSED ::dmlc::parameter::ParamManager& \
__make__ ## PType ## ParamManager__ = \
(*PType::__MANAGER__()) \
這個宏定義了上面聲明的__MANAGER__
,這個函數新建了一個ParamManagerSingleton
的實例,並返回一個ParamManager
的實例。注意到inst
這個變量是用static
修飾的,也就是說inst
(包括他的成員manager
)只會被初始化一次。並且定義了一個全局的manager
,按上面所說的##連接法則,這個變量的名字是__make__MyparamParamManager__
。
新建一個ParamManagerSingleton
的實例時,我們可以看到它的構造函數調用了上面用宏生成的函數__DECLARE__
,對它的成員manager
中的成員進行了賦值。
template<typename PType>
struct ParamManagerSingleton {
ParamManager manager;
explicit ParamManagerSingleton(const std::string ¶m_name) {
PType param;
param.__DECLARE__(this);
manager.set_name(param_name);
}
};
測試
我們來看下主函數:
int main(int argc, char *argv[]) {
if (argc == 1) {
printf("Usage: [key=value] ...\n");
return 0;
}
MyParam param;
std::map<std::string, std::string> kwargs;
for (int i = 0; i < argc; ++i) {
char name[256], val[256];
if (sscanf(argv[i], "%[^=]=%[^\n]", name, val) == 2) {
kwargs[name] = val;
}
}
printf("Docstring\n---------\n%s", MyParam::__DOC__().c_str());
printf("start to set parameters ...\n");
param.Init(kwargs);
printf("-----\n");
printf("param.num_hidden=%d\n", param.num_hidden);
printf("param.learning_rate=%f\n", param.learning_rate);
printf("param.name=%s\n", param.name.c_str());
printf("param.activation=%d\n", param.activation);
return 0;
}
這里中最主要的就是param.Init(kwargs)
,這個是初始化這個變量,__MANAGER__
返回的正是上面生成的__make__MyparamParamManager__
,然后在RunInit
中對字典遍歷,出現的值就賦到相應的位置上,沒有出現的就用默認值,然后再檢查參數是否合法等,找相應該的位置是通過這個MyParam
的頭地址到相應參數的地址的offset來定位的。
template<typename Container>
inline void Init(const Container &kwargs,
parameter::ParamInitOption option = parameter::kAllowHidden) {
PType::__MANAGER__()->RunInit(static_cast<PType*>(this),
kwargs.begin(), kwargs.end(),
NULL,
option);
}
注冊函數(層)
在fully_connected.cc用以下的方法來注冊:
MXNET_REGISTER_OP_PROPERTY(FullyConnected, FullyConnectedProp)
.describe(R"code(Applies a linear transformation: :math:`Y = XW^T + b`.
If ``flatten`` is set to be true, then the shapes are:
- **data**: `(batch_size, x1, x2, ..., xn)`
- **weight**: `(num_hidden, x1 * x2 * ... * xn)`
- **bias**: `(num_hidden,)`
- **out**: `(batch_size, num_hidden)`
If ``flatten`` is set to be false, then the shapes are:
- **data**: `(x1, x2, ..., xn, input_dim)`
- **weight**: `(num_hidden, input_dim)`
- **bias**: `(num_hidden,)`
- **out**: `(x1, x2, ..., xn, num_hidden)`
The learnable parameters include both ``weight`` and ``bias``.
If ``no_bias`` is set to be true, then the ``bias`` term is ignored.
)code" ADD_FILELINE)
.add_argument("data", "NDArray-or-Symbol", "Input data.")
.add_argument("weight", "NDArray-or-Symbol", "Weight matrix.")
.add_argument("bias", "NDArray-or-Symbol", "Bias parameter.")
.add_arguments(FullyConnectedParam::__FIELDS__());
宏定義MXNET_REGISTER_OP_PROPERTY
如下:
#define MXNET_REGISTER_OP_PROPERTY(name, OperatorPropertyType) \
DMLC_REGISTRY_REGISTER(::mxnet::OperatorPropertyReg, OperatorPropertyReg, name) \
.set_body([]() { return new OperatorPropertyType(); }) \
.set_return_type("NDArray-or-Symbol") \
.check_name()
#define DMLC_REGISTRY_REGISTER(EntryType, EntryTypeName, Name) \
static DMLC_ATTRIBUTE_UNUSED EntryType & __make_ ## EntryTypeName ## _ ## Name ## __ = \
::dmlc::Registry<EntryType>::Get()->__REGISTER__(#Name) \
第二個宏的同樣有關鍵字static
,說明注冊只發生一次。我們只要看一下::dmlc::Registry<EntryType>::Get()->__REGISTER__(#Name)
這個函數,函數Get()
在以下的宏被定義,這個宏在operator.ccDMLC_REGISTRY_ENABLE(::mxnet::OperatorPropertyReg)
運行了。可以看到這個宏里同樣有關鍵字static
說明生成的得到的Registry
是同一個。
#define DMLC_REGISTRY_ENABLE(EntryType) \
template<> \
Registry<EntryType > *Registry<EntryType >::Get() { \
static Registry<EntryType > inst; \
return &inst; \
}
再來看__REGISTER__(#Name)
,這個函數是向得到的同一個Registry
的成員變量fmap_
寫入名字,並返回一個相關對象。這樣就向內核中注冊了一個函數,可以看到在上一篇博客——mxnet的訓練過程——從python到C++提到的動態加載函數,就是通過遍歷Registry
中的成員來獲取所有的函數。
inline EntryType &__REGISTER__(const std::string& name) {
CHECK_EQ(fmap_.count(name), 0U)
<< name << " already registered";
EntryType *e = new EntryType();
e->name = name;
fmap_[name] = e;
const_list_.push_back(e);
entry_list_.push_back(e);
return *e;
}
【防止爬蟲轉載而導致的格式問題——鏈接】:
http://www.cnblogs.com/heguanyou/p/7613191.html