class KDNode:
    def __init__(self, point, depth=0, left=None, right=None):
        self.point = point  # Координаты точки в k-мерном пространстве
        self.depth = depth  # Глубина узла в дереве
        self.left = left
        self.right = right

    def insert(self, point, depth=0):
        axis = depth % len(point)  # Выбор оси разбиения
        if point[axis] < self.point[axis]:
            if self.left:
                self.left.insert(point, depth + 1)
            else:
                self.left = KDNode(point, depth + 1)
        else:
            if self.right:
                self.right.insert(point, depth + 1)
            else:
                self.right = KDNode(point, depth + 1)

    def search(self, point, depth=0, comparisons=0):
        comparisons += 1
        if self.point == point:
            return self, comparisons
        axis = depth % len(point)
        if point[axis] < self.point[axis] and self.left:
            return self.left.search(point, depth + 1, comparisons)
        elif point[axis] >= self.point[axis] and self.right:
            return self.right.search(point, depth + 1, comparisons)
        return None, comparisons

    def range_search(self, lower, upper, depth=0, result=None):
        if result is None:
            result = []
        axis = depth % len(self.point)
        if all(lower[i] <= self.point[i] <= upper[i] for i in range(len(self.point))):
            result.append(self.point)
        if self.left and lower[axis] <= self.point[axis]:
            self.left.range_search(lower, upper, depth + 1, result)
        if self.right and upper[axis] >= self.point[axis]:
            self.right.range_search(lower, upper, depth + 1, result)
        return result

    def in_order(self):
        if self.left:
            self.left.in_order()
        print(self.point, end=" ")
        if self.right:
            self.right.in_order()

# Создание корня kd-дерева
root = KDNode((10, 15))

# Вставка значений
root.insert((5, 20))
root.insert((15, 10))
root.insert((3, 18))
root.insert((7, 12))

# Поиск элемента с подсчётом сравнений
search_value = (7, 12)
result, comparisons = root.search(search_value)
if result:
    print(f"Значение {result.point} найдено в дереве.")
else:
    print("Значение не найдено.")
print(f"Количество сравнений: {comparisons}")

# Поиск в диапазоне
lower_bound = (4, 10)
upper_bound = (15, 20)
range_results = root.range_search(lower_bound, upper_bound)
print(f"Точки в диапазоне {lower_bound} - {upper_bound}: {range_results}")

# Вывод значений дерева
print("Values in the tree (in-order):", end=" ")
root.in_order()
print()
            

#include <iostream>
#include <vector>

struct KDNode {
    std::vector<int> point;
    int depth;
    KDNode* left;
    KDNode* right;

    KDNode(std::vector<int> p, int d = 0) : point(std::move(p)), depth(d), left(nullptr), right(nullptr) {}

    void insert(const std::vector<int>& new_point, int d = 0) {
        int axis = d % new_point.size();
        if (new_point[axis] < point[axis]) {
            if (left) 
                left->insert(new_point, d + 1);
            else 
                left = new KDNode(new_point, d + 1);
        } else {
            if (right) 
                right->insert(new_point, d + 1);
            else 
                right = new KDNode(new_point, d + 1);
        }
    }

    KDNode* search(const std::vector<int>& target, int d = 0, int& comparisons = *(new int(0))) {
        comparisons++;
        if (point == target) 
            return this;
        int axis = d % target.size();
        if (target[axis] < point[axis] && left) 
            return left->search(target, d + 1, comparisons);
        if (target[axis] >= point[axis] && right) 
            return right->search(target, d + 1, comparisons);
        return nullptr;
    }

    void range_search(const std::vector<int>& lower, const std::vector<int>& upper, std::vector<std::vector<int>>& result, int d = 0) {
        int axis = d % point.size();
        bool inside = true;
        for (size_t i = 0; i < point.size(); ++i) {
            if (point[i] < lower[i] || point[i] > upper[i]) {
                inside = false;
                break;
            }
        }
        if (inside) 
            result.push_back(point);
        if (left && lower[axis] <= point[axis]) 
            left->range_search(lower, upper, result, d + 1);
        if (right && upper[axis] >= point[axis]) 
            right->range_search(lower, upper, result, d + 1);
    }

    void in_order() {
        if (left) 
            left->in_order();
        std::cout << "(" << point[0] << ", " << point[1] << ") ";
        if (right) 
            right->in_order();
    }
};

int main() {
    KDNode* root = new KDNode({10, 15});
    std::vector<std::vector<int>> points = {{5, 20}, {15, 10}, {3, 18}, {7, 12}};
    for (const auto& p : points) 
        root->insert(p);
    
    // Поиск
    std::vector<int> search_value = {7, 12};
    int comparisons = 0;
    KDNode* result = root->search(search_value, 0, comparisons);
    if (result) 
        std::cout << "Значение найдено: (" << result->point[0] << ", " << result->point[1] << ")\n";
    else 
        std::cout << "Значение не найдено.\n";
    std::cout << "Количество сравнений: " << comparisons << "\n";
    
    // Поиск диапазона
    std::vector<int> lower_bound = {4, 10};
    std::vector<int> upper_bound = {15, 20};
    std::vector<std::vector<int>> range_results;
    root->range_search(lower_bound, upper_bound, range_results);
    std::cout << "Точки в диапазоне: ";
    for (const auto& p : range_results) 
        std::cout << "(" << p[0] << ", " << p[1] << ") ";
    std::cout << "\n";
    
    return 0;
}