#c #string #concatenation
#c #строка #конкатенация
Вопрос:
Я хочу объединить имя файла, включая путь и имена файлов. Тогда я смогу открыть и записать его. Но мне не удалось этого сделать.
char * pPath;
pPath = getenv ("MyAPP");
if (pPath!=NULL)
//printf ("The current path is: %s",pPath); // pPath = D:/temp
string str = "test.txt";
char *buf = new char[strlen(str)];
strcpy(buf,str);
fullName = ?? // how can I get D:/temp/test.txt
ofstream outfile;
outfile.open(fullName);
outfile << "hello world" << std::endl;
outfile.close();
Комментарии:
1. Для чего, черт возьми, вы используете
char
буфер иstrcpy
?!
Ответ №1:
string str = "test.txt";
char *buf = new char[strlen(str)];
strcpy(buf,str);
Скорее должно быть
string str = "test.txt";
char *buf = new char[str.size() 1];
strcpy(buf,str.c_str());
Но, в конце концов, вам даже это не нужно. A std::string
поддерживает конкатенацию с помощью operator =
и построение из a char*
и предоставляет c_str
функцию, которая возвращает строку в стиле c:
string str(pPath); // construction from char*
str = "test.txt"; // concatenation with =
ofstream outfile;
outfile.open(str.c_str());
Комментарии:
1. На самом деле это должно быть
new char[str.size() 1]
— не забудьте нулевой байт в конце.2. @Ernest: Я не понимаю, что ты имеешь в виду … 😉
Ответ №2:
#include <iostream>
#include <string>
#include <cstdlib>
#include <fstream>
using namespace std;
int main() {
char* const my_app = getenv("MyAPP");
if (!my_app) {
cerr << "Error message" << endl;
return EXIT_FAILURE;
}
string path(my_app);
path = "/test.txt";
ofstream out(path.c_str());
if (!out) {
cerr << "Error message" << endl;
return EXIT_FAILURE;
}
out << "hello world";
}
Ответ №3:
char * pPath;
pPath = getenv ("MyAPP");
string spPath;
if (pPath == NULL)
spPath = "/tmp";
else
spPath = pPath;
string str = "test.txt";
string fullName = spPath "/" str;
cout << fullName << endl;
ofstream outfile;
outfile.open(fullName.c_str());
outfile << "hello world" << std::endl;
outfile.close();
Ответ №4:
string fullName = string(pPath) "/" ...
string fullName(pPath);
fullName = "/";
fullName = ...;