在 C++ 中创建矩阵的正确方法

声明:本页面是StackOverFlow热门问题的中英对照翻译,遵循CC BY-SA 4.0协议,如果您需要使用它,必须同样遵循CC BY-SA许可,注明原文地址和作者信息,同时你必须将它归于原作者(不是我):StackOverFlow 原文地址: http://stackoverflow.com/questions/618511/
Warning: these are provided under cc-by-sa 4.0 license. You are free to use/share it, But you must attribute it to the original authors (not me): StackOverFlow

提示:将鼠标放在中文语句上可以显示对应的英文。显示中英文
时间:2020-08-27 16:17:23  来源:igfitidea点击:

A proper way to create a matrix in c++

c++data-structuresstlgraphmatrix

提问by Lucas

I want to create an adjacency matrix for a graph. Since I read it is not safe to use arrays of the form matrix[x][y]because they don't check for range, I decided to use the vector template class of the stl. All I need to store in the matrix are boolean values. So my question is, if using std::vector<std::vector<bool>* >*produces too much overhead or if there is a more simple way for a matrix and how I can properly initialize it.

我想为图形创建一个邻接矩阵。因为我读到使用表单的数组是不安全的,matrix[x][y]因为它们不检查范围,所以我决定使用 stl 的向量模板类。我需要在矩阵中存储的只是布尔值。所以我的问题是,如果使用std::vector<std::vector<bool>* >*会产生过多的开销,或者是否有更简单的矩阵方法以及如何正确初始化它。

EDIT: Thanks a lot for the quick answers. I just realized, that of course I don't need any pointers. The size of the matrix will be initialized right in the beginning and won't change until the end of the program. It is for a school project, so it would be good if I write "nice" code, although technically performance isn't too important. Using the STL is fine. Using something like boost, is probably not appreciated.

编辑:非常感谢您的快速回答。我刚刚意识到,当然我不需要任何指针。矩阵的大小将在开始时被初始化,直到程序结束才会改变。这是一个学校项目,所以如果我编写“漂亮”的代码会很好,尽管技术性能不是太重要。使用 STL 很好。使用像 boost 这样的东西,可能不受欢迎。

回答by Diego Sevilla

Note that also you can use boost.ublasfor matrix creation and manipulation and also boost.graphto represent and manipulate graphs in a number of ways, as well as using algorithms on them, etc.

请注意,您还可以使用boost.ublas进行矩阵创建和操作,还可以使用boost.graph多种方式表示和操作图形,以及对它们使用算法等。

Edit: Anyway, doing a range-check version of a vector for your purposes is not a hard thing:

编辑:无论如何,为您的目的做一个向量的范围检查版本并不是一件难事:

template <typename T>
class BoundsMatrix
{
        std::vector<T> inner_;
        unsigned int dimx_, dimy_;

public:
        BoundsMatrix (unsigned int dimx, unsigned int dimy)
                : dimx_ (dimx), dimy_ (dimy)
        {
                inner_.resize (dimx_*dimy_);
        }

        T& operator()(unsigned int x, unsigned int y)
        {
                if (x >= dimx_ || y>= dimy_)
                        throw std::out_of_range("matrix indices out of range"); // ouch
                return inner_[dimx_*y + x];
        }
};

Note that you would also need to add the const version of the operators, and/or iterators, and the strange use of exceptions, but you get the idea.

请注意,您还需要添加运算符和/或迭代器的 const 版本,以及异常的奇怪用法,但您明白了。

回答by Martin York

The standard vector does NOT do range checking by default.

默认情况下,标准向量不进行范围检查。

i.e. The operator[] does not do a range check.

即 operator[] 不做范围检查。

The method at() is similar to [] but does do a range check.
It will throw an exception on out of range.

at() 方法与 [] 类似,但会进行范围检查。
它会在超出范围时抛出异常。

std::vector::at()
std::vector::operator[]()

std::vector::at()
std::vector::operator[]()

Other notes: Why a vector<Pointers> ?
You can quite easily have a vector<Object>. Now there is no need to worry about memory management (i.e. leaks).

其他说明:为什么是 vector<Pointers> ?
你可以很容易地拥有一个 vector<Object>。现在无需担心内存管理(即泄漏)。

std::vector<std::vector<bool> >   m;

Note: vector<bool> is overloaded and not very efficient (i.e. this structure was optimized for size not speed) (It is something that is now recognized as probably a mistake by the standards committee).

注意:vector<bool> 过载且效率不高(即此结构针对大小而不是速度进行了优化)(现在标准委员会认为这可能是一个错误)。

If you know the size of the matrix at compile time you could use std::bitset?

如果您在编译时知道矩阵的大小,您可以使用 std::bitset 吗?

std::vector<std::bitset<5> >    m;

or if it is runtime defined use boost::dynamic_bitset

或者如果它是运行时定义的,请使用 boost::dynamic_bitset

std::vector<boost::dynamic_bitset>  m;

All of the above will allow you to do:

以上所有内容都将允许您执行以下操作:

m[6][3] = true;

回答by Jimmy J

Best way:

最好的办法:

Make your own matrix class, that way you control every last aspect of it, including range checking.

创建你自己的矩阵类,这样你就可以控制它的最后一个方面,包括范围检查。

eg. If you like the "[x][y]" notation, do this:

例如。如果您喜欢“[x][y]”符号,请执行以下操作:

class my_matrix {
  std::vector<std::vector<bool> >m;
public:
  my_matrix(unsigned int x, unsigned int y) {
    m.resize(x, std::vector<bool>(y,false));
  }
  class matrix_row {
    std::vector<bool>& row;
  public:
    matrix_row(std::vector<bool>& r) : row(r) {
    }
    bool& operator[](unsigned int y) {
      return row.at(y);
    }
  };
  matrix_row& operator[](unsigned int x) {
    return matrix_row(m.at(x));
  }
};
// Example usage
my_matrix mm(100,100);
mm[10][10] = true;

nb. If you program like this then C++ is just as safe as all those other "safe" languages.

备注 如果您这样编程,那么 C++ 与所有其他“安全”语言一样安全。

回答by timday

If you want 'C' array performance, but with added safety and STL-like semantics (iterators, begin()& end()etc), use boost::array.

如果你想“C”阵列的性能,但增加了安全性和STL类语义(迭代器,begin()end()等)使用boost::array

Basically it's a templated wrapper for 'C'-arrays with some NDEBUG-disable-able range checking asserts (and also some std::range_errorexception-throwing accessors).

基本上它是'C'数组的模板包装器,带有一些NDEBUG-disable-able范围检查断言(以及一些std::range_error异常抛出访问器)。

I use stuff like

我使用类似的东西

boost::array<boost::array<float,4>,4> m;

instead of

代替

float m[4][4];

all the time and it works great (with appropriate typedefs to keep the verbosity down, anyway).

一直都很好,而且效果很好(无论如何,使用适当的 typedef 来降低冗长)。



UPDATE:Following some discussion in the comments here of the relative performance of boost::arrayvs boost::multi_array, I'd point out that this code, compiled with g++ -O3 -DNDEBUGon Debian/Lenny amd64 on a Q9450 with 1333MHz DDR3 RAM takes 3.3s for boost::multi_arrayvs 0.6s for boost::array.

更新:在此处的评论中boost::array对 vs的相对性能进行了一些讨论后boost::multi_array,我要指出的是,这段代码g++ -O3 -DNDEBUG在 Debian/Lenny amd64 上编译,使用 1333MHz DDR3 RAM 的 Q9450 需要 3.3sboost::multi_array与 0.6s for boost::array.

#include <iostream>
#include <time.h>
#include "boost/array.hpp"
#include "boost/multi_array.hpp"

using namespace boost;

enum {N=1024};

typedef multi_array<char,3> M;
typedef array<array<array<char,N>,N>,N> C;

// Forward declare to avoid being optimised away
static void clear(M& m);
static void clear(C& c);

int main(int,char**)
{
  const clock_t t0=clock();

  {
    M m(extents[N][N][N]);
    clear(m);
  }

  const clock_t t1=clock();

  {
    std::auto_ptr<C> c(new C);
    clear(*c);
  }

  const clock_t t2=clock();

  std::cout 
    << "multi_array: " << (t1-t0)/static_cast<float>(CLOCKS_PER_SEC) << "s\n"
    << "array      : " << (t2-t1)/static_cast<float>(CLOCKS_PER_SEC) << "s\n";

  return 0;
}

void clear(M& m)
{
  for (M::index i=0;i<N;i++)
    for (M::index j=0;j<N;j++)
      for (M::index k=0;k<N;k++)
    m[i][j][k]=1;
}


void clear(C& c)
{
  for (int i=0;i<N;i++)
    for (int j=0;j<N;j++)
      for (int k=0;k<N;k++)
    c[i][j][k]=1;
}

回答by Michael Kristofik

In addition to all the answers that have been posted so far, you might do well to check out the C++ FAQ Lite. Questions 13.10 - 13.12and 16.16 - 16.19cover several topics related to rolling your own matrix class. You'll see a couple of different ways to store the data and suggestions on how to best write the subscript operators.

除了迄今为止发布的所有答案之外,您还可以查看C++ FAQ Lite。问题13.10 - 13.1216.16 - 16.19涵盖了与滚动您自己的矩阵类相关的几个主题。您将看到几种不同的数据存储方式以及有关如何最好地编写下标运算符的建议。

Also, if your graph is sufficiently sparse, you may not need a matrix at all. You could use std::multimapto map each vertex to those it connects.

此外,如果您的图形足够稀疏,您可能根本不需要矩阵。您可以使用std::multimap将每个顶点映射到它连接的顶点。

回答by paxdiablo

What I would do is create my own class for dealing with matrices (probably as an array[x*y] because I'm more used to C (and I'd have my own bounds checking), but you could use vectors or any other sub-structure in that class).

我要做的是创建自己的类来处理矩阵(可能作为数组 [x*y],因为我更习惯于 C(并且我有自己的边界检查),但是您可以使用向量或任何该类中的其他子结构)。

Get your stuff functional first then worry about how fast it runs. If you design the class properly, you can pull out your array[x*y] implementation and replace it with vectors or bitmasks or whatever you want without changing the rest of the code.

先让你的东西发挥作用,然后再担心它的运行速度。如果您正确设计了该类,您可以取出您的 array[x*y] 实现并将其替换为向量或位掩码或您想要的任何内容,而无需更改其余代码。

I'm not totally sure, but I thing that's what classes were meant for, the ability to abstract the implementation well out of sight and provide only the interface :-)

我不完全确定,但我认为这就是类的用途,能够将实现抽象化并仅提供接口:-)

回答by OverInflatedWalrus

my favourite way to store a graph is vector<set<int>>; n elements in vector (nodes 0..n-1), >=0 elements in each set (edges). Just do not forget adding a reverse copy of every bi-directional edge.

我最喜欢的存储图形的方式是vector<set<int>>;向量中的 n 个元素(节点 0..n-1),每个集合中 >=0 个元素(边)。只是不要忘记添加每个双向边的反向副本。

回答by Devesh Khandelwal

Probably, not relevant as this is an old question, but you can use the Armadillolibrary, which provides many linear algebra oriented data types and functions.

可能不相关,因为这是一个老问题,但您可以使用Armadillo库,它提供了许多面向线性代数的数据类型和函数。

Below is an example for your specific problem:

以下是针对您的特定问题的示例:

// In C++11
Mat<bool> matrix = {  
    { true, true},
    { false, false},
};

// In C++98
Mat<bool> matrix;
matrix << true << true << endr
       << false << false << endr;

回答by shoosh

Mind you std::vectordoesn't do range checking either.

请注意,您std::vector也不进行范围检查。

回答by siddhadev

Consider also how big is your graph/matrix, does performance matter a lot? Is the graph static, or can it grow over time, e.g. by adding new edges?

还要考虑您的图形/矩阵有多大,性能很重要吗?图是静态的,还是可以随着时间的推移而增长,例如通过添加新边?