Roll src/third_party/skia aa31ee7:9d9725c
[chromium-blink-merge.git] / dbus / bus.h
blobf9f0dfd9cf694f3c7aa796c5cdbc9bbaec9d2b54
1 // Copyright (c) 2012 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.
5 #ifndef DBUS_BUS_H_
6 #define DBUS_BUS_H_
8 #include <dbus/dbus.h>
10 #include <map>
11 #include <set>
12 #include <string>
13 #include <utility>
14 #include <vector>
16 #include "base/callback.h"
17 #include "base/memory/ref_counted.h"
18 #include "base/synchronization/waitable_event.h"
19 #include "base/threading/platform_thread.h"
20 #include "dbus/dbus_export.h"
21 #include "dbus/object_path.h"
23 namespace base {
24 class SequencedTaskRunner;
25 class SingleThreadTaskRunner;
26 class TaskRunner;
29 namespace tracked_objects {
30 class Location;
33 namespace dbus {
35 class ExportedObject;
36 class ObjectManager;
37 class ObjectProxy;
39 // Bus is used to establish a connection with D-Bus, create object
40 // proxies, and export objects.
42 // For asynchronous operations such as an asynchronous method call, the
43 // bus object will use a task runner to monitor the underlying file
44 // descriptor used for D-Bus communication. By default, the bus will use
45 // the current thread's task runner. If |dbus_task_runner| option is
46 // specified, the bus will use that task runner instead.
48 // THREADING
50 // In the D-Bus library, we use the two threads:
52 // - The origin thread: the thread that created the Bus object.
53 // - The D-Bus thread: the thread servicing |dbus_task_runner|.
55 // The origin thread is usually Chrome's UI thread. The D-Bus thread is
56 // usually a dedicated thread for the D-Bus library.
58 // BLOCKING CALLS
60 // Functions that issue blocking calls are marked "BLOCKING CALL" and
61 // these functions should be called in the D-Bus thread (if
62 // supplied). AssertOnDBusThread() is placed in these functions.
64 // Note that it's hard to tell if a libdbus function is actually blocking
65 // or not (ex. dbus_bus_request_name() internally calls
66 // dbus_connection_send_with_reply_and_block(), which is a blocking
67 // call). To err on the safe side, we consider all libdbus functions that
68 // deal with the connection to dbus-daemon to be blocking.
70 // SHUTDOWN
72 // The Bus object must be shut down manually by ShutdownAndBlock() and
73 // friends. We require the manual shutdown to make the operation explicit
74 // rather than doing it silently in the destructor.
76 // EXAMPLE USAGE:
78 // Synchronous method call:
80 // dbus::Bus::Options options;
81 // // Set up the bus options here.
82 // ...
83 // dbus::Bus bus(options);
85 // dbus::ObjectProxy* object_proxy =
86 // bus.GetObjectProxy(service_name, object_path);
88 // dbus::MethodCall method_call(interface_name, method_name);
89 // scoped_ptr<dbus::Response> response(
90 // object_proxy.CallMethodAndBlock(&method_call, timeout_ms));
91 // if (response.get() != NULL) { // Success.
92 // ...
93 // }
95 // Asynchronous method call:
97 // void OnResponse(dbus::Response* response) {
98 // // response is NULL if the method call failed.
99 // if (!response)
100 // return;
101 // }
103 // ...
104 // object_proxy.CallMethod(&method_call, timeout_ms,
105 // base::Bind(&OnResponse));
107 // Exporting a method:
109 // void Echo(dbus::MethodCall* method_call,
110 // dbus::ExportedObject::ResponseSender response_sender) {
111 // // Do something with method_call.
112 // Response* response = Response::FromMethodCall(method_call);
113 // // Build response here.
114 // // Can send an immediate response here to implement a synchronous service
115 // // or store the response_sender and send a response later to implement an
116 // // asynchronous service.
117 // response_sender.Run(response);
118 // }
120 // void OnExported(const std::string& interface_name,
121 // const ObjectPath& object_path,
122 // bool success) {
123 // // success is true if the method was exported successfully.
124 // }
126 // ...
127 // dbus::ExportedObject* exported_object =
128 // bus.GetExportedObject(service_name, object_path);
129 // exported_object.ExportMethod(interface_name, method_name,
130 // base::Bind(&Echo),
131 // base::Bind(&OnExported));
133 // WHY IS THIS A REF COUNTED OBJECT?
135 // Bus is a ref counted object, to ensure that |this| of the object is
136 // alive when callbacks referencing |this| are called. However, after the
137 // bus is shut down, |connection_| can be NULL. Hence, callbacks should
138 // not rely on that |connection_| is alive.
139 class CHROME_DBUS_EXPORT Bus : public base::RefCountedThreadSafe<Bus> {
140 public:
141 // Specifies the bus type. SESSION is used to communicate with per-user
142 // services like GNOME applications. SYSTEM is used to communicate with
143 // system-wide services like NetworkManager. CUSTOM_ADDRESS is used to
144 // communicate with an user specified address.
145 enum BusType {
146 SESSION = DBUS_BUS_SESSION,
147 SYSTEM = DBUS_BUS_SYSTEM,
148 CUSTOM_ADDRESS,
151 // Specifies the connection type. PRIVATE should usually be used unless
152 // you are sure that SHARED is safe for you, which is unlikely the case
153 // in Chrome.
155 // PRIVATE gives you a private connection, that won't be shared with
156 // other Bus objects.
158 // SHARED gives you a connection shared among other Bus objects, which
159 // is unsafe if the connection is shared with multiple threads.
160 enum ConnectionType {
161 PRIVATE,
162 SHARED,
165 // Specifies whether the GetServiceOwnerAndBlock call should report or
166 // suppress errors.
167 enum GetServiceOwnerOption {
168 REPORT_ERRORS,
169 SUPPRESS_ERRORS,
172 // Specifies service ownership options.
174 // REQUIRE_PRIMARY indicates that you require primary ownership of the
175 // service name.
177 // ALLOW_REPLACEMENT indicates that you'll allow another connection to
178 // steal ownership of this service name from you.
180 // REQUIRE_PRIMARY_ALLOW_REPLACEMENT does the obvious.
181 enum ServiceOwnershipOptions {
182 REQUIRE_PRIMARY = (DBUS_NAME_FLAG_DO_NOT_QUEUE |
183 DBUS_NAME_FLAG_REPLACE_EXISTING),
184 REQUIRE_PRIMARY_ALLOW_REPLACEMENT = (REQUIRE_PRIMARY |
185 DBUS_NAME_FLAG_ALLOW_REPLACEMENT),
188 // Options used to create a Bus object.
189 struct CHROME_DBUS_EXPORT Options {
190 Options();
191 ~Options();
193 BusType bus_type; // SESSION by default.
194 ConnectionType connection_type; // PRIVATE by default.
195 // If dbus_task_runner is set, the bus object will use that
196 // task runner to process asynchronous operations.
198 // The thread servicing the task runner should meet the following
199 // requirements:
200 // 1) Already running.
201 // 2) Has a MessageLoopForIO.
202 scoped_refptr<base::SequencedTaskRunner> dbus_task_runner;
204 // Specifies the server addresses to be connected. If you want to
205 // communicate with non dbus-daemon such as ibus-daemon, set |bus_type| to
206 // CUSTOM_ADDRESS, and |address| to the D-Bus server address you want to
207 // connect to. The format of this address value is the dbus address style
208 // which is described in
209 // http://dbus.freedesktop.org/doc/dbus-specification.html#addresses
211 // EXAMPLE USAGE:
212 // dbus::Bus::Options options;
213 // options.bus_type = CUSTOM_ADDRESS;
214 // options.address.assign("unix:path=/tmp/dbus-XXXXXXX");
215 // // Set up other options
216 // dbus::Bus bus(options);
218 // // Do something.
220 std::string address;
223 // Creates a Bus object. The actual connection will be established when
224 // Connect() is called.
225 explicit Bus(const Options& options);
227 // Called when an ownership request is complete.
228 // Parameters:
229 // - the requested service name.
230 // - whether ownership has been obtained or not.
231 typedef base::Callback<void (const std::string&, bool)> OnOwnershipCallback;
233 // Called when GetServiceOwner() completes.
234 // |service_owner| is the return value from GetServiceOwnerAndBlock().
235 typedef base::Callback<void (const std::string& service_owner)>
236 GetServiceOwnerCallback;
238 // TODO(satorux): Remove the service name parameter as the caller of
239 // RequestOwnership() knows the service name.
241 // Gets the object proxy for the given service name and the object path.
242 // The caller must not delete the returned object.
244 // Returns an existing object proxy if the bus object already owns the
245 // object proxy for the given service name and the object path.
246 // Never returns NULL.
248 // The bus will own all object proxies created by the bus, to ensure
249 // that the object proxies are detached from remote objects at the
250 // shutdown time of the bus.
252 // The object proxy is used to call methods of remote objects, and
253 // receive signals from them.
255 // |service_name| looks like "org.freedesktop.NetworkManager", and
256 // |object_path| looks like "/org/freedesktop/NetworkManager/Devices/0".
258 // Must be called in the origin thread.
259 virtual ObjectProxy* GetObjectProxy(const std::string& service_name,
260 const ObjectPath& object_path);
262 // Same as above, but also takes a bitfield of ObjectProxy::Options.
263 // See object_proxy.h for available options.
264 virtual ObjectProxy* GetObjectProxyWithOptions(
265 const std::string& service_name,
266 const ObjectPath& object_path,
267 int options);
269 // Removes the previously created object proxy for the given service
270 // name and the object path and releases its memory.
272 // If and object proxy for the given service name and object was
273 // created with GetObjectProxy, this function removes it from the
274 // bus object and detaches the ObjectProxy, invalidating any pointer
275 // previously acquired for it with GetObjectProxy. A subsequent call
276 // to GetObjectProxy will return a new object.
278 // All the object proxies are detached from remote objects at the
279 // shutdown time of the bus, but they can be detached early to reduce
280 // memory footprint and used match rules for the bus connection.
282 // |service_name| looks like "org.freedesktop.NetworkManager", and
283 // |object_path| looks like "/org/freedesktop/NetworkManager/Devices/0".
284 // |callback| is called when the object proxy is successfully removed and
285 // detached.
287 // The function returns true when there is an object proxy matching the
288 // |service_name| and |object_path| to remove, and calls |callback| when it
289 // is removed. Otherwise, it returns false and the |callback| function is
290 // never called. The |callback| argument must not be null.
292 // Must be called in the origin thread.
293 virtual bool RemoveObjectProxy(const std::string& service_name,
294 const ObjectPath& object_path,
295 const base::Closure& callback);
297 // Same as above, but also takes a bitfield of ObjectProxy::Options.
298 // See object_proxy.h for available options.
299 virtual bool RemoveObjectProxyWithOptions(
300 const std::string& service_name,
301 const ObjectPath& object_path,
302 int options,
303 const base::Closure& callback);
305 // Gets the exported object for the given object path.
306 // The caller must not delete the returned object.
308 // Returns an existing exported object if the bus object already owns
309 // the exported object for the given object path. Never returns NULL.
311 // The bus will own all exported objects created by the bus, to ensure
312 // that the exported objects are unregistered at the shutdown time of
313 // the bus.
315 // The exported object is used to export methods of local objects, and
316 // send signal from them.
318 // Must be called in the origin thread.
319 virtual ExportedObject* GetExportedObject(const ObjectPath& object_path);
321 // Unregisters the exported object for the given object path |object_path|.
323 // Getting an exported object for the same object path after this call
324 // will return a new object, method calls on any remaining copies of the
325 // previous object will not be called.
327 // Must be called in the origin thread.
328 virtual void UnregisterExportedObject(const ObjectPath& object_path);
331 // Gets an object manager for the given remote object path |object_path|
332 // exported by the service |service_name|.
334 // Returns an existing object manager if the bus object already owns a
335 // matching object manager, never returns NULL.
337 // The caller must not delete the returned object, the bus retains ownership
338 // of all object managers.
340 // Must be called in the origin thread.
341 virtual ObjectManager* GetObjectManager(const std::string& service_name,
342 const ObjectPath& object_path);
344 // Unregisters the object manager for the given remote object path
345 // |object_path| exported by the srevice |service_name|.
347 // Getting an object manager for the same remote object after this call
348 // will return a new object, method calls on any remaining copies of the
349 // previous object are not permitted.
351 // This method will asynchronously clean up any match rules that have been
352 // added for the object manager and invoke |callback| when the operation is
353 // complete. If this method returns false, then |callback| is never called.
354 // The |callback| argument must not be null.
356 // Must be called in the origin thread.
357 virtual bool RemoveObjectManager(const std::string& service_name,
358 const ObjectPath& object_path,
359 const base::Closure& callback);
361 // Instructs all registered object managers to retrieve their set of managed
362 // objects from their respective remote objects. There is no need to call this
363 // manually, this is called automatically by the D-Bus thread manager once
364 // implementation classes are registered.
365 virtual void GetManagedObjects();
367 // Shuts down the bus and blocks until it's done. More specifically, this
368 // function does the following:
370 // - Unregisters the object paths
371 // - Releases the service names
372 // - Closes the connection to dbus-daemon.
374 // This function can be called multiple times and it is no-op for the 2nd time
375 // calling.
377 // BLOCKING CALL.
378 virtual void ShutdownAndBlock();
380 // Similar to ShutdownAndBlock(), but this function is used to
381 // synchronously shut down the bus that uses the D-Bus thread. This
382 // function is intended to be used at the very end of the browser
383 // shutdown, where it makes more sense to shut down the bus
384 // synchronously, than trying to make it asynchronous.
386 // BLOCKING CALL, but must be called in the origin thread.
387 virtual void ShutdownOnDBusThreadAndBlock();
389 // Returns true if the shutdown has been completed.
390 bool shutdown_completed() { return shutdown_completed_; }
393 // The public functions below are not intended to be used in client
394 // code. These are used to implement ObjectProxy and ExportedObject.
397 // Connects the bus to the dbus-daemon.
398 // Returns true on success, or the bus is already connected.
400 // BLOCKING CALL.
401 virtual bool Connect();
403 // Disconnects the bus from the dbus-daemon.
404 // Safe to call multiple times and no operation after the first call.
405 // Do not call for shared connection it will be released by libdbus.
407 // BLOCKING CALL.
408 virtual void ClosePrivateConnection();
410 // Requests the ownership of the service name given by |service_name|.
411 // See also RequestOwnershipAndBlock().
413 // |on_ownership_callback| is called when the service name is obtained
414 // or failed to be obtained, in the origin thread.
416 // Must be called in the origin thread.
417 virtual void RequestOwnership(const std::string& service_name,
418 ServiceOwnershipOptions options,
419 OnOwnershipCallback on_ownership_callback);
421 // Requests the ownership of the given service name.
422 // Returns true on success, or the the service name is already obtained.
424 // Note that it's important to expose methods before requesting a service
425 // name with this method. See also ExportedObject::ExportMethodAndBlock()
426 // for details.
428 // BLOCKING CALL.
429 virtual bool RequestOwnershipAndBlock(const std::string& service_name,
430 ServiceOwnershipOptions options);
432 // Releases the ownership of the given service name.
433 // Returns true on success.
435 // BLOCKING CALL.
436 virtual bool ReleaseOwnership(const std::string& service_name);
438 // Sets up async operations.
439 // Returns true on success, or it's already set up.
440 // This function needs to be called before starting async operations.
442 // BLOCKING CALL.
443 virtual bool SetUpAsyncOperations();
445 // Sends a message to the bus and blocks until the response is
446 // received. Used to implement synchronous method calls.
448 // BLOCKING CALL.
449 virtual DBusMessage* SendWithReplyAndBlock(DBusMessage* request,
450 int timeout_ms,
451 DBusError* error);
453 // Requests to send a message to the bus. The reply is handled with
454 // |pending_call| at a later time.
456 // BLOCKING CALL.
457 virtual void SendWithReply(DBusMessage* request,
458 DBusPendingCall** pending_call,
459 int timeout_ms);
461 // Requests to send a message to the bus. The message serial number will
462 // be stored in |serial|.
464 // BLOCKING CALL.
465 virtual void Send(DBusMessage* request, uint32* serial);
467 // Adds the message filter function. |filter_function| will be called
468 // when incoming messages are received.
470 // When a new incoming message arrives, filter functions are called in
471 // the order that they were added until the the incoming message is
472 // handled by a filter function.
474 // The same filter function associated with the same user data cannot be
475 // added more than once.
477 // BLOCKING CALL.
478 virtual void AddFilterFunction(DBusHandleMessageFunction filter_function,
479 void* user_data);
481 // Removes the message filter previously added by AddFilterFunction().
483 // BLOCKING CALL.
484 virtual void RemoveFilterFunction(DBusHandleMessageFunction filter_function,
485 void* user_data);
487 // Adds the match rule. Messages that match the rule will be processed
488 // by the filter functions added by AddFilterFunction().
490 // You cannot specify which filter function to use for a match rule.
491 // Instead, you should check if an incoming message is what you are
492 // interested in, in the filter functions.
494 // The same match rule can be added more than once and should be removed
495 // as many times as it was added.
497 // The match rule looks like:
498 // "type='signal', interface='org.chromium.SomeInterface'".
500 // See "Message Bus Message Routing" section in the D-Bus specification
501 // for details about match rules:
502 // http://dbus.freedesktop.org/doc/dbus-specification.html#message-bus-routing
504 // BLOCKING CALL.
505 virtual void AddMatch(const std::string& match_rule, DBusError* error);
507 // Removes the match rule previously added by AddMatch().
508 // Returns false if the requested match rule is unknown or has already been
509 // removed. Otherwise, returns true and sets |error| accordingly.
511 // BLOCKING CALL.
512 virtual bool RemoveMatch(const std::string& match_rule, DBusError* error);
514 // Tries to register the object path. Returns true on success.
515 // Returns false if the object path is already registered.
517 // |message_function| in |vtable| will be called every time when a new
518 // |message sent to the object path arrives.
520 // The same object path must not be added more than once.
522 // See also documentation of |dbus_connection_try_register_object_path| at
523 // http://dbus.freedesktop.org/doc/api/html/group__DBusConnection.html
525 // BLOCKING CALL.
526 virtual bool TryRegisterObjectPath(const ObjectPath& object_path,
527 const DBusObjectPathVTable* vtable,
528 void* user_data,
529 DBusError* error);
531 // Unregister the object path.
533 // BLOCKING CALL.
534 virtual void UnregisterObjectPath(const ObjectPath& object_path);
536 // Returns the task runner of the D-Bus thread.
537 virtual base::TaskRunner* GetDBusTaskRunner();
539 // Returns the task runner of the thread that created the bus.
540 virtual base::TaskRunner* GetOriginTaskRunner();
542 // Returns true if the bus has the D-Bus thread.
543 virtual bool HasDBusThread();
545 // Check whether the current thread is on the origin thread (the thread
546 // that created the bus). If not, DCHECK will fail.
547 virtual void AssertOnOriginThread();
549 // Check whether the current thread is on the D-Bus thread. If not,
550 // DCHECK will fail. If the D-Bus thread is not supplied, it calls
551 // AssertOnOriginThread().
552 virtual void AssertOnDBusThread();
554 // Gets the owner for |service_name| via org.freedesktop.DBus.GetNameOwner.
555 // Returns the owner name, if any, or an empty string on failure.
556 // |options| specifies where to printing error messages or not.
558 // BLOCKING CALL.
559 virtual std::string GetServiceOwnerAndBlock(const std::string& service_name,
560 GetServiceOwnerOption options);
562 // A non-blocking version of GetServiceOwnerAndBlock().
563 // Must be called in the origin thread.
564 virtual void GetServiceOwner(const std::string& service_name,
565 const GetServiceOwnerCallback& callback);
567 // Whenever the owner for |service_name| changes, run |callback| with the
568 // name of the new owner. If the owner goes away, then |callback| receives
569 // an empty string.
571 // Any unique (service_name, callback) can be used. Duplicate are ignored.
572 // |service_name| must not be empty and |callback| must not be null.
574 // Must be called in the origin thread.
575 virtual void ListenForServiceOwnerChange(
576 const std::string& service_name,
577 const GetServiceOwnerCallback& callback);
579 // Stop listening for |service_name| owner changes for |callback|.
580 // Any unique (service_name, callback) can be used. Non-registered callbacks
581 // for a given service name are ignored.
582 // |service_name| must not be empty and |callback| must not be null.
584 // Must be called in the origin thread.
585 virtual void UnlistenForServiceOwnerChange(
586 const std::string& service_name,
587 const GetServiceOwnerCallback& callback);
589 // Returns true if the bus is connected to D-Bus.
590 bool is_connected() { return connection_ != NULL; }
592 protected:
593 // This is protected, so we can define sub classes.
594 virtual ~Bus();
596 private:
597 friend class base::RefCountedThreadSafe<Bus>;
599 // Helper function used for RemoveObjectProxy().
600 void RemoveObjectProxyInternal(scoped_refptr<dbus::ObjectProxy> object_proxy,
601 const base::Closure& callback);
603 // Helper functions used for RemoveObjectManager().
604 void RemoveObjectManagerInternal(
605 scoped_refptr<dbus::ObjectManager> object_manager,
606 const base::Closure& callback);
607 void RemoveObjectManagerInternalHelper(
608 scoped_refptr<dbus::ObjectManager> object_manager,
609 const base::Closure& callback);
611 // Helper function used for UnregisterExportedObject().
612 void UnregisterExportedObjectInternal(
613 scoped_refptr<dbus::ExportedObject> exported_object);
615 // Helper function used for ShutdownOnDBusThreadAndBlock().
616 void ShutdownOnDBusThreadAndBlockInternal();
618 // Helper function used for RequestOwnership().
619 void RequestOwnershipInternal(const std::string& service_name,
620 ServiceOwnershipOptions options,
621 OnOwnershipCallback on_ownership_callback);
623 // Helper function used for GetServiceOwner().
624 void GetServiceOwnerInternal(const std::string& service_name,
625 const GetServiceOwnerCallback& callback);
627 // Helper function used for ListenForServiceOwnerChange().
628 void ListenForServiceOwnerChangeInternal(
629 const std::string& service_name,
630 const GetServiceOwnerCallback& callback);
632 // Helper function used for UnListenForServiceOwnerChange().
633 void UnlistenForServiceOwnerChangeInternal(
634 const std::string& service_name,
635 const GetServiceOwnerCallback& callback);
637 // Processes the all incoming data to the connection, if any.
639 // BLOCKING CALL.
640 void ProcessAllIncomingDataIfAny();
642 // Called when a watch object is added. Used to start monitoring the
643 // file descriptor used for D-Bus communication.
644 dbus_bool_t OnAddWatch(DBusWatch* raw_watch);
646 // Called when a watch object is removed.
647 void OnRemoveWatch(DBusWatch* raw_watch);
649 // Called when the "enabled" status of |raw_watch| is toggled.
650 void OnToggleWatch(DBusWatch* raw_watch);
652 // Called when a timeout object is added. Used to start monitoring
653 // timeout for method calls.
654 dbus_bool_t OnAddTimeout(DBusTimeout* raw_timeout);
656 // Called when a timeout object is removed.
657 void OnRemoveTimeout(DBusTimeout* raw_timeout);
659 // Called when the "enabled" status of |raw_timeout| is toggled.
660 void OnToggleTimeout(DBusTimeout* raw_timeout);
662 // Called when the dispatch status (i.e. if any incoming data is
663 // available) is changed.
664 void OnDispatchStatusChanged(DBusConnection* connection,
665 DBusDispatchStatus status);
667 // Called when a service owner change occurs.
668 void OnServiceOwnerChanged(DBusMessage* message);
670 // Callback helper functions. Redirects to the corresponding member function.
671 static dbus_bool_t OnAddWatchThunk(DBusWatch* raw_watch, void* data);
672 static void OnRemoveWatchThunk(DBusWatch* raw_watch, void* data);
673 static void OnToggleWatchThunk(DBusWatch* raw_watch, void* data);
674 static dbus_bool_t OnAddTimeoutThunk(DBusTimeout* raw_timeout, void* data);
675 static void OnRemoveTimeoutThunk(DBusTimeout* raw_timeout, void* data);
676 static void OnToggleTimeoutThunk(DBusTimeout* raw_timeout, void* data);
677 static void OnDispatchStatusChangedThunk(DBusConnection* connection,
678 DBusDispatchStatus status,
679 void* data);
681 // Calls OnConnectionDisconnected if the Disconnected signal is received.
682 static DBusHandlerResult OnConnectionDisconnectedFilter(
683 DBusConnection* connection,
684 DBusMessage* message,
685 void* user_data);
687 // Calls OnServiceOwnerChanged for a NameOwnerChanged signal.
688 static DBusHandlerResult OnServiceOwnerChangedFilter(
689 DBusConnection* connection,
690 DBusMessage* message,
691 void* user_data);
693 const BusType bus_type_;
694 const ConnectionType connection_type_;
695 scoped_refptr<base::SequencedTaskRunner> dbus_task_runner_;
696 base::WaitableEvent on_shutdown_;
697 DBusConnection* connection_;
699 scoped_refptr<base::SingleThreadTaskRunner> origin_task_runner_;
700 base::PlatformThreadId origin_thread_id_;
702 std::set<std::string> owned_service_names_;
703 // The following sets are used to check if rules/object_paths/filters
704 // are properly cleaned up before destruction of the bus object.
705 // Since it's not an error to add the same match rule twice, the repeated
706 // match rules are counted in a map.
707 std::map<std::string, int> match_rules_added_;
708 std::set<ObjectPath> registered_object_paths_;
709 std::set<std::pair<DBusHandleMessageFunction, void*> >
710 filter_functions_added_;
712 // ObjectProxyTable is used to hold the object proxies created by the
713 // bus object. Key is a pair; the first part is a concatenated string of
714 // service name + object path, like
715 // "org.chromium.TestService/org/chromium/TestObject".
716 // The second part is the ObjectProxy::Options for the proxy.
717 typedef std::map<std::pair<std::string, int>,
718 scoped_refptr<dbus::ObjectProxy> > ObjectProxyTable;
719 ObjectProxyTable object_proxy_table_;
721 // ExportedObjectTable is used to hold the exported objects created by
722 // the bus object. Key is a concatenated string of service name +
723 // object path, like "org.chromium.TestService/org/chromium/TestObject".
724 typedef std::map<const dbus::ObjectPath,
725 scoped_refptr<dbus::ExportedObject> > ExportedObjectTable;
726 ExportedObjectTable exported_object_table_;
728 // ObjectManagerTable is used to hold the object managers created by the
729 // bus object. Key is a concatenated string of service name + object path,
730 // like "org.chromium.TestService/org/chromium/TestObject".
731 typedef std::map<std::string,
732 scoped_refptr<dbus::ObjectManager> > ObjectManagerTable;
733 ObjectManagerTable object_manager_table_;
735 // A map of NameOwnerChanged signals to listen for and the callbacks to run
736 // on the origin thread when the owner changes.
737 // Only accessed on the DBus thread.
738 // Key: Service name
739 // Value: Vector of callbacks. Unique and expected to be small. Not using
740 // std::set here because base::Callbacks don't have a '<' operator.
741 typedef std::map<std::string, std::vector<GetServiceOwnerCallback> >
742 ServiceOwnerChangedListenerMap;
743 ServiceOwnerChangedListenerMap service_owner_changed_listener_map_;
745 bool async_operations_set_up_;
746 bool shutdown_completed_;
748 // Counters to make sure that OnAddWatch()/OnRemoveWatch() and
749 // OnAddTimeout()/OnRemoveTimeou() are balanced.
750 int num_pending_watches_;
751 int num_pending_timeouts_;
753 std::string address_;
755 DISALLOW_COPY_AND_ASSIGN(Bus);
758 } // namespace dbus
760 #endif // DBUS_BUS_H_