我在介紹性的C++類中,我們的任務是編寫一個讀取.ppm圖片文件的程序,將其複製,然後將其寫入輸出文件。如何訪問矢量類型的向量中的值
爲此,我的PpmPicture類有一個向量向量,其中每個索引都包含一個帶有紅色,綠色和藍色整數的像素。
我的問題是與我的輸出功能,我試圖將這些整數輸出到文件。我如何去單獨訪問它們?這裏是我的代碼,你可以看到我在writePpmFile函數底部輸出這些值的位置。我知道picture.red [0] [0]沒有任何意義,我只是試圖強制一個解決方案,而這恰好是我嘗試的最後一件事。
#include <iostream>
#include <vector>
#include <fstream>
#include <sstream>
using namespace std;
struct Pixel {
Pixel();
Pixel(int redValue, int greenValue, int blueValue);
int red;
int green;
int blue;
};
Pixel::Pixel() {
red = 0;
green = 0;
blue = 0;
}
Pixel::Pixel(int redValue, int greenValue, int blueValue) {
red = redValue;
green = greenValue;
blue = blueValue;
}
class PpmPicture {
public:
PpmPicture();
bool readPpmFile(string inputFile);
int writePpmFile(string outputFile);
private:
vector<vector<Pixel> > picture;
int rows;
int columns;
int intensity;
};
PpmPicture::PpmPicture() {
rows = 0;
columns = 0;
}
int main(int argc, char *argv[]) {
PpmPicture myPic;
if(argc != 3) {
cout << "usage: inputfile outputfile";
return 0;
}
myPic.readPpmFile(argv[1]);
myPic.writePpmFile(argv[2]);
}
bool PpmPicture::readPpmFile(string inputFile) {
Pixel pix;
vector<Pixel> tempArray;
fstream fin;
string fileType;
int i, j;
fin.open(inputFile.c_str());
//Check if file opened
if(fin.fail()) {
return false;
}
while(!fin.eof()) {
//Input first four values into appropriate variables
fin >> fileType >> columns >> rows >> intensity;
//Fill tempArray with pixel values
while(fin >> pix.red >> pix.green >> pix.blue) {
tempArray.push_back(pix);
}
}
//Read file until you reach the number of rows specified by the file
for(j = 0; j < rows; j++) {
//Input pixel values into each index in the row array
//Enter new row when one row's width is achieved
for(i = 0; i < columns; i++) {
picture[j].push_back(tempArray[i]);
}
}
return true;
}
int PpmPicture::writePpmFile(string outputFile) {
ofstream fout;
int i, j, temp;
fout.open(outputFile.c_str());
if(fout.fail()) {
return -2;
}
if(columns < 0 || rows < 0) {
return -1;
}
fout << "P3" << endl;
fout << columns << rows << endl;
fout << intensity << endl;
fout << picture.red[0][0];
fout << picture.green[0][0];
fout << picture.blue[0][0];
/*for(j = 0; j < rows; j++) {
for(i = 0; i < columns; i++) {
fout << picture[j][i] << " ";
}
}*/
return 0;
}
我要補充,就像我說的,這是一個入門級,所以我們沒有去了大量的快捷鍵/功能不同。因此,如果可能的話保持它有點簡單(即使效率不高)將是首選:)
想想研究所作爲一個PpmPicture實例: inst.picture.at(i).at(k) –
'picture [j] [i]'給你位置[i] [j]的'pixel'。你將如何獲得常規像素實例的r,g,b值? – NathanOliver
當然,它返回一個Pixel實例,也許你應該實現一個方法來檢索RGB值爲@NathanOliver建議 –