The JUCE cross-platform C++ framework, with DISTRHO/KXStudio specific changes
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.

1268 lines
46KB

  1. /*
  2. ==============================================================================
  3. This file is part of the JUCE library.
  4. Copyright (c) 2017 - ROLI Ltd.
  5. JUCE is an open source library subject to commercial or open-source
  6. licensing.
  7. The code included in this file is provided under the terms of the ISC license
  8. http://www.isc.org/downloads/software-support-policy/isc-license. Permission
  9. To use, copy, modify, and/or distribute this software for any purpose with or
  10. without fee is hereby granted provided that the above copyright notice and
  11. this permission notice appear in all copies.
  12. JUCE IS PROVIDED "AS IS" WITHOUT ANY WARRANTY, AND ALL WARRANTIES, WHETHER
  13. EXPRESSED OR IMPLIED, INCLUDING MERCHANTABILITY AND FITNESS FOR PURPOSE, ARE
  14. DISCLAIMED.
  15. ==============================================================================
  16. */
  17. #pragma once
  18. //==============================================================================
  19. /**
  20. Holds a resizable array of primitive or copy-by-value objects.
  21. Examples of arrays are: Array<int>, Array<Rectangle> or Array<MyClass*>
  22. The Array class can be used to hold simple, non-polymorphic objects as well as primitive types - to
  23. do so, the class must fulfil these requirements:
  24. - it must have a copy constructor and assignment operator
  25. - it must be able to be relocated in memory by a memcpy without this causing any problems - so
  26. objects whose functionality relies on external pointers or references to themselves can not be used.
  27. You can of course have an array of pointers to any kind of object, e.g. Array<MyClass*>, but if
  28. you do this, the array doesn't take any ownership of the objects - see the OwnedArray class or the
  29. ReferenceCountedArray class for more powerful ways of holding lists of objects.
  30. For holding lists of strings, you can use Array\<String\>, but it's usually better to use the
  31. specialised class StringArray, which provides more useful functions.
  32. To make all the array's methods thread-safe, pass in "CriticalSection" as the templated
  33. TypeOfCriticalSectionToUse parameter, instead of the default DummyCriticalSection.
  34. @see OwnedArray, ReferenceCountedArray, StringArray, CriticalSection
  35. */
  36. template <typename ElementType,
  37. typename TypeOfCriticalSectionToUse = DummyCriticalSection,
  38. int minimumAllocatedSize = 0>
  39. class Array
  40. {
  41. private:
  42. typedef typename TypeHelpers::ParameterType<ElementType>::type ParameterType;
  43. public:
  44. //==============================================================================
  45. /** Creates an empty array. */
  46. Array() noexcept : numUsed (0)
  47. {
  48. }
  49. /** Creates a copy of another array.
  50. @param other the array to copy
  51. */
  52. Array (const Array<ElementType, TypeOfCriticalSectionToUse>& other)
  53. {
  54. const ScopedLockType lock (other.getLock());
  55. numUsed = other.numUsed;
  56. data.setAllocatedSize (other.numUsed);
  57. for (int i = 0; i < numUsed; ++i)
  58. new (data.elements + i) ElementType (other.data.elements[i]);
  59. }
  60. Array (Array<ElementType, TypeOfCriticalSectionToUse>&& other) noexcept
  61. : data (static_cast<ArrayAllocationBase<ElementType, TypeOfCriticalSectionToUse>&&> (other.data)),
  62. numUsed (other.numUsed)
  63. {
  64. other.numUsed = 0;
  65. }
  66. /** Initalises from a null-terminated C array of values.
  67. @param values the array to copy from
  68. */
  69. template <typename TypeToCreateFrom>
  70. explicit Array (const TypeToCreateFrom* values) : numUsed (0)
  71. {
  72. while (*values != TypeToCreateFrom())
  73. add (*values++);
  74. }
  75. /** Initalises from a C array of values.
  76. @param values the array to copy from
  77. @param numValues the number of values in the array
  78. */
  79. template <typename TypeToCreateFrom>
  80. Array (const TypeToCreateFrom* values, int numValues) : numUsed (numValues)
  81. {
  82. data.setAllocatedSize (numValues);
  83. for (int i = 0; i < numValues; ++i)
  84. new (data.elements + i) ElementType (values[i]);
  85. }
  86. #if JUCE_COMPILER_SUPPORTS_INITIALIZER_LISTS
  87. template <typename TypeToCreateFrom>
  88. Array (const std::initializer_list<TypeToCreateFrom>& items) : numUsed (0)
  89. {
  90. addArray (items);
  91. }
  92. #endif
  93. /** Destructor. */
  94. ~Array()
  95. {
  96. deleteAllElements();
  97. }
  98. /** Copies another array.
  99. @param other the array to copy
  100. */
  101. Array& operator= (const Array& other)
  102. {
  103. if (this != &other)
  104. {
  105. Array<ElementType, TypeOfCriticalSectionToUse> otherCopy (other);
  106. swapWith (otherCopy);
  107. }
  108. return *this;
  109. }
  110. Array& operator= (Array&& other) noexcept
  111. {
  112. const ScopedLockType lock (getLock());
  113. deleteAllElements();
  114. data = static_cast<ArrayAllocationBase<ElementType, TypeOfCriticalSectionToUse>&&> (other.data);
  115. numUsed = other.numUsed;
  116. other.numUsed = 0;
  117. return *this;
  118. }
  119. //==============================================================================
  120. /** Compares this array to another one.
  121. Two arrays are considered equal if they both contain the same set of
  122. elements, in the same order.
  123. @param other the other array to compare with
  124. */
  125. template <class OtherArrayType>
  126. bool operator== (const OtherArrayType& other) const
  127. {
  128. const ScopedLockType lock (getLock());
  129. const typename OtherArrayType::ScopedLockType lock2 (other.getLock());
  130. if (numUsed != other.numUsed)
  131. return false;
  132. for (int i = numUsed; --i >= 0;)
  133. if (! (data.elements [i] == other.data.elements [i]))
  134. return false;
  135. return true;
  136. }
  137. /** Compares this array to another one.
  138. Two arrays are considered equal if they both contain the same set of
  139. elements, in the same order.
  140. @param other the other array to compare with
  141. */
  142. template <class OtherArrayType>
  143. bool operator!= (const OtherArrayType& other) const
  144. {
  145. return ! operator== (other);
  146. }
  147. //==============================================================================
  148. /** Removes all elements from the array.
  149. This will remove all the elements, and free any storage that the array is
  150. using. To clear the array without freeing the storage, use the clearQuick()
  151. method instead.
  152. @see clearQuick
  153. */
  154. void clear()
  155. {
  156. const ScopedLockType lock (getLock());
  157. deleteAllElements();
  158. data.setAllocatedSize (0);
  159. numUsed = 0;
  160. }
  161. /** Removes all elements from the array without freeing the array's allocated storage.
  162. @see clear
  163. */
  164. void clearQuick()
  165. {
  166. const ScopedLockType lock (getLock());
  167. deleteAllElements();
  168. numUsed = 0;
  169. }
  170. /** Fills the Array with the provided value. */
  171. void fill (const ParameterType& newValue) noexcept
  172. {
  173. const ScopedLockType lock (getLock());
  174. for (auto& e : *this)
  175. e = newValue;
  176. }
  177. //==============================================================================
  178. /** Returns the current number of elements in the array. */
  179. inline int size() const noexcept
  180. {
  181. return numUsed;
  182. }
  183. /** Returns true if the array is empty, false otherwise. */
  184. inline bool isEmpty() const noexcept
  185. {
  186. return size() == 0;
  187. }
  188. /** Returns one of the elements in the array.
  189. If the index passed in is beyond the range of valid elements, this
  190. will return a default value.
  191. If you're certain that the index will always be a valid element, you
  192. can call getUnchecked() instead, which is faster.
  193. @param index the index of the element being requested (0 is the first element in the array)
  194. @see getUnchecked, getFirst, getLast
  195. */
  196. ElementType operator[] (const int index) const
  197. {
  198. const ScopedLockType lock (getLock());
  199. if (isPositiveAndBelow (index, numUsed))
  200. {
  201. jassert (data.elements != nullptr);
  202. return data.elements [index];
  203. }
  204. return ElementType();
  205. }
  206. /** Returns one of the elements in the array, without checking the index passed in.
  207. Unlike the operator[] method, this will try to return an element without
  208. checking that the index is within the bounds of the array, so should only
  209. be used when you're confident that it will always be a valid index.
  210. @param index the index of the element being requested (0 is the first element in the array)
  211. @see operator[], getFirst, getLast
  212. */
  213. inline ElementType getUnchecked (const int index) const
  214. {
  215. const ScopedLockType lock (getLock());
  216. jassert (isPositiveAndBelow (index, numUsed) && data.elements != nullptr);
  217. return data.elements [index];
  218. }
  219. /** Returns a direct reference to one of the elements in the array, without checking the index passed in.
  220. This is like getUnchecked, but returns a direct reference to the element, so that
  221. you can alter it directly. Obviously this can be dangerous, so only use it when
  222. absolutely necessary.
  223. @param index the index of the element being requested (0 is the first element in the array)
  224. @see operator[], getFirst, getLast
  225. */
  226. inline ElementType& getReference (const int index) const noexcept
  227. {
  228. const ScopedLockType lock (getLock());
  229. jassert (isPositiveAndBelow (index, numUsed) && data.elements != nullptr);
  230. return data.elements [index];
  231. }
  232. /** Returns the first element in the array, or a default value if the array is empty.
  233. @see operator[], getUnchecked, getLast
  234. */
  235. inline ElementType getFirst() const
  236. {
  237. const ScopedLockType lock (getLock());
  238. if (numUsed > 0)
  239. {
  240. jassert (data.elements != nullptr);
  241. return data.elements[0];
  242. }
  243. return ElementType();
  244. }
  245. /** Returns the last element in the array, or a default value if the array is empty.
  246. @see operator[], getUnchecked, getFirst
  247. */
  248. inline ElementType getLast() const
  249. {
  250. const ScopedLockType lock (getLock());
  251. if (numUsed > 0)
  252. {
  253. jassert (data.elements != nullptr);
  254. return data.elements[numUsed - 1];
  255. }
  256. return ElementType();
  257. }
  258. /** Returns a pointer to the actual array data.
  259. This pointer will only be valid until the next time a non-const method
  260. is called on the array.
  261. */
  262. inline ElementType* getRawDataPointer() noexcept
  263. {
  264. return data.elements;
  265. }
  266. //==============================================================================
  267. /** Returns a pointer to the first element in the array.
  268. This method is provided for compatibility with standard C++ iteration mechanisms.
  269. */
  270. inline ElementType* begin() const noexcept
  271. {
  272. return data.elements;
  273. }
  274. /** Returns a pointer to the element which follows the last element in the array.
  275. This method is provided for compatibility with standard C++ iteration mechanisms.
  276. */
  277. inline ElementType* end() const noexcept
  278. {
  279. #if JUCE_DEBUG
  280. if (data.elements == nullptr || numUsed <= 0) // (to keep static analysers happy)
  281. return data.elements;
  282. #endif
  283. return data.elements + numUsed;
  284. }
  285. //==============================================================================
  286. /** Finds the index of the first element which matches the value passed in.
  287. This will search the array for the given object, and return the index
  288. of its first occurrence. If the object isn't found, the method will return -1.
  289. @param elementToLookFor the value or object to look for
  290. @returns the index of the object, or -1 if it's not found
  291. */
  292. int indexOf (ParameterType elementToLookFor) const
  293. {
  294. const ScopedLockType lock (getLock());
  295. const ElementType* e = data.elements.get();
  296. const ElementType* const end_ = e + numUsed;
  297. for (; e != end_; ++e)
  298. if (elementToLookFor == *e)
  299. return static_cast<int> (e - data.elements.get());
  300. return -1;
  301. }
  302. /** Returns true if the array contains at least one occurrence of an object.
  303. @param elementToLookFor the value or object to look for
  304. @returns true if the item is found
  305. */
  306. bool contains (ParameterType elementToLookFor) const
  307. {
  308. const ScopedLockType lock (getLock());
  309. const ElementType* e = data.elements.get();
  310. const ElementType* const end_ = e + numUsed;
  311. for (; e != end_; ++e)
  312. if (elementToLookFor == *e)
  313. return true;
  314. return false;
  315. }
  316. //==============================================================================
  317. /** Appends a new element at the end of the array.
  318. @param newElement the new object to add to the array
  319. @see set, insert, addIfNotAlreadyThere, addSorted, addUsingDefaultSort, addArray
  320. */
  321. void add (const ElementType& newElement)
  322. {
  323. const ScopedLockType lock (getLock());
  324. data.ensureAllocatedSize (numUsed + 1);
  325. new (data.elements + numUsed++) ElementType (newElement);
  326. }
  327. /** Appends a new element at the end of the array.
  328. @param newElement the new object to add to the array
  329. @see set, insert, addIfNotAlreadyThere, addSorted, addUsingDefaultSort, addArray
  330. */
  331. void add (ElementType&& newElement)
  332. {
  333. const ScopedLockType lock (getLock());
  334. data.ensureAllocatedSize (numUsed + 1);
  335. new (data.elements + numUsed++) ElementType (static_cast<ElementType&&> (newElement));
  336. }
  337. /** Appends multiple new elements at the end of the array. */
  338. template <typename... OtherElements>
  339. void add (const ElementType& firstNewElement, OtherElements... otherElements)
  340. {
  341. const ScopedLockType lock (getLock());
  342. data.ensureAllocatedSize (numUsed + 1 + (int) sizeof... (otherElements));
  343. addAssumingCapacityIsReady (firstNewElement, otherElements...);
  344. }
  345. /** Appends multiple new elements at the end of the array. */
  346. template <typename... OtherElements>
  347. void add (ElementType&& firstNewElement, OtherElements... otherElements)
  348. {
  349. const ScopedLockType lock (getLock());
  350. data.ensureAllocatedSize (numUsed + 1 + (int) sizeof... (otherElements));
  351. addAssumingCapacityIsReady (static_cast<ElementType&&> (firstNewElement), otherElements...);
  352. }
  353. /** Inserts a new element into the array at a given position.
  354. If the index is less than 0 or greater than the size of the array, the
  355. element will be added to the end of the array.
  356. Otherwise, it will be inserted into the array, moving all the later elements
  357. along to make room.
  358. @param indexToInsertAt the index at which the new element should be
  359. inserted (pass in -1 to add it to the end)
  360. @param newElement the new object to add to the array
  361. @see add, addSorted, addUsingDefaultSort, set
  362. */
  363. void insert (int indexToInsertAt, ParameterType newElement)
  364. {
  365. const ScopedLockType lock (getLock());
  366. data.ensureAllocatedSize (numUsed + 1);
  367. jassert (data.elements != nullptr);
  368. if (isPositiveAndBelow (indexToInsertAt, numUsed))
  369. {
  370. ElementType* const insertPos = data.elements + indexToInsertAt;
  371. const int numberToMove = numUsed - indexToInsertAt;
  372. if (numberToMove > 0)
  373. memmove (insertPos + 1, insertPos, ((size_t) numberToMove) * sizeof (ElementType));
  374. new (insertPos) ElementType (newElement);
  375. ++numUsed;
  376. }
  377. else
  378. {
  379. new (data.elements + numUsed++) ElementType (newElement);
  380. }
  381. }
  382. /** Inserts multiple copies of an element into the array at a given position.
  383. If the index is less than 0 or greater than the size of the array, the
  384. element will be added to the end of the array.
  385. Otherwise, it will be inserted into the array, moving all the later elements
  386. along to make room.
  387. @param indexToInsertAt the index at which the new element should be inserted
  388. @param newElement the new object to add to the array
  389. @param numberOfTimesToInsertIt how many copies of the value to insert
  390. @see insert, add, addSorted, set
  391. */
  392. void insertMultiple (int indexToInsertAt, ParameterType newElement,
  393. int numberOfTimesToInsertIt)
  394. {
  395. if (numberOfTimesToInsertIt > 0)
  396. {
  397. const ScopedLockType lock (getLock());
  398. data.ensureAllocatedSize (numUsed + numberOfTimesToInsertIt);
  399. ElementType* insertPos;
  400. if (isPositiveAndBelow (indexToInsertAt, numUsed))
  401. {
  402. insertPos = data.elements + indexToInsertAt;
  403. const int numberToMove = numUsed - indexToInsertAt;
  404. memmove (insertPos + numberOfTimesToInsertIt, insertPos, ((size_t) numberToMove) * sizeof (ElementType));
  405. }
  406. else
  407. {
  408. insertPos = data.elements + numUsed;
  409. }
  410. numUsed += numberOfTimesToInsertIt;
  411. while (--numberOfTimesToInsertIt >= 0)
  412. {
  413. new (insertPos) ElementType (newElement);
  414. ++insertPos; // NB: this increment is done separately from the
  415. // new statement to avoid a compiler bug in VS2014
  416. }
  417. }
  418. }
  419. /** Inserts an array of values into this array at a given position.
  420. If the index is less than 0 or greater than the size of the array, the
  421. new elements will be added to the end of the array.
  422. Otherwise, they will be inserted into the array, moving all the later elements
  423. along to make room.
  424. @param indexToInsertAt the index at which the first new element should be inserted
  425. @param newElements the new values to add to the array
  426. @param numberOfElements how many items are in the array
  427. @see insert, add, addSorted, set
  428. */
  429. void insertArray (int indexToInsertAt,
  430. const ElementType* newElements,
  431. int numberOfElements)
  432. {
  433. if (numberOfElements > 0)
  434. {
  435. const ScopedLockType lock (getLock());
  436. data.ensureAllocatedSize (numUsed + numberOfElements);
  437. ElementType* insertPos = data.elements;
  438. if (isPositiveAndBelow (indexToInsertAt, numUsed))
  439. {
  440. insertPos += indexToInsertAt;
  441. const int numberToMove = numUsed - indexToInsertAt;
  442. memmove (insertPos + numberOfElements, insertPos, (size_t) numberToMove * sizeof (ElementType));
  443. }
  444. else
  445. {
  446. insertPos += numUsed;
  447. }
  448. numUsed += numberOfElements;
  449. while (--numberOfElements >= 0)
  450. new (insertPos++) ElementType (*newElements++);
  451. }
  452. }
  453. /** Appends a new element at the end of the array as long as the array doesn't
  454. already contain it.
  455. If the array already contains an element that matches the one passed in, nothing
  456. will be done.
  457. @param newElement the new object to add to the array
  458. @return true if the element was added to the array; false otherwise.
  459. */
  460. bool addIfNotAlreadyThere (ParameterType newElement)
  461. {
  462. const ScopedLockType lock (getLock());
  463. if (contains (newElement))
  464. return false;
  465. add (newElement);
  466. return true;
  467. }
  468. /** Replaces an element with a new value.
  469. If the index is less than zero, this method does nothing.
  470. If the index is beyond the end of the array, the item is added to the end of the array.
  471. @param indexToChange the index whose value you want to change
  472. @param newValue the new value to set for this index.
  473. @see add, insert
  474. */
  475. void set (const int indexToChange, ParameterType newValue)
  476. {
  477. jassert (indexToChange >= 0);
  478. const ScopedLockType lock (getLock());
  479. if (isPositiveAndBelow (indexToChange, numUsed))
  480. {
  481. jassert (data.elements != nullptr);
  482. data.elements [indexToChange] = newValue;
  483. }
  484. else if (indexToChange >= 0)
  485. {
  486. data.ensureAllocatedSize (numUsed + 1);
  487. new (data.elements + numUsed++) ElementType (newValue);
  488. }
  489. }
  490. /** Replaces an element with a new value without doing any bounds-checking.
  491. This just sets a value directly in the array's internal storage, so you'd
  492. better make sure it's in range!
  493. @param indexToChange the index whose value you want to change
  494. @param newValue the new value to set for this index.
  495. @see set, getUnchecked
  496. */
  497. void setUnchecked (const int indexToChange, ParameterType newValue)
  498. {
  499. const ScopedLockType lock (getLock());
  500. jassert (isPositiveAndBelow (indexToChange, numUsed));
  501. data.elements [indexToChange] = newValue;
  502. }
  503. /** Adds elements from an array to the end of this array.
  504. @param elementsToAdd an array of some kind of object from which elements
  505. can be constructed.
  506. @param numElementsToAdd how many elements are in this other array
  507. @see add
  508. */
  509. template <typename Type>
  510. void addArray (const Type* elementsToAdd, int numElementsToAdd)
  511. {
  512. const ScopedLockType lock (getLock());
  513. if (numElementsToAdd > 0)
  514. {
  515. data.ensureAllocatedSize (numUsed + numElementsToAdd);
  516. while (--numElementsToAdd >= 0)
  517. {
  518. new (data.elements + numUsed) ElementType (*elementsToAdd++);
  519. ++numUsed;
  520. }
  521. }
  522. }
  523. #if JUCE_COMPILER_SUPPORTS_INITIALIZER_LISTS
  524. template <typename TypeToCreateFrom>
  525. void addArray (const std::initializer_list<TypeToCreateFrom>& items)
  526. {
  527. const ScopedLockType lock (getLock());
  528. data.ensureAllocatedSize (numUsed + (int) items.size());
  529. for (auto& item : items)
  530. {
  531. new (data.elements + numUsed) ElementType (item);
  532. ++numUsed;
  533. }
  534. }
  535. #endif
  536. /** Adds elements from a null-terminated array of pointers to the end of this array.
  537. @param elementsToAdd an array of pointers to some kind of object from which elements
  538. can be constructed. This array must be terminated by a nullptr
  539. @see addArray
  540. */
  541. template <typename Type>
  542. void addNullTerminatedArray (const Type* const* elementsToAdd)
  543. {
  544. int num = 0;
  545. for (const Type* const* e = elementsToAdd; *e != nullptr; ++e)
  546. ++num;
  547. addArray (elementsToAdd, num);
  548. }
  549. /** This swaps the contents of this array with those of another array.
  550. If you need to exchange two arrays, this is vastly quicker than using copy-by-value
  551. because it just swaps their internal pointers.
  552. */
  553. template <class OtherArrayType>
  554. void swapWith (OtherArrayType& otherArray) noexcept
  555. {
  556. const ScopedLockType lock1 (getLock());
  557. const typename OtherArrayType::ScopedLockType lock2 (otherArray.getLock());
  558. data.swapWith (otherArray.data);
  559. std::swap (numUsed, otherArray.numUsed);
  560. }
  561. /** Adds elements from another array to the end of this array.
  562. @param arrayToAddFrom the array from which to copy the elements
  563. @param startIndex the first element of the other array to start copying from
  564. @param numElementsToAdd how many elements to add from the other array. If this
  565. value is negative or greater than the number of available elements,
  566. all available elements will be copied.
  567. @see add
  568. */
  569. template <class OtherArrayType>
  570. void addArray (const OtherArrayType& arrayToAddFrom,
  571. int startIndex = 0,
  572. int numElementsToAdd = -1)
  573. {
  574. const typename OtherArrayType::ScopedLockType lock1 (arrayToAddFrom.getLock());
  575. {
  576. const ScopedLockType lock2 (getLock());
  577. if (startIndex < 0)
  578. {
  579. jassertfalse;
  580. startIndex = 0;
  581. }
  582. if (numElementsToAdd < 0 || startIndex + numElementsToAdd > arrayToAddFrom.size())
  583. numElementsToAdd = arrayToAddFrom.size() - startIndex;
  584. while (--numElementsToAdd >= 0)
  585. add (arrayToAddFrom.getUnchecked (startIndex++));
  586. }
  587. }
  588. /** This will enlarge or shrink the array to the given number of elements, by adding
  589. or removing items from its end.
  590. If the array is smaller than the given target size, empty elements will be appended
  591. until its size is as specified. If its size is larger than the target, items will be
  592. removed from its end to shorten it.
  593. */
  594. void resize (const int targetNumItems)
  595. {
  596. jassert (targetNumItems >= 0);
  597. auto numToAdd = targetNumItems - numUsed;
  598. if (numToAdd > 0)
  599. insertMultiple (numUsed, ElementType(), numToAdd);
  600. else if (numToAdd < 0)
  601. removeRange (targetNumItems, -numToAdd);
  602. }
  603. /** Inserts a new element into the array, assuming that the array is sorted.
  604. This will use a comparator to find the position at which the new element
  605. should go. If the array isn't sorted, the behaviour of this
  606. method will be unpredictable.
  607. @param comparator the comparator to use to compare the elements - see the sort()
  608. method for details about the form this object should take
  609. @param newElement the new element to insert to the array
  610. @returns the index at which the new item was added
  611. @see addUsingDefaultSort, add, sort
  612. */
  613. template <class ElementComparator>
  614. int addSorted (ElementComparator& comparator, ParameterType newElement)
  615. {
  616. const ScopedLockType lock (getLock());
  617. auto index = findInsertIndexInSortedArray (comparator, data.elements.get(), newElement, 0, numUsed);
  618. insert (index, newElement);
  619. return index;
  620. }
  621. /** Inserts a new element into the array, assuming that the array is sorted.
  622. This will use the DefaultElementComparator class for sorting, so your ElementType
  623. must be suitable for use with that class. If the array isn't sorted, the behaviour of this
  624. method will be unpredictable.
  625. @param newElement the new element to insert to the array
  626. @see addSorted, sort
  627. */
  628. void addUsingDefaultSort (ParameterType newElement)
  629. {
  630. DefaultElementComparator <ElementType> comparator;
  631. addSorted (comparator, newElement);
  632. }
  633. /** Finds the index of an element in the array, assuming that the array is sorted.
  634. This will use a comparator to do a binary-chop to find the index of the given
  635. element, if it exists. If the array isn't sorted, the behaviour of this
  636. method will be unpredictable.
  637. @param comparator the comparator to use to compare the elements - see the sort()
  638. method for details about the form this object should take
  639. @param elementToLookFor the element to search for
  640. @returns the index of the element, or -1 if it's not found
  641. @see addSorted, sort
  642. */
  643. template <typename ElementComparator, typename TargetValueType>
  644. int indexOfSorted (ElementComparator& comparator, TargetValueType elementToLookFor) const
  645. {
  646. ignoreUnused (comparator); // if you pass in an object with a static compareElements() method, this
  647. // avoids getting warning messages about the parameter being unused
  648. const ScopedLockType lock (getLock());
  649. for (int s = 0, e = numUsed;;)
  650. {
  651. if (s >= e)
  652. return -1;
  653. if (comparator.compareElements (elementToLookFor, data.elements [s]) == 0)
  654. return s;
  655. const int halfway = (s + e) / 2;
  656. if (halfway == s)
  657. return -1;
  658. if (comparator.compareElements (elementToLookFor, data.elements [halfway]) >= 0)
  659. s = halfway;
  660. else
  661. e = halfway;
  662. }
  663. }
  664. //==============================================================================
  665. /** Removes an element from the array.
  666. This will remove the element at a given index, and move back
  667. all the subsequent elements to close the gap.
  668. If the index passed in is out-of-range, nothing will happen.
  669. @param indexToRemove the index of the element to remove
  670. @see removeAndReturn, removeFirstMatchingValue, removeAllInstancesOf, removeRange
  671. */
  672. void remove (int indexToRemove)
  673. {
  674. const ScopedLockType lock (getLock());
  675. if (isPositiveAndBelow (indexToRemove, numUsed))
  676. {
  677. jassert (data.elements != nullptr);
  678. removeInternal (indexToRemove);
  679. }
  680. }
  681. /** Removes an element from the array.
  682. This will remove the element at a given index, and move back
  683. all the subsequent elements to close the gap.
  684. If the index passed in is out-of-range, nothing will happen.
  685. @param indexToRemove the index of the element to remove
  686. @returns the element that has been removed
  687. @see removeFirstMatchingValue, removeAllInstancesOf, removeRange
  688. */
  689. ElementType removeAndReturn (const int indexToRemove)
  690. {
  691. const ScopedLockType lock (getLock());
  692. if (isPositiveAndBelow (indexToRemove, numUsed))
  693. {
  694. jassert (data.elements != nullptr);
  695. ElementType removed (data.elements[indexToRemove]);
  696. removeInternal (indexToRemove);
  697. return removed;
  698. }
  699. return ElementType();
  700. }
  701. /** Removes an element from the array.
  702. This will remove the element pointed to by the given iterator,
  703. and move back all the subsequent elements to close the gap.
  704. If the iterator passed in does not point to an element within the
  705. array, behaviour is undefined.
  706. @param elementToRemove a pointer to the element to remove
  707. @see removeFirstMatchingValue, removeAllInstancesOf, removeRange, removeIf
  708. */
  709. void remove (const ElementType* elementToRemove)
  710. {
  711. jassert (elementToRemove != nullptr);
  712. const ScopedLockType lock (getLock());
  713. jassert (data.elements != nullptr);
  714. const int indexToRemove = int (elementToRemove - data.elements);
  715. if (! isPositiveAndBelow (indexToRemove, numUsed))
  716. {
  717. jassertfalse;
  718. return;
  719. }
  720. removeInternal (indexToRemove);
  721. }
  722. /** Removes an item from the array.
  723. This will remove the first occurrence of the given element from the array.
  724. If the item isn't found, no action is taken.
  725. @param valueToRemove the object to try to remove
  726. @see remove, removeRange, removeIf
  727. */
  728. void removeFirstMatchingValue (ParameterType valueToRemove)
  729. {
  730. const ScopedLockType lock (getLock());
  731. ElementType* const e = data.elements;
  732. for (int i = 0; i < numUsed; ++i)
  733. {
  734. if (valueToRemove == e[i])
  735. {
  736. removeInternal (i);
  737. break;
  738. }
  739. }
  740. }
  741. /** Removes items from the array.
  742. This will remove all occurrences of the given element from the array.
  743. If no such items are found, no action is taken.
  744. @param valueToRemove the object to try to remove
  745. @return how many objects were removed.
  746. @see remove, removeRange, removeIf
  747. */
  748. int removeAllInstancesOf (ParameterType valueToRemove)
  749. {
  750. int numRemoved = 0;
  751. const ScopedLockType lock (getLock());
  752. for (int i = numUsed; --i >= 0;)
  753. {
  754. if (valueToRemove == data.elements[i])
  755. {
  756. removeInternal (i);
  757. ++numRemoved;
  758. }
  759. }
  760. return numRemoved;
  761. }
  762. /** Removes items from the array.
  763. This will remove all objects from the array that match a condition.
  764. If no such items are found, no action is taken.
  765. @param predicate the condition when to remove an item. Must be a callable
  766. type that takes an ElementType and returns a bool
  767. @return how many objects were removed.
  768. @see remove, removeRange, removeAllInstancesOf
  769. */
  770. template <typename PredicateType>
  771. int removeIf (PredicateType predicate)
  772. {
  773. int numRemoved = 0;
  774. const ScopedLockType lock (getLock());
  775. for (int i = numUsed; --i >= 0;)
  776. {
  777. if (predicate (data.elements[i]) == true)
  778. {
  779. removeInternal (i);
  780. ++numRemoved;
  781. }
  782. }
  783. return numRemoved;
  784. }
  785. /** Removes a range of elements from the array.
  786. This will remove a set of elements, starting from the given index,
  787. and move subsequent elements down to close the gap.
  788. If the range extends beyond the bounds of the array, it will
  789. be safely clipped to the size of the array.
  790. @param startIndex the index of the first element to remove
  791. @param numberToRemove how many elements should be removed
  792. @see remove, removeFirstMatchingValue, removeAllInstancesOf, removeIf
  793. */
  794. void removeRange (int startIndex, int numberToRemove)
  795. {
  796. const ScopedLockType lock (getLock());
  797. const int endIndex = jlimit (0, numUsed, startIndex + numberToRemove);
  798. startIndex = jlimit (0, numUsed, startIndex);
  799. if (endIndex > startIndex)
  800. {
  801. ElementType* const e = data.elements + startIndex;
  802. numberToRemove = endIndex - startIndex;
  803. for (int i = 0; i < numberToRemove; ++i)
  804. e[i].~ElementType();
  805. const int numToShift = numUsed - endIndex;
  806. if (numToShift > 0)
  807. memmove (e, e + numberToRemove, ((size_t) numToShift) * sizeof (ElementType));
  808. numUsed -= numberToRemove;
  809. minimiseStorageAfterRemoval();
  810. }
  811. }
  812. /** Removes the last n elements from the array.
  813. @param howManyToRemove how many elements to remove from the end of the array
  814. @see remove, removeFirstMatchingValue, removeAllInstancesOf, removeRange
  815. */
  816. void removeLast (int howManyToRemove = 1)
  817. {
  818. const ScopedLockType lock (getLock());
  819. if (howManyToRemove > numUsed)
  820. howManyToRemove = numUsed;
  821. for (int i = 1; i <= howManyToRemove; ++i)
  822. data.elements [numUsed - i].~ElementType();
  823. numUsed -= howManyToRemove;
  824. minimiseStorageAfterRemoval();
  825. }
  826. /** Removes any elements which are also in another array.
  827. @param otherArray the other array in which to look for elements to remove
  828. @see removeValuesNotIn, remove, removeFirstMatchingValue, removeAllInstancesOf, removeRange
  829. */
  830. template <class OtherArrayType>
  831. void removeValuesIn (const OtherArrayType& otherArray)
  832. {
  833. const typename OtherArrayType::ScopedLockType lock1 (otherArray.getLock());
  834. const ScopedLockType lock2 (getLock());
  835. if (this == &otherArray)
  836. {
  837. clear();
  838. }
  839. else
  840. {
  841. if (otherArray.size() > 0)
  842. {
  843. for (int i = numUsed; --i >= 0;)
  844. if (otherArray.contains (data.elements [i]))
  845. removeInternal (i);
  846. }
  847. }
  848. }
  849. /** Removes any elements which are not found in another array.
  850. Only elements which occur in this other array will be retained.
  851. @param otherArray the array in which to look for elements NOT to remove
  852. @see removeValuesIn, remove, removeFirstMatchingValue, removeAllInstancesOf, removeRange
  853. */
  854. template <class OtherArrayType>
  855. void removeValuesNotIn (const OtherArrayType& otherArray)
  856. {
  857. const typename OtherArrayType::ScopedLockType lock1 (otherArray.getLock());
  858. const ScopedLockType lock2 (getLock());
  859. if (this != &otherArray)
  860. {
  861. if (otherArray.size() <= 0)
  862. {
  863. clear();
  864. }
  865. else
  866. {
  867. for (int i = numUsed; --i >= 0;)
  868. if (! otherArray.contains (data.elements [i]))
  869. removeInternal (i);
  870. }
  871. }
  872. }
  873. /** Swaps over two elements in the array.
  874. This swaps over the elements found at the two indexes passed in.
  875. If either index is out-of-range, this method will do nothing.
  876. @param index1 index of one of the elements to swap
  877. @param index2 index of the other element to swap
  878. */
  879. void swap (const int index1,
  880. const int index2)
  881. {
  882. const ScopedLockType lock (getLock());
  883. if (isPositiveAndBelow (index1, numUsed)
  884. && isPositiveAndBelow (index2, numUsed))
  885. {
  886. std::swap (data.elements [index1],
  887. data.elements [index2]);
  888. }
  889. }
  890. /** Moves one of the values to a different position.
  891. This will move the value to a specified index, shuffling along
  892. any intervening elements as required.
  893. So for example, if you have the array { 0, 1, 2, 3, 4, 5 } then calling
  894. move (2, 4) would result in { 0, 1, 3, 4, 2, 5 }.
  895. @param currentIndex the index of the value to be moved. If this isn't a
  896. valid index, then nothing will be done
  897. @param newIndex the index at which you'd like this value to end up. If this
  898. is less than zero, the value will be moved to the end
  899. of the array
  900. */
  901. void move (const int currentIndex, int newIndex) noexcept
  902. {
  903. if (currentIndex != newIndex)
  904. {
  905. const ScopedLockType lock (getLock());
  906. if (isPositiveAndBelow (currentIndex, numUsed))
  907. {
  908. if (! isPositiveAndBelow (newIndex, numUsed))
  909. newIndex = numUsed - 1;
  910. char tempCopy [sizeof (ElementType)];
  911. memcpy (tempCopy, data.elements + currentIndex, sizeof (ElementType));
  912. if (newIndex > currentIndex)
  913. {
  914. memmove (data.elements + currentIndex,
  915. data.elements + currentIndex + 1,
  916. sizeof (ElementType) * (size_t) (newIndex - currentIndex));
  917. }
  918. else
  919. {
  920. memmove (data.elements + newIndex + 1,
  921. data.elements + newIndex,
  922. sizeof (ElementType) * (size_t) (currentIndex - newIndex));
  923. }
  924. memcpy (data.elements + newIndex, tempCopy, sizeof (ElementType));
  925. }
  926. }
  927. }
  928. //==============================================================================
  929. /** Reduces the amount of storage being used by the array.
  930. Arrays typically allocate slightly more storage than they need, and after
  931. removing elements, they may have quite a lot of unused space allocated.
  932. This method will reduce the amount of allocated storage to a minimum.
  933. */
  934. void minimiseStorageOverheads()
  935. {
  936. const ScopedLockType lock (getLock());
  937. data.shrinkToNoMoreThan (numUsed);
  938. }
  939. /** Increases the array's internal storage to hold a minimum number of elements.
  940. Calling this before adding a large known number of elements means that
  941. the array won't have to keep dynamically resizing itself as the elements
  942. are added, and it'll therefore be more efficient.
  943. */
  944. void ensureStorageAllocated (const int minNumElements)
  945. {
  946. const ScopedLockType lock (getLock());
  947. data.ensureAllocatedSize (minNumElements);
  948. }
  949. //==============================================================================
  950. /** Sorts the array using a default comparison operation.
  951. If the type of your elements isn't supported by the DefaultElementComparator class
  952. then you may need to use the other version of sort, which takes a custom comparator.
  953. */
  954. void sort()
  955. {
  956. DefaultElementComparator<ElementType> comparator;
  957. sort (comparator);
  958. }
  959. /** Sorts the elements in the array.
  960. This will use a comparator object to sort the elements into order. The object
  961. passed must have a method of the form:
  962. @code
  963. int compareElements (ElementType first, ElementType second);
  964. @endcode
  965. ..and this method must return:
  966. - a value of < 0 if the first comes before the second
  967. - a value of 0 if the two objects are equivalent
  968. - a value of > 0 if the second comes before the first
  969. To improve performance, the compareElements() method can be declared as static or const.
  970. @param comparator the comparator to use for comparing elements.
  971. @param retainOrderOfEquivalentItems if this is true, then items
  972. which the comparator says are equivalent will be
  973. kept in the order in which they currently appear
  974. in the array. This is slower to perform, but may
  975. be important in some cases. If it's false, a faster
  976. algorithm is used, but equivalent elements may be
  977. rearranged.
  978. @see addSorted, indexOfSorted, sortArray
  979. */
  980. template <class ElementComparator>
  981. void sort (ElementComparator& comparator,
  982. const bool retainOrderOfEquivalentItems = false)
  983. {
  984. const ScopedLockType lock (getLock());
  985. ignoreUnused (comparator); // if you pass in an object with a static compareElements() method, this
  986. // avoids getting warning messages about the parameter being unused
  987. sortArray (comparator, data.elements.get(), 0, size() - 1, retainOrderOfEquivalentItems);
  988. }
  989. //==============================================================================
  990. /** Returns the CriticalSection that locks this array.
  991. To lock, you can call getLock().enter() and getLock().exit(), or preferably use
  992. an object of ScopedLockType as an RAII lock for it.
  993. */
  994. inline const TypeOfCriticalSectionToUse& getLock() const noexcept { return data; }
  995. /** Returns the type of scoped lock to use for locking this array */
  996. typedef typename TypeOfCriticalSectionToUse::ScopedLockType ScopedLockType;
  997. //==============================================================================
  998. #ifndef DOXYGEN
  999. // Note that the swapWithArray method has been replaced by a more flexible templated version,
  1000. // and renamed "swapWith" to be more consistent with the names used in other classes.
  1001. JUCE_DEPRECATED_WITH_BODY (void swapWithArray (Array& other) noexcept, { swapWith (other); })
  1002. #endif
  1003. private:
  1004. //==============================================================================
  1005. ArrayAllocationBase <ElementType, TypeOfCriticalSectionToUse> data;
  1006. int numUsed;
  1007. void removeInternal (const int indexToRemove)
  1008. {
  1009. --numUsed;
  1010. ElementType* const e = data.elements + indexToRemove;
  1011. e->~ElementType();
  1012. const int numberToShift = numUsed - indexToRemove;
  1013. if (numberToShift > 0)
  1014. memmove (e, e + 1, ((size_t) numberToShift) * sizeof (ElementType));
  1015. minimiseStorageAfterRemoval();
  1016. }
  1017. inline void deleteAllElements() noexcept
  1018. {
  1019. for (int i = 0; i < numUsed; ++i)
  1020. data.elements[i].~ElementType();
  1021. }
  1022. void minimiseStorageAfterRemoval()
  1023. {
  1024. if (data.numAllocated > jmax (minimumAllocatedSize, numUsed * 2))
  1025. data.shrinkToNoMoreThan (jmax (numUsed, jmax (minimumAllocatedSize, 64 / (int) sizeof (ElementType))));
  1026. }
  1027. void addAssumingCapacityIsReady (const ElementType& e) { new (data.elements + numUsed++) ElementType (e); }
  1028. void addAssumingCapacityIsReady (ElementType&& e) { new (data.elements + numUsed++) ElementType (static_cast<ElementType&&> (e)); }
  1029. template <typename... OtherElements>
  1030. void addAssumingCapacityIsReady (const ElementType& firstNewElement, OtherElements... otherElements)
  1031. {
  1032. addAssumingCapacityIsReady (firstNewElement);
  1033. addAssumingCapacityIsReady (otherElements...);
  1034. }
  1035. template <typename... OtherElements>
  1036. void addAssumingCapacityIsReady (ElementType&& firstNewElement, OtherElements... otherElements)
  1037. {
  1038. addAssumingCapacityIsReady (static_cast<ElementType&&> (firstNewElement));
  1039. addAssumingCapacityIsReady (otherElements...);
  1040. }
  1041. };