OSDN Git Service

Happy new year 2016!
[mutilities/MUtilities.git] / src / Global.cpp
1 ///////////////////////////////////////////////////////////////////////////////
2 // MuldeR's Utilities for Qt
3 // Copyright (C) 2004-2016 LoRd_MuldeR <MuldeR2@GMX.de>
4 //
5 // This library is free software; you can redistribute it and/or
6 // modify it under the terms of the GNU Lesser General Public
7 // License as published by the Free Software Foundation; either
8 // version 2.1 of the License, or (at your option) any later version.
9 //
10 // This library is distributed in the hope that it will be useful,
11 // but WITHOUT ANY WARRANTY; without even the implied warranty of
12 // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
13 // Lesser General Public License for more details.
14 //
15 // You should have received a copy of the GNU Lesser General Public
16 // License along with this library; if not, write to the Free Software
17 // Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA  02110-1301  USA
18 //
19 // http://www.gnu.org/licenses/lgpl-2.1.txt
20 //////////////////////////////////////////////////////////////////////////////////
21
22 #if _MSC_VER
23 #define _CRT_RAND_S 1
24 #endif
25
26 //MUtils
27 #include <MUtils/Global.h>
28 #include <MUtils/OSSupport.h>
29
30 //Internal
31 #include "DirLocker.h"
32 #include "3rd_party/strnatcmp/include/strnatcmp.h"
33
34 //Qt
35 #include <QDir>
36 #include <QReadWriteLock>
37 #include <QProcess>
38 #include <QTextCodec>
39
40 //CRT
41 #include <cstdlib>
42 #include <ctime>
43 #include <process.h>
44
45 //VLD
46 #ifdef _MSC_VER
47 #include <vld.h>
48 #endif
49
50 ///////////////////////////////////////////////////////////////////////////////
51 // Random Support
52 ///////////////////////////////////////////////////////////////////////////////
53
54 //Robert Jenkins' 96 bit Mix Function
55 static unsigned int mix_function(const unsigned int x, const unsigned int y, const unsigned int z)
56 {
57         unsigned int a = x;
58         unsigned int b = y;
59         unsigned int c = z;
60         
61         a=a-b;  a=a-c;  a=a^(c >> 13);
62         b=b-c;  b=b-a;  b=b^(a << 8 ); 
63         c=c-a;  c=c-b;  c=c^(b >> 13);
64         a=a-b;  a=a-c;  a=a^(c >> 12);
65         b=b-c;  b=b-a;  b=b^(a << 16);
66         c=c-a;  c=c-b;  c=c^(b >> 5 );
67         a=a-b;  a=a-c;  a=a^(c >> 3 );
68         b=b-c;  b=b-a;  b=b^(a << 10);
69         c=c-a;  c=c-b;  c=c^(b >> 15);
70
71         return a ^ b ^ c;
72 }
73
74 void MUtils::seed_rand(void)
75 {
76         qsrand(mix_function(clock(), time(NULL), _getpid()));
77 }
78
79 quint32 MUtils::next_rand32(void)
80 {
81         quint32 rnd = 0xDEADBEEF;
82
83 #ifdef _CRT_RAND_S
84         if(rand_s(&rnd) == 0)
85         {
86                 return rnd;
87         }
88 #endif //_CRT_RAND_S
89
90         for(size_t i = 0; i < sizeof(quint32); i++)
91         {
92                 rnd = (rnd << 8) ^ qrand();
93         }
94
95         return rnd;
96 }
97
98 quint64 MUtils::next_rand64(void)
99 {
100         return (quint64(next_rand32()) << 32) | quint64(next_rand32());
101 }
102
103 QString MUtils::rand_str(const bool &bLong)
104 {
105         if(!bLong)
106         {
107                 return QString::number(next_rand64(), 16).rightJustified(16, QLatin1Char('0'));
108         }
109         return QString("%1%2").arg(rand_str(false), rand_str(false));
110 }
111
112 ///////////////////////////////////////////////////////////////////////////////
113 // GET TEMP FILE NAME
114 ///////////////////////////////////////////////////////////////////////////////
115
116 QString MUtils::make_temp_file(const QString &basePath, const QString &extension, const bool placeholder)
117 {
118         for(int i = 0; i < 4096; i++)
119         {
120                 const QString tempFileName = QString("%1/%2.%3").arg(basePath, rand_str(), extension);
121                 if(!QFileInfo(tempFileName).exists())
122                 {
123                         if(placeholder)
124                         {
125                                 QFile file(tempFileName);
126                                 if(file.open(QFile::ReadWrite))
127                                 {
128                                         file.close();
129                                         return tempFileName;
130                                 }
131                         }
132                         else
133                         {
134                                 return tempFileName;
135                         }
136                 }
137         }
138
139         qWarning("Failed to generate unique temp file name!");
140         return QString();
141 }
142
143 ///////////////////////////////////////////////////////////////////////////////
144 // COMPUTE PARITY
145 ///////////////////////////////////////////////////////////////////////////////
146
147 /*
148  * Compute parity in parallel
149  * http://www.graphics.stanford.edu/~seander/bithacks.html#ParityParallel
150  */
151 bool MUtils::parity(quint32 value)
152 {
153         value ^= value >> 16;
154         value ^= value >> 8;
155         value ^= value >> 4;
156         value &= 0xf;
157         return ((0x6996 >> value) & 1) != 0;
158 }
159
160 ///////////////////////////////////////////////////////////////////////////////
161 // TEMP FOLDER
162 ///////////////////////////////////////////////////////////////////////////////
163
164 static QScopedPointer<MUtils::Internal::DirLock> g_temp_folder_file;
165 static QReadWriteLock                            g_temp_folder_lock;
166
167 static QString try_create_subfolder(const QString &baseDir, const QString &postfix)
168 {
169         const QString baseDirPath = QDir(baseDir).absolutePath();
170         for(int i = 0; i < 32; i++)
171         {
172                 QDir directory(baseDirPath);
173                 if(directory.mkpath(postfix) && directory.cd(postfix))
174                 {
175                         return directory.canonicalPath();
176                 }
177         }
178         return QString();
179 }
180
181 static MUtils::Internal::DirLock *try_init_temp_folder(const QString &baseDir)
182 {
183         const QString tempPath = try_create_subfolder(baseDir, MUtils::rand_str());
184         if(!tempPath.isEmpty())
185         {
186                 for(int i = 0; i < 32; i++)
187                 {
188                         MUtils::Internal::DirLock *lockFile = NULL;
189                         try
190                         {
191                                 lockFile = new MUtils::Internal::DirLock(tempPath);
192                                 return lockFile;
193                         }
194                         catch(MUtils::Internal::DirLockException&)
195                         {
196                                 /*ignore error and try again*/
197                         }
198                 }
199         }
200         return NULL;
201 }
202
203 static bool temp_folder_cleanup_helper(const QString &tempPath)
204 {
205         size_t delay = 1;
206         static const size_t MAX_DELAY = 8192;
207         forever
208         {
209                 QDir::setCurrent(QDir::rootPath());
210                 if(MUtils::remove_directory(tempPath, true))
211                 {
212                         return true;
213                 }
214                 else
215                 {
216                         if(delay > MAX_DELAY)
217                         {
218                                 return false;
219                         }
220                         MUtils::OS::sleep_ms(delay);
221                         delay *= 2;
222                 }
223         }
224 }
225
226 static void temp_folder_cleaup(void)
227 {
228         QWriteLocker writeLock(&g_temp_folder_lock);
229
230         //Clean the directory
231         while(!g_temp_folder_file.isNull())
232         {
233                 const QString tempPath = g_temp_folder_file->getPath();
234                 g_temp_folder_file.reset(NULL);
235                 if(!temp_folder_cleanup_helper(tempPath))
236                 {
237                         MUtils::OS::system_message_wrn(L"Temp Cleaner", L"Warning: Not all temporary files could be removed!");
238                 }
239         }
240 }
241
242 const QString &MUtils::temp_folder(void)
243 {
244         QReadLocker readLock(&g_temp_folder_lock);
245
246         //Already initialized?
247         if(!g_temp_folder_file.isNull())
248         {
249                 return g_temp_folder_file->getPath();
250         }
251
252         //Obtain the write lock to initilaize
253         readLock.unlock();
254         QWriteLocker writeLock(&g_temp_folder_lock);
255         
256         //Still uninitilaized?
257         if(!g_temp_folder_file.isNull())
258         {
259                 return g_temp_folder_file->getPath();
260         }
261
262         //Try the %TMP% or %TEMP% directory first
263         if(MUtils::Internal::DirLock *lockFile = try_init_temp_folder(QDir::tempPath()))
264         {
265                 g_temp_folder_file.reset(lockFile);
266                 atexit(temp_folder_cleaup);
267                 return lockFile->getPath();
268         }
269
270         qWarning("%%TEMP%% directory not found -> trying fallback mode now!");
271         static const OS::known_folder_t FOLDER_ID[2] = { OS::FOLDER_LOCALAPPDATA, OS::FOLDER_SYSTROOT_DIR };
272         for(size_t id = 0; id < 2; id++)
273         {
274                 const QString &knownFolder = OS::known_folder(FOLDER_ID[id]);
275                 if(!knownFolder.isEmpty())
276                 {
277                         const QString tempRoot = try_create_subfolder(knownFolder, QLatin1String("TEMP"));
278                         if(!tempRoot.isEmpty())
279                         {
280                                 if(MUtils::Internal::DirLock *lockFile = try_init_temp_folder(tempRoot))
281                                 {
282                                         g_temp_folder_file.reset(lockFile);
283                                         atexit(temp_folder_cleaup);
284                                         return lockFile->getPath();
285                                 }
286                         }
287                 }
288         }
289
290         qFatal("Temporary directory could not be initialized !!!");
291         return (*((QString*)NULL));
292 }
293
294 ///////////////////////////////////////////////////////////////////////////////
295 // REMOVE DIRECTORY / FILE
296 ///////////////////////////////////////////////////////////////////////////////
297
298 static const QFile::Permissions FILE_PERMISSIONS_NONE = QFile::ReadOther | QFile::WriteOther;
299
300 bool MUtils::remove_file(const QString &fileName)
301 {
302         QFileInfo fileInfo(fileName);
303         if(!(fileInfo.exists() && fileInfo.isFile()))
304         {
305                 return true;
306         }
307
308         for(int i = 0; i < 32; i++)
309         {
310                 QFile file(fileName);
311                 file.setPermissions(FILE_PERMISSIONS_NONE);
312                 if((!(fileInfo.exists() && fileInfo.isFile())) || file.remove())
313                 {
314                         return true;
315                 }
316                 fileInfo.refresh();
317         }
318
319         qWarning("Could not delete \"%s\"", MUTILS_UTF8(fileName));
320         return false;
321 }
322
323 static bool remove_directory_helper(const QDir &folder)
324 {
325         if(!folder.exists())
326         {
327                 return true;
328         }
329         const QString dirName = folder.dirName();
330         if(!dirName.isEmpty())
331         {
332                 QDir parent(folder);
333                 if(parent.cdUp())
334                 {
335                         QFile::setPermissions(folder.absolutePath(), FILE_PERMISSIONS_NONE);
336                         if(parent.rmdir(dirName))
337                         {
338                                 return true;
339                         }
340                 }
341         }
342         return false;
343 }
344
345 bool MUtils::remove_directory(const QString &folderPath, const bool &recursive)
346 {
347         QDir folder(folderPath);
348         if(!folder.exists())
349         {
350                 return true;
351         }
352
353         if(recursive)
354         {
355                 const QFileInfoList entryList = folder.entryInfoList(QDir::AllEntries | QDir::NoDotAndDotDot | QDir::Hidden);
356                 for(QFileInfoList::ConstIterator iter = entryList.constBegin(); iter != entryList.constEnd(); iter++)
357                 {
358                         if(iter->isDir())
359                         {
360                                 remove_directory(iter->canonicalFilePath(), true);
361                         }
362                         else if(iter->isFile())
363                         {
364                                 remove_file(iter->canonicalFilePath());
365                         }
366                 }
367         }
368
369         for(int i = 0; i < 32; i++)
370         {
371                 if(remove_directory_helper(folder))
372                 {
373                         return true;
374                 }
375                 folder.refresh();
376         }
377         
378         qWarning("Could not rmdir \"%s\"", MUTILS_UTF8(folderPath));
379         return false;
380 }
381
382 ///////////////////////////////////////////////////////////////////////////////
383 // PROCESS UTILS
384 ///////////////////////////////////////////////////////////////////////////////
385
386 void MUtils::init_process(QProcess &process, const QString &wokringDir, const bool bReplaceTempDir)
387 {
388         //Environment variable names
389         static const char *const s_envvar_names_temp[] =
390         {
391                 "TEMP", "TMP", "TMPDIR", "HOME", "USERPROFILE", "HOMEPATH", NULL
392         };
393         static const char *const s_envvar_names_remove[] =
394         {
395                 "WGETRC", "SYSTEM_WGETRC", "HTTP_PROXY", "FTP_PROXY", "NO_PROXY", "GNUPGHOME", "LC_ALL", "LC_COLLATE", "LC_CTYPE", "LC_MESSAGES", "LC_MONETARY", "LC_NUMERIC", "LC_TIME", "LANG", NULL
396         };
397
398         //Initialize environment
399         QProcessEnvironment env = process.processEnvironment();
400         if(env.isEmpty()) env = QProcessEnvironment::systemEnvironment();
401
402         //Clean a number of enviroment variables that might affect our tools
403         for(size_t i = 0; s_envvar_names_remove[i]; i++)
404         {
405                 env.remove(QString::fromLatin1(s_envvar_names_remove[i]));
406                 env.remove(QString::fromLatin1(s_envvar_names_remove[i]).toLower());
407         }
408
409         const QString tempDir = QDir::toNativeSeparators(temp_folder());
410
411         //Replace TEMP directory in environment
412         if(bReplaceTempDir)
413         {
414                 for(size_t i = 0; s_envvar_names_temp[i]; i++)
415                 {
416                         env.insert(s_envvar_names_temp[i], tempDir);
417                 }
418         }
419
420         //Setup PATH variable
421         const QString path = env.value("PATH", QString()).trimmed();
422         env.insert("PATH", path.isEmpty() ? tempDir : QString("%1;%2").arg(tempDir, path));
423         
424         //Setup QPorcess object
425         process.setWorkingDirectory(wokringDir);
426         process.setProcessChannelMode(QProcess::MergedChannels);
427         process.setReadChannel(QProcess::StandardOutput);
428         process.setProcessEnvironment(env);
429 }
430
431 ///////////////////////////////////////////////////////////////////////////////
432 // NATURAL ORDER STRING COMPARISON
433 ///////////////////////////////////////////////////////////////////////////////
434
435 static bool natural_string_sort_helper(const QString &str1, const QString &str2)
436 {
437         return (MUtils::Internal::NaturalSort::strnatcmp(MUTILS_WCHR(str1), MUTILS_WCHR(str2)) < 0);
438 }
439
440 static bool natural_string_sort_helper_fold_case(const QString &str1, const QString &str2)
441 {
442         return (MUtils::Internal::NaturalSort::strnatcasecmp(MUTILS_WCHR(str1), MUTILS_WCHR(str2)) < 0);
443 }
444
445 void MUtils::natural_string_sort(QStringList &list, const bool bIgnoreCase)
446 {
447         qSort(list.begin(), list.end(), bIgnoreCase ? natural_string_sort_helper_fold_case : natural_string_sort_helper);
448 }
449
450 ///////////////////////////////////////////////////////////////////////////////
451 // CLEAN FILE PATH
452 ///////////////////////////////////////////////////////////////////////////////
453
454 static const struct
455 {
456         const char *const search;
457         const char *const replace;
458 }
459 CLEAN_FILE_NAME[] =
460 {
461         { "\\",  "-"  },
462         { " / ", ", " },
463         { "/",   ","  },
464         { ":",   "-"  },
465         { "*",   "x"  },
466         { "?",   "!"  },
467         { "<",   "["  },
468         { ">",   "]"  },
469         { "|",   "!"  },
470         { "\"",  "'"  },
471         { NULL,  NULL }
472 };
473
474 QString MUtils::clean_file_name(const QString &name)
475 {
476         QRegExp regExp("\"(.+)\"");
477         regExp.setMinimal(true);
478
479         QString str = QString(name).replace(regExp, "``\\1ยดยด").trimmed();
480         for(size_t i = 0; CLEAN_FILE_NAME[i].search; i++) 
481         {
482                 str.replace(CLEAN_FILE_NAME[i].search, CLEAN_FILE_NAME[i].replace);
483         }
484         
485         while(str.endsWith(QLatin1Char('.')))
486         {
487                 str.chop(1);
488                 str = str.trimmed();
489         }
490
491         return str.trimmed();
492 }
493
494 QString MUtils::clean_file_path(const QString &path)
495 {
496         const bool root = path.startsWith(QLatin1Char('/')) || path.startsWith(QLatin1Char('\\'));
497         QStringList parts = QDir::fromNativeSeparators(path.trimmed()).split(QLatin1Char('/'), QString::SkipEmptyParts);
498
499         for(int i = 0; i < parts.count(); i++)
500         {
501                 if((i == 0) && (!root) && (parts[i].length() == 2) && parts[i][0].isLetter() && (parts[i][1] == QLatin1Char(':')))
502                 {
503                         continue; //handle case "c:\"
504                 }
505                 parts[i] = MUtils::clean_file_name(parts[i]);
506         }
507
508         return root ? parts.join(QLatin1String("/")).prepend(QLatin1Char('/')) : parts.join(QLatin1String("/"));
509 }
510
511 ///////////////////////////////////////////////////////////////////////////////
512 // REGULAR EXPESSION HELPER
513 ///////////////////////////////////////////////////////////////////////////////
514
515 bool MUtils::regexp_parse_uint32(const QRegExp &regexp, quint32 &value)
516 {
517         return regexp_parse_uint32(regexp, &value, 1);
518 }
519
520 bool MUtils::regexp_parse_uint32(const QRegExp &regexp, quint32 *values, const size_t &count)
521 {
522         const QStringList caps = regexp.capturedTexts();
523         
524         if(caps.isEmpty() || (quint32(caps.count()) <= count))
525         {
526                 return false;
527         }
528
529         for(size_t i = 0; i < count; i++)
530         {
531                 bool ok = false;
532                 values[i] = caps[i+1].toUInt(&ok);
533                 if(!ok)
534                 {
535                         return false;
536                 }
537         }
538
539         return true;
540 }
541
542 ///////////////////////////////////////////////////////////////////////////////
543 // AVAILABLE CODEPAGES
544 ///////////////////////////////////////////////////////////////////////////////
545
546 QStringList MUtils::available_codepages(const bool &noAliases)
547 {
548         QStringList codecList;
549         QList<QByteArray> availableCodecs = QTextCodec::availableCodecs();
550
551         while(!availableCodecs.isEmpty())
552         {
553                 const QByteArray current = availableCodecs.takeFirst();
554                 if(!current.toLower().startsWith("system"))
555                 {
556                         codecList << QString::fromLatin1(current.constData(), current.size());
557                         if(noAliases)
558                         {
559                                 if(QTextCodec *const currentCodec = QTextCodec::codecForName(current.constData()))
560                                 {
561                                         const QList<QByteArray> aliases = currentCodec->aliases();
562                                         for(QList<QByteArray>::ConstIterator iter = aliases.constBegin(); iter != aliases.constEnd(); iter++)
563                                         {
564                                                 availableCodecs.removeAll(*iter);
565                                         }
566                                 }
567                         }
568                 }
569         }
570
571         return codecList;
572 }
573
574 ///////////////////////////////////////////////////////////////////////////////
575 // SELF-TEST
576 ///////////////////////////////////////////////////////////////////////////////
577
578 int MUtils::Internal::selfTest(const char *const buildKey, const bool debug)
579 {
580         static const bool MY_DEBUG_FLAG = MUTILS_DEBUG;
581         static const char *const MY_BUILD_KEY = __DATE__ "@" __TIME__;
582
583         if(strncmp(buildKey, MY_BUILD_KEY, 13) || (MY_DEBUG_FLAG != debug))
584         {
585                 MUtils::OS::system_message_err(L"MUtils", L"FATAL ERROR: MUtils library version mismatch detected!");
586                 MUtils::OS::system_message_wrn(L"MUtils", L"Perform a clean(!) re-install of the application to fix the problem!");
587                 abort();
588         }
589         return 0;
590 }