c ++检查数组的特定值范围?

时间:2012-03-26 08:58:02

标签: c++ arrays loops

我想检查一个特定值范围的数组。 即,值的范围是0-> 0。 9,实际数组大50个元素。

我还想跟踪每个值中有多少。 也就是说,如果有3个零,8个零和5个2,那么我的最终向量应该看起来像3 8 5。

我能够用下面的代码解决它但是我意识到我的范围值需要等于我的数组大小,否则它不会检查所有元素。

有更好的方法吗?

int main() {

int intensityRange = 10;
int cloudSize = 10;

int cloud [] = {0, 3, 3, 2, 1, 5, 2, 3, 5, 2};
vector <int> totalGreyValues;
int k = 0;

for (int i = 0; i < intensityRange; i++) {
   for (int j = 0; j < cloudSize; j++) {
      if (cloud[j] == i) {
         k = k + 1;
         cout << "   " << k;
      }
      else
        cout << "  no match  ";
   }
   totalGreyValues.push_back (k);
   k = 0;
}

cout << endl << endl << totalGreyValues.size();

for (int h = 0; h < totalGreyValues.size(); h ++)
   cout << "   " << totalGreyValues[h];

// values --> 0 1 2 3 4 5 6 7 8 9
// answer --> 1 1 3 3 0 2 0 0 0 0 

return 0;
}

4 个答案:

答案 0 :(得分:4)

使用std::map

要容易得多
int size = 50;
int data[size] = { 1, 2, 3, 4, 5, ... };

std::map<int, int> mymap;

for(int i = 0; i < size; i++)
{
   if(data[i] >= min && data[i] <= max)
      mymap[data[i]] = mymap[data[i]] + 1;
}

这样可以节省一些空间,因为您不保存未使用的值,并且循环计数也小得多,因为每个值只处理一次。

答案 1 :(得分:0)

如果你的范围是连续的,我宁愿选择boost::vector_property_map

#include <boost/property_map/vector_property_map.hpp>
#include <iostream>

int main()
{
  boost::vector_property_map<unsigned int> m(10); // size of expected range

  std::vector<int> cloud = {0, 3, 3, 2, 1, 5, 2, 3, 5, 2};
  for(auto x : cloud) { m[x]++; }
  for(auto it = m.storage_begin(); it != m.storage_end(); ++it) { 
    std::cout << *it << " ";
  }
  std::cout << std::endl;

  return 0;
}

如果您的范围未从0开始,则可以使用IndexMap模板 重新制作指数的论据。如果您映射非映射也可以 连续的一组值,你想要计算为连续的 范围。如果您只想计算,可能需要执行检查 特定值,但考虑到计数操作的昂贵, 我宁愿把它们都算在内,而不是检查要算什么。

答案 2 :(得分:0)

使用std::mapstd::accumulate功能:

#include <map>
#include <algorithm>

typedef std::map<int, int> Histogram;

Histogram& addIfInRange(Histogram& histogram, const int value)
{
    if(inRange(value))
    {
        ++histogram[value];
    }
    // else don't add it

    return histogram;
}

Histogram histogram =
    std::accumulate(data, data + size, Histogram(), addIfInRange);

答案 3 :(得分:0)

如果你有足够大的空白区域,你可以尝试一个多重集,以及一些C ++的新设施:

#include <set>
#include <iostream>

int main () {
    int vals[] = { 0, 1, 2, 3, 4, 5, 5, 5, 6 };

    std::multiset <int> hist;
    for (auto const &v : vals)
        if (v >= 3 && v <= 5) hist.insert (v);

    for (auto const &v : hist)
        std::cout << v << " -> " << hist.count (v) << '\n';
}

如果您的数据人口稠密,std::vector可能会产生优势:

#include <algorithm>
#include <iostream>

int main () {
    using std::begin; using std::end;

    int vals[] = { 1, 2, 4, 5, 5, 5, 6 };

    const auto val_mm  = std::minmax_element (begin(vals), end(vals));
    const int  val_min = *val_mm.first,
               val_max = *val_mm.second + 1;

    std::vector<int> hist (val_max - val_min);

    for (auto v : vals)
        ++hist [v - val_min];

    for (auto v : vals)
        std::cout << v << " -> " << hist[v-val_min] << '\n';
}