在C++中,实现决策树算法通常包括以下几个步骤:
下面是一个简单的C++代码示例,展示了如何实现决策树算法:
#include<iostream>
#include<vector>
#include <map>
#include<algorithm>
#include <cmath>
using namespace std;
// 计算熵
double entropy(const vector<int>& labels) {
map<int, int> count;
for (int label : labels) {
count[label]++;
}
double result = 0;
for (auto& kv : count) {
double p = kv.second / static_cast<double>(labels.size());
result += -p * log2(p);
}
return result;
}
// 计算信息增益
double informationGain(const vector<vector<int>>& data, const vector<int>& labels, int featureIndex) {
double initialEntropy = entropy(labels);
double weightedEntropy = 0;
map<int, vector<int>> featureValues;
for (int i = 0; i< data.size(); ++i) {
featureValues[data[i][featureIndex]].push_back(labels[i]);
}
for (auto& kv : featureValues) {
double p = kv.second.size() / static_cast<double>(labels.size());
weightedEntropy += p * entropy(kv.second);
}
return initialEntropy - weightedEntropy;
}
// 构建决策树
struct Node {
int featureIndex;
map<int, Node*> children;
int label;
};
Node* buildTree(const vector<vector<int>>& data, const vector<int>& labels, int depth) {
if (depth == 0 || labels.empty()) {
return nullptr;
}
int bestFeatureIndex = -1;
double bestInformationGain = 0;
for (int i = 0; i< data[0].size(); ++i) {
double gain = informationGain(data, labels, i);
if (gain > bestInformationGain) {
bestInformationGain = gain;
bestFeatureIndex = i;
}
}
Node* node = new Node();
node->featureIndex = bestFeatureIndex;
map<int, vector<int>> featureValues;
for (int i = 0; i< data.size(); ++i) {
featureValues[data[i][bestFeatureIndex]].push_back(labels[i]);
}
for (auto& kv : featureValues) {
vector<vector<int>> subData;
vector<int> subLabels = kv.second;
for (int i = 0; i< data.size(); ++i) {
if (data[i][bestFeatureIndex] == kv.first) {
subData.push_back(data[i]);
}
}
Node* child = buildTree(subData, subLabels, depth - 1);
node->children[kv.first] = child;
}
return node;
}
// 预测
int predict(Node* node, const vector<int>& sample) {
if (!node) {
return -1;
}
if (node->children.empty()) {
return node->label;
}
int featureValue = sample[node->featureIndex];
auto it = node->children.find(featureValue);
if (it != node->children.end()) {
return predict(it->second, sample);
} else {
return -1;
}
}
int main() {
// 示例数据
vector<vector<int>> data = {
{1, 2, 0},
{2, 3, 0},
{3, 2, 1},
{4, 3, 1},
{5, 2, 0},
{6, 3, 1},
};
vector<int> labels = {0, 0, 1, 1, 0, 1};
// 构建决策树
Node* root = buildTree(data, labels, 3);
// 预测
vector<int> sample = {3, 2, 0};
int prediction = predict(root, sample);
cout << "Prediction: "<< prediction<< endl;
return 0;
}
这个示例仅用于演示基本的决策树构建和预测过程,实际应用中需要根据具体问题进行相应的修改和优化。