Microsoft Azure Service Bus Client Library for Python
Project description
Azure Service Bus client library for Python
Azure Service Bus is a high performance cloud-managed messaging service for providing real-time and fault-tolerant communication between distributed senders and receivers.
Service Bus provides multiple mechanisms for asynchronous highly reliable communication, such as structured first-in-first-out messaging, publish/subscribe capabilities, and the ability to easily scale as your needs grow.
Use the Service Bus client library for Python to communicate between applications and services and implement asynchronous messaging patterns.
- Create Service Bus namespaces, queues, topics, and subscriptions, and modify their settings.
- Send and receive messages within your Service Bus channels.
- Utilize message locks, sessions, and dead letter functionality to implement complex messaging patterns.
Source code | Package (PyPi) | API reference documentation | Product documentation | Samples | Changelog
NOTE: This document has instructions, links and code snippets for the preview of the next version of the
azure-servicebus
package which has different APIs than the current version (0.50). Please view the resources below for references on the existing library.
V0.50 Source code | V0.50 Package (PyPi) | V0.50 API reference documentation | V0.50 Product documentation | V0.50 Samples | V0.50 Changelog
We also provide a migration guide for users familiar with the existing package that would like to try the preview: migration guide to move from Service Bus V0.50 to Service Bus V7 Preview
Getting started
Install the package
Install the Azure Service Bus client library for Python with pip:
pip install azure-servicebus --pre
Prerequisites:
To use this package, you must have:
- Azure subscription - Create a free account
- Azure Service Bus - Namespace and management credentials
- Python 2.7, 3.5 or later - Install Python
If you need an Azure service bus namespace, you can create it via the Azure Portal. If you do not wish to use the graphical portal UI, you can use the Azure CLI via Cloud Shell, or Azure CLI run locally, to create one with this Azure CLI command:
az servicebus namespace create --resource-group <resource-group-name> --name <servicebus-namespace-name> --location <servicebus-namespace-location>
Authenticate the client
Interaction with Service Bus starts with an instance of the ServiceBusClient
class. You either need a connection string with SAS key, or a namespace and one of its account keys to instantiate the client object.
Please find the samples linked below for demonstration as to how to authenticate via either approach.
Create client from connection string
- To obtain the required credentials, one can use the Azure CLI snippet (Formatted for Bash Shell) at the top of the linked sample to populate an environment variable with the service bus connection string (you can also find these values in the Azure Portal by following the step-by-step guide to Get a service bus connection string).
Create client using the azure-identity library:
- This constructor takes the fully qualified namespace of your Service Bus instance and a credential that implements the
TokenCredential
protocol. There are implementations of the
TokenCredential
protocol available in the azure-identity package. The fully qualified namespace is of the format<yournamespace.servicebus.windows.net>
. - When using Azure Active Directory, your principal must be assigned a role which allows access to Service Bus, such as the Azure Service Bus Data Owner role. For more information about using Azure Active Directory authorization with Service Bus, please refer to the associated documentation.
Note: client can be initialized without a context manager, but must be manually closed via client.close() to not leak resources.
Key concepts
Once you've initialized a ServiceBusClient
, you can interact with the primary resource types within a Service Bus Namespace, of which multiple can exist and on which actual message transmission takes place, the namespace often serving as an application container:
-
Queue: Allows for Sending and Receiving of message. Often used for point-to-point communication.
-
Topic: As opposed to Queues, Topics are better suited to publish/subscribe scenarios. A topic can be sent to, but requires a subscription, of which there can be multiple in parallel, to consume from.
-
Subscription: The mechanism to consume from a Topic. Each subscription is independent, and receives a copy of each message sent to the topic. Rules and Filters can be used to tailor which messages are received by a specific subscription.
For more information about these resources, see What is Azure Service Bus?.
To interact with these resources, one should be familiar with the following SDK concepts:
-
ServiceBusClient: This is the object a user should first initialize to connect to a Service Bus Namespace. To interact with a queue, topic, or subscription, one would spawn a sender or receiver off of this client.
-
Sender: To send messages to a Queue or Topic, one would use the corresponding
get_queue_sender
orget_topic_sender
method off of aServiceBusClient
instance as seen here. -
Receiver: To receive messages from a Queue or Subscription, one would use the corresponding
get_queue_receiver
orget_subscription_receiver
method off of aServiceBusClient
instance as seen here. -
Message: When sending, this is the type you will construct to contain your payload. When receiving, this is where you will access the payload and control how the message is "settled" (completed, dead-lettered, etc); these functions are only available on a received message.
Examples
The following sections provide several code snippets covering some of the most common Service Bus tasks, including:
- Send messages to a queue
- Receive messages from a queue
- Send and receive a message from a session enabled queue
- Working with topics and subscriptions
- Settle a message after receipt
- Automatically renew Message or Session locks
To perform management tasks such as creating and deleting queues/topics/subscriptions, please utilize the azure-mgmt-servicebus library, available here.
Please find further examples in the samples directory demonstrating common Service Bus scenarios such as sending, receiving, session management and message handling.
Send messages to a queue
This example sends single message and array of messages to a queue that is assumed to already exist, created via the Azure portal or az commands.
from azure.servicebus import ServiceBusClient, Message
import os
connstr = os.environ['SERVICE_BUS_CONN_STR']
queue_name = os.environ['SERVICE_BUS_QUEUE_NAME']
with ServiceBusClient.from_connection_string(connstr) as client:
with client.get_queue_sender(queue_name) as sender:
# Sending a single message
single_message = Message("Single message")
sender.send_messages(single_message)
# Sending a list of messages
messages = [Message("First message"), Message("Second message")]
sender.send_messages(messages)
NOTE: A message may be scheduled for delayed delivery using the
ServiceBusSender.schedule_messages()
method, or by specifyingMessage.scheduled_enqueue_time_utc
before callingServiceBusSender.send_messages()
For more detail on scheduling and schedule cancellation please see a sample here.
Receive messages from a queue
To receive from a queue, you can either perform an ad-hoc receive via receiver.receive_messages()
or receive persistently through the receiver itself.
Receive messages from a queue through iterating over ServiceBusReceiver
from azure.servicebus import ServiceBusClient
import os
connstr = os.environ['SERVICE_BUS_CONN_STR']
queue_name = os.environ['SERVICE_BUS_QUEUE_NAME']
with ServiceBusClient.from_connection_string(connstr) as client:
# max_wait_time specifies how long the receiver should wait with no incoming messages before stopping receipt.
# Default is None; to receive forever.
with client.get_queue_receiver(queue_name, max_wait_time=30) as receiver:
for msg in receiver: # ServiceBusReceiver instance is a generator. This is equivilent to get_streaming_message_iter().
print(str(msg))
# If it is desired to halt receiving early, one can break out of the loop here safely.
NOTE: Any message received with
mode=PeekLock
(this is the default, with the alternative ReceiveAndDelete removing the message from the queue immediately on receipt) has a lock that must be renewed viamessage.renew_lock()
before it expires if processing would take longer than the lock duration.
See AutoLockRenewer for a helper to perform this in the background automatically. Lock duration is set in Azure on the queue or topic itself.
Receive messages from a queue through ServiceBusReceiver.receive_messages()
NOTE:
ServiceBusReceiver.receive_messages()
receives a single or constrained list of messages through an ad-hoc method call, as opposed to receiving perpetually from the generator. It always returns a list.
from azure.servicebus import ServiceBusClient
import os
connstr = os.environ['SERVICE_BUS_CONN_STR']
queue_name = os.environ['SERVICE_BUS_QUEUE_NAME']
with ServiceBusClient.from_connection_string(connstr) as client:
with client.get_queue_receiver(queue_name) as receiver:
received_message_array = receiver.receive_messages(max_wait_time=10) # try to receive a single message within 10 seconds
if received_message_array:
print(str(received_message_array[0]))
with client.get_queue_receiver(queue_name) as receiver:
received_message_array = receiver.receive_messages(max_message_count=5, max_wait_time=10) # try to receive maximum 5 messages in a batch within 10 seconds
for message in received_message_array:
print(str(message))
In this example, max_message_count declares the maximum number of messages to attempt receiving before hitting a max_wait_time as specified in seconds.
NOTE: It should also be noted that
ServiceBusReceiver.peek_messages()
is subtly different than receiving, as it does not lock the messages being peeked, and thus they cannot be settled.
Send and receive a message from a session enabled queue
Sessions provide first-in-first-out and single-receiver semantics on top of a queue or subscription. While the actual receive syntax is the same, initialization differs slightly.
from azure.servicebus import ServiceBusClient, Message
import os
connstr = os.environ['SERVICE_BUS_CONN_STR']
queue_name = os.environ['SERVICE_BUS_QUEUE_NAME']
session_id = os.environ['SERVICE_BUS_SESSION_ID']
with ServiceBusClient.from_connection_string(connstr) as client:
with client.get_queue_sender(queue_name) as sender:
sender.send_messages(Message("Session Enabled Message", session_id=session_id))
# If session_id is null here, will receive from the first available session.
with client.get_queue_session_receiver(queue_name, session_id) as receiver:
for msg in receiver:
print(str(msg))
NOTE: Messages received from a session do not need their locks renewed like a non-session receiver; instead the lock management occurs at the session level with a session lock that may be renewed with
receiver.session.renew_lock()
Working with topics and subscriptions
Topics and subscriptions give an alternative to queues for sending and receiving messages. See documents here for more overarching detail, and of how these differ from queues.
from azure.servicebus import ServiceBusClient, Message
import os
connstr = os.environ['SERVICE_BUS_CONN_STR']
topic_name = os.environ['SERVICE_BUS_TOPIC_NAME']
subscription_name = os.environ['SERVICE_BUS_SUBSCRIPTION_NAME']
with ServiceBusClient.from_connection_string(connstr) as client:
with client.get_topic_sender(topic_name) as sender:
sender.send_messages(Message("Data"))
# If session_id is null here, will receive from the first available session.
with client.get_subscription_receiver(topic_name, subscription_name) as receiver:
for msg in receiver:
print(str(msg))
Settle a message after receipt
When receiving from a queue, you have multiple actions you can take on the messages you receive.
NOTE: You can only settle
ReceivedMessage
objects which are received inReceiveMode.PeekLock
mode (this is the default).ReceiveMode.ReceiveAndDelete
mode removes the message from the queue on receipt.PeekedMessage
messages returned frompeek()
cannot be settled, as the message lock is not taken like it is in the aforementioned receive methods. Sessionful messages have a similar limitation.
If the message has a lock as mentioned above, settlement will fail if the message lock has expired.
If processing would take longer than the lock duration, it must be maintained via message.renew_lock()
before it expires.
Lock duration is set in Azure on the queue or topic itself.
See AutoLockRenewer for a helper to perform this in the background automatically.
Complete
Declares the message processing to be successfully completed, removing the message from the queue.
from azure.servicebus import ServiceBusClient
import os
connstr = os.environ['SERVICE_BUS_CONN_STR']
queue_name = os.environ['SERVICE_BUS_QUEUE_NAME']
with ServiceBusClient.from_connection_string(connstr) as client:
with client.get_queue_receiver(queue_name) as receiver:
for msg in receiver:
print(str(msg))
msg.complete()
Abandon
Abandon processing of the message for the time being, returning the message immediately back to the queue to be picked up by another (or the same) receiver.
from azure.servicebus import ServiceBusClient
import os
connstr = os.environ['SERVICE_BUS_CONN_STR']
queue_name = os.environ['SERVICE_BUS_QUEUE_NAME']
with ServiceBusClient.from_connection_string(connstr) as client:
with client.get_queue_receiver(queue_name) as receiver:
for msg in receiver:
print(str(msg))
msg.abandon()
DeadLetter
Transfer the message from the primary queue into a special "dead-letter sub-queue" where it can be accessed using the ServiceBusClient.get_<queue|subscription>_receiver
function with parameter sub_queue=SubQueue.DeadLetter
and consumed from like any other receiver. (see sample here)
from azure.servicebus import ServiceBusClient
import os
connstr = os.environ['SERVICE_BUS_CONN_STR']
queue_name = os.environ['SERVICE_BUS_QUEUE_NAME']
with ServiceBusClient.from_connection_string(connstr) as client:
with client.get_queue_receiver(queue_name) as receiver:
for msg in receiver:
print(str(msg))
msg.dead_letter()
Defer
Defer is subtly different from the prior settlement methods. It prevents the message from being directly received from the queue
by setting it aside such that it must be received by sequence number in a call to ServiceBusReceiver.receive_deferred_messages
(see sample here)
from azure.servicebus import ServiceBusClient
import os
connstr = os.environ['SERVICE_BUS_CONN_STR']
queue_name = os.environ['SERVICE_BUS_QUEUE_NAME']
with ServiceBusClient.from_connection_string(connstr) as client:
with client.get_queue_receiver(queue_name) as receiver:
for msg in receiver:
print(str(msg))
msg.defer()
Automatically renew Message or Session locks
AutoLockRenew
is a simple method for ensuring your message or session remains locked even over long periods of time, if calling renew_lock()
is impractical or undesired.
Internally, it is not much more than shorthand for creating a concurrent watchdog to call renew_lock()
if the object is nearing expiry.
It should be used as follows:
from azure.servicebus import ServiceBusClient, AutoLockRenew
import os
connstr = os.environ['SERVICE_BUS_CONN_STR']
queue_name = os.environ['SERVICE_BUS_QUEUE_NAME']
session_id = os.environ['SERVICE_BUS_SESSION_ID']
# Can also be called via "with AutoLockRenew() as renewer" to automate closing.
renewer = AutoLockRenew()
with ServiceBusClient.from_connection_string(connstr) as client:
with client.get_queue_session_receiver(queue_name, session_id=session_id) as receiver:
renewer.register(receiver.session, timeout=300) # Timeout for how long to maintain the lock for, in seconds.
for msg in receiver.receive_messages():
renewer.register(msg, timeout=60)
# Do your application logic here
msg.complete()
renewer.close()
If for any reason auto-renewal has been interrupted or failed, this can be observed via the auto_renew_error
property on the object being renewed.
It would also manifest when trying to take action (such as completing a message) on the specified object.
Troubleshooting
Logging
- Enable
azure.servicebus
logger to collect traces from the library. - Enable
uamqp
logger to collect traces from the underlying uAMQP library. - Enable AMQP frame level trace by setting
logging_enable=True
when creating the client.
Timeouts
There are various timeouts a user should be aware of within the library.
- 10 minute service side link closure: A link, once opened, will be closed after 10 minutes idle to protect the service against resource leakage. This should largely be transparent to a user, but if you notice a reconnect occurring after such a duration, this is why. Performing any operations, including management operations, on the link will extend this timeout.
- max_wait_time: Provided on creation of a receiver or when calling
receive_messages()
orget_streaming_message_iter()
, the time after which receiving messages will halt after no traffic. This applies both to the imperativereceive_messages()
function as well as the length a generator-style receive will run for before exiting if there are no messages. Passing None (default) will wait forever, up until the 10 minute threshold if no other action is taken.
NOTE: If processing of a message or session is sufficiently long as to cause timeouts, as an alternative to calling
renew_lock()
manually, one can leverage theAutoLockRenew
functionality detailed above.
Common Exceptions
Please view the exceptions reference docs for detailed descriptions of our common Exception types.
Next steps
More sample code
Please find further examples in the samples directory demonstrating common Service Bus scenarios such as sending, receiving, session management and message handling.
Additional documentation
For more extensive documentation on the Service Bus service, see the Service Bus documentation on docs.microsoft.com.
Management capabilities and documentation
For users seeking to perform management operations against ServiceBus (Creating a queue/topic/etc, altering filter rules, enumerating entities) please see the azure-mgmt-servicebus documentation for API documentation. Terse usage examples can be found here as well.
Contributing
This project welcomes contributions and suggestions. Most contributions require you to agree to a Contributor License Agreement (CLA) declaring that you have the right to, and actually do, grant us the rights to use your contribution. For details, visit https://cla.microsoft.com.
When you submit a pull request, a CLA-bot will automatically determine whether you need to provide a CLA and decorate the PR appropriately (e.g., label, comment). Simply follow the instructions provided by the bot. You will only need to do this once across all repos using our CLA.
This project has adopted the Microsoft Open Source Code of Conduct. For more information see the Code of Conduct FAQ or contact opencode@microsoft.com with any additional questions or comments.
Release History
7.0.0b6 (2020-09-10)
New Features
renew_lock()
now returns the UTC datetime that the lock is set to expire at.receive_deferred_messages()
can now take a single sequence number as well as a list of sequence numbers.- Messages can now be sent twice in succession.
- Connection strings used with
from_connection_string
methods now support using theSharedAccessSignature
key in leiu ofsharedaccesskey
andsharedaccesskeyname
, taking the string of the properly constructed token as value. - Internal AMQP message properties (header, footer, annotations, properties, etc) are now exposed via
Message.amqp_message
Breaking Changes
- Renamed
prefetch
toprefetch_count
. - Renamed
ReceiveSettleMode
enum toReceiveMode
, and respectively themode
parameter toreceive_mode
. retry_total
,retry_backoff_factor
andretry_backoff_max
are now defined at theServiceBusClient
level and inherited by senders and receivers created from it.- No longer export
NEXT_AVAILABLE
inazure.servicebus
module. A nullsession_id
will suffice. - Renamed parameter
message_count
tomax_message_count
as fewer messages may be present for methodpeek_messages()
andreceive_messages()
. - Renamed
PeekMessage
toPeekedMessage
. - Renamed
get_session_state()
andset_session_state()
toget_state()
andset_state()
accordingly. - Renamed parameter
description
toerror_description
for methoddead_letter()
. - Renamed properties
created_time
andmodified_time
tocreated_at_utc
andmodified_at_utc
withinAuthorizationRule
andNamespaceProperties
. - Removed parameter
requires_preprocessing
fromSqlRuleFilter
andSqlRuleAction
. - Removed property
namespace_type
fromNamespaceProperties
. - Rename
ServiceBusManagementClient
toServiceBusAdministrationClient
- Attempting to call
send_messages
on something not aMessage
,BatchMessage
, or list ofMessage
s, will now throw aTypeError
instead ofValueError
- Sending a message twice will no longer result in a MessageAlreadySettled exception.
ServiceBusClient.close()
now closes spawned senders and receivers.- Attempting to initialize a sender or receiver with a different connection string entity and specified entity (e.g.
queue_name
) will result in an AuthenticationError - Remove
is_anonymous_accessible
from management entities. - Remove
support_ordering
fromcreate_queue
andQueueProperties
- Remove
enable_subscription_partitioning
fromcreate_topic
andTopicProperties
get_dead_letter_[queue,subscription]_receiver()
has been removed. To connect to a dead letter queue, utilize thesub_queue
parameter ofget_[queue,subscription]_receiver()
provided with a value from theSubQueue
enum- No longer export
ServiceBusSharedKeyCredential
- Rename
entity_availability_status
toavailability_status
7.0.0b5 (2020-08-10)
New Features
- Added new properties to Message, PeekMessage and ReceivedMessage:
content_type
,correlation_id
,label
,message_id
,reply_to
,reply_to_session_id
andto
. Please refer to the docstring for further information. - Added new properties to PeekMessage and ReceivedMessage:
enqueued_sequence_number
,dead_letter_error_description
,dead_letter_reason
,dead_letter_source
,delivery_count
andexpires_at_utc
. Please refer to the docstring for further information. - Added support for sending received messages via
ServiceBusSender.send_messages
. - Added
on_lock_renew_failure
as a parameter toAutoLockRenew.register
, taking a callback for when the lock is lost non-intentially (e.g. not via settling, shutdown, or autolockrenew duration completion). - Added new supported value types int, float, datetime and timedelta for
CorrelationFilter.properties
. - Added new properties
parameters
andrequires_preprocessing
toSqlRuleFilter
andSqlRuleAction
. - Added an explicit method to fetch the continuous receiving iterator,
get_streaming_message_iter()
such thatmax_wait_time
can be specified as an override.
Breaking Changes
- Removed/Renamed several properties and instance variables on Message (the changes applied to the inherited Message type PeekMessage and ReceivedMessage).
- Renamed property
user_properties
toproperties
- The original instance variable
properties
which represents the AMQP properties now becomes an internal instance variable_amqp_properties
.
- The original instance variable
- Removed property
enqueue_sequence_number
. - Removed property
annotations
. - Removed instance variable
header
.
- Renamed property
- Removed several properties and instance variables on PeekMessage and ReceivedMessage.
- Removed property
partition_id
on both type. - Removed property
settled
on both type. - Removed instance variable
received_timestamp_utc
on both type. - Removed property
settled
onPeekMessage
. - Removed property
expired
onReceivedMessage
.
- Removed property
AutoLockRenew.sleep_time
andAutoLockRenew.renew_period
have been made internal as_sleep_time
and_renew_period
respectively, as it is not expected a user will have to interact with them.AutoLockRenew.shutdown
is nowAutoLockRenew.close
to normalize with other equivalent behaviors.- Renamed
QueueDescription
,TopicDescription
,SubscriptionDescription
andRuleDescription
toQueueProperties
,TopicProperties
,SubscriptionProperties
, andRuleProperties
. - Renamed
QueueRuntimeInfo
,TopicRuntimeInfo
, andSubscriptionRuntimeInfo
toQueueRuntimeProperties
,TopicRuntimeProperties
, andSubscriptionRuntimeProperties
. - Removed param
queue
fromcreate_queue
,topic
fromcreate_topic
,subscription
fromcreate_subscription
andrule
fromcreate_rule
ofServiceBusManagementClient
. Added paramname
to them and keyword arguments for queue properties, topic properties, subscription properties and rule properties. - Removed model class attributes related keyword arguments from
update_queue
andupdate_topic
ofServiceBusManagementClient
. This is to encourage utilizing the model class instance instead as returned from a create_*, list_* or get_* operation to ensure it is properly populated. Properties may still be modified. - Model classes
QueueProperties
,TopicProperties
,SubscriptionProperties
andRuleProperties
require all arguments to be present for creation. This is to protect against lack of partial updates by requiring all properties to be specified. - Renamed
idle_timeout
inget_<queue/subscription>_receiver()
tomax_wait_time
to normalize with naming elsewhere. - Updated uAMQP dependency to 1.2.10 such that the receiver does not shut down when generator times out, and can be received from again.
7.0.0b4 (2020-07-06)
New Features
- Added support for management of topics, subscriptions, and rules.
receive_messages()
(formerlyreceive()
) now supports receiving a batch of messages (max_batch_size
> 1) without the need to setprefetch
parameter duringServiceBusReceiver
initialization.
BugFixes
- Fixed bug where sync
AutoLockRenew
does not shutdown itself timely. - Fixed bug where async
AutoLockRenew
does not support context manager.
Breaking Changes
- Renamed
receive()
,peek()
schedule()
andsend()
toreceive_messages()
,peek_messages()
,schedule_messages()
andsend_messages()
to align with other service bus SDKs. receive_messages()
(formerlyreceive()
) no longer raises aValueError
ifmax_batch_size
is less than theprefetch
parameter set duringServiceBusReceiver
initialization.
7.0.0b3 (2020-06-08)
New Features
- Added support for management of queue entities.
- Use
azure.servicebus.management.ServiceBusManagementClient
(azure.servicebus.management.aio.ServiceBusManagementClient
for aio) to create, update, delete, list queues and get settings as well as runtime information of queues under a ServiceBus namespace.
- Use
- Added methods
get_queue_deadletter_receiver
andget_subscription_deadletter_receiver
inServiceBusClient
to get aServiceBusReceiver
for the dead-letter sub-queue of the target entity.
BugFixes
- Updated uAMQP dependency to 1.2.8.
- Fixed bug where reason and description were not being set when dead-lettering messages.
7.0.0b2 (2020-05-04)
New Features
- Added method
get_topic_sender
inServiceBusClient
to get aServiceBusSender
for a topic. - Added method
get_subscription_receiver
inServiceBusClient
to get aServiceBusReceiver
for a subscription under specific topic. - Added support for scheduling messages and scheduled message cancellation.
- Use
ServiceBusSender.schedule(messages, schedule_time_utc)
for scheduling messages. - Use
ServiceBusSender.cancel_scheduled_messages(sequence_numbers)
for scheduled messages cancellation.
- Use
ServiceBusSender.send()
can now send a list of messages in one call, if they fit into a single batch. If they do not fit aValueError
is thrown.BatchMessage.add()
andServiceBusSender.send()
would raiseMessageContentTooLarge
if the content is over-sized.ServiceBusReceiver.receive()
raisesValueError
if its parammax_batch_size
is greater than paramprefetch
ofServiceBusClient
.- Added exception classes
MessageError
,MessageContentTooLarge
,ServiceBusAuthenticationError
.MessageError
: when you send a problematic message, such as an already sent message or an over-sized message.MessageContentTooLarge
: when you send an over-sized message. A subclass ofValueError
andMessageError
.ServiceBusAuthenticationError
: on failure to be authenticated by the service.
- Removed exception class
InvalidHandlerState
.
BugFixes
- Fixed bug where http_proxy and transport_type in ServiceBusClient are not propagated into Sender/Receiver creation properly.
- Updated uAMQP dependency to 1.2.7.
- Fixed bug in setting certificate of tlsio on MacOS. #7201
- Fixed bug that caused segmentation fault in network tracing on MacOS when setting
logging_enable
toTrue
inServiceBusClient
.
Breaking Changes
- Session receivers are now created via their own top level functions, e.g.
get_queue_sesison_receiver
andget_subscription_session_receiver
. Non session receivers no longer take session_id as a paramter. ServiceBusSender.send()
no longer takes a timeout parameter, as it should be redundant with retry options provided when creating the client.- Exception imports have been removed from module
azure.servicebus
. Import fromazure.servicebus.exceptions
instead. ServiceBusSender.schedule()
has swapped the ordering of parametersschedule_time_utc
andmessages
for better consistency withsend()
syntax.
7.0.0b1 (2020-04-06)
Version 7.0.0b1 is a preview of our efforts to create a client library that is user friendly and idiomatic to the Python ecosystem. The reasons for most of the changes in this update can be found in the Azure SDK Design Guidelines for Python. For more information, please visit https://aka.ms/azure-sdk-preview1-python.
- Note: Not all historical functionality exists in this version at this point. Topics, Subscriptions, scheduling, dead_letter management and more will be added incrementally over upcoming preview releases.
New Features
- Added new configuration parameters when creating
ServiceBusClient
.credential
: The credential object used for authentication which implementsTokenCredential
interface of getting tokens.http_proxy
: A dictionary populated with proxy settings.- For detailed information about configuration parameters, please see docstring in
ServiceBusClient
and/or the reference documentation for more information.
- Added support for authentication using Azure Identity credentials.
- Added support for retry policy.
- Added support for http proxy.
- Manually calling
reconnect
should no longer be necessary, it is now performed implicitly. - Manually calling
open
should no longer be necessary, it is now performed implicitly.- Note:
close()
-ing is still required if a context manager is not used, to avoid leaking connections.
- Note:
- Added support for sending a batch of messages destined for heterogenous sessions.
Breaking changes
- Simplified API and set of clients
get_queue
no longer exists, utilizeget_queue_sender/receiver
instead.peek
and otherqueue_client
functions have moved to their respective sender/receiver.- Renamed
fetch_next
toreceive
. - Renamed
session
tosession_id
to normalize naming when requesting a receiver against a given session. reconnect
no longer exists, and is performed implicitly if needed.open
no longer exists, and is performed implicitly if needed.
- Normalized top level client parameters with idiomatic and consistent naming.
- Renamed
debug
inServiceBusClient
initializer tologging_enable
. - Renamed
service_namespace
inServiceBusClient
initializer tofully_qualified_namespace
.
- Renamed
- New error hierarchy, with more specific semantics
azure.servicebus.exceptions.ServiceBusError
azure.servicebus.exceptions.ServiceBusConnectionError
azure.servicebus.exceptions.ServiceBusResourceNotFound
azure.servicebus.exceptions.ServiceBusAuthorizationError
azure.servicebus.exceptions.NoActiveSession
azure.servicebus.exceptions.OperationTimeoutError
azure.servicebus.exceptions.InvalidHandlerState
azure.servicebus.exceptions.AutoLockRenewTimeout
azure.servicebus.exceptions.AutoLockRenewFailed
azure.servicebus.exceptions.EventDataSendError
azure.servicebus.exceptions.MessageSendFailed
azure.servicebus.exceptions.MessageLockExpired
azure.servicebus.exceptions.MessageSettleFailed
azure.servicebus.exceptions.MessageAlreadySettled
azure.servicebus.exceptions.SessionLockExpired
- BatchMessage creation is now initiated via
create_batch
on a Sender, usingadd()
on the batch to add messages, in order to enforce service-side max batch sized limitations. - Session is now set on the message itself, via
session_id
parameter or property, as opposed to onSend
orget_sender
viasession
. This is to allow sending a batch of messages destined to varied sessions. - Session management is now encapsulated within a property of a receiver, e.g.
receiver.session
, to better compartmentalize functionality specific to sessions.- To use
AutoLockRenew
against sessions, one would simply pass the inner session object, instead of the receiver itself.
- To use
0.50.2 (2019-12-09)
New Features
- Added support for delivery tag lock tokens
BugFixes
- Fixed bug where Message would pass through invalid kwargs on init when attempting to thread through subject.
- Increments UAMQP dependency min version to 1.2.5, to include a set of fixes, including handling of large messages and mitigation of segfaults.
0.50.1 (2019-06-24)
BugFixes
- Fixed bug where enqueued_time and scheduled_enqueue_time of message being parsed as local timestamp rather than UTC.
0.50.0 (2019-01-17)
Breaking changes
- Introduces new AMQP-based API.
- Original HTTP-based API still available under new namespace: azure.servicebus.control_client
- For full API changes, please see updated reference documentation.
Within the new namespace, the original HTTP-based API from version 0.21.1 remains unchanged (i.e. no additional features or bugfixes) so for those intending to only use HTTP operations - there is no additional benefit in updating at this time.
New Features
- New API supports message send and receive via AMQP with improved performance and stability.
- New asynchronous APIs (using
asyncio
) for send, receive and message handling. - Support for message and session auto lock renewal via background thread or async operation.
- Now supports scheduled message cancellation.
0.21.1 (2017-04-27)
This wheel package is now built with the azure wheel extension
0.21.0 (2017-01-13)
New Features
str
messages are now accepted in Python 3 and will be encoded in 'utf-8' (will not raise TypeError anymore)broker_properties
can now be defined as a dict, and not only a JSONstr
. datetime, int, float and boolean are converted.- #902 add
send_topic_message_batch
operation (takes an iterable of messages) - #902 add
send_queue_message_batch
operation (takes an iterable of messages)
Bugfixes
- #820 the code is now more robust to unexpected changes on the SB RestAPI
0.20.3 (2016-08-11)
News
- #547 Add get dead letter path static methods to Python
- #513 Add renew lock
Bugfixes
- #628 Fix custom properties with double quotes
0.20.2 (2016-06-28)
Bugfixes
- New header in Rest API which breaks the SDK #658 #657
0.20.1 (2015-09-14)
News
- Create a requests.Session() if the user doesn't pass one in.
0.20.0 (2015-08-31)
Initial release of this package, from the split of the azure
package.
See the azure
package release note for 1.0.0 for details and previous
history on Service Bus.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
File details
Details for the file azure-servicebus-7.0.0b6.zip
.
File metadata
- Download URL: azure-servicebus-7.0.0b6.zip
- Upload date:
- Size: 315.5 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/3.2.0 pkginfo/1.5.0.1 requests/2.24.0 setuptools/47.1.0 requests-toolbelt/0.9.1 tqdm/4.48.2 CPython/3.8.5
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 6b5dd341192da26d0806f641099904362e710ba12bd63052660e265e48881384 |
|
MD5 | db1f97f03fa3c9cc1b6100fcc9c42268 |
|
BLAKE2b-256 | 03363e204e7d22717b057ed7f9e5ad47a149955c62a5316ed764136120a1061e |
File details
Details for the file azure_servicebus-7.0.0b6-py2.py3-none-any.whl
.
File metadata
- Download URL: azure_servicebus-7.0.0b6-py2.py3-none-any.whl
- Upload date:
- Size: 173.0 kB
- Tags: Python 2, Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/3.2.0 pkginfo/1.5.0.1 requests/2.24.0 setuptools/47.1.0 requests-toolbelt/0.9.1 tqdm/4.48.2 CPython/3.8.5
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 8df2f4a43bcfb88e8c2da4d66c5d2fdffe95d3dfbc0bbc7da8941d487e7ef3b2 |
|
MD5 | ac41e4e6307f87d04c8b14ef0028087d |
|
BLAKE2b-256 | 75b2f8081ab32d746245c28f4ce5d4b8dc817357c9599f2e24e11e6cf8088b98 |