If you are reading doubles from a stream (file) we can simplify this:
double  value;
while(file >> value) {
    myvector.push_back(value);
}
The operator>> will read from a stream into the type you want and do the conversion automatically (if the conversions exists).
You could use a stringstream as an intermediate if each line had more information on it. Like a word an integer and a double.
std::string line;
while(std::getline(file, line)) {
    std::stringstream lineStream(line);
    std::string word;
    int         integer;
    double      real;
    lineStream >> word >> integer >> real;
}
But this is overkill if you just have a single number on each line.
Now lets look at a csv file.
This is a line based file but each value is seporated by ,. So here you would read a line then loop over that line and read the value followed by the comma.
std::string line;
while(std::getline(file, line)) {
    std::stringstream lineStream(line);
    double value;
    char   comma;
    while(lineStream >> value) {
        // You successfully read a value
        if (!(lineStream >> comma && comma == ',')) {
            break; //  No comma so this line is finished break out of the loop.
        }
    }
}
Don't put a test for good() in the while condition.
Why is iostream::eof inside a loop condition considered wrong?
Also worth a read:
How can I read and parse CSV files in C++?