blob: dd16fec758a89832b580c232e29f39343b4d5067 [file] [log] [blame]
[email protected]b38d3572011-02-15 01:27:381// Copyright (c) 2011 The Chromium Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5// This defines a set of argument wrappers and related factory methods that
6// can be used specify the refcounting and reference semantics of arguments
7// that are bound by the Bind() function in base/bind.h.
8//
[email protected]c6944272012-01-06 22:12:289// It also defines a set of simple functions and utilities that people want
10// when using Callback<> and Bind().
11//
12//
13// ARGUMENT BINDING WRAPPERS
14//
[email protected]cd106ff2014-04-25 23:13:4415// The wrapper functions are base::Unretained(), base::Owned(), base::Passed(),
[email protected]206a2ae82011-12-22 21:12:5816// base::ConstRef(), and base::IgnoreResult().
[email protected]e8bfc31d2011-09-28 00:26:3717//
[email protected]08aa4552011-10-15 00:34:4218// Unretained() allows Bind() to bind a non-refcounted class, and to disable
19// refcounting on arguments that are refcounted objects.
[email protected]206a2ae82011-12-22 21:12:5820//
[email protected]08aa4552011-10-15 00:34:4221// Owned() transfers ownership of an object to the Callback resulting from
22// bind; the object will be deleted when the Callback is deleted.
[email protected]206a2ae82011-12-22 21:12:5823//
24// Passed() is for transferring movable-but-not-copyable types (eg. scoped_ptr)
25// through a Callback. Logically, this signifies a destructive transfer of
26// the state of the argument into the target function. Invoking
27// Callback::Run() twice on a Callback that was created with a Passed()
28// argument will CHECK() because the first invocation would have already
29// transferred ownership to the target function.
30//
vmpstr1d492be2016-03-18 20:46:4131// RetainedRef() accepts a ref counted object and retains a reference to it.
32// When the callback is called, the object is passed as a raw pointer.
33//
[email protected]b38d3572011-02-15 01:27:3834// ConstRef() allows binding a constant reference to an argument rather
35// than a copy.
36//
[email protected]206a2ae82011-12-22 21:12:5837// IgnoreResult() is used to adapt a function or Callback with a return type to
38// one with a void return. This is most useful if you have a function with,
39// say, a pesky ignorable bool return that you want to use with PostTask or
40// something else that expect a Callback with a void return.
[email protected]b38d3572011-02-15 01:27:3841//
42// EXAMPLE OF Unretained():
43//
44// class Foo {
45// public:
[email protected]e8bfc31d2011-09-28 00:26:3746// void func() { cout << "Foo:f" << endl; }
[email protected]b38d3572011-02-15 01:27:3847// };
48//
49// // In some function somewhere.
50// Foo foo;
[email protected]08aa4552011-10-15 00:34:4251// Closure foo_callback =
[email protected]b38d3572011-02-15 01:27:3852// Bind(&Foo::func, Unretained(&foo));
53// foo_callback.Run(); // Prints "Foo:f".
54//
55// Without the Unretained() wrapper on |&foo|, the above call would fail
56// to compile because Foo does not support the AddRef() and Release() methods.
57//
58//
[email protected]08aa4552011-10-15 00:34:4259// EXAMPLE OF Owned():
60//
61// void foo(int* arg) { cout << *arg << endl }
62//
63// int* pn = new int(1);
64// Closure foo_callback = Bind(&foo, Owned(pn));
65//
66// foo_callback.Run(); // Prints "1"
67// foo_callback.Run(); // Prints "1"
68// *n = 2;
69// foo_callback.Run(); // Prints "2"
70//
71// foo_callback.Reset(); // |pn| is deleted. Also will happen when
72// // |foo_callback| goes out of scope.
73//
74// Without Owned(), someone would have to know to delete |pn| when the last
75// reference to the Callback is deleted.
76//
vmpstr1d492be2016-03-18 20:46:4177// EXAMPLE OF RetainedRef():
78//
79// void foo(RefCountedBytes* bytes) {}
80//
81// scoped_refptr<RefCountedBytes> bytes = ...;
82// Closure callback = Bind(&foo, base::RetainedRef(bytes));
83// callback.Run();
84//
85// Without RetainedRef, the scoped_refptr would try to implicitly convert to
86// a raw pointer and fail compilation:
87//
88// Closure callback = Bind(&foo, bytes); // ERROR!
89//
[email protected]08aa4552011-10-15 00:34:4290//
[email protected]e8bfc31d2011-09-28 00:26:3791// EXAMPLE OF ConstRef():
[email protected]08aa4552011-10-15 00:34:4292//
[email protected]b38d3572011-02-15 01:27:3893// void foo(int arg) { cout << arg << endl }
94//
95// int n = 1;
[email protected]08aa4552011-10-15 00:34:4296// Closure no_ref = Bind(&foo, n);
97// Closure has_ref = Bind(&foo, ConstRef(n));
[email protected]b38d3572011-02-15 01:27:3898//
99// no_ref.Run(); // Prints "1"
100// has_ref.Run(); // Prints "1"
101//
102// n = 2;
103// no_ref.Run(); // Prints "1"
104// has_ref.Run(); // Prints "2"
105//
106// Note that because ConstRef() takes a reference on |n|, |n| must outlive all
107// its bound callbacks.
108//
[email protected]e8bfc31d2011-09-28 00:26:37109//
[email protected]206a2ae82011-12-22 21:12:58110// EXAMPLE OF IgnoreResult():
[email protected]08aa4552011-10-15 00:34:42111//
[email protected]e8bfc31d2011-09-28 00:26:37112// int DoSomething(int arg) { cout << arg << endl; }
[email protected]206a2ae82011-12-22 21:12:58113//
114// // Assign to a Callback with a void return type.
115// Callback<void(int)> cb = Bind(IgnoreResult(&DoSomething));
116// cb->Run(1); // Prints "1".
117//
118// // Prints "1" on |ml|.
119// ml->PostTask(FROM_HERE, Bind(IgnoreResult(&DoSomething), 1);
120//
121//
122// EXAMPLE OF Passed():
123//
dcheng093de9b2016-04-04 21:25:51124// void TakesOwnership(std::unique_ptr<Foo> arg) { }
125// std::unique_ptr<Foo> CreateFoo() { return std::unique_ptr<Foo>(new Foo());
126// }
[email protected]206a2ae82011-12-22 21:12:58127//
dcheng093de9b2016-04-04 21:25:51128// std::unique_ptr<Foo> f(new Foo());
[email protected]206a2ae82011-12-22 21:12:58129//
130// // |cb| is given ownership of Foo(). |f| is now NULL.
danakj314d1f42015-12-08 00:44:41131// // You can use std::move(f) in place of &f, but it's more verbose.
[email protected]206a2ae82011-12-22 21:12:58132// Closure cb = Bind(&TakesOwnership, Passed(&f));
133//
134// // Run was never called so |cb| still owns Foo() and deletes
135// // it on Reset().
136// cb.Reset();
137//
138// // |cb| is given a new Foo created by CreateFoo().
139// cb = Bind(&TakesOwnership, Passed(CreateFoo()));
140//
141// // |arg| in TakesOwnership() is given ownership of Foo(). |cb|
142// // no longer owns Foo() and, if reset, would not delete Foo().
143// cb.Run(); // Foo() is now transferred to |arg| and deleted.
144// cb.Run(); // This CHECK()s since Foo() already been used once.
145//
146// Passed() is particularly useful with PostTask() when you are transferring
147// ownership of an argument into a task, but don't necessarily know if the
148// task will always be executed. This can happen if the task is cancellable
skyostil054861d2015-04-30 19:06:15149// or if it is posted to a TaskRunner.
[email protected]c6944272012-01-06 22:12:28150//
151//
152// SIMPLE FUNCTIONS AND UTILITIES.
153//
154// DoNothing() - Useful for creating a Closure that does nothing when called.
155// DeletePointer<T>() - Useful for creating a Closure that will delete a
156// pointer when invoked. Only use this when necessary.
157// In most cases MessageLoop::DeleteSoon() is a better
158// fit.
[email protected]b38d3572011-02-15 01:27:38159
160#ifndef BASE_BIND_HELPERS_H_
161#define BASE_BIND_HELPERS_H_
[email protected]b38d3572011-02-15 01:27:38162
avi9b6f42932015-12-26 22:15:14163#include <stddef.h>
164
danakj314d1f42015-12-08 00:44:41165#include <type_traits>
166#include <utility>
167
[email protected]e8bfc31d2011-09-28 00:26:37168#include "base/callback.h"
[email protected]93540582011-05-16 22:35:14169#include "base/memory/weak_ptr.h"
avi9b6f42932015-12-26 22:15:14170#include "build/build_config.h"
[email protected]b38d3572011-02-15 01:27:38171
172namespace base {
tzik1ae80b22016-06-14 13:17:31173
174template <typename T>
175struct IsWeakReceiver;
176
[email protected]b38d3572011-02-15 01:27:38177namespace internal {
178
179// Use the Substitution Failure Is Not An Error (SFINAE) trick to inspect T
180// for the existence of AddRef() and Release() functions of the correct
181// signature.
182//
183// http://en.wikipedia.org/wiki/Substitution_failure_is_not_an_error
184// http://stackoverflow.com/questions/257288/is-it-possible-to-write-a-c-template-to-check-for-a-functions-existence
185// http://stackoverflow.com/questions/4358584/sfinae-approach-comparison
186// http://stackoverflow.com/questions/1966362/sfinae-to-check-for-inherited-member-functions
187//
188// The last link in particular show the method used below.
189//
190// For SFINAE to work with inherited methods, we need to pull some extra tricks
191// with multiple inheritance. In the more standard formulation, the overloads
192// of Check would be:
193//
194// template <typename C>
195// Yes NotTheCheckWeWant(Helper<&C::TargetFunc>*);
196//
197// template <typename C>
198// No NotTheCheckWeWant(...);
199//
200// static const bool value = sizeof(NotTheCheckWeWant<T>(0)) == sizeof(Yes);
201//
202// The problem here is that template resolution will not match
203// C::TargetFunc if TargetFunc does not exist directly in C. That is, if
204// TargetFunc in inherited from an ancestor, &C::TargetFunc will not match,
205// |value| will be false. This formulation only checks for whether or
206// not TargetFunc exist directly in the class being introspected.
207//
208// To get around this, we play a dirty trick with multiple inheritance.
209// First, We create a class BaseMixin that declares each function that we
210// want to probe for. Then we create a class Base that inherits from both T
211// (the class we wish to probe) and BaseMixin. Note that the function
212// signature in BaseMixin does not need to match the signature of the function
tzik3bc7779b2015-12-19 09:18:46213// we are probing for; thus it's easiest to just use void().
[email protected]b38d3572011-02-15 01:27:38214//
215// Now, if TargetFunc exists somewhere in T, then &Base::TargetFunc has an
216// ambiguous resolution between BaseMixin and T. This lets us write the
217// following:
218//
219// template <typename C>
220// No GoodCheck(Helper<&C::TargetFunc>*);
221//
222// template <typename C>
223// Yes GoodCheck(...);
224//
225// static const bool value = sizeof(GoodCheck<Base>(0)) == sizeof(Yes);
226//
227// Notice here that the variadic version of GoodCheck() returns Yes here
228// instead of No like the previous one. Also notice that we calculate |value|
229// by specializing GoodCheck() on Base instead of T.
230//
231// We've reversed the roles of the variadic, and Helper overloads.
232// GoodCheck(Helper<&C::TargetFunc>*), when C = Base, fails to be a valid
233// substitution if T::TargetFunc exists. Thus GoodCheck<Base>(0) will resolve
234// to the variadic version if T has TargetFunc. If T::TargetFunc does not
235// exist, then &C::TargetFunc is not ambiguous, and the overload resolution
236// will prefer GoodCheck(Helper<&C::TargetFunc>*).
237//
238// This method of SFINAE will correctly probe for inherited names, but it cannot
239// typecheck those names. It's still a good enough sanity check though.
240//
241// Works on gcc-4.2, gcc-4.4, and Visual Studio 2008.
242//
243// TODO(ajwong): Move to ref_counted.h or template_util.h when we've vetted
244// this works well.
[email protected]7a1f7c6f2011-05-10 21:17:48245//
246// TODO(ajwong): Make this check for Release() as well.
247// See http://crbug.com/82038.
[email protected]b38d3572011-02-15 01:27:38248template <typename T>
249class SupportsAddRefAndRelease {
tzik3bc7779b2015-12-19 09:18:46250 using Yes = char[1];
251 using No = char[2];
[email protected]b38d3572011-02-15 01:27:38252
253 struct BaseMixin {
254 void AddRef();
[email protected]b38d3572011-02-15 01:27:38255 };
256
[email protected]690bda882011-04-13 22:40:46257// MSVC warns when you try to use Base if T has a private destructor, the
258// common pattern for refcounted types. It does this even though no attempt to
259// instantiate Base is made. We disable the warning for this definition.
260#if defined(OS_WIN)
[email protected]793b6c22013-07-31 05:22:02261#pragma warning(push)
[email protected]690bda882011-04-13 22:40:46262#pragma warning(disable:4624)
263#endif
[email protected]b38d3572011-02-15 01:27:38264 struct Base : public T, public BaseMixin {
265 };
[email protected]690bda882011-04-13 22:40:46266#if defined(OS_WIN)
[email protected]793b6c22013-07-31 05:22:02267#pragma warning(pop)
[email protected]690bda882011-04-13 22:40:46268#endif
[email protected]b38d3572011-02-15 01:27:38269
tzik3bc7779b2015-12-19 09:18:46270 template <void(BaseMixin::*)()> struct Helper {};
[email protected]b38d3572011-02-15 01:27:38271
272 template <typename C>
[email protected]7a1f7c6f2011-05-10 21:17:48273 static No& Check(Helper<&C::AddRef>*);
[email protected]b38d3572011-02-15 01:27:38274
275 template <typename >
276 static Yes& Check(...);
277
278 public:
[email protected]e160b442014-08-01 22:44:13279 enum { value = sizeof(Check<Base>(0)) == sizeof(Yes) };
[email protected]b38d3572011-02-15 01:27:38280};
281
[email protected]b38d3572011-02-15 01:27:38282// Helpers to assert that arguments of a recounted type are bound with a
283// scoped_refptr.
284template <bool IsClasstype, typename T>
tzik403cb6c2016-03-10 07:17:25285struct UnsafeBindtoRefCountedArgHelper : std::false_type {
[email protected]b38d3572011-02-15 01:27:38286};
287
288template <typename T>
289struct UnsafeBindtoRefCountedArgHelper<true, T>
tzik403cb6c2016-03-10 07:17:25290 : std::integral_constant<bool, SupportsAddRefAndRelease<T>::value> {
[email protected]b38d3572011-02-15 01:27:38291};
292
293template <typename T>
tzik403cb6c2016-03-10 07:17:25294struct UnsafeBindtoRefCountedArg : std::false_type {
[email protected]c18b1052011-03-24 02:02:17295};
296
297template <typename T>
298struct UnsafeBindtoRefCountedArg<T*>
tzik403cb6c2016-03-10 07:17:25299 : UnsafeBindtoRefCountedArgHelper<std::is_class<T>::value, T> {
[email protected]b38d3572011-02-15 01:27:38300};
301
[email protected]7296f2762011-11-21 19:23:44302template <typename T>
303class HasIsMethodTag {
tzik3bc7779b2015-12-19 09:18:46304 using Yes = char[1];
305 using No = char[2];
[email protected]7296f2762011-11-21 19:23:44306
307 template <typename U>
308 static Yes& Check(typename U::IsMethod*);
309
310 template <typename U>
311 static No& Check(...);
312
313 public:
[email protected]e160b442014-08-01 22:44:13314 enum { value = sizeof(Check<T>(0)) == sizeof(Yes) };
[email protected]7296f2762011-11-21 19:23:44315};
[email protected]b38d3572011-02-15 01:27:38316
317template <typename T>
318class UnretainedWrapper {
319 public:
[email protected]08aa4552011-10-15 00:34:42320 explicit UnretainedWrapper(T* o) : ptr_(o) {}
321 T* get() const { return ptr_; }
[email protected]b38d3572011-02-15 01:27:38322 private:
[email protected]08aa4552011-10-15 00:34:42323 T* ptr_;
[email protected]b38d3572011-02-15 01:27:38324};
325
326template <typename T>
327class ConstRefWrapper {
328 public:
329 explicit ConstRefWrapper(const T& o) : ptr_(&o) {}
[email protected]08aa4552011-10-15 00:34:42330 const T& get() const { return *ptr_; }
[email protected]b38d3572011-02-15 01:27:38331 private:
332 const T* ptr_;
333};
334
[email protected]7296f2762011-11-21 19:23:44335template <typename T>
vmpstr1d492be2016-03-18 20:46:41336class RetainedRefWrapper {
337 public:
338 explicit RetainedRefWrapper(T* o) : ptr_(o) {}
339 explicit RetainedRefWrapper(scoped_refptr<T> o) : ptr_(std::move(o)) {}
340 T* get() const { return ptr_.get(); }
341 private:
342 scoped_refptr<T> ptr_;
343};
344
345template <typename T>
[email protected]7296f2762011-11-21 19:23:44346struct IgnoreResultHelper {
347 explicit IgnoreResultHelper(T functor) : functor_(functor) {}
348
349 T functor_;
350};
351
352template <typename T>
353struct IgnoreResultHelper<Callback<T> > {
354 explicit IgnoreResultHelper(const Callback<T>& functor) : functor_(functor) {}
355
356 const Callback<T>& functor_;
357};
358
[email protected]08aa4552011-10-15 00:34:42359// An alternate implementation is to avoid the destructive copy, and instead
360// specialize ParamTraits<> for OwnedWrapper<> to change the StorageType to
dcheng093de9b2016-04-04 21:25:51361// a class that is essentially a std::unique_ptr<>.
[email protected]08aa4552011-10-15 00:34:42362//
363// The current implementation has the benefit though of leaving ParamTraits<>
364// fully in callback_internal.h as well as avoiding type conversions during
365// storage.
366template <typename T>
367class OwnedWrapper {
368 public:
369 explicit OwnedWrapper(T* o) : ptr_(o) {}
370 ~OwnedWrapper() { delete ptr_; }
371 T* get() const { return ptr_; }
372 OwnedWrapper(const OwnedWrapper& other) {
373 ptr_ = other.ptr_;
374 other.ptr_ = NULL;
375 }
376
377 private:
378 mutable T* ptr_;
379};
380
[email protected]206a2ae82011-12-22 21:12:58381// PassedWrapper is a copyable adapter for a scoper that ignores const.
382//
383// It is needed to get around the fact that Bind() takes a const reference to
384// all its arguments. Because Bind() takes a const reference to avoid
385// unnecessary copies, it is incompatible with movable-but-not-copyable
386// types; doing a destructive "move" of the type into Bind() would violate
387// the const correctness.
388//
389// This conundrum cannot be solved without either C++11 rvalue references or
390// a O(2^n) blowup of Bind() templates to handle each combination of regular
391// types and movable-but-not-copyable types. Thus we introduce a wrapper type
392// that is copyable to transmit the correct type information down into
393// BindState<>. Ignoring const in this type makes sense because it is only
394// created when we are explicitly trying to do a destructive move.
395//
396// Two notes:
danakj314d1f42015-12-08 00:44:41397// 1) PassedWrapper supports any type that has a move constructor, however
398// the type will need to be specifically whitelisted in order for it to be
399// bound to a Callback. We guard this explicitly at the call of Passed()
400// to make for clear errors. Things not given to Passed() will be forwarded
401// and stored by value which will not work for general move-only types.
[email protected]206a2ae82011-12-22 21:12:58402// 2) is_valid_ is distinct from NULL because it is valid to bind a "NULL"
403// scoper to a Callback and allow the Callback to execute once.
404template <typename T>
405class PassedWrapper {
406 public:
danakj314d1f42015-12-08 00:44:41407 explicit PassedWrapper(T&& scoper)
408 : is_valid_(true), scoper_(std::move(scoper)) {}
[email protected]206a2ae82011-12-22 21:12:58409 PassedWrapper(const PassedWrapper& other)
danakj314d1f42015-12-08 00:44:41410 : is_valid_(other.is_valid_), scoper_(std::move(other.scoper_)) {}
tzik463eb422016-02-16 15:04:09411 T Take() const {
[email protected]206a2ae82011-12-22 21:12:58412 CHECK(is_valid_);
413 is_valid_ = false;
danakj314d1f42015-12-08 00:44:41414 return std::move(scoper_);
[email protected]206a2ae82011-12-22 21:12:58415 }
416
417 private:
418 mutable bool is_valid_;
419 mutable T scoper_;
420};
421
[email protected]b38d3572011-02-15 01:27:38422// Unwrap the stored parameters for the wrappers above.
423template <typename T>
tzik463eb422016-02-16 15:04:09424const T& Unwrap(const T& o) {
425 return o;
426}
[email protected]b38d3572011-02-15 01:27:38427
428template <typename T>
tzik463eb422016-02-16 15:04:09429T* Unwrap(UnretainedWrapper<T> unretained) {
430 return unretained.get();
431}
[email protected]b38d3572011-02-15 01:27:38432
433template <typename T>
tzik463eb422016-02-16 15:04:09434const T& Unwrap(ConstRefWrapper<T> const_ref) {
435 return const_ref.get();
436}
[email protected]b38d3572011-02-15 01:27:38437
[email protected]7a15d1172011-10-07 00:25:29438template <typename T>
vmpstr1d492be2016-03-18 20:46:41439T* Unwrap(const RetainedRefWrapper<T>& o) {
440 return o.get();
441}
442
443template <typename T>
tzik463eb422016-02-16 15:04:09444const WeakPtr<T>& Unwrap(const WeakPtr<T>& o) {
445 return o;
446}
[email protected]b38d3572011-02-15 01:27:38447
[email protected]08aa4552011-10-15 00:34:42448template <typename T>
tzik463eb422016-02-16 15:04:09449T* Unwrap(const OwnedWrapper<T>& o) {
450 return o.get();
451}
[email protected]08aa4552011-10-15 00:34:42452
[email protected]206a2ae82011-12-22 21:12:58453template <typename T>
tzik463eb422016-02-16 15:04:09454T Unwrap(PassedWrapper<T>& o) {
455 return o.Take();
456}
[email protected]206a2ae82011-12-22 21:12:58457
[email protected]7296f2762011-11-21 19:23:44458// IsWeakMethod is a helper that determine if we are binding a WeakPtr<> to a
[email protected]206a2ae82011-12-22 21:12:58459// method. It is used internally by Bind() to select the correct
[email protected]7296f2762011-11-21 19:23:44460// InvokeHelper that will no-op itself in the event the WeakPtr<> for
461// the target object is invalidated.
462//
tzik8ce65702015-02-05 19:11:26463// The first argument should be the type of the object that will be received by
464// the method.
465template <bool IsMethod, typename... Args>
tzik1ae80b22016-06-14 13:17:31466struct IsWeakMethod : std::false_type {};
[email protected]7296f2762011-11-21 19:23:44467
tzik8ce65702015-02-05 19:11:26468template <typename T, typename... Args>
tzik1ae80b22016-06-14 13:17:31469struct IsWeakMethod<true, T, Args...> : IsWeakReceiver<T> {};
tzik8ce65702015-02-05 19:11:26470
471// Packs a list of types to hold them in a single type.
472template <typename... Types>
473struct TypeList {};
474
475// Used for DropTypeListItem implementation.
476template <size_t n, typename List>
477struct DropTypeListItemImpl;
478
479// Do not use enable_if and SFINAE here to avoid MSVC2013 compile failure.
480template <size_t n, typename T, typename... List>
481struct DropTypeListItemImpl<n, TypeList<T, List...>>
482 : DropTypeListItemImpl<n - 1, TypeList<List...>> {};
483
484template <typename T, typename... List>
485struct DropTypeListItemImpl<0, TypeList<T, List...>> {
tzik3bc7779b2015-12-19 09:18:46486 using Type = TypeList<T, List...>;
tzik8ce65702015-02-05 19:11:26487};
488
489template <>
490struct DropTypeListItemImpl<0, TypeList<>> {
tzik3bc7779b2015-12-19 09:18:46491 using Type = TypeList<>;
tzik8ce65702015-02-05 19:11:26492};
493
494// A type-level function that drops |n| list item from given TypeList.
495template <size_t n, typename List>
496using DropTypeListItem = typename DropTypeListItemImpl<n, List>::Type;
497
tzik7fe3a682015-12-18 02:23:26498// Used for TakeTypeListItem implementation.
499template <size_t n, typename List, typename... Accum>
500struct TakeTypeListItemImpl;
501
502// Do not use enable_if and SFINAE here to avoid MSVC2013 compile failure.
503template <size_t n, typename T, typename... List, typename... Accum>
504struct TakeTypeListItemImpl<n, TypeList<T, List...>, Accum...>
505 : TakeTypeListItemImpl<n - 1, TypeList<List...>, Accum..., T> {};
506
507template <typename T, typename... List, typename... Accum>
508struct TakeTypeListItemImpl<0, TypeList<T, List...>, Accum...> {
509 using Type = TypeList<Accum...>;
510};
511
512template <typename... Accum>
513struct TakeTypeListItemImpl<0, TypeList<>, Accum...> {
514 using Type = TypeList<Accum...>;
515};
516
517// A type-level function that takes first |n| list item from given TypeList.
518// E.g. TakeTypeListItem<3, TypeList<A, B, C, D>> is evaluated to
519// TypeList<A, B, C>.
520template <size_t n, typename List>
521using TakeTypeListItem = typename TakeTypeListItemImpl<n, List>::Type;
522
tzik8ce65702015-02-05 19:11:26523// Used for ConcatTypeLists implementation.
524template <typename List1, typename List2>
525struct ConcatTypeListsImpl;
526
527template <typename... Types1, typename... Types2>
528struct ConcatTypeListsImpl<TypeList<Types1...>, TypeList<Types2...>> {
tzik3bc7779b2015-12-19 09:18:46529 using Type = TypeList<Types1..., Types2...>;
tzik8ce65702015-02-05 19:11:26530};
531
532// A type-level function that concats two TypeLists.
533template <typename List1, typename List2>
534using ConcatTypeLists = typename ConcatTypeListsImpl<List1, List2>::Type;
535
tzik8ce65702015-02-05 19:11:26536// Used for MakeFunctionType implementation.
537template <typename R, typename ArgList>
538struct MakeFunctionTypeImpl;
539
540template <typename R, typename... Args>
541struct MakeFunctionTypeImpl<R, TypeList<Args...>> {
tzik3bc7779b2015-12-19 09:18:46542 // MSVC 2013 doesn't support Type Alias of function types.
543 // Revisit this after we update it to newer version.
544 typedef R Type(Args...);
tzik8ce65702015-02-05 19:11:26545};
546
547// A type-level function that constructs a function type that has |R| as its
548// return type and has TypeLists items as its arguments.
549template <typename R, typename ArgList>
550using MakeFunctionType = typename MakeFunctionTypeImpl<R, ArgList>::Type;
[email protected]7296f2762011-11-21 19:23:44551
tzik7fe3a682015-12-18 02:23:26552// Used for ExtractArgs.
553template <typename Signature>
554struct ExtractArgsImpl;
555
556template <typename R, typename... Args>
557struct ExtractArgsImpl<R(Args...)> {
558 using Type = TypeList<Args...>;
559};
560
561// A type-level function that extracts function arguments into a TypeList.
562// E.g. ExtractArgs<R(A, B, C)> is evaluated to TypeList<A, B, C>.
563template <typename Signature>
564using ExtractArgs = typename ExtractArgsImpl<Signature>::Type;
565
[email protected]b38d3572011-02-15 01:27:38566} // namespace internal
567
568template <typename T>
[email protected]7296f2762011-11-21 19:23:44569static inline internal::UnretainedWrapper<T> Unretained(T* o) {
[email protected]b38d3572011-02-15 01:27:38570 return internal::UnretainedWrapper<T>(o);
571}
572
573template <typename T>
vmpstr1d492be2016-03-18 20:46:41574static inline internal::RetainedRefWrapper<T> RetainedRef(T* o) {
575 return internal::RetainedRefWrapper<T>(o);
576}
577
578template <typename T>
579static inline internal::RetainedRefWrapper<T> RetainedRef(scoped_refptr<T> o) {
580 return internal::RetainedRefWrapper<T>(std::move(o));
581}
582
583template <typename T>
[email protected]7296f2762011-11-21 19:23:44584static inline internal::ConstRefWrapper<T> ConstRef(const T& o) {
[email protected]b38d3572011-02-15 01:27:38585 return internal::ConstRefWrapper<T>(o);
586}
587
[email protected]08aa4552011-10-15 00:34:42588template <typename T>
[email protected]7296f2762011-11-21 19:23:44589static inline internal::OwnedWrapper<T> Owned(T* o) {
[email protected]08aa4552011-10-15 00:34:42590 return internal::OwnedWrapper<T>(o);
591}
592
danakj314d1f42015-12-08 00:44:41593// We offer 2 syntaxes for calling Passed(). The first takes an rvalue and
594// is best suited for use with the return value of a function or other temporary
595// rvalues. The second takes a pointer to the scoper and is just syntactic sugar
596// to avoid having to write Passed(std::move(scoper)).
597//
598// Both versions of Passed() prevent T from being an lvalue reference. The first
599// via use of enable_if, and the second takes a T* which will not bind to T&.
600template <typename T,
tzika43eff02016-03-09 05:46:05601 typename std::enable_if<!std::is_lvalue_reference<T>::value>::type* =
danakj314d1f42015-12-08 00:44:41602 nullptr>
603static inline internal::PassedWrapper<T> Passed(T&& scoper) {
604 return internal::PassedWrapper<T>(std::move(scoper));
[email protected]206a2ae82011-12-22 21:12:58605}
tzika43eff02016-03-09 05:46:05606template <typename T>
[email protected]206a2ae82011-12-22 21:12:58607static inline internal::PassedWrapper<T> Passed(T* scoper) {
danakj314d1f42015-12-08 00:44:41608 return internal::PassedWrapper<T>(std::move(*scoper));
[email protected]206a2ae82011-12-22 21:12:58609}
610
[email protected]7296f2762011-11-21 19:23:44611template <typename T>
612static inline internal::IgnoreResultHelper<T> IgnoreResult(T data) {
613 return internal::IgnoreResultHelper<T>(data);
614}
615
616template <typename T>
617static inline internal::IgnoreResultHelper<Callback<T> >
618IgnoreResult(const Callback<T>& data) {
619 return internal::IgnoreResultHelper<Callback<T> >(data);
620}
621
[email protected]c6944272012-01-06 22:12:28622BASE_EXPORT void DoNothing();
623
624template<typename T>
625void DeletePointer(T* obj) {
626 delete obj;
627}
628
tzik1ae80b22016-06-14 13:17:31629// An injection point to control |this| pointer behavior on a method invocation.
630// If IsWeakReceiver<> is true_type for |T| and |T| is used for a receiver of a
631// method, base::Bind cancels the method invocation if the receiver is tested as
632// false.
633// E.g. Foo::bar() is not called:
634// struct Foo : base::SupportsWeakPtr<Foo> {
635// void bar() {}
636// };
637//
638// WeakPtr<Foo> oo = nullptr;
639// base::Bind(&Foo::bar, oo).Run();
640template <typename T>
641struct IsWeakReceiver : std::false_type {};
642
643template <typename T>
644struct IsWeakReceiver<internal::ConstRefWrapper<T>> : IsWeakReceiver<T> {};
645
646template <typename T>
647struct IsWeakReceiver<WeakPtr<T>> : std::true_type {};
648
[email protected]b38d3572011-02-15 01:27:38649} // namespace base
650
651#endif // BASE_BIND_HELPERS_H_