I have this program, I wanted to send the data of multiple files into a single file using a loop, but this doesn't seem to work properly.
void MainWindow::on_pushButton_clicked()
{
FILE *fp1,*fp2;
char ch;
QString str="test"+i+".txt";
QString qString1 =str.toUtf8();
QByteArray byteArray = qString1.toUtf8();
const char* fname1 = byteArray.constData();
if(QFile::exists("test0.txt"))
fp1=fopen(fname1,"r");
fp2=fopen("CheckoutReport.txt","a");
do
{
ch=fgetc(fp1);
fputc(ch,fp2);
}
while(ch!=EOF);
fcloseall();
}
There's several problems:
You've got both C++ and Qt, use
QFile
, don't use naked C files!qString1
is a poor-man's copy ofstr
, so what's the point of that?Copying files character-by-character performs rather poorly.
You do not want to block your GUI while doing file operations, in general. They should be done in a separate thread.
Below is one example of how it could be done. I've strived to fully leverage what Qt has to offer, while keeping it QWidget-based. This is a self-contained, single-file example, simply add it as the lone file to a qt guy project in Qt Creator, then build and run. Remember that this code will open files in its current working directory!
The cost of using another thread in terms of code complexity is literally 6 lines. If you don't care for using a separate file-access thread and are OK with your UI being blocked by potentially slow files on the network etc., then the following 6 lines can be removed without any other changes in the code. That's the beauty of Qt.
Without the thread in place, you could also replace
QMetaObject::invokeMethod(w, "joinFiles");
with a simplerw->joinFiles()
. The reason for usinginvokeMethod
instead of a direct call is to invoke the slot in the thread where the object is running.invokeMethod
will, behind the scenes, post aQMetaCallEvent
to the worker object. This event will be picked up by the event loop running in the thread, and will result in a call to worker'sjoinFiles
slot, executed within the correct thread -worker->thread()
.Note that I'm not deriving from
QThread
, and that only one thread is used for all file operations. This is perfectly adequate if your starting point is to have all file accesses done in the GUI thread. That way there are two threads: one that only does GUI, and another that only does serialized file accesses.