第34-3题:LeetCode437. Path Sum III

题目 

二叉树不超过1000个节点,且节点数值范围是 [-1000000,1000000] 的整数。

示例:

root = [10,5,-3,3,2,null,11,3,-2,null,1], sum = 8

      10
     /  \
    5   -3
   / \    \
  3   2   11
 / \   \
3  -2   1

返回 3。和等于 8 的路径有:

1.  5 -> 3
2.  5 -> 2 -> 1
3.  -3 -> 11

考点

1.map

2.tree

3.dfs

4.递归

5.先序遍历


思路

这道题让我们求二叉树的路径的和等于一个给定值,说明了这条路径不必要从根节点开始,可以是中间的任意一段,而且二叉树的节点值也是有正有负。

那么我们可以用递归来做,相当于先序遍历二叉树

对于每一个节点都有记录了一条从根节点到当前节点到路径,同时用一个变量curSum记录路径节点总和,然后我们看curSum和sum是否相等,相等的话结果res加1。

不等的话我们来继续查看子路径和有没有满足题意的,做法就是每次去掉一个节点,看路径和是否等于给定值。

注意最后必须留一个节点不能全去掉了,因为如果全去掉了,路径之和为0,而如果假如给定值刚好为0的话就会有问题。

class Solution {
public:
    int pathSum(TreeNode* root, int sum) {
        int res = 0;
        vector<TreeNode*> out;
        helper(root, sum, 0, out, res);
        return res;
    }
    void helper(TreeNode* node, int sum, int curSum, vector<TreeNode*>& out, int& res) {
        if (!node) return;
        curSum += node->val;
        out.push_back(node);
        if (curSum == sum) ++res;
        int t = curSum;
        for (int i = 0; i < out.size() - 1; ++i) {
            t -= out[i]->val;
            if (t == sum) ++res;
        }
        helper(node->left, sum, curSum, out, res);
        helper(node->right, sum, curSum, out, res);
        out.pop_back();
    }
};

我们还可以对上面的方法进行一些优化,来去掉一些不必要的计算。

我们可以用哈希表来建立所有的前缀路径之和跟其个数之间的映射

vector<TreeNode*>& out, int& res  ==> unordered_map<int, int>& m

然后看子路径之和有没有等于给定值的。

key的意义是 cur - sum,当 cur - sum == 0时,对应的结果是1个, 即开始就设置 m[0]=1;

记忆搜索,主要思想:记录深度搜索时——从根节点往下的累积和(记为当前和cur),并每次将cur出现次数+1。

  • (stl map key如果不存在会自动初始化为0)。

下次使用m[cur-sum]如果为一个非0值,则说明从当前节点往上追溯(不一定追溯到根节点)可能存在一个多个符合的路径。

  • (比如,假设目标和为8,假设当前节点为x,假设有路径4->4和4->4->1->-1->x则都符合)。

 [LeetCode] Path Sum III 二叉树的路径和之三

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {
public:
    int pathSum(TreeNode* root, int sum) {
          unordered_map<int, int> m;//memory
          m[0] = 1;//cur - sum = 0, return 1。key的意义是 cur - sum,当 cur - sum == 0时,对应的结果是1个
          return dfs(root, sum, 0, m);
    }
    
    int dfs(TreeNode* node, int sum, int cur, unordered_map<int, int>& m) {
    if (!node) {
        return 0;
    }
    cur += node->val;
    int ans = m[cur - sum];
    ++m[cur];
    ans += dfs(node->left, sum, cur, m) + dfs(node->right, sum, cur, m);
    --m[cur];
    return ans;
}
};

 

 


问题

1.

关联容器:unordered_map详细介绍(附可运行代码)

2.std::unordered_map <unordered_map>

template < class Key,                                    // unordered_map::key_type
           class T,                                      // unordered_map::mapped_type
           class Hash = hash<Key>,                       // unordered_map::hasher
           class Pred = equal_to<Key>,                   // unordered_map::key_equal
           class Alloc = allocator< pair<const Key,T> >  // unordered_map::allocator_type
           > class unordered_map;

Unordered maps are associative containers that store elements formed by the combination of a key value and a mapped value, and which allows for fast retrieval of individual elements based on their keys.

In an unordered_map, the key value is generally used to uniquely identify the element, while the mapped value is an object with the content associated to this key. Types of key and mapped value may differ.

Internally, the elements in the unordered_map are not sorted in any particular order with respect to either their key or mapped values, but organized into buckets depending on their hash values to allow for fast access to individual elements directly by their key values (with a constant average time complexity on average).

unordered_map containers are faster than map containers to access individual elements by their key, although they are generally less efficient for range iteration through a subset of their elements.

Unordered maps implement the direct access operator (operator[]) which allows for direct access of the mapped value using its key value as argument.

Iterators in the container are at least forward iterators.


Container properties

Associative

Elements in associative containers are referenced by their key and not by their absolute position in the container.

Unordered

Unordered containers organize their elements using hash tables that allow for fast access to elements by their key.

Map

Each element associates a key to a mapped value: Keys are meant to identify the elements whose main content is the mapped value.

Unique keys

No two elements in the container can have equivalent keys.

Allocator-aware

The container uses an allocator object to dynamically handle its storage needs.


Template parameters

 

Key

Type of the key values. Each element in an unordered_map is uniquely identified by its key value.
Aliased as member type unordered_map::key_type.

T

Type of the mapped value. Each element in an unordered_map is used to store some data as its mapped value.
Aliased as member type unordered_map::mapped_type. Note that this is not the same as unordered_map::value_type(see below).

Hash

A unary function object type that takes an object of type key type as argument and returns a unique value of type size_t based on it. This can either be a class implementing a function call operator or a pointer to a function (see constructor for an example). This defaults to hash<Key>, which returns a hash value with a probability of collision approaching 1.0/std::numeric_limits<size_t>::max().
The unordered_map object uses the hash values returned by this function to organize its elements internally, speeding up the process of locating individual elements.
Aliased as member type unordered_map::hasher.

Pred

A binary predicate that takes two arguments of the key type and returns a bool. The expression pred(a,b), where pred is an object of this type and a and b are key values, shall return true if a is to be considered equivalent to b. This can either be a class implementing a function call operator or a pointer to a function (see constructor for an example). This defaults to equal_to<Key>, which returns the same as applying the equal-to operator (a==b).
The unordered_map object uses this expression to determine whether two element keys are equivalent. No two elements in an unordered_map container can have keys that yield true using this predicate.
Aliased as member type unordered_map::key_equal.

Alloc

Type of the allocator object used to define the storage allocation model. By default, the allocator class template is used, which defines the simplest memory allocation model and is value-independent.
Aliased as member type unordered_map::allocator_type.


In the reference for the unordered_map member functions, these same names (KeyTHashPred and Alloc) are assumed for the template parameters.

Iterators to elements of unordered_map containers access to both the key and the mapped value. For this, the class defines what is called its value_type, which is a pair class with its first value corresponding to the const version of the key type (template parameter Key) and its second value corresponding to the mapped value (template parameter T): 

typedef pair<const Key, T> value_type;


Iterators of a unordered_map container point to elements of this value_type. Thus, for an iterator called it that points to an element of a map, its key and mapped value can be accessed respectively with: 

unordered_map<Key,T>::iterator it; 
(*it).first; // the key value (of type Key) 
(*it).second; // the mapped value (of type T) 
(*it); // the "element value" (of type pair<const Key,T>)

Naturally, any other direct access operator, such as -> or [] can be used, for example: 

it->first; // same as (*it).first (the key value) 
it->second; // same as (*it).second (the mapped value)

3.function template  <string>  std::stoi

template<class ForwardIterator, class T>
void iota(ForwardIterator first, ForwardIterator last, T value)
{
    while(first != last) {
        *first++ = value;
        ++value;
    }
}

 

#include <algorithm>
#include <iostream>
#include <list>
#include <numeric>
#include <random>
#include <vector>
 
int main()
{
    std::list<int> l(10);
    std::iota(l.begin(), l.end(), -4);
 
    std::vector<std::list<int>::iterator> v(l.size());
    std::iota(v.begin(), v.end(), l.begin());
 
    std::shuffle(v.begin(), v.end(), std::mt19937{std::random_device{}()});
 
    std::cout << "Contents of the list: ";
    for(auto n: l) std::cout << n << ' ';
    std::cout << '\n';
 
    std::cout << "Contents of the list, shuffled: ";
    for(auto i: v) std::cout << *i << ' ';
    std::cout << '\n';
}
可能的输出
Contents of the list: -4 -3 -2 -1 0 1 2 3 4 5
Contents of the list, shuffled: 0 -1 3 4 -4 1 -2 -3 2 5

 

4.class <sstream> std::stringstream

5.function template <algorithm> std::find_if

template<class InputIterator, class UnaryPredicate>
  InputIterator find_if (InputIterator first, InputIterator last, UnaryPredicate pred)
{
  while (first!=last) {
    if (pred(*first)) return first;
    ++first;
  }
  return last;
}

 

// find_if example
#include <iostream>     // std::cout
#include <algorithm>    // std::find_if
#include <vector>       // std::vector

bool IsOdd (int i) {
  return ((i%2)==1);
}

int main () {
  std::vector<int> myvector;

  myvector.push_back(10);
  myvector.push_back(25);
  myvector.push_back(40);
  myvector.push_back(55);

  std::vector<int>::iterator it = std::find_if (myvector.begin(), myvector.end(), IsOdd);
  std::cout << "The first odd value is " << *it << '\n';

  return 0;
}
The first odd value is 25

6.std::basic_string::substr

basic_string substr( size_type pos = 0,
                     size_type count = npos ) const;

 

 

7.C++ 具名要求: Predicate

谓词 (Predicate) 要求描述可调用 (Callable) 对象返回可作为 bool 测试的值。

谓词 (Predicate) 常用于接收输入数据(单独的对象/容器)和谓词的算法,然后在进一步行动时得到调用。 C++ 标准库中的一些谓词使用示例是:

  • std::all_of 、 std::any_of 、 std::none_of 接收元素范围和谓词为输入。在每个单独的输入元素上调用谓词,并且若谓词分别对全部/任一/无元素返回 true 则返回 true 。
  • std::find_if 接受元素序列和谓词。返回序列中的首个谓词对其返回的 true 的元素。

上面给出的算法设施描述是简陋的,并且有意地简要解释谓词 (Predicate) 。对于详细信息可查阅单独的页面。

换言之,若算法接收谓词 (Predicate) pred 迭代器 first ,则它应该能经由类似 if(pred(*first)) {...} 的构造,测试迭代器 first 所指向的类型。

函数对象 pred 不应当通过解引用的迭代器应用任何非 const 函数。

此函数对象可以是指向函数的指针拥有适合的函数调用运算符的类型的对象

 

8.如何调用另一个cpp文件中的子函数

 在A中声明一个c函数头就行,链接程序会自动找到B.obj中的c函数的

A.cpp 
int c();声明
main()
{
}
 
B.cpp
int c()定义
{
}

 

   

 

posted @ 2019-02-13 23:51  lightmare  阅读(94)  评论(0编辑  收藏  举报