2

私は現在HDF5 API を学習しており、C++ std::string のセットを HDF5 データセット (1 列) に挿入しようとしています。

vector<string>次のスニペットで、 a をループして各文字列を正しい index に挿入するにはどうすればよいですか?

固定長の文字列を使用するか、任意の長さの std::string を使用するかを HDF5 にどのように伝える必要がありますか?

vector<string> samples;
(...)
/* create HDF5 file */
hid_t       hdf5file= H5Fcreate(hdf5_filename, H5F_ACC_TRUNC, H5P_DEFAULT, H5P_DEFAULT);
if(hdf5file==-1)
    {
    cerr << "Cannot create HDF5 file "<< hdf5_filename << endl;
    return(EXIT_FAILURE);
    }
/* create a group in this file */
hid_t    group = H5Gcreate2(hdf5file, "/MyGroup", H5P_DEFAULT, H5P_DEFAULT, H5P_DEFAULT);
if(group==-1)
    {
    cerr << "Cannot create HDF5 group  "<< endl;
    return(EXIT_FAILURE);
    }
/* create a dataspace for the samples array of one dimension */
hsize_t dim1=samples.size();
hid_t dataspace = H5Screate_simple(1, &dim1, NULL);
if(dataspace==-1)
    {
    cerr << "Cannot create HDF5 dataspace  "<< endl;
    return(EXIT_FAILURE);
    }
/* create datatype for a string . How shoud I tell if i want a fixed-length string or a can-have-any-length string ?*/
hid_t datatype = H5Tcopy(H5T_C_S1);
if(datatype==-1)
    {
    cerr << "Cannot create H5Tset_size  "<< endl;
    return(EXIT_FAILURE);
    }
int ret = H5Tset_size (datatype, H5T_VARIABLE);
if(ret!=0)
    {
    cerr << "Cannot create H5Tset_size  "<< endl;
    return(EXIT_FAILURE);
    }
hid_t dataset = H5Dcreate2(group, "Samples", datatype, dataspace,
        H5P_DEFAULT, H5P_DEFAULT, H5P_DEFAULT);

for(vector<string>::size_type i=0;i< samples.size();++i)
    {
    /** here I'm puzzled, how should I insert the value of samples[i].c_str() at
            the i-th index of the dataset ? */
    const char* sampleName= samples[i].c_str() ;
    ????
        ????
    ????
    }

/* close data set */
H5Dclose(dataset);
/* close datatype */
H5Tclose(datatype);
/* close the dataspace */
H5Sclose(dataspace);


/* close the group */
 H5Gclose(group);

/* close hdf5 file */
H5Fclose(hdf5file);
4

1 に答える 1

2

char*最初に、文字列へのポインタを持つC スタイルの配列を作成します。

const size_t n = samples.size();
char* data[n];
for (size_t i = 0; i < n; i++)
{
    data[i] = samples[i].c_str();
}

次に、すべてを一度に記述します。

H5Dwrite(dataset, datatype, dataspace, H5S_ALL, H5P_DEFAULT, data);
于 2011-07-14T02:58:14.693 に答える