Source code for dbusmock.templates.bluez5-obex

"""obexd mock template

This creates the expected methods and properties of the object manager
org.bluez.obex object (/), the manager object (/org/bluez/obex), but no agents
or clients.

This supports BlueZ 5 only.
"""

# This program is free software; you can redistribute it and/or modify it under
# the terms of the GNU Lesser General Public License as published by the Free
# Software Foundation; either version 3 of the License, or (at your option) any
# later version.  See http://www.gnu.org/copyleft/lgpl.html for the full text
# of the license.

[docs] __author__ = "Philip Withnall"
import tempfile from pathlib import Path import dbus from dbusmock import OBJECT_MANAGER_IFACE, mockobject
[docs] BUS_NAME = "org.bluez.obex"
[docs] MAIN_OBJ = "/"
[docs] SYSTEM_BUS = False
[docs] IS_OBJECT_MANAGER = True
[docs] OBEX_MOCK_IFACE = "org.bluez.obex.Mock"
[docs] AGENT_MANAGER_IFACE = "org.bluez.AgentManager1"
[docs] CLIENT_IFACE = "org.bluez.obex.Client1"
[docs] SESSION_IFACE = "org.bluez.obex.Session1"
[docs] PHONEBOOK_ACCESS_IFACE = "org.bluez.obex.PhonebookAccess1"
[docs] TRANSFER_IFACE = "org.bluez.obex.Transfer1"
[docs] TRANSFER_MOCK_IFACE = "org.bluez.obex.transfer1.Mock"
[docs] def load(mock, _parameters): mock.AddObject( "/org/bluez/obex", AGENT_MANAGER_IFACE, {}, [ ("RegisterAgent", "os", "", ""), ("UnregisterAgent", "o", "", ""), ], ) obex = mockobject.objects["/org/bluez/obex"] obex.AddMethods( CLIENT_IFACE, [ ("CreateSession", "sa{sv}", "o", CreateSession), ("RemoveSession", "o", "", RemoveSession), ], )
@dbus.service.method(CLIENT_IFACE, in_signature="sa{sv}", out_signature="o")
[docs] def CreateSession(self, destination, args): """OBEX method to create a new transfer session. The destination must be the address of the destination Bluetooth device. The given arguments must be a map from well-known keys to values, containing at least the `Target` key, whose value must be `PBAP` (other keys and values are accepted by the real daemon, but not by this mock daemon at the moment). If the target is missing or incorrect, an Unsupported error is returned on the bus. Returns the path of a new Session object. """ if "Target" not in args or args["Target"].upper() != "PBAP": raise dbus.exceptions.DBusException( "Non-PBAP targets are not currently supported by this python-dbusmock template.", name=OBEX_MOCK_IFACE + ".Unsupported", ) # Find the first unused session ID. client_path = "/org/bluez/obex/client" session_id = 0 while client_path + "/session" + str(session_id) in mockobject.objects: session_id += 1 path = client_path + "/session" + str(session_id) properties = { "Source": dbus.String("FIXME"), "Destination": dbus.String(destination), "Channel": dbus.Byte(0), "Target": dbus.String("FIXME"), "Root": dbus.String("FIXME"), } self.AddObject( path, SESSION_IFACE, # Properties properties, # Methods [ ("GetCapabilities", "", "s", ""), # Currently a no-op ], ) session = mockobject.objects[path] session.AddMethods( PHONEBOOK_ACCESS_IFACE, [ ("Select", "ss", "", ""), # Currently a no-op # Currently a no-op ("List", "a{sv}", "a(ss)", 'ret = dbus.Array(signature="(ss)")'), # Currently a no-op ("ListFilterFields", "", "as", 'ret = dbus.Array(signature="(s)")'), ("PullAll", "sa{sv}", "sa{sv}", PullAll), ("GetSize", "", "q", "ret = 0"), ], ) manager = mockobject.objects["/"] manager.EmitSignal( OBJECT_MANAGER_IFACE, "InterfacesAdded", "oa{sa{sv}}", [ dbus.ObjectPath(path), {SESSION_IFACE: properties}, ], ) return path
@dbus.service.method(CLIENT_IFACE, in_signature="o", out_signature="")
[docs] def RemoveSession(self, session_path): """OBEX method to remove an existing transfer session. This takes the path of the transfer Session object and removes it. """ manager = mockobject.objects["/"] # Remove all the session's transfers. transfer_id = 0 while session_path + "/transfer" + str(transfer_id) in mockobject.objects: transfer_path = session_path + "/transfer" + str(transfer_id) transfer_id += 1 self.RemoveObject(transfer_path) manager.EmitSignal( OBJECT_MANAGER_IFACE, "InterfacesRemoved", "oas", [ dbus.ObjectPath(transfer_path), [TRANSFER_IFACE], ], ) # Remove the session itself. self.RemoveObject(session_path) manager.EmitSignal( OBJECT_MANAGER_IFACE, "InterfacesRemoved", "oas", [ dbus.ObjectPath(session_path), [SESSION_IFACE, PHONEBOOK_ACCESS_IFACE], ], )
@dbus.service.method(PHONEBOOK_ACCESS_IFACE, in_signature="sa{sv}", out_signature="sa{sv}")
[docs] def PullAll(self, target_file, filters): """OBEX method to start a pull transfer of a phone book. This doesn't complete the transfer; code to mock up activating and completing the transfer must be provided by the test driver, as it is too complex and test-specific to put here. The target_file is the absolute path for a file which will have zero or more vCards, separated by new-line characters, written to it if the method is successful (and the transfer is completed). This target_file is actually emitted in a TransferCreated signal, which is a special part of the mock interface designed to be handled by the test driver, which should then populate that file and call UpdateStatus on the Transfer object. The test driver is responsible for deleting the file once the test is complete. The filters parameter is a map of filters to be applied to the results device-side before transmitting them back to the adapter. Returns a tuple containing the path for a new Transfer D-Bus object representing the transfer, and a map of the initial properties of that Transfer object. """ # Find the first unused session ID. session_path = self.path transfer_id = 0 while session_path + "/transfer" + str(transfer_id) in mockobject.objects: transfer_id += 1 transfer_path = session_path + "/transfer" + str(transfer_id) # Create a new temporary file to transfer to. with tempfile.NamedTemporaryFile(suffix=".vcf", prefix="tmp-bluez5-obex-PullAll_", delete=False) as temp_file: filename = Path(temp_file.name).resolve() props = { "Status": dbus.String("queued"), "Session": dbus.ObjectPath(session_path), "Name": dbus.String(target_file), "Filename": dbus.String(filename), "Transferred": dbus.UInt64(0), } self.AddObject( transfer_path, TRANSFER_IFACE, # Properties props, # Methods [ ("Cancel", "", "", ""), # Currently a no-op ], ) transfer = mockobject.objects[transfer_path] transfer.AddMethods( TRANSFER_MOCK_IFACE, [ ("UpdateStatus", "b", "", UpdateStatus), ], ) manager = mockobject.objects["/"] manager.EmitSignal( OBJECT_MANAGER_IFACE, "InterfacesAdded", "oa{sa{sv}}", [ dbus.ObjectPath(transfer_path), {TRANSFER_IFACE: props}, ], ) # Emit a behind-the-scenes signal that a new transfer has been created. manager.EmitSignal(OBEX_MOCK_IFACE, "TransferCreated", "sa{sv}s", [transfer_path, filters, str(filename)]) return (transfer_path, props)
@dbus.service.signal(OBEX_MOCK_IFACE, signature="sa{sv}s")
[docs] def TransferCreated(_self, _path, _filters, _transfer_filename): """Mock signal emitted when a new Transfer object is created. This is not part of the BlueZ OBEX interface; it is purely for use by test driver code. It is emitted by the PullAll method, and is intended to be used as a signal to call UpdateStatus on the newly created Transfer (potentially after a timeout). The path is of the new Transfer object, and the filters are as provided to PullAll. The transfer filename is the full path and filename of a newly created empty temporary file which the test driver should write to. The test driver should then call UpdateStatus on the Transfer object each time a write is made to the transfer file. The final call to UpdateStatus should mark the transfer as complete. The test driver is responsible for deleting the transfer file once the test is complete. FIXME: Ideally the UpdateStatus method would only be used for completion, and all intermediate updates would be found by watching the size of the transfer file. However, that means adding a dependency on an inotify package, which seems a little much. """
@dbus.service.method(TRANSFER_MOCK_IFACE, in_signature="b", out_signature="")
[docs] def UpdateStatus(self, is_complete): """Mock method to update the transfer status. If is_complete is False, this marks the transfer is active; otherwise it marks the transfer as complete. It is an error to call this method after calling it with is_complete as True. In both cases, it updates the number of bytes transferred to be the current size of the transfer file (whose filename was emitted in the TransferCreated signal). """ status = "complete" if is_complete else "active" transferred = Path(self.props[TRANSFER_IFACE]["Filename"]).stat().st_size self.props[TRANSFER_IFACE]["Status"] = status self.props[TRANSFER_IFACE]["Transferred"] = dbus.UInt64(transferred) self.EmitSignal( dbus.PROPERTIES_IFACE, "PropertiesChanged", "sa{sv}as", [ TRANSFER_IFACE, { "Status": dbus.String(status), "Transferred": dbus.UInt64(transferred), }, [], ], )