1 /*
2 * Copyright (C) 2016 The Android Open Source Project
3 *
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
7 *
8 * http://www.apache.org/licenses/LICENSE-2.0
9 *
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
15 */
16
17
18 // SOME COMMENTS ABOUT USAGE:
19
20 // This provides primarily wp<> weak pointer types and RefBase, which work
21 // together with sp<> from <StrongPointer.h>.
22
23 // sp<> (and wp<>) are a type of smart pointer that use a well defined protocol
24 // to operate. As long as the object they are templated with implements that
25 // protocol, these smart pointers work. In several places the platform
26 // instantiates sp<> with non-RefBase objects; the two are not tied to each
27 // other.
28
29 // RefBase is such an implementation and it supports strong pointers, weak
30 // pointers and some magic features for the binder.
31
32 // So, when using RefBase objects, you have the ability to use strong and weak
33 // pointers through sp<> and wp<>.
34
35 // Normally, when the last strong pointer goes away, the object is destroyed,
36 // i.e. it's destructor is called. HOWEVER, parts of its associated memory is not
37 // freed until the last weak pointer is released.
38
39 // Weak pointers are essentially "safe" pointers. They are always safe to
40 // access through promote(). They may return nullptr if the object was
41 // destroyed because it ran out of strong pointers. This makes them good candidates
42 // for keys in a cache for instance.
43
44 // Weak pointers remain valid for comparison purposes even after the underlying
45 // object has been destroyed. Even if object A is destroyed and its memory reused
46 // for B, A remaining weak pointer to A will not compare equal to one to B.
47 // This again makes them attractive for use as keys.
48
49 // How is this supposed / intended to be used?
50
51 // Our recommendation is to use strong references (sp<>) when there is an
52 // ownership relation. e.g. when an object "owns" another one, use a strong
53 // ref. And of course use strong refs as arguments of functions (it's extremely
54 // rare that a function will take a wp<>).
55
56 // Typically a newly allocated object will immediately be used to initialize
57 // a strong pointer, which may then be used to construct or assign to other
58 // strong and weak pointers.
59
60 // Use weak references when there are no ownership relation. e.g. the keys in a
61 // cache (you cannot use plain pointers because there is no safe way to acquire
62 // a strong reference from a vanilla pointer).
63
64 // This implies that two objects should never (or very rarely) have sp<> on
65 // each other, because they can't both own each other.
66
67
68 // Caveats with reference counting
69
70 // Obviously, circular strong references are a big problem; this creates leaks
71 // and it's hard to debug -- except it's in fact really easy because RefBase has
72 // tons of debugging code for that. It can basically tell you exactly where the
73 // leak is.
74
75 // Another problem has to do with destructors with side effects. You must
76 // assume that the destructor of reference counted objects can be called AT ANY
77 // TIME. For instance code as simple as this:
78
79 // void setStuff(const sp<Stuff>& stuff) {
80 // std::lock_guard<std::mutex> lock(mMutex);
81 // mStuff = stuff;
82 // }
83
84 // is very dangerous. This code WILL deadlock one day or another.
85
86 // What isn't obvious is that ~Stuff() can be called as a result of the
87 // assignment. And it gets called with the lock held. First of all, the lock is
88 // protecting mStuff, not ~Stuff(). Secondly, if ~Stuff() uses its own internal
89 // mutex, now you have mutex ordering issues. Even worse, if ~Stuff() is
90 // virtual, now you're calling into "user" code (potentially), by that, I mean,
91 // code you didn't even write.
92
93 // A correct way to write this code is something like:
94
95 // void setStuff(const sp<Stuff>& stuff) {
96 // std::unique_lock<std::mutex> lock(mMutex);
97 // sp<Stuff> hold = mStuff;
98 // mStuff = stuff;
99 // lock.unlock();
100 // }
101
102 // More importantly, reference counted objects should do as little work as
103 // possible in their destructor, or at least be mindful that their destructor
104 // could be called from very weird and unintended places.
105
106 // Other more specific restrictions for wp<> and sp<>:
107
108 // Do not construct a strong pointer to "this" in an object's constructor.
109 // The onFirstRef() callback would be made on an incompletely constructed
110 // object.
111 // Construction of a weak pointer to "this" in an object's constructor is also
112 // discouraged. But the implementation was recently changed so that, in the
113 // absence of extendObjectLifetime() calls, weak pointers no longer impact
114 // object lifetime, and hence this no longer risks premature deallocation,
115 // and hence usually works correctly.
116
117 // Such strong or weak pointers can be safely created in the RefBase onFirstRef()
118 // callback.
119
120 // Use of wp::unsafe_get() for any purpose other than debugging is almost
121 // always wrong. Unless you somehow know that there is a longer-lived sp<> to
122 // the same object, it may well return a pointer to a deallocated object that
123 // has since been reallocated for a different purpose. (And if you know there
124 // is a longer-lived sp<>, why not use an sp<> directly?) A wp<> should only be
125 // dereferenced by using promote().
126
127 // Any object inheriting from RefBase should always be destroyed as the result
128 // of a reference count decrement, not via any other means. Such objects
129 // should never be stack allocated, or appear directly as data members in other
130 // objects. Objects inheriting from RefBase should have their strong reference
131 // count incremented as soon as possible after construction. Usually this
132 // will be done via construction of an sp<> to the object, but may instead
133 // involve other means of calling RefBase::incStrong().
134 // Explicitly deleting or otherwise destroying a RefBase object with outstanding
135 // wp<> or sp<> pointers to it will result in an abort or heap corruption.
136
137 // It is particularly important not to mix sp<> and direct storage management
138 // since the sp from raw pointer constructor is implicit. Thus if a RefBase-
139 // -derived object of type T is managed without ever incrementing its strong
140 // count, and accidentally passed to f(sp<T>), a strong pointer to the object
141 // will be temporarily constructed and destroyed, prematurely deallocating the
142 // object, and resulting in heap corruption. None of this would be easily
143 // visible in the source.
144
145 // Extra Features:
146
147 // RefBase::extendObjectLifetime() can be used to prevent destruction of the
148 // object while there are still weak references. This is really special purpose
149 // functionality to support Binder.
150
151 // Wp::promote(), implemented via the attemptIncStrong() member function, is
152 // used to try to convert a weak pointer back to a strong pointer. It's the
153 // normal way to try to access the fields of an object referenced only through
154 // a wp<>. Binder code also sometimes uses attemptIncStrong() directly.
155
156 // RefBase provides a number of additional callbacks for certain reference count
157 // events, as well as some debugging facilities.
158
159 // Debugging support can be enabled by turning on DEBUG_REFS in RefBase.cpp.
160 // Otherwise little checking is provided.
161
162 // Thread safety:
163
164 // Like std::shared_ptr, sp<> and wp<> allow concurrent accesses to DIFFERENT
165 // sp<> and wp<> instances that happen to refer to the same underlying object.
166 // They do NOT support concurrent access (where at least one access is a write)
167 // to THE SAME sp<> or wp<>. In effect, their thread-safety properties are
168 // exactly like those of T*, NOT atomic<T*>.
169
170 #ifndef ANDROID_REF_BASE_H
171 #define ANDROID_REF_BASE_H
172
173 #include <atomic>
174 #include <functional>
175 #include <type_traits> // for common_type.
176
177 #include <stdint.h>
178 #include <sys/types.h>
179 #include <stdlib.h>
180 #include <string.h>
181
182 // LightRefBase used to be declared in this header, so we have to include it
183 #include <utils/LightRefBase.h>
184
185 #include <utils/StrongPointer.h>
186 #include <utils/TypeHelpers.h>
187
188 // ---------------------------------------------------------------------------
189 namespace android {
190
191 // ---------------------------------------------------------------------------
192
193 #define COMPARE_WEAK(_op_) \
194 template<typename U> \
195 inline bool operator _op_ (const U* o) const { \
196 return m_ptr _op_ o; \
197 } \
198 /* Needed to handle type inference for nullptr: */ \
199 inline bool operator _op_ (const T* o) const { \
200 return m_ptr _op_ o; \
201 }
202
203 template<template<typename C> class comparator, typename T, typename U>
_wp_compare_(T * a,U * b)204 static inline bool _wp_compare_(T* a, U* b) {
205 return comparator<typename std::common_type<T*, U*>::type>()(a, b);
206 }
207
208 // Use std::less and friends to avoid undefined behavior when ordering pointers
209 // to different objects.
210 #define COMPARE_WEAK_FUNCTIONAL(_op_, _compare_) \
211 template<typename U> \
212 inline bool operator _op_ (const U* o) const { \
213 return _wp_compare_<_compare_>(m_ptr, o); \
214 }
215
216 // ---------------------------------------------------------------------------
217
218 // RefererenceRenamer is pure abstract, there is no virtual method
219 // implementation to put in a translation unit in order to silence the
220 // weak vtables warning.
221 #if defined(__clang__)
222 #pragma clang diagnostic push
223 #pragma clang diagnostic ignored "-Wweak-vtables"
224 #endif
225
226 class ReferenceRenamer {
227 protected:
228 // destructor is purposely not virtual so we avoid code overhead from
229 // subclasses; we have to make it protected to guarantee that it
230 // cannot be called from this base class (and to make strict compilers
231 // happy).
~ReferenceRenamer()232 ~ReferenceRenamer() { }
233 public:
234 virtual void operator()(size_t i) const = 0;
235 };
236
237 #if defined(__clang__)
238 #pragma clang diagnostic pop
239 #endif
240
241 // ---------------------------------------------------------------------------
242
243 class RefBase
244 {
245 public:
246 void incStrong(const void* id) const;
247 void decStrong(const void* id) const;
248
249 void forceIncStrong(const void* id) const;
250
251 //! DEBUGGING ONLY: Get current strong ref count.
252 int32_t getStrongCount() const;
253
254 class weakref_type
255 {
256 public:
257 RefBase* refBase() const;
258
259 void incWeak(const void* id);
260 void decWeak(const void* id);
261
262 // acquires a strong reference if there is already one.
263 bool attemptIncStrong(const void* id);
264
265 // acquires a weak reference if there is already one.
266 // This is not always safe. see ProcessState.cpp and BpBinder.cpp
267 // for proper use.
268 bool attemptIncWeak(const void* id);
269
270 //! DEBUGGING ONLY: Get current weak ref count.
271 int32_t getWeakCount() const;
272
273 //! DEBUGGING ONLY: Print references held on object.
274 void printRefs() const;
275
276 //! DEBUGGING ONLY: Enable tracking for this object.
277 // enable -- enable/disable tracking
278 // retain -- when tracking is enable, if true, then we save a stack trace
279 // for each reference and dereference; when retain == false, we
280 // match up references and dereferences and keep only the
281 // outstanding ones.
282
283 void trackMe(bool enable, bool retain);
284 };
285
286 weakref_type* createWeak(const void* id) const;
287
288 weakref_type* getWeakRefs() const;
289
290 //! DEBUGGING ONLY: Print references held on object.
printRefs()291 inline void printRefs() const { getWeakRefs()->printRefs(); }
292
293 //! DEBUGGING ONLY: Enable tracking of object.
trackMe(bool enable,bool retain)294 inline void trackMe(bool enable, bool retain)
295 {
296 getWeakRefs()->trackMe(enable, retain);
297 }
298
299 protected:
300 RefBase();
301 virtual ~RefBase();
302
303 //! Flags for extendObjectLifetime()
304 enum {
305 OBJECT_LIFETIME_STRONG = 0x0000,
306 OBJECT_LIFETIME_WEAK = 0x0001,
307 OBJECT_LIFETIME_MASK = 0x0001
308 };
309
310 void extendObjectLifetime(int32_t mode);
311
312 //! Flags for onIncStrongAttempted()
313 enum {
314 FIRST_INC_STRONG = 0x0001
315 };
316
317 // Invoked after creation of initial strong pointer/reference.
318 virtual void onFirstRef();
319 // Invoked when either the last strong reference goes away, or we need to undo
320 // the effect of an unnecessary onIncStrongAttempted.
321 virtual void onLastStrongRef(const void* id);
322 // Only called in OBJECT_LIFETIME_WEAK case. Returns true if OK to promote to
323 // strong reference. May have side effects if it returns true.
324 // The first flags argument is always FIRST_INC_STRONG.
325 // TODO: Remove initial flag argument.
326 virtual bool onIncStrongAttempted(uint32_t flags, const void* id);
327 // Invoked in the OBJECT_LIFETIME_WEAK case when the last reference of either
328 // kind goes away. Unused.
329 // TODO: Remove.
330 virtual void onLastWeakRef(const void* id);
331
332 private:
333 friend class weakref_type;
334 class weakref_impl;
335
336 RefBase(const RefBase& o);
337 RefBase& operator=(const RefBase& o);
338
339 private:
340 friend class ReferenceMover;
341
342 static void renameRefs(size_t n, const ReferenceRenamer& renamer);
343
344 static void renameRefId(weakref_type* ref,
345 const void* old_id, const void* new_id);
346
347 static void renameRefId(RefBase* ref,
348 const void* old_id, const void* new_id);
349
350 weakref_impl* const mRefs;
351 };
352
353 // ---------------------------------------------------------------------------
354
355 template <typename T>
356 class wp
357 {
358 public:
359 typedef typename RefBase::weakref_type weakref_type;
360
wp()361 inline wp() : m_ptr(nullptr), m_refs(nullptr) { }
362
363 wp(T* other); // NOLINT(implicit)
364 wp(const wp<T>& other);
365 explicit wp(const sp<T>& other);
366 template<typename U> wp(U* other); // NOLINT(implicit)
367 template<typename U> wp(const sp<U>& other); // NOLINT(implicit)
368 template<typename U> wp(const wp<U>& other); // NOLINT(implicit)
369
370 ~wp();
371
372 // Assignment
373
374 wp& operator = (T* other);
375 wp& operator = (const wp<T>& other);
376 wp& operator = (const sp<T>& other);
377
378 template<typename U> wp& operator = (U* other);
379 template<typename U> wp& operator = (const wp<U>& other);
380 template<typename U> wp& operator = (const sp<U>& other);
381
382 void set_object_and_refs(T* other, weakref_type* refs);
383
384 // promotion to sp
385
386 sp<T> promote() const;
387
388 // Reset
389
390 void clear();
391
392 // Accessors
393
get_refs()394 inline weakref_type* get_refs() const { return m_refs; }
395
unsafe_get()396 inline T* unsafe_get() const { return m_ptr; }
397
398 // Operators
399
400 COMPARE_WEAK(==)
401 COMPARE_WEAK(!=)
402 COMPARE_WEAK_FUNCTIONAL(>, std::greater)
403 COMPARE_WEAK_FUNCTIONAL(<, std::less)
404 COMPARE_WEAK_FUNCTIONAL(<=, std::less_equal)
405 COMPARE_WEAK_FUNCTIONAL(>=, std::greater_equal)
406
407 template<typename U>
408 inline bool operator == (const wp<U>& o) const {
409 return m_refs == o.m_refs; // Implies m_ptr == o.mptr; see invariants below.
410 }
411
412 template<typename U>
413 inline bool operator == (const sp<U>& o) const {
414 // Just comparing m_ptr fields is often dangerous, since wp<> may refer to an older
415 // object at the same address.
416 if (o == nullptr) {
417 return m_ptr == nullptr;
418 } else {
419 return m_refs == o->getWeakRefs(); // Implies m_ptr == o.mptr.
420 }
421 }
422
423 template<typename U>
424 inline bool operator != (const sp<U>& o) const {
425 return !(*this == o);
426 }
427
428 template<typename U>
429 inline bool operator > (const wp<U>& o) const {
430 if (m_ptr == o.m_ptr) {
431 return _wp_compare_<std::greater>(m_refs, o.m_refs);
432 } else {
433 return _wp_compare_<std::greater>(m_ptr, o.m_ptr);
434 }
435 }
436
437 template<typename U>
438 inline bool operator < (const wp<U>& o) const {
439 if (m_ptr == o.m_ptr) {
440 return _wp_compare_<std::less>(m_refs, o.m_refs);
441 } else {
442 return _wp_compare_<std::less>(m_ptr, o.m_ptr);
443 }
444 }
445 template<typename U> inline bool operator != (const wp<U>& o) const { return !operator == (o); }
446 template<typename U> inline bool operator <= (const wp<U>& o) const { return !operator > (o); }
447 template<typename U> inline bool operator >= (const wp<U>& o) const { return !operator < (o); }
448
449 private:
450 template<typename Y> friend class sp;
451 template<typename Y> friend class wp;
452
453 T* m_ptr;
454 weakref_type* m_refs;
455 };
456
457 #undef COMPARE_WEAK
458 #undef COMPARE_WEAK_FUNCTIONAL
459
460 // ---------------------------------------------------------------------------
461 // No user serviceable parts below here.
462
463 // Implementation invariants:
464 // Either
465 // 1) m_ptr and m_refs are both null, or
466 // 2) m_refs == m_ptr->mRefs, or
467 // 3) *m_ptr is no longer live, and m_refs points to the weakref_type object that corresponded
468 // to m_ptr while it was live. *m_refs remains live while a wp<> refers to it.
469 //
470 // The m_refs field in a RefBase object is allocated on construction, unique to that RefBase
471 // object, and never changes. Thus if two wp's have identical m_refs fields, they are either both
472 // null or point to the same object. If two wp's have identical m_ptr fields, they either both
473 // point to the same live object and thus have the same m_ref fields, or at least one of the
474 // objects is no longer live.
475 //
476 // Note that the above comparison operations go out of their way to provide an ordering consistent
477 // with ordinary pointer comparison; otherwise they could ignore m_ptr, and just compare m_refs.
478
479 template<typename T>
wp(T * other)480 wp<T>::wp(T* other)
481 : m_ptr(other)
482 {
483 m_refs = other ? m_refs = other->createWeak(this) : nullptr;
484 }
485
486 template<typename T>
wp(const wp<T> & other)487 wp<T>::wp(const wp<T>& other)
488 : m_ptr(other.m_ptr), m_refs(other.m_refs)
489 {
490 if (m_ptr) m_refs->incWeak(this);
491 }
492
493 template<typename T>
wp(const sp<T> & other)494 wp<T>::wp(const sp<T>& other)
495 : m_ptr(other.m_ptr)
496 {
497 m_refs = m_ptr ? m_ptr->createWeak(this) : nullptr;
498 }
499
500 template<typename T> template<typename U>
wp(U * other)501 wp<T>::wp(U* other)
502 : m_ptr(other)
503 {
504 m_refs = other ? other->createWeak(this) : nullptr;
505 }
506
507 template<typename T> template<typename U>
wp(const wp<U> & other)508 wp<T>::wp(const wp<U>& other)
509 : m_ptr(other.m_ptr)
510 {
511 if (m_ptr) {
512 m_refs = other.m_refs;
513 m_refs->incWeak(this);
514 } else {
515 m_refs = nullptr;
516 }
517 }
518
519 template<typename T> template<typename U>
wp(const sp<U> & other)520 wp<T>::wp(const sp<U>& other)
521 : m_ptr(other.m_ptr)
522 {
523 m_refs = m_ptr ? m_ptr->createWeak(this) : nullptr;
524 }
525
526 template<typename T>
~wp()527 wp<T>::~wp()
528 {
529 if (m_ptr) m_refs->decWeak(this);
530 }
531
532 template<typename T>
533 wp<T>& wp<T>::operator = (T* other)
534 {
535 weakref_type* newRefs =
536 other ? other->createWeak(this) : nullptr;
537 if (m_ptr) m_refs->decWeak(this);
538 m_ptr = other;
539 m_refs = newRefs;
540 return *this;
541 }
542
543 template<typename T>
544 wp<T>& wp<T>::operator = (const wp<T>& other)
545 {
546 weakref_type* otherRefs(other.m_refs);
547 T* otherPtr(other.m_ptr);
548 if (otherPtr) otherRefs->incWeak(this);
549 if (m_ptr) m_refs->decWeak(this);
550 m_ptr = otherPtr;
551 m_refs = otherRefs;
552 return *this;
553 }
554
555 template<typename T>
556 wp<T>& wp<T>::operator = (const sp<T>& other)
557 {
558 weakref_type* newRefs =
559 other != nullptr ? other->createWeak(this) : nullptr;
560 T* otherPtr(other.m_ptr);
561 if (m_ptr) m_refs->decWeak(this);
562 m_ptr = otherPtr;
563 m_refs = newRefs;
564 return *this;
565 }
566
567 template<typename T> template<typename U>
568 wp<T>& wp<T>::operator = (U* other)
569 {
570 weakref_type* newRefs =
571 other ? other->createWeak(this) : 0;
572 if (m_ptr) m_refs->decWeak(this);
573 m_ptr = other;
574 m_refs = newRefs;
575 return *this;
576 }
577
578 template<typename T> template<typename U>
579 wp<T>& wp<T>::operator = (const wp<U>& other)
580 {
581 weakref_type* otherRefs(other.m_refs);
582 U* otherPtr(other.m_ptr);
583 if (otherPtr) otherRefs->incWeak(this);
584 if (m_ptr) m_refs->decWeak(this);
585 m_ptr = otherPtr;
586 m_refs = otherRefs;
587 return *this;
588 }
589
590 template<typename T> template<typename U>
591 wp<T>& wp<T>::operator = (const sp<U>& other)
592 {
593 weakref_type* newRefs =
594 other != nullptr ? other->createWeak(this) : 0;
595 U* otherPtr(other.m_ptr);
596 if (m_ptr) m_refs->decWeak(this);
597 m_ptr = otherPtr;
598 m_refs = newRefs;
599 return *this;
600 }
601
602 template<typename T>
set_object_and_refs(T * other,weakref_type * refs)603 void wp<T>::set_object_and_refs(T* other, weakref_type* refs)
604 {
605 if (other) refs->incWeak(this);
606 if (m_ptr) m_refs->decWeak(this);
607 m_ptr = other;
608 m_refs = refs;
609 }
610
611 template<typename T>
promote()612 sp<T> wp<T>::promote() const
613 {
614 sp<T> result;
615 if (m_ptr && m_refs->attemptIncStrong(&result)) {
616 result.set_pointer(m_ptr);
617 }
618 return result;
619 }
620
621 template<typename T>
clear()622 void wp<T>::clear()
623 {
624 if (m_ptr) {
625 m_refs->decWeak(this);
626 m_refs = 0;
627 m_ptr = 0;
628 }
629 }
630
631 // ---------------------------------------------------------------------------
632
633 // this class just serves as a namespace so TYPE::moveReferences can stay
634 // private.
635 class ReferenceMover {
636 public:
637 // it would be nice if we could make sure no extra code is generated
638 // for sp<TYPE> or wp<TYPE> when TYPE is a descendant of RefBase:
639 // Using a sp<RefBase> override doesn't work; it's a bit like we wanted
640 // a template<typename TYPE inherits RefBase> template...
641
642 template<typename TYPE> static inline
move_references(sp<TYPE> * dest,sp<TYPE> const * src,size_t n)643 void move_references(sp<TYPE>* dest, sp<TYPE> const* src, size_t n) {
644
645 class Renamer : public ReferenceRenamer {
646 sp<TYPE>* d_;
647 sp<TYPE> const* s_;
648 virtual void operator()(size_t i) const {
649 // The id are known to be the sp<>'s this pointer
650 TYPE::renameRefId(d_[i].get(), &s_[i], &d_[i]);
651 }
652 public:
653 Renamer(sp<TYPE>* d, sp<TYPE> const* s) : d_(d), s_(s) { }
654 virtual ~Renamer() { }
655 };
656
657 memmove(dest, src, n*sizeof(sp<TYPE>));
658 TYPE::renameRefs(n, Renamer(dest, src));
659 }
660
661
662 template<typename TYPE> static inline
move_references(wp<TYPE> * dest,wp<TYPE> const * src,size_t n)663 void move_references(wp<TYPE>* dest, wp<TYPE> const* src, size_t n) {
664
665 class Renamer : public ReferenceRenamer {
666 wp<TYPE>* d_;
667 wp<TYPE> const* s_;
668 virtual void operator()(size_t i) const {
669 // The id are known to be the wp<>'s this pointer
670 TYPE::renameRefId(d_[i].get_refs(), &s_[i], &d_[i]);
671 }
672 public:
673 Renamer(wp<TYPE>* rd, wp<TYPE> const* rs) : d_(rd), s_(rs) { }
674 virtual ~Renamer() { }
675 };
676
677 memmove(dest, src, n*sizeof(wp<TYPE>));
678 TYPE::renameRefs(n, Renamer(dest, src));
679 }
680 };
681
682 // specialization for moving sp<> and wp<> types.
683 // these are used by the [Sorted|Keyed]Vector<> implementations
684 // sp<> and wp<> need to be handled specially, because they do not
685 // have trivial copy operation in the general case (see RefBase.cpp
686 // when DEBUG ops are enabled), but can be implemented very
687 // efficiently in most cases.
688
689 template<typename TYPE> inline
move_forward_type(sp<TYPE> * d,sp<TYPE> const * s,size_t n)690 void move_forward_type(sp<TYPE>* d, sp<TYPE> const* s, size_t n) {
691 ReferenceMover::move_references(d, s, n);
692 }
693
694 template<typename TYPE> inline
move_backward_type(sp<TYPE> * d,sp<TYPE> const * s,size_t n)695 void move_backward_type(sp<TYPE>* d, sp<TYPE> const* s, size_t n) {
696 ReferenceMover::move_references(d, s, n);
697 }
698
699 template<typename TYPE> inline
move_forward_type(wp<TYPE> * d,wp<TYPE> const * s,size_t n)700 void move_forward_type(wp<TYPE>* d, wp<TYPE> const* s, size_t n) {
701 ReferenceMover::move_references(d, s, n);
702 }
703
704 template<typename TYPE> inline
move_backward_type(wp<TYPE> * d,wp<TYPE> const * s,size_t n)705 void move_backward_type(wp<TYPE>* d, wp<TYPE> const* s, size_t n) {
706 ReferenceMover::move_references(d, s, n);
707 }
708
709 } // namespace android
710
711 // ---------------------------------------------------------------------------
712
713 #endif // ANDROID_REF_BASE_H
714