2

我有一个巨大的vector<vector<bool>>(512x 44,000,000 位)。我需要 4-5 个小时来计算创建它,显然我想保存结果以免我再次重复这个过程。当我再次运行程序时,我要做的就是加载相同的向量(没有其他应用程序会使用这个文件)。

我相信文本文件对于这么大的大小是不可能的。有没有一种简单(快速而肮脏)的方法来做到这一点?我不使用 Boost,这只是我的科学应用程序的一小部分,所以它必须是快速的。我还想过将其在线反转并将其存储在 Postgres DB 中(44000000 条记录,512 位数据),以便 DB 可以轻松处理它。我见过这样的答案需要 8bits > 1byte 然后保存,但是由于我有限的新手 C++ 经验,它们听起来太复杂了。有任何想法吗?

4

3 回答 3

3

您可以8 位保存到单个字节中:

unsigned char saver(bool bits[])
{
   unsigned char output=0;
   for(int i=0;i<8;i++)
   {

           output=output|(bits[i]<<i); //probably faster than if(){output|=(1<<i);}
           //example: for the starting array 00000000
           //first iteration sets:           00000001 only if bits[0] is true
           //second sets:                    0000001x only if bits[1] is true
           //third sets:                     000001xx only third is true
           //fifth:                          00000xxx if fifth is false
           // x is the value before

   }
   return output;
}

您可以从单个字节加载8 位:

void loader(unsigned char var, bool * bits)
{

   for(int i=0;i<8;i++)
   {

       bits[i] = var & (1 << i);
       // for example you loaded var as "200" which is 11001000 in binary
       // 11001000 --> zeroth iteration gets false
       // first gets false
       // second false
       // third gets true 
       //...
   }

}

1<<0 is 1  -----> 00000001
1<<1 is 2  -----> 00000010
1<<2 is 4  -----> 00000100
1<<3 is 8  -----> 00001000
1<<4 is 16  ----> 00010000
1<<5 is 32  ----> 00100000
1<<6 is 64  ----> 01000000
1<<7 is 128  ---> 10000000

编辑:使用 gpgpu,在 cpu 上花费 4-5 小时的令人尴尬的并行算法可以在 gpu 上缩短到 0.04 - 0.05 小时(或者甚至不到一分钟,使用多个 gpu)例如,上面的“保存器/加载器”功能令人尴尬平行。

于 2013-07-13T15:32:46.677 回答
2

我见过这样的答案需要 8bits > 1byte 然后保存,但是由于我有限的新手 C++ 经验,它们听起来太复杂了。有任何想法吗?

如果您要经常阅读该文件,这将是学习按位运算的好时机。每个布尔使用一位将是大小的 1/8。这将节省大量内存和 I/O。

因此,将其保存为每个布尔值一位,然后将其分成块和/或使用映射内存(例如mmap)读取它。你可以把它放在一个可用的接口后面,所以你只需要实现它一次,并在需要读取值时抽象序列化格式。

于 2013-07-13T15:26:14.103 回答
1

如前所述,这里 vec 是 bool 向量的向量,我们将所有位打包在子向量 8 x 8 中,以字节为单位,并将这些 a 字节推入向量中。

 std::vector<unsigned char> buf;
 int cmp = 0;
 unsigned char output=0;
   FILE* of = fopen("out.bin")
  for_each ( auto& subvec in vec)
  {
       for_each ( auto b in subvec)
       {
            output=output | ((b ? 1 : 0) << cmp);
             cmp++;
            if(cmp==8)
             {
                 buf.push_back(output);
                 cmp = 0;
                 output = 0;
              }
          }
            fwrite(&buf[0], 1, buf.size(), of);
            buf.clear();
       }

         fclose(of);
于 2013-07-13T15:50:57.080 回答