zoukankan      html  css  js  c++  java
  • leetcode Range Sum Query

    题目连接

    https://leetcode.com/problems/range-sum-query-mutable/  

    Range Sum Query - Mutable

    Description

    Given an integer array nums, find the sum of the elements between indices i and j (i ≤ j), inclusive.

    The update(i, val) function modifies nums by updating the element at index i to val.

    Example:

    Given nums = [1, 3, 5]
    
    sumRange(0, 2) -> 9
    update(1, 2)
    sumRange(0, 2) -> 8
    

    Note:

    1. The array is only modifiable by the update function.
    2. You may assume the number of calls to update and sumRange function is distributed evenly.

    线段树单点更新。。

    class NumArray {
    public:
    	NumArray() = default;
    	NumArray(vector<int> &nums) {
    		n = (int)nums.size();
    		if (!n) return;
    		arr = new int[n << 2];
    		built(1, 1, n, nums);
    	}
    	~NumArray() { delete []arr; }
    	void update(int i, int val) {
    		update(1, 1, n, i + 1, val);
    	}
    	int sumRange(int i, int j) {
    		return sumRange(1, 1, n, i + 1, j + 1);
    	}
    private:
    	int n, *arr;
    	void built(int root, int l, int r, vector<int> &nums) {
    		if (l == r) {
    			arr[root] = nums[l - 1];
    			return;
    		}
    		int mid = (l + r) >> 1;
    		built(root << 1, l, mid, nums);
    		built(root << 1 | 1, mid + 1, r, nums);
    		arr[root] = arr[root << 1] + arr[root << 1 | 1];
    	}
    	void update(int root, int l, int r, int pos, int val) {
    		if (pos > r || pos < l) return;
    		if (pos <= l && pos >= r) {
    			arr[root] = val;
    			return;
    		}
    		int mid = (l + r) >> 1;
    		update(root << 1, l, mid, pos, val);
    		update(root << 1 | 1, mid + 1, r, pos, val);
    		arr[root] = arr[root << 1] + arr[root << 1 | 1];
    	}
    	int sumRange(int root, int l, int r, int x, int y) {
    		if (x > r || y < l) return 0;
    		if (x <= l && y >= r) return arr[root];
    		int mid = (l + r) >> 1, ret = 0;
    		ret += sumRange(root << 1, l, mid, x, y);
    		ret += sumRange(root << 1 | 1, mid + 1, r, x, y);
    		return ret;
    	}
    };
  • 相关阅读:
    Docker系统知识整理(从安装到熟练操作)
    Dockerfile 文件介绍
    Cmake命令之add_subdirectory介绍
    Cmake实战指南
    cmake的四个命令:add_compile_options、add_definitions、target_compile_definitions、build_command
    cmake:选择编译器及设置编译器选项
    Task异常
    单元测试误区
    网络的核心概念
    java~使用枚举来实现接口的多态
  • 原文地址:https://www.cnblogs.com/GadyPu/p/5011135.html
Copyright © 2011-2022 走看看