Audio plugin host https://kx.studio/carla
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

1674 lines
49KB

  1. /*
  2. ==============================================================================
  3. This file is part of the Water library.
  4. Copyright (c) 2016 ROLI Ltd.
  5. Copyright (C) 2017-2018 Filipe Coelho <falktx@falktx.com>
  6. Permission is granted to use this software under the terms of the ISC license
  7. http://www.isc.org/downloads/software-support-policy/isc-license/
  8. Permission to use, copy, modify, and/or distribute this software for any
  9. purpose with or without fee is hereby granted, provided that the above
  10. copyright notice and this permission notice appear in all copies.
  11. THE SOFTWARE IS PROVIDED "AS IS" AND ISC DISCLAIMS ALL WARRANTIES WITH REGARD
  12. TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND
  13. FITNESS. IN NO EVENT SHALL ISC BE LIABLE FOR ANY SPECIAL, DIRECT, INDIRECT,
  14. OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF
  15. USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER
  16. TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR PERFORMANCE
  17. OF THIS SOFTWARE.
  18. ==============================================================================
  19. */
  20. #include "File.h"
  21. #include "DirectoryIterator.h"
  22. #include "FileInputStream.h"
  23. #include "FileOutputStream.h"
  24. #include "TemporaryFile.h"
  25. #include "../maths/Random.h"
  26. #include "../misc/Time.h"
  27. #include "../text/StringArray.h"
  28. #include "CarlaJuceUtils.hpp"
  29. #ifdef CARLA_OS_WIN
  30. # include <shlobj.h>
  31. #else
  32. # include <dlfcn.h>
  33. # include <fcntl.h>
  34. # include <fnmatch.h>
  35. # include <pwd.h>
  36. # include <sys/stat.h>
  37. # ifdef CARLA_OS_MAC
  38. # include <mach-o/dyld.h>
  39. # import <Foundation/NSFileManager.h>
  40. # import <Foundation/NSPathUtilities.h>
  41. # import <Foundation/NSString.h>
  42. # else
  43. # include <dirent.h>
  44. # endif
  45. #endif
  46. namespace water {
  47. File::File () noexcept
  48. : fullPath ()
  49. {
  50. }
  51. File::File (const String& fullPathName)
  52. : fullPath (parseAbsolutePath (fullPathName))
  53. {
  54. }
  55. File File::createFileWithoutCheckingPath (const String& path) noexcept
  56. {
  57. File f;
  58. f.fullPath = path;
  59. return f;
  60. }
  61. File::File (const File& other)
  62. : fullPath (other.fullPath)
  63. {
  64. }
  65. File& File::operator= (const String& newPath)
  66. {
  67. fullPath = parseAbsolutePath (newPath);
  68. return *this;
  69. }
  70. File& File::operator= (const File& other)
  71. {
  72. fullPath = other.fullPath;
  73. return *this;
  74. }
  75. #if WATER_COMPILER_SUPPORTS_MOVE_SEMANTICS
  76. File::File (File&& other) noexcept
  77. : fullPath (static_cast<String&&> (other.fullPath))
  78. {
  79. }
  80. File& File::operator= (File&& other) noexcept
  81. {
  82. fullPath = static_cast<String&&> (other.fullPath);
  83. return *this;
  84. }
  85. #endif
  86. //==============================================================================
  87. static String removeEllipsis (const String& path)
  88. {
  89. // This will quickly find both /../ and /./ at the expense of a minor
  90. // false-positive performance hit when path elements end in a dot.
  91. #ifdef CARLA_OS_WIN
  92. if (path.contains (".\\"))
  93. #else
  94. if (path.contains ("./"))
  95. #endif
  96. {
  97. StringArray toks;
  98. toks.addTokens (path, File::separatorString, StringRef());
  99. bool anythingChanged = false;
  100. for (int i = 1; i < toks.size(); ++i)
  101. {
  102. const String& t = toks[i];
  103. if (t == ".." && toks[i - 1] != "..")
  104. {
  105. anythingChanged = true;
  106. toks.removeRange (i - 1, 2);
  107. i = jmax (0, i - 2);
  108. }
  109. else if (t == ".")
  110. {
  111. anythingChanged = true;
  112. toks.remove (i--);
  113. }
  114. }
  115. if (anythingChanged)
  116. return toks.joinIntoString (File::separatorString);
  117. }
  118. return path;
  119. }
  120. String File::parseAbsolutePath (const String& p)
  121. {
  122. if (p.isEmpty())
  123. return String();
  124. #ifdef CARLA_OS_WIN
  125. // Windows..
  126. String path (removeEllipsis (p.replaceCharacter ('/', '\\')));
  127. if (path.startsWithChar (separator))
  128. {
  129. if (path[1] != separator)
  130. {
  131. // Check if path is valid under Wine
  132. String testpath ("Z:" + path);
  133. if (File(testpath).exists())
  134. {
  135. path = testpath;
  136. }
  137. else
  138. {
  139. /* When you supply a raw string to the File object constructor, it must be an absolute path.
  140. If you're trying to parse a string that may be either a relative path or an absolute path,
  141. you MUST provide a context against which the partial path can be evaluated - you can do
  142. this by simply using File::getChildFile() instead of the File constructor. E.g. saying
  143. "File::getCurrentWorkingDirectory().getChildFile (myUnknownPath)" would return an absolute
  144. path if that's what was supplied, or would evaluate a partial path relative to the CWD.
  145. */
  146. carla_safe_assert(testpath.toRawUTF8(), __FILE__, __LINE__);
  147. path = File::getCurrentWorkingDirectory().getFullPathName().substring (0, 2) + path;
  148. }
  149. }
  150. }
  151. else if (! path.containsChar (':'))
  152. {
  153. /* When you supply a raw string to the File object constructor, it must be an absolute path.
  154. If you're trying to parse a string that may be either a relative path or an absolute path,
  155. you MUST provide a context against which the partial path can be evaluated - you can do
  156. this by simply using File::getChildFile() instead of the File constructor. E.g. saying
  157. "File::getCurrentWorkingDirectory().getChildFile (myUnknownPath)" would return an absolute
  158. path if that's what was supplied, or would evaluate a partial path relative to the CWD.
  159. */
  160. carla_safe_assert(path.toRawUTF8(), __FILE__, __LINE__);
  161. return File::getCurrentWorkingDirectory().getChildFile (path).getFullPathName();
  162. }
  163. #else
  164. // Mac or Linux..
  165. // Yes, I know it's legal for a unix pathname to contain a backslash, but this assertion is here
  166. // to catch anyone who's trying to run code that was written on Windows with hard-coded path names.
  167. // If that's why you've ended up here, use File::getChildFile() to build your paths instead.
  168. jassert ((! p.containsChar ('\\')) || (p.indexOfChar ('/') >= 0 && p.indexOfChar ('/') < p.indexOfChar ('\\')));
  169. String path (removeEllipsis (p));
  170. if (path.startsWithChar ('~'))
  171. {
  172. if (path[1] == separator || path[1] == 0)
  173. {
  174. // expand a name of the form "~/abc"
  175. path = File::getSpecialLocation (File::userHomeDirectory).getFullPathName()
  176. + path.substring (1);
  177. }
  178. else
  179. {
  180. // expand a name of type "~dave/abc"
  181. const String userName (path.substring (1).upToFirstOccurrenceOf ("/", false, false));
  182. if (struct passwd* const pw = getpwnam (userName.toUTF8()))
  183. path = addTrailingSeparator (pw->pw_dir) + path.fromFirstOccurrenceOf ("/", false, false);
  184. }
  185. }
  186. else if (! path.startsWithChar (separator))
  187. {
  188. /* When you supply a raw string to the File object constructor, it must be an absolute path.
  189. If you're trying to parse a string that may be either a relative path or an absolute path,
  190. you MUST provide a context against which the partial path can be evaluated - you can do
  191. this by simply using File::getChildFile() instead of the File constructor. E.g. saying
  192. "File::getCurrentWorkingDirectory().getChildFile (myUnknownPath)" would return an absolute
  193. path if that's what was supplied, or would evaluate a partial path relative to the CWD.
  194. */
  195. CARLA_SAFE_ASSERT_RETURN(path.startsWith ("./") || path.startsWith ("../"), String());
  196. return File::getCurrentWorkingDirectory().getChildFile (path).getFullPathName();
  197. }
  198. #endif
  199. while (path.endsWithChar (separator) && path != separatorString) // careful not to turn a single "/" into an empty string.
  200. path = path.dropLastCharacters (1);
  201. return path;
  202. }
  203. String File::addTrailingSeparator (const String& path)
  204. {
  205. return path.endsWithChar (separator) ? path
  206. : path + separator;
  207. }
  208. //==============================================================================
  209. #if ! (defined(CARLA_OS_MAC) || defined(CARLA_OS_WIN))
  210. #define NAMES_ARE_CASE_SENSITIVE 1
  211. #endif
  212. bool File::areFileNamesCaseSensitive()
  213. {
  214. #if NAMES_ARE_CASE_SENSITIVE
  215. return true;
  216. #else
  217. return false;
  218. #endif
  219. }
  220. static int compareFilenames (const String& name1, const String& name2) noexcept
  221. {
  222. #if NAMES_ARE_CASE_SENSITIVE
  223. return name1.compare (name2);
  224. #else
  225. return name1.compareIgnoreCase (name2);
  226. #endif
  227. }
  228. bool File::operator== (const File& other) const { return compareFilenames (fullPath, other.fullPath) == 0; }
  229. bool File::operator!= (const File& other) const { return compareFilenames (fullPath, other.fullPath) != 0; }
  230. bool File::operator< (const File& other) const { return compareFilenames (fullPath, other.fullPath) < 0; }
  231. bool File::operator> (const File& other) const { return compareFilenames (fullPath, other.fullPath) > 0; }
  232. //==============================================================================
  233. bool File::deleteRecursively() const
  234. {
  235. bool worked = true;
  236. if (isDirectory())
  237. {
  238. Array<File> subFiles;
  239. findChildFiles (subFiles, File::findFilesAndDirectories, false);
  240. for (int i = subFiles.size(); --i >= 0;)
  241. worked = subFiles.getReference(i).deleteRecursively() && worked;
  242. }
  243. return deleteFile() && worked;
  244. }
  245. bool File::moveFileTo (const File& newFile) const
  246. {
  247. if (newFile.fullPath == fullPath)
  248. return true;
  249. if (! exists())
  250. return false;
  251. #if ! NAMES_ARE_CASE_SENSITIVE
  252. if (*this != newFile)
  253. #endif
  254. if (! newFile.deleteFile())
  255. return false;
  256. return moveInternal (newFile);
  257. }
  258. bool File::copyFileTo (const File& newFile) const
  259. {
  260. return (*this == newFile)
  261. || (exists() && newFile.deleteFile() && copyInternal (newFile));
  262. }
  263. bool File::replaceFileIn (const File& newFile) const
  264. {
  265. if (newFile.fullPath == fullPath)
  266. return true;
  267. if (! newFile.exists())
  268. return moveFileTo (newFile);
  269. if (! replaceInternal (newFile))
  270. return false;
  271. deleteFile();
  272. return true;
  273. }
  274. bool File::copyDirectoryTo (const File& newDirectory) const
  275. {
  276. if (isDirectory() && newDirectory.createDirectory())
  277. {
  278. Array<File> subFiles;
  279. findChildFiles (subFiles, File::findFiles, false);
  280. for (int i = 0; i < subFiles.size(); ++i)
  281. if (! subFiles.getReference(i).copyFileTo (newDirectory.getChildFile (subFiles.getReference(i).getFileName())))
  282. return false;
  283. subFiles.clear();
  284. findChildFiles (subFiles, File::findDirectories, false);
  285. for (int i = 0; i < subFiles.size(); ++i)
  286. if (! subFiles.getReference(i).copyDirectoryTo (newDirectory.getChildFile (subFiles.getReference(i).getFileName())))
  287. return false;
  288. return true;
  289. }
  290. return false;
  291. }
  292. //==============================================================================
  293. String File::getPathUpToLastSlash() const
  294. {
  295. const int lastSlash = fullPath.lastIndexOfChar (separator);
  296. if (lastSlash > 0)
  297. return fullPath.substring (0, lastSlash);
  298. if (lastSlash == 0)
  299. return separatorString;
  300. return fullPath;
  301. }
  302. File File::getParentDirectory() const
  303. {
  304. File f;
  305. f.fullPath = getPathUpToLastSlash();
  306. return f;
  307. }
  308. //==============================================================================
  309. String File::getFileName() const
  310. {
  311. return fullPath.substring (fullPath.lastIndexOfChar (separator) + 1);
  312. }
  313. String File::getFileNameWithoutExtension() const
  314. {
  315. const int lastSlash = fullPath.lastIndexOfChar (separator) + 1;
  316. const int lastDot = fullPath.lastIndexOfChar ('.');
  317. if (lastDot > lastSlash)
  318. return fullPath.substring (lastSlash, lastDot);
  319. return fullPath.substring (lastSlash);
  320. }
  321. bool File::isAChildOf (const File& potentialParent) const
  322. {
  323. if (potentialParent.fullPath.isEmpty())
  324. return false;
  325. const String ourPath (getPathUpToLastSlash());
  326. if (compareFilenames (potentialParent.fullPath, ourPath) == 0)
  327. return true;
  328. if (potentialParent.fullPath.length() >= ourPath.length())
  329. return false;
  330. return getParentDirectory().isAChildOf (potentialParent);
  331. }
  332. //==============================================================================
  333. bool File::isAbsolutePath (StringRef path)
  334. {
  335. const water_uchar firstChar = *(path.text);
  336. return firstChar == separator
  337. #ifdef CARLA_OS_WIN
  338. || (firstChar != 0 && path.text[1] == ':');
  339. #else
  340. || firstChar == '~';
  341. #endif
  342. }
  343. File File::getChildFile (StringRef relativePath) const
  344. {
  345. String::CharPointerType r = relativePath.text;
  346. if (isAbsolutePath (r))
  347. return File (String (r));
  348. #ifdef CARLA_OS_WIN
  349. if (r.indexOf ((water_uchar) '/') >= 0)
  350. return getChildFile (String (r).replaceCharacter ('/', '\\'));
  351. #endif
  352. String path (fullPath);
  353. while (*r == '.')
  354. {
  355. String::CharPointerType lastPos = r;
  356. const water_uchar secondChar = *++r;
  357. if (secondChar == '.') // remove "../"
  358. {
  359. const water_uchar thirdChar = *++r;
  360. if (thirdChar == separator || thirdChar == 0)
  361. {
  362. const int lastSlash = path.lastIndexOfChar (separator);
  363. if (lastSlash >= 0)
  364. path = path.substring (0, lastSlash);
  365. while (*r == separator) // ignore duplicate slashes
  366. ++r;
  367. }
  368. else
  369. {
  370. r = lastPos;
  371. break;
  372. }
  373. }
  374. else if (secondChar == separator || secondChar == 0) // remove "./"
  375. {
  376. while (*r == separator) // ignore duplicate slashes
  377. ++r;
  378. }
  379. else
  380. {
  381. r = lastPos;
  382. break;
  383. }
  384. }
  385. path = addTrailingSeparator (path);
  386. path.appendCharPointer (r);
  387. return File (path);
  388. }
  389. File File::getSiblingFile (StringRef fileName) const
  390. {
  391. return getParentDirectory().getChildFile (fileName);
  392. }
  393. //==============================================================================
  394. String File::descriptionOfSizeInBytes (const int64 bytes)
  395. {
  396. const char* suffix;
  397. double divisor = 0;
  398. if (bytes == 1) { suffix = " byte"; }
  399. else if (bytes < 1024) { suffix = " bytes"; }
  400. else if (bytes < 1024 * 1024) { suffix = " KB"; divisor = 1024.0; }
  401. else if (bytes < 1024 * 1024 * 1024) { suffix = " MB"; divisor = 1024.0 * 1024.0; }
  402. else { suffix = " GB"; divisor = 1024.0 * 1024.0 * 1024.0; }
  403. return (divisor > 0 ? String (bytes / divisor, 1) : String (bytes)) + suffix;
  404. }
  405. //==============================================================================
  406. Result File::create() const
  407. {
  408. if (exists())
  409. return Result::ok();
  410. const File parentDir (getParentDirectory());
  411. if (parentDir == *this)
  412. return Result::fail ("Cannot create parent directory");
  413. Result r (parentDir.createDirectory());
  414. if (r.wasOk())
  415. {
  416. FileOutputStream fo (*this, 8);
  417. r = fo.getStatus();
  418. }
  419. return r;
  420. }
  421. Result File::createDirectory() const
  422. {
  423. if (isDirectory())
  424. return Result::ok();
  425. const File parentDir (getParentDirectory());
  426. if (parentDir == *this)
  427. return Result::fail ("Cannot create parent directory");
  428. Result r (parentDir.createDirectory());
  429. if (r.wasOk())
  430. r = createDirectoryInternal (fullPath.trimCharactersAtEnd (separatorString));
  431. return r;
  432. }
  433. //==============================================================================
  434. bool File::loadFileAsData (MemoryBlock& destBlock) const
  435. {
  436. if (! existsAsFile())
  437. return false;
  438. FileInputStream in (*this);
  439. return in.openedOk() && getSize() == (int64) in.readIntoMemoryBlock (destBlock);
  440. }
  441. String File::loadFileAsString() const
  442. {
  443. if (! existsAsFile())
  444. return String();
  445. FileInputStream in (*this);
  446. return in.openedOk() ? in.readEntireStreamAsString()
  447. : String();
  448. }
  449. void File::readLines (StringArray& destLines) const
  450. {
  451. destLines.addLines (loadFileAsString());
  452. }
  453. //==============================================================================
  454. int File::findChildFiles (Array<File>& results,
  455. const int whatToLookFor,
  456. const bool searchRecursively,
  457. const String& wildCardPattern) const
  458. {
  459. int total = 0;
  460. for (DirectoryIterator di (*this, searchRecursively, wildCardPattern, whatToLookFor); di.next();)
  461. {
  462. results.add (di.getFile());
  463. ++total;
  464. }
  465. return total;
  466. }
  467. int File::getNumberOfChildFiles (const int whatToLookFor, const String& wildCardPattern) const
  468. {
  469. int total = 0;
  470. for (DirectoryIterator di (*this, false, wildCardPattern, whatToLookFor); di.next();)
  471. ++total;
  472. return total;
  473. }
  474. bool File::containsSubDirectories() const
  475. {
  476. if (! isDirectory())
  477. return false;
  478. DirectoryIterator di (*this, false, "*", findDirectories);
  479. return di.next();
  480. }
  481. //==============================================================================
  482. File File::getNonexistentChildFile (const String& suggestedPrefix,
  483. const String& suffix,
  484. bool putNumbersInBrackets) const
  485. {
  486. File f (getChildFile (suggestedPrefix + suffix));
  487. if (f.exists())
  488. {
  489. int number = 1;
  490. String prefix (suggestedPrefix);
  491. // remove any bracketed numbers that may already be on the end..
  492. if (prefix.trim().endsWithChar (')'))
  493. {
  494. putNumbersInBrackets = true;
  495. const int openBracks = prefix.lastIndexOfChar ('(');
  496. const int closeBracks = prefix.lastIndexOfChar (')');
  497. if (openBracks > 0
  498. && closeBracks > openBracks
  499. && prefix.substring (openBracks + 1, closeBracks).containsOnly ("0123456789"))
  500. {
  501. number = prefix.substring (openBracks + 1, closeBracks).getIntValue();
  502. prefix = prefix.substring (0, openBracks);
  503. }
  504. }
  505. do
  506. {
  507. String newName (prefix);
  508. if (putNumbersInBrackets)
  509. {
  510. newName << '(' << ++number << ')';
  511. }
  512. else
  513. {
  514. if (CharacterFunctions::isDigit (prefix.getLastCharacter()))
  515. newName << '_'; // pad with an underscore if the name already ends in a digit
  516. newName << ++number;
  517. }
  518. f = getChildFile (newName + suffix);
  519. } while (f.exists());
  520. }
  521. return f;
  522. }
  523. File File::getNonexistentSibling (const bool putNumbersInBrackets) const
  524. {
  525. if (! exists())
  526. return *this;
  527. return getParentDirectory().getNonexistentChildFile (getFileNameWithoutExtension(),
  528. getFileExtension(),
  529. putNumbersInBrackets);
  530. }
  531. //==============================================================================
  532. String File::getFileExtension() const
  533. {
  534. const int indexOfDot = fullPath.lastIndexOfChar ('.');
  535. if (indexOfDot > fullPath.lastIndexOfChar (separator))
  536. return fullPath.substring (indexOfDot);
  537. return String();
  538. }
  539. bool File::hasFileExtension (StringRef possibleSuffix) const
  540. {
  541. if (possibleSuffix.isEmpty())
  542. return fullPath.lastIndexOfChar ('.') <= fullPath.lastIndexOfChar (separator);
  543. const int semicolon = possibleSuffix.text.indexOf ((water_uchar) ';');
  544. if (semicolon >= 0)
  545. return hasFileExtension (String (possibleSuffix.text).substring (0, semicolon).trimEnd())
  546. || hasFileExtension ((possibleSuffix.text + (semicolon + 1)).findEndOfWhitespace());
  547. if (fullPath.endsWithIgnoreCase (possibleSuffix))
  548. {
  549. if (possibleSuffix.text[0] == '.')
  550. return true;
  551. const int dotPos = fullPath.length() - possibleSuffix.length() - 1;
  552. if (dotPos >= 0)
  553. return fullPath [dotPos] == '.';
  554. }
  555. return false;
  556. }
  557. File File::withFileExtension (StringRef newExtension) const
  558. {
  559. if (fullPath.isEmpty())
  560. return File();
  561. String filePart (getFileName());
  562. const int i = filePart.lastIndexOfChar ('.');
  563. if (i >= 0)
  564. filePart = filePart.substring (0, i);
  565. if (newExtension.isNotEmpty() && newExtension.text[0] != '.')
  566. filePart << '.';
  567. return getSiblingFile (filePart + newExtension);
  568. }
  569. //==============================================================================
  570. FileInputStream* File::createInputStream() const
  571. {
  572. ScopedPointer<FileInputStream> fin (new FileInputStream (*this));
  573. if (fin->openedOk())
  574. return fin.release();
  575. return nullptr;
  576. }
  577. FileOutputStream* File::createOutputStream (const size_t bufferSize) const
  578. {
  579. ScopedPointer<FileOutputStream> out (new FileOutputStream (*this, bufferSize));
  580. return out->failedToOpen() ? nullptr
  581. : out.release();
  582. }
  583. //==============================================================================
  584. bool File::appendData (const void* const dataToAppend,
  585. const size_t numberOfBytes) const
  586. {
  587. jassert (((ssize_t) numberOfBytes) >= 0);
  588. if (numberOfBytes == 0)
  589. return true;
  590. FileOutputStream out (*this, 8192);
  591. return out.openedOk() && out.write (dataToAppend, numberOfBytes);
  592. }
  593. bool File::replaceWithData (const void* const dataToWrite,
  594. const size_t numberOfBytes) const
  595. {
  596. if (numberOfBytes == 0)
  597. return deleteFile();
  598. TemporaryFile tempFile (*this, TemporaryFile::useHiddenFile);
  599. tempFile.getFile().appendData (dataToWrite, numberOfBytes);
  600. return tempFile.overwriteTargetFileWithTemporary();
  601. }
  602. bool File::appendText (const String& text,
  603. const bool asUnicode,
  604. const bool writeUnicodeHeaderBytes) const
  605. {
  606. FileOutputStream out (*this);
  607. CARLA_SAFE_ASSERT_RETURN (! out.failedToOpen(), false);
  608. out.writeText (text, asUnicode, writeUnicodeHeaderBytes);
  609. return true;
  610. }
  611. bool File::replaceWithText (const String& textToWrite,
  612. const bool asUnicode,
  613. const bool writeUnicodeHeaderBytes) const
  614. {
  615. TemporaryFile tempFile (*this, TemporaryFile::useHiddenFile);
  616. tempFile.getFile().appendText (textToWrite, asUnicode, writeUnicodeHeaderBytes);
  617. return tempFile.overwriteTargetFileWithTemporary();
  618. }
  619. bool File::hasIdenticalContentTo (const File& other) const
  620. {
  621. if (other == *this)
  622. return true;
  623. if (getSize() == other.getSize() && existsAsFile() && other.existsAsFile())
  624. {
  625. FileInputStream in1 (*this), in2 (other);
  626. if (in1.openedOk() && in2.openedOk())
  627. {
  628. const int bufferSize = 4096;
  629. HeapBlock<char> buffer1, buffer2;
  630. CARLA_SAFE_ASSERT_RETURN(buffer1.malloc (bufferSize), false);
  631. CARLA_SAFE_ASSERT_RETURN(buffer2.malloc (bufferSize), false);
  632. for (;;)
  633. {
  634. const int num1 = in1.read (buffer1, bufferSize);
  635. const int num2 = in2.read (buffer2, bufferSize);
  636. if (num1 != num2)
  637. break;
  638. if (num1 <= 0)
  639. return true;
  640. if (memcmp (buffer1, buffer2, (size_t) num1) != 0)
  641. break;
  642. }
  643. }
  644. }
  645. return false;
  646. }
  647. //==============================================================================
  648. String File::createLegalPathName (const String& original)
  649. {
  650. String s (original);
  651. String start;
  652. if (s.isNotEmpty() && s[1] == ':')
  653. {
  654. start = s.substring (0, 2);
  655. s = s.substring (2);
  656. }
  657. return start + s.removeCharacters ("\"#@,;:<>*^|?")
  658. .substring (0, 1024);
  659. }
  660. String File::createLegalFileName (const String& original)
  661. {
  662. String s (original.removeCharacters ("\"#@,;:<>*^|?\\/"));
  663. const int maxLength = 128; // only the length of the filename, not the whole path
  664. const int len = s.length();
  665. if (len > maxLength)
  666. {
  667. const int lastDot = s.lastIndexOfChar ('.');
  668. if (lastDot > jmax (0, len - 12))
  669. {
  670. s = s.substring (0, maxLength - (len - lastDot))
  671. + s.substring (lastDot);
  672. }
  673. else
  674. {
  675. s = s.substring (0, maxLength);
  676. }
  677. }
  678. return s;
  679. }
  680. //==============================================================================
  681. static int countNumberOfSeparators (String::CharPointerType s)
  682. {
  683. int num = 0;
  684. for (;;)
  685. {
  686. const water_uchar c = s.getAndAdvance();
  687. if (c == 0)
  688. break;
  689. if (c == File::separator)
  690. ++num;
  691. }
  692. return num;
  693. }
  694. String File::getRelativePathFrom (const File& dir) const
  695. {
  696. String thisPath (fullPath);
  697. while (thisPath.endsWithChar (separator))
  698. thisPath = thisPath.dropLastCharacters (1);
  699. String dirPath (addTrailingSeparator (dir.existsAsFile() ? dir.getParentDirectory().getFullPathName()
  700. : dir.fullPath));
  701. int commonBitLength = 0;
  702. String::CharPointerType thisPathAfterCommon (thisPath.getCharPointer());
  703. String::CharPointerType dirPathAfterCommon (dirPath.getCharPointer());
  704. {
  705. String::CharPointerType thisPathIter (thisPath.getCharPointer());
  706. String::CharPointerType dirPathIter (dirPath.getCharPointer());
  707. for (int i = 0;;)
  708. {
  709. const water_uchar c1 = thisPathIter.getAndAdvance();
  710. const water_uchar c2 = dirPathIter.getAndAdvance();
  711. #if NAMES_ARE_CASE_SENSITIVE
  712. if (c1 != c2
  713. #else
  714. if ((c1 != c2 && CharacterFunctions::toLowerCase (c1) != CharacterFunctions::toLowerCase (c2))
  715. #endif
  716. || c1 == 0)
  717. break;
  718. ++i;
  719. if (c1 == separator)
  720. {
  721. thisPathAfterCommon = thisPathIter;
  722. dirPathAfterCommon = dirPathIter;
  723. commonBitLength = i;
  724. }
  725. }
  726. }
  727. // if the only common bit is the root, then just return the full path..
  728. if (commonBitLength == 0 || (commonBitLength == 1 && thisPath[1] == separator))
  729. return fullPath;
  730. const int numUpDirectoriesNeeded = countNumberOfSeparators (dirPathAfterCommon);
  731. if (numUpDirectoriesNeeded == 0)
  732. return thisPathAfterCommon;
  733. #ifdef CARLA_OS_WIN
  734. String s (String::repeatedString ("..\\", numUpDirectoriesNeeded));
  735. #else
  736. String s (String::repeatedString ("../", numUpDirectoriesNeeded));
  737. #endif
  738. s.appendCharPointer (thisPathAfterCommon);
  739. return s;
  740. }
  741. //==============================================================================
  742. File File::createTempFile (StringRef fileNameEnding)
  743. {
  744. const File tempFile (getSpecialLocation (tempDirectory)
  745. .getChildFile ("temp_" + String::toHexString (Random::getSystemRandom().nextInt()))
  746. .withFileExtension (fileNameEnding));
  747. if (tempFile.exists())
  748. return createTempFile (fileNameEnding);
  749. return tempFile;
  750. }
  751. bool File::createSymbolicLink (const File& linkFileToCreate, bool overwriteExisting) const
  752. {
  753. if (linkFileToCreate.exists())
  754. {
  755. // user has specified an existing file / directory as the link
  756. // this is bad! the user could end up unintentionally destroying data
  757. CARLA_SAFE_ASSERT_RETURN(linkFileToCreate.isSymbolicLink(), false);
  758. if (overwriteExisting)
  759. linkFileToCreate.deleteFile();
  760. }
  761. #ifdef CARLA_OS_WIN
  762. typedef BOOLEAN (WINAPI* PFUNC)(LPCTSTR, LPCTSTR, DWORD);
  763. const PFUNC pfn = (PFUNC)GetProcAddress(GetModuleHandle(TEXT("kernel32.dll")), "CreateSymbolicLinkA");
  764. CARLA_SAFE_ASSERT_RETURN(pfn != nullptr, false);
  765. return pfn(linkFileToCreate.getFullPathName().toRawUTF8(), fullPath.toRawUTF8(),
  766. isDirectory() ? 0x1 /*SYMBOLIC_LINK_FLAG_DIRECTORY*/ : 0x0) != FALSE;
  767. #else
  768. // one common reason for getting an error here is that the file already exists
  769. return symlink(fullPath.toRawUTF8(), linkFileToCreate.getFullPathName().toRawUTF8()) != -1;
  770. #endif
  771. }
  772. //=====================================================================================================================
  773. #ifdef CARLA_OS_WIN
  774. namespace WindowsFileHelpers
  775. {
  776. DWORD getAtts (const String& path)
  777. {
  778. return GetFileAttributes (path.toUTF8());
  779. }
  780. int64 fileTimeToTime (const FILETIME* const ft)
  781. {
  782. static_jassert (sizeof (ULARGE_INTEGER) == sizeof (FILETIME)); // tell me if this fails!
  783. return (int64) ((reinterpret_cast<const ULARGE_INTEGER*> (ft)->QuadPart - 116444736000000000LL) / 10000);
  784. }
  785. File getSpecialFolderPath (int type)
  786. {
  787. CHAR path [MAX_PATH + 256];
  788. if (SHGetSpecialFolderPath (0, path, type, FALSE))
  789. return File (String (path));
  790. return File();
  791. }
  792. File getModuleFileName (HINSTANCE moduleHandle)
  793. {
  794. CHAR dest [MAX_PATH + 256];
  795. dest[0] = 0;
  796. GetModuleFileName (moduleHandle, dest, (DWORD) numElementsInArray (dest));
  797. return File (String (dest));
  798. }
  799. }
  800. const water_uchar File::separator = '\\';
  801. const String File::separatorString ("\\");
  802. bool File::isDirectory() const
  803. {
  804. const DWORD attr = WindowsFileHelpers::getAtts (fullPath);
  805. return (attr & FILE_ATTRIBUTE_DIRECTORY) != 0 && attr != INVALID_FILE_ATTRIBUTES;
  806. }
  807. bool File::exists() const
  808. {
  809. return fullPath.isNotEmpty()
  810. && WindowsFileHelpers::getAtts (fullPath) != INVALID_FILE_ATTRIBUTES;
  811. }
  812. bool File::existsAsFile() const
  813. {
  814. return fullPath.isNotEmpty()
  815. && (WindowsFileHelpers::getAtts (fullPath) & FILE_ATTRIBUTE_DIRECTORY) == 0;
  816. }
  817. bool File::hasWriteAccess() const
  818. {
  819. if (fullPath.isEmpty())
  820. return true;
  821. const DWORD attr = WindowsFileHelpers::getAtts (fullPath);
  822. // NB: According to MS, the FILE_ATTRIBUTE_READONLY attribute doesn't work for
  823. // folders, and can be incorrectly set for some special folders, so we'll just say
  824. // that folders are always writable.
  825. return attr == INVALID_FILE_ATTRIBUTES
  826. || (attr & FILE_ATTRIBUTE_DIRECTORY) != 0
  827. || (attr & FILE_ATTRIBUTE_READONLY) == 0;
  828. }
  829. int64 File::getSize() const
  830. {
  831. WIN32_FILE_ATTRIBUTE_DATA attributes;
  832. if (GetFileAttributesEx (fullPath.toUTF8(), GetFileExInfoStandard, &attributes))
  833. return (((int64) attributes.nFileSizeHigh) << 32) | attributes.nFileSizeLow;
  834. return 0;
  835. }
  836. bool File::deleteFile() const
  837. {
  838. if (! exists())
  839. return true;
  840. return isDirectory() ? RemoveDirectory (fullPath.toUTF8()) != 0
  841. : DeleteFile (fullPath.toUTF8()) != 0;
  842. }
  843. File File::getLinkedTarget() const
  844. {
  845. return *this;
  846. }
  847. bool File::copyInternal (const File& dest) const
  848. {
  849. return CopyFile (fullPath.toUTF8(), dest.getFullPathName().toUTF8(), false) != 0;
  850. }
  851. bool File::moveInternal (const File& dest) const
  852. {
  853. return MoveFile (fullPath.toUTF8(), dest.getFullPathName().toUTF8()) != 0;
  854. }
  855. bool File::replaceInternal (const File& dest) const
  856. {
  857. void* lpExclude = 0;
  858. void* lpReserved = 0;
  859. return ReplaceFile (dest.getFullPathName().toUTF8(), fullPath.toUTF8(),
  860. 0, REPLACEFILE_IGNORE_MERGE_ERRORS, lpExclude, lpReserved) != 0;
  861. }
  862. Result File::createDirectoryInternal (const String& fileName) const
  863. {
  864. return CreateDirectory (fileName.toUTF8(), 0) ? Result::ok()
  865. : getResultForLastError();
  866. }
  867. File File::getCurrentWorkingDirectory()
  868. {
  869. CHAR dest [MAX_PATH + 256];
  870. dest[0] = 0;
  871. GetCurrentDirectory ((DWORD) numElementsInArray (dest), dest);
  872. return File (String (dest));
  873. }
  874. bool File::isSymbolicLink() const
  875. {
  876. return (GetFileAttributes (fullPath.toUTF8()) & FILE_ATTRIBUTE_REPARSE_POINT) != 0;
  877. }
  878. File File::getSpecialLocation (const SpecialLocationType type)
  879. {
  880. int csidlType = 0;
  881. switch (type)
  882. {
  883. case userHomeDirectory:
  884. csidlType = CSIDL_PROFILE;
  885. break;
  886. case tempDirectory:
  887. {
  888. CHAR dest [2048];
  889. dest[0] = 0;
  890. GetTempPath ((DWORD) numElementsInArray (dest), dest);
  891. return File (String (dest));
  892. }
  893. case currentExecutableFile:
  894. return WindowsFileHelpers::getModuleFileName (water::getCurrentModuleInstanceHandle());
  895. case hostApplicationPath:
  896. return WindowsFileHelpers::getModuleFileName (nullptr);
  897. default:
  898. jassertfalse; // unknown type?
  899. return File();
  900. }
  901. return WindowsFileHelpers::getSpecialFolderPath (csidlType);
  902. }
  903. //=====================================================================================================================
  904. class DirectoryIterator::NativeIterator::Pimpl
  905. {
  906. public:
  907. Pimpl (const File& directory, const String& wildCard)
  908. : directoryWithWildCard (directory.getFullPathName().isNotEmpty() ? File::addTrailingSeparator (directory.getFullPathName()) + wildCard : String()),
  909. handle (INVALID_HANDLE_VALUE)
  910. {
  911. }
  912. ~Pimpl()
  913. {
  914. if (handle != INVALID_HANDLE_VALUE)
  915. FindClose (handle);
  916. }
  917. bool next (String& filenameFound,
  918. bool* const isDir, int64* const fileSize,
  919. Time* const modTime, Time* const creationTime, bool* const isReadOnly)
  920. {
  921. using namespace WindowsFileHelpers;
  922. WIN32_FIND_DATA findData;
  923. if (handle == INVALID_HANDLE_VALUE)
  924. {
  925. handle = FindFirstFile (directoryWithWildCard.toUTF8(), &findData);
  926. if (handle == INVALID_HANDLE_VALUE)
  927. return false;
  928. }
  929. else
  930. {
  931. if (FindNextFile (handle, &findData) == 0)
  932. return false;
  933. }
  934. filenameFound = findData.cFileName;
  935. if (isDir != nullptr) *isDir = ((findData.dwFileAttributes & FILE_ATTRIBUTE_DIRECTORY) != 0);
  936. if (isReadOnly != nullptr) *isReadOnly = ((findData.dwFileAttributes & FILE_ATTRIBUTE_READONLY) != 0);
  937. if (fileSize != nullptr) *fileSize = findData.nFileSizeLow + (((int64) findData.nFileSizeHigh) << 32);
  938. if (modTime != nullptr) *modTime = Time (fileTimeToTime (&findData.ftLastWriteTime));
  939. if (creationTime != nullptr) *creationTime = Time (fileTimeToTime (&findData.ftCreationTime));
  940. return true;
  941. }
  942. private:
  943. const String directoryWithWildCard;
  944. HANDLE handle;
  945. CARLA_DECLARE_NON_COPY_CLASS (Pimpl)
  946. };
  947. #else
  948. //=====================================================================================================================
  949. namespace
  950. {
  951. #ifdef CARLA_OS_LINUX
  952. typedef struct stat64 water_statStruct;
  953. #define WATER_STAT stat64
  954. #else
  955. typedef struct stat water_statStruct;
  956. #define WATER_STAT stat
  957. #endif
  958. bool water_stat (const String& fileName, water_statStruct& info)
  959. {
  960. return fileName.isNotEmpty()
  961. && WATER_STAT (fileName.toUTF8(), &info) == 0;
  962. }
  963. #if 0 //def CARLA_OS_MAC
  964. static int64 getCreationTime (const water_statStruct& s) noexcept { return (int64) s.st_birthtime; }
  965. #else
  966. static int64 getCreationTime (const water_statStruct& s) noexcept { return (int64) s.st_ctime; }
  967. #endif
  968. void updateStatInfoForFile (const String& path, bool* const isDir, int64* const fileSize,
  969. Time* const modTime, Time* const creationTime, bool* const isReadOnly)
  970. {
  971. if (isDir != nullptr || fileSize != nullptr || modTime != nullptr || creationTime != nullptr)
  972. {
  973. water_statStruct info;
  974. const bool statOk = water_stat (path, info);
  975. if (isDir != nullptr) *isDir = statOk && ((info.st_mode & S_IFDIR) != 0);
  976. if (fileSize != nullptr) *fileSize = statOk ? (int64) info.st_size : 0;
  977. if (modTime != nullptr) *modTime = Time (statOk ? (int64) info.st_mtime * 1000 : 0);
  978. if (creationTime != nullptr) *creationTime = Time (statOk ? getCreationTime (info) * 1000 : 0);
  979. }
  980. if (isReadOnly != nullptr)
  981. *isReadOnly = access (path.toUTF8(), W_OK) != 0;
  982. }
  983. Result getResultForReturnValue (int value)
  984. {
  985. return value == -1 ? getResultForErrno() : Result::ok();
  986. }
  987. }
  988. const water_uchar File::separator = '/';
  989. const String File::separatorString ("/");
  990. bool File::isDirectory() const
  991. {
  992. water_statStruct info;
  993. return fullPath.isNotEmpty()
  994. && (water_stat (fullPath, info) && ((info.st_mode & S_IFDIR) != 0));
  995. }
  996. bool File::exists() const
  997. {
  998. return fullPath.isNotEmpty()
  999. && access (fullPath.toUTF8(), F_OK) == 0;
  1000. }
  1001. bool File::existsAsFile() const
  1002. {
  1003. return exists() && ! isDirectory();
  1004. }
  1005. bool File::hasWriteAccess() const
  1006. {
  1007. if (exists())
  1008. return access (fullPath.toUTF8(), W_OK) == 0;
  1009. if ((! isDirectory()) && fullPath.containsChar (separator))
  1010. return getParentDirectory().hasWriteAccess();
  1011. return false;
  1012. }
  1013. int64 File::getSize() const
  1014. {
  1015. water_statStruct info;
  1016. return water_stat (fullPath, info) ? info.st_size : 0;
  1017. }
  1018. bool File::deleteFile() const
  1019. {
  1020. if (! exists() && ! isSymbolicLink())
  1021. return true;
  1022. if (isDirectory())
  1023. return rmdir (fullPath.toUTF8()) == 0;
  1024. return remove (fullPath.toUTF8()) == 0;
  1025. }
  1026. bool File::moveInternal (const File& dest) const
  1027. {
  1028. if (rename (fullPath.toUTF8(), dest.getFullPathName().toUTF8()) == 0)
  1029. return true;
  1030. if (hasWriteAccess() && copyInternal (dest))
  1031. {
  1032. if (deleteFile())
  1033. return true;
  1034. dest.deleteFile();
  1035. }
  1036. return false;
  1037. }
  1038. bool File::replaceInternal (const File& dest) const
  1039. {
  1040. return moveInternal (dest);
  1041. }
  1042. Result File::createDirectoryInternal (const String& fileName) const
  1043. {
  1044. return getResultForReturnValue (mkdir (fileName.toUTF8(), 0777));
  1045. }
  1046. File File::getCurrentWorkingDirectory()
  1047. {
  1048. HeapBlock<char> heapBuffer;
  1049. char localBuffer [1024];
  1050. char* cwd = getcwd (localBuffer, sizeof (localBuffer) - 1);
  1051. size_t bufferSize = 4096;
  1052. while (cwd == nullptr && errno == ERANGE)
  1053. {
  1054. CARLA_SAFE_ASSERT_RETURN(heapBuffer.malloc (bufferSize), File());
  1055. cwd = getcwd (heapBuffer, bufferSize - 1);
  1056. bufferSize += 1024;
  1057. }
  1058. return File (CharPointer_UTF8 (cwd));
  1059. }
  1060. File water_getExecutableFile();
  1061. File water_getExecutableFile()
  1062. {
  1063. struct DLAddrReader
  1064. {
  1065. static String getFilename()
  1066. {
  1067. Dl_info exeInfo;
  1068. void* localSymbol = (void*) water_getExecutableFile;
  1069. dladdr (localSymbol, &exeInfo);
  1070. const CharPointer_UTF8 filename (exeInfo.dli_fname);
  1071. // if the filename is absolute simply return it
  1072. if (File::isAbsolutePath (filename))
  1073. return filename;
  1074. // if the filename is relative construct from CWD
  1075. if (filename[0] == '.')
  1076. return File::getCurrentWorkingDirectory().getChildFile (filename).getFullPathName();
  1077. // filename is abstract, look up in PATH
  1078. if (const char* const envpath = ::getenv ("PATH"))
  1079. {
  1080. StringArray paths (StringArray::fromTokens (envpath, ":", ""));
  1081. for (int i=paths.size(); --i>=0;)
  1082. {
  1083. const File filepath (File (paths[i]).getChildFile (filename));
  1084. if (filepath.existsAsFile())
  1085. return filepath.getFullPathName();
  1086. }
  1087. }
  1088. // if we reach this, we failed to find ourselves...
  1089. jassertfalse;
  1090. return filename;
  1091. }
  1092. };
  1093. static String filename (DLAddrReader::getFilename());
  1094. return filename;
  1095. }
  1096. #ifdef CARLA_OS_MAC
  1097. static NSString* getFileLink (const String& path)
  1098. {
  1099. return [[NSFileManager defaultManager] destinationOfSymbolicLinkAtPath: waterStringToNS (path) error: nil];
  1100. }
  1101. bool File::isSymbolicLink() const
  1102. {
  1103. return getFileLink (fullPath) != nil;
  1104. }
  1105. File File::getLinkedTarget() const
  1106. {
  1107. if (NSString* dest = getFileLink (fullPath))
  1108. return getSiblingFile (nsStringToWater (dest));
  1109. return *this;
  1110. }
  1111. bool File::copyInternal (const File& dest) const
  1112. {
  1113. const AutoNSAutoreleasePool arpool;
  1114. NSFileManager* fm = [NSFileManager defaultManager];
  1115. return [fm fileExistsAtPath: waterStringToNS (fullPath)]
  1116. #if defined (MAC_OS_X_VERSION_10_6) && MAC_OS_X_VERSION_MAX_ALLOWED >= MAC_OS_X_VERSION_10_6
  1117. && [fm copyItemAtPath: waterStringToNS (fullPath)
  1118. toPath: waterStringToNS (dest.getFullPathName())
  1119. error: nil];
  1120. #else
  1121. && [fm copyPath: waterStringToNS (fullPath)
  1122. toPath: waterStringToNS (dest.getFullPathName())
  1123. handler: nil];
  1124. #endif
  1125. }
  1126. File File::getSpecialLocation (const SpecialLocationType type)
  1127. {
  1128. const AutoNSAutoreleasePool arpool;
  1129. String resultPath;
  1130. switch (type)
  1131. {
  1132. case userHomeDirectory:
  1133. resultPath = nsStringToWater (NSHomeDirectory());
  1134. break;
  1135. case tempDirectory:
  1136. {
  1137. File tmp ("~/Library/Caches/" + water_getExecutableFile().getFileNameWithoutExtension());
  1138. tmp.createDirectory();
  1139. return File (tmp.getFullPathName());
  1140. }
  1141. case currentExecutableFile:
  1142. return water_getExecutableFile();
  1143. case hostApplicationPath:
  1144. {
  1145. unsigned int size = 8192;
  1146. HeapBlock<char> buffer;
  1147. buffer.calloc (size + 8);
  1148. _NSGetExecutablePath (buffer.getData(), &size);
  1149. return File (String::fromUTF8 (buffer, (int) size));
  1150. }
  1151. default:
  1152. jassertfalse; // unknown type?
  1153. break;
  1154. }
  1155. if (resultPath.isNotEmpty())
  1156. return File (resultPath.convertToPrecomposedUnicode());
  1157. return File();
  1158. }
  1159. //==============================================================================
  1160. class DirectoryIterator::NativeIterator::Pimpl
  1161. {
  1162. public:
  1163. Pimpl (const File& directory, const String& wildCard_)
  1164. : parentDir (File::addTrailingSeparator (directory.getFullPathName())),
  1165. wildCard (wildCard_),
  1166. enumerator (nil)
  1167. {
  1168. const AutoNSAutoreleasePool arpool;
  1169. enumerator = [[[NSFileManager defaultManager] enumeratorAtPath: waterStringToNS (directory.getFullPathName())] retain];
  1170. }
  1171. ~Pimpl()
  1172. {
  1173. [enumerator release];
  1174. }
  1175. bool next (String& filenameFound,
  1176. bool* const isDir, int64* const fileSize,
  1177. Time* const modTime, Time* const creationTime, bool* const isReadOnly)
  1178. {
  1179. const AutoNSAutoreleasePool arpool;
  1180. const char* wildcardUTF8 = nullptr;
  1181. for (;;)
  1182. {
  1183. NSString* file;
  1184. if (enumerator == nil || (file = [enumerator nextObject]) == nil)
  1185. return false;
  1186. [enumerator skipDescendents];
  1187. filenameFound = nsStringToWater (file).convertToPrecomposedUnicode();
  1188. if (wildcardUTF8 == nullptr)
  1189. wildcardUTF8 = wildCard.toUTF8();
  1190. if (fnmatch (wildcardUTF8, filenameFound.toUTF8(), FNM_CASEFOLD) != 0)
  1191. continue;
  1192. const String fullPath (parentDir + filenameFound);
  1193. updateStatInfoForFile (fullPath, isDir, fileSize, modTime, creationTime, isReadOnly);
  1194. return true;
  1195. }
  1196. }
  1197. private:
  1198. String parentDir, wildCard;
  1199. NSDirectoryEnumerator* enumerator;
  1200. CARLA_DECLARE_NON_COPY_CLASS (Pimpl)
  1201. };
  1202. #else
  1203. static String getLinkedFile (const String& file)
  1204. {
  1205. HeapBlock<char> buffer;
  1206. CARLA_SAFE_ASSERT_RETURN(buffer.malloc(8194), String());
  1207. const int numBytes = (int) readlink (file.toRawUTF8(), buffer, 8192);
  1208. return String::fromUTF8 (buffer, jmax (0, numBytes));
  1209. }
  1210. bool File::isSymbolicLink() const
  1211. {
  1212. return getLinkedFile (getFullPathName()).isNotEmpty();
  1213. }
  1214. File File::getLinkedTarget() const
  1215. {
  1216. String f (getLinkedFile (getFullPathName()));
  1217. if (f.isNotEmpty())
  1218. return getSiblingFile (f);
  1219. return *this;
  1220. }
  1221. bool File::copyInternal (const File& dest) const
  1222. {
  1223. FileInputStream in (*this);
  1224. if (dest.deleteFile())
  1225. {
  1226. {
  1227. FileOutputStream out (dest);
  1228. if (out.failedToOpen())
  1229. return false;
  1230. if (out.writeFromInputStream (in, -1) == getSize())
  1231. return true;
  1232. }
  1233. dest.deleteFile();
  1234. }
  1235. return false;
  1236. }
  1237. File File::getSpecialLocation (const SpecialLocationType type)
  1238. {
  1239. switch (type)
  1240. {
  1241. case userHomeDirectory:
  1242. {
  1243. if (const char* homeDir = getenv ("HOME"))
  1244. return File (CharPointer_UTF8 (homeDir));
  1245. if (struct passwd* const pw = getpwuid (getuid()))
  1246. return File (CharPointer_UTF8 (pw->pw_dir));
  1247. return File();
  1248. }
  1249. case tempDirectory:
  1250. {
  1251. File tmp ("/var/tmp");
  1252. if (! tmp.isDirectory())
  1253. {
  1254. tmp = "/tmp";
  1255. if (! tmp.isDirectory())
  1256. tmp = File::getCurrentWorkingDirectory();
  1257. }
  1258. return tmp;
  1259. }
  1260. case currentExecutableFile:
  1261. return water_getExecutableFile();
  1262. case hostApplicationPath:
  1263. {
  1264. const File f ("/proc/self/exe");
  1265. return f.isSymbolicLink() ? f.getLinkedTarget() : water_getExecutableFile();
  1266. }
  1267. default:
  1268. jassertfalse; // unknown type?
  1269. break;
  1270. }
  1271. return File();
  1272. }
  1273. //==============================================================================
  1274. class DirectoryIterator::NativeIterator::Pimpl
  1275. {
  1276. public:
  1277. Pimpl (const File& directory, const String& wc)
  1278. : parentDir (File::addTrailingSeparator (directory.getFullPathName())),
  1279. wildCard (wc), dir (opendir (directory.getFullPathName().toUTF8()))
  1280. {
  1281. }
  1282. ~Pimpl()
  1283. {
  1284. if (dir != nullptr)
  1285. closedir (dir);
  1286. }
  1287. bool next (String& filenameFound,
  1288. bool* const isDir, int64* const fileSize,
  1289. Time* const modTime, Time* const creationTime, bool* const isReadOnly)
  1290. {
  1291. if (dir != nullptr)
  1292. {
  1293. const char* wildcardUTF8 = nullptr;
  1294. for (;;)
  1295. {
  1296. struct dirent* const de = readdir (dir);
  1297. if (de == nullptr)
  1298. break;
  1299. if (wildcardUTF8 == nullptr)
  1300. wildcardUTF8 = wildCard.toUTF8();
  1301. if (fnmatch (wildcardUTF8, de->d_name, FNM_CASEFOLD) == 0)
  1302. {
  1303. filenameFound = CharPointer_UTF8 (de->d_name);
  1304. updateStatInfoForFile (parentDir + filenameFound, isDir, fileSize, modTime, creationTime, isReadOnly);
  1305. return true;
  1306. }
  1307. }
  1308. }
  1309. return false;
  1310. }
  1311. private:
  1312. String parentDir, wildCard;
  1313. DIR* dir;
  1314. CARLA_DECLARE_NON_COPY_CLASS (Pimpl)
  1315. };
  1316. #endif
  1317. #endif
  1318. DirectoryIterator::NativeIterator::NativeIterator (const File& directory, const String& wildCardStr)
  1319. : pimpl (new DirectoryIterator::NativeIterator::Pimpl (directory, wildCardStr))
  1320. {
  1321. }
  1322. DirectoryIterator::NativeIterator::~NativeIterator() {}
  1323. bool DirectoryIterator::NativeIterator::next (String& filenameFound,
  1324. bool* isDir, int64* fileSize,
  1325. Time* modTime, Time* creationTime, bool* isReadOnly)
  1326. {
  1327. return pimpl->next (filenameFound, isDir, fileSize, modTime, creationTime, isReadOnly);
  1328. }
  1329. }