views:

90

answers:

3

Hi,

I'd like to output some data to a file. For example assume I have two vectors of doubles:

vector<double> data1(10);
vector<double> data2(10); 

is there an easy way to output this to a file so that the first row contains the headings 'data1' and 'data2' followed by the actual contents. The function which outputs the data will be passed various different arrays so hardcoding the name of the heading is not possible - ideally I'd like to convert the variable name to some string and then output that string followed by the contents of the vector array. However, I'm not sure how to convert the variable name 'data1' to a string, or indeed if it can easily be done (from reading the forums my guess is it can't) If this is not possible an alternative might be to use an associative container such as map or perhaps more simply a 'pair' container.

pair<vector<double>,string> data1(10,'data1');  

Any suggestions would be welcome!

+1  A: 

You can use the preprocessor, there's a stringify token, but it's only available from the source, not to a function (you'd get the argument name).

DeadMG
+1  A: 

I'd have thought the obvious answer is to make the function that performs the output take the heading text as a string parameter.

anon
Ideally I'd like to be able to call the function that does the output without a string parameter containing the names of the varialbes.
Wawel100
@Wawel100: Impossible.
DeadMG
+3  A: 

You can use the preprocessor "stringify" # to do what you want:

#include <stdio.h>

#define PRINTER(name) printer(#name, (name))

void printer(char *name, int value) {
    printf("name: %s\tvalue: %d\n", name, value);
}

int main (int argc, char* argv[]) {
    int foo = 0;
    int bar = 1;

    PRINTER(foo);
    PRINTER(bar);

    return 0;
}


name: foo   value: 0
name: bar   value: 1

(Sorry for printf, I never got the hang of <iostream>. But this should be enough.)

sarnold
this might help -> http://gcc.gnu.org/onlinedocs/cpp/Stringification.html
Kedar