BLEClient Control

Properties   Methods   Events   Config Settings   Errors  

An easy-to-use Bluetooth Low Energy (BLE) GATT Client control.

Syntax

BLEClient

Remarks

The BLEClient control provides a simple but flexible BLE GATT client implementation, making it easy to work with the services, characteristics, and descriptors exposed by BLE GATT servers on remote devices.

Prerequisites

Important: Please note that the BLEClient component is only supported by Windows 10 Creator's Update (10.0.15063.0) and later.

Scanning and Connecting

To begin, call the StartScanning method, optionally passing in a list of service UUIDs that you're interested in so that irrelevant devices are ignored during scanning. While the control is scanning, the Advertisement event will fire for each relevant advertisement received from a GATT server.

The Advertisement event provides a wealth of information about the remote device, such as its Id and local name, whether or not you can connect to it, the list of service UUIDs it's advertising, and much more.

Once you've determined what device you wish to connect to, call the Connect method and pass its server Id, obtained from the Advertisement event. The control will stop scanning, then attempt to connect to the device. The Connected event is fired when the connection attempt finishes, and will contain error information in case of a failure.

// StartScan, StopScan, and Advertisement event handlers. bleclient1.OnStartScan += (s, e) => Console.WriteLine("Scanning has started"); bleclient1.OnStopScan += (s, e) => Console.WriteLine("Scanning has stopped"); bleclient1.OnAdvertisement += (s, e) => { // Your application should make every effort to handle the Advertisement event quickly. // BLEClient fires it as often as necessary, often multiple times per second. Console.WriteLine("Advertisement Received:\r\n\tServerId: " + e.ServerId + "\r\n\tName: " + e.Name + "\r\n\tServiceUuids: " + e.ServiceUuids + "\r\n\tManufacturerCompanyId: " + e.ManufacturerCompanyId + "\r\n\tIsConnectable: " + e.IsConnectable); }; // Scan for all devices. bleclient1.StartScanning(""); // Alternatively, you can scan for devices advertising specific service UUIDs. You can use a // mixture of 16-, 32-, and 128-bit UUID strings, they'll be converted to 128-bit internally. bleclient1.StartScanning("180A,0000180F,00001801-0000-1000-8000-00805F9B34FB"); // ...Once you find a device you wish to connect to... bleclient1.Connect("SERVER_ID");

Refer the StartScanning for more detailed code examples.

Service, Characteristic, and Descriptor Discovery

Once connected to a device, the next step is to discover the services that you're interested in. To do this, call the DiscoverServices method, optionally passing a list of service UUIDs to limit the discovery process. For each service discovered, ServiceCount will be incremented, and the Discovered event will fire.

After you've discovered the services you're interested in, you have to discover those services' characteristics. This is done with the DiscoverCharacteristics method, passing the Id of the service you wish to discover characteristics for, and optionally passing a list of characteristic UUIDs to limit the discovery process. For each characteristic discovered, CharacteristicCount will be incremented, and the Discovered event will fire.

Finally, you can discover descriptors for the discovered characteristics. To do this, you use the DiscoverDescriptors method, passing the Id of a characteristic, as well as the Id of the service which owns it. For each descriptor discovered, DescriptorCount will be incremented, and the Discovered event will fire.

If you would prefer to do multiple discovery steps with a single call, you can use the Discover method rather than the individual DiscoverServices, DiscoverCharacteristics, and DiscoverDescriptors methods. However, keep in mind that doing so will consume more power up front. Discovering services, characteristics, and descriptors as you need them is more energy-efficient.

// Discovered event handler. bleclient1.OnDiscovered += (s, e) => { string gattType = e.GattType == 0 ? "Service" : (e.GattType == 1 ? "Characteristic" : "Descriptor"); Console.WriteLine(gattType + " discovered:" + // The 128-bit UUID string, "XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX". "\r\n\tUUID: " + e.Uuid + // For standard GATT objects whose UUIDs are defined by the Bluetooth // SIG, the Description event parameter will contain their name. "\r\n\tDescription: " + e.Description); }; string serviceIds = "180A,F000AA70-0451-4000-B000-000000000000,F000AA20-0451-4000-B000-000000000000"; // Discover specific root services. bleclient1.DiscoverServices(serviceIds, ""); foreach (Service s in bleclient1.Services) { // Discover all characteristics for this service. bleclient1.DiscoverCharacteristics(s.Id, ""); bleclient1.Service = s.Id; foreach (Characteristic c in bleclient1) { // Discover all descriptors for this characteristic. bleclient1.DiscoverDescriptors(s.Id, c.Id); } }

Refer to DiscoverServices, DiscoverCharacteristics, DiscoverDescriptors, and Discover for more detailed code examples.

Working with Discovered Data

Once you've discovered the services, characteristics, and descriptors that you need, you'll want to make use of them. BLEClient makes it easy to navigate the GATT data hierarchy. Start by iterating over the Service* properties and inspecting the information discovered for each service.

Set the Service property to a specific service's Id to have the control populate the Characteristic* properties based on the characteristics discovered for that service. You can then iterate over the Characteristic* properties to inspect the details of each characteristic. Depending on what flags a characteristic has, you may also be able to directly manipulate some of its information.

Set the Characteristic property to a specific characteristic's Id to have the control populate the Descriptor* properties based on the descriptors discovered for that characteristic. You can then iterate over the Descriptor* properties to inspect the details of each descriptor.

// Loop through all discovered GATT objects and print out their UUIDs and descriptions. foreach (Service s in bleclient1.Services) { Console.WriteLine("Service: " + s.Description + " (" + s.Uuid + ")"); // Select this service and loop through its characteristics. bleclient1.Service = s.Id; foreach (Characteristic c in bleclient1.Characteristics) { Console.WriteLine("\tCharacteristic: " + c.Description + " (" + c.Uuid + ")"); // Select this characteristic and loop through its descriptors. bleclient1.Characteristic = c.Id; foreach (Descriptor d in bleclient1.Descriptors) { Console.WriteLine("\t\tDescriptor: " + d.Description + " (" + d.Uuid + ")"); } } }

Reading and Writing Values

The BLEClient control exposes CharacteristicCachedValue and DescriptorCachedValue properties, which retrieve values from the local system's value cache, preventing unnecessary power drain involved with communicating with the device.

// Print the cached value for a characteristic (which you can assume // we've already found and assigned to a variable called "c"). Console.WriteLine("Characteristic Value: " + BitConverter.ToUInt16(c.CachedValueB, 0)); // Print the cached value for a descriptor (again, assume it's stored in "d"). Console.WriteLine("Descriptor Value: " + BitConverter.ToString(d.CachedValueB));

To read a value directly from the remote device's GATT server, use the ReadValue method. For characteristics, you'll need to pass the Ids of the characteristic and the service which owns it. For descriptors, you'll pass both of those, as well as the Id of the descriptor. If the read succeeds, the method will return the value read from the device, and the Value event will be fired. If the read fails, the Error event is fired and the control fails with an error.

// Value event handler. bleclient1.OnValue += (s, e) => { Console.WriteLine("Read value {" + BitConverter.ToString(e.ValueB) + "} for " + (string.IsNullOrEmpty(e.DescriptorId) ? "characteristic" : "descriptor") + " with UUID " + e.Uuid); }; // Prints the live value for a characteristic. bleclient1.ReadValue("001C00000000", "001C001D0000", ""); // Prints the live value for a descriptor. bleclient1.ReadValue("001C00000000", "001C001D0000", "001C001D0021");

To write a characteristic or descriptor value, call the WriteValue method, passing the appropriate Ids and the value to be written. If the write succeeds, the method will return and the WriteResponse event will fire. If the write fails, the Error event is fired and the control fails with an error.

// WriteResponse event handler. bleclient1.OnWriteResponse += (s, e) => { string gattType = string.IsNullOrEmpty(e.DescriptorId) ? "characteristic" : "descriptor"; Console.WriteLine("Successfully wrote to " + gattType + " with UUID " + e.Uuid); }; // Write to a characteristic. bleclient1.WriteValue("004200000000", "004200460000", "", new byte[] { 0x1 }); // Write to a descriptor. bleclient1.WriteValue("004200000000", "004200430000", "004200430045", new byte[] { 0x1 });

You can also use the PostValue method to write values to characteristics that have the "Write Without Response" flag. Posting a value to a characteristic is more energy-efficient since the remote device's GATT server won't send back an acknowledgement, even if the write fails.

// Write without response to a characteristic. bleclient1.PostValue("00AA00000000", "00AA00BB0000", new byte[] { 0x1, 0x2, 0x3 });

Keep in mind that not all characteristics and descriptors support value writes, and some might not even support value reads. If you attempt to perform an operation that a characteristic or descriptor doesn't support, the control fails with an error.

For characteristics, you can inspect the CharacteristicFlags property to determine what operations the characteristic supports. For descriptors, you'll either need to know in advance what operations are supported, or be ready to handle exceptions which may occur.

Refer to ReadValue, WriteValue, and PostValue for more detailed code examples.

Subscribing to Characteristics

One of the most important features of the BLE GATT data model is the ability for a GATT server to send characteristic value updates to interested GATT clients in real-time. A GATT client can subscribe to either notifications or indications to get value updates. The difference between the two is simple: notifications are not acknowledged by GATT clients, while indications are.

When you want to subscribe to a characteristic, start by checking the CharacteristicCanSubscribe property to determine if it supports subscriptions.

For characteristics which do support subscriptions, you can subscribe and unsubscribe by using either the CharacteristicSubscribed property or the Subscribe and Unsubscribe methods. The Subscribed and Unsubscribed events are fired whenever a characteristic's subscription state changes, and the Value event is fired whenever a value update is received.

Note that characteristics do not have to support both subscription types, or even one of them. For characteristics which do support both, the control will subscribe for notifications by default. If you'd prefer that it subscribe for indications instead, enable the PreferIndications configuration setting.

// Subscribed, Unsubscribed, and Value event handlers. bleclient1.OnSubscribed += (s, e) => { Console.WriteLine("Subscribed to characteristic:" + "\r\n\tID: " + e.CharacteristicId + "\r\n\tUUID: " + e.Uuid + "\r\n\tDescription: " + e.Description); }; bleclient1.OnUnsubscribed += (s, e) => { Console.WriteLine("Unsubscribed from characteristic:" + "\r\n\tID: " + e.CharacteristicId + "\r\n\tUUID: " + e.Uuid + "\r\n\tDescription: " + e.Description); }; bleclient1.OnValue += (s, e) => { Console.WriteLine("Value update received for characteristic: " + "\r\n\tID: " + e.CharacteristicId + "\r\n\tUUID: " + e.Uuid + "\r\n\tDescription: " + e.Description + "\r\n\tValue: " + BitConverter.ToString(e.ValueB)); }; // Assume that we've already found a characteristic, its owning service, // and a descriptor on it; and we've stored them in variables called "c", // "s", and "d", respectively. You can subscribe to and unsubscribe from // the characteristic using any, or all, of the three methods below. // Subscribe and unsubscribe using methods. bleclient1.Subscribe(s.Id, c.Id); // ... bleclient1.Unsubscribe(s.Id, c.Id); // Subscribe and unsubscribe using the "Subscribed" field. c.Subscribed = true; // ... c.Subscribed = false; // Subscribe and unsubscribe by writing directly to the CCCD. bleclient1.WriteValue(s.Id, c.Id, d.Id, new byte[] { 1, 0 }); // ... bleclient1.WriteValue(s.Id, c.Id, d.Id, new byte[] { 0, 0 });

Usage Notes

It is very important that you do not block or perform any long-running operations within the control's event handlers. The platform APIs that the control uses rely on timely delivery of events in order to function properly.

Most platforms will in some way limit the use of Bluetooth APIs when your application is in the background. Be aware of the limitations your platform places on the usage of BLE APIs while in the background, and be ready to act accordingly.

Be sure to disconnect from a remote device by calling Disconnect when you're finished using it. When you're completely finished using the BLEClient control, be sure that you've called StopScanning and Disconnect before disposing of the instance.

Property List


The following is the full list of the properties of the control with short descriptions. Click on the links for further details.

ActiveScanningWhether to use active scanning.
CharacteristicThe currently selected characteristic's Id.
CharacteristicCountThe number of records in the Characteristic arrays.
CharacteristicCachedValueThe most recently cached value of this characteristic.
CharacteristicCanSubscribeWhether or not you can subscribe to receive value updates for this characteristic.
CharacteristicDescriptionThis characteristic's Bluetooth SIG user-friendly name, if one is defined.
CharacteristicFlagsA bitmask of this characteristic's flags.
CharacteristicIdAn identification string which uniquely identifies this instance of this characteristic.
CharacteristicSubscribedWhether or not the control has subscribed to updates for this characteristic's value.
CharacteristicUserDescriptionThe value of the user description descriptor for this characteristic.
CharacteristicUuidThis characteristic's 128-bit UUID string.
CharacteristicValueExponentThe exponent of this characteristic's value, for applicable value formats.
CharacteristicValueFormatThe data type of this characteristic's value.
CharacteristicValueFormatCountThe number of value formats this characteristic has.
CharacteristicValueFormatIndexSelects the currently populated value format details for this characteristic.
CharacteristicValueUnitThe 128-bit UUID string that represents the unit of measurement for this characteristic's value.
DescriptorCountThe number of records in the Descriptor arrays.
DescriptorCachedValueThe most recently cached value of this descriptor.
DescriptorDescriptionThis descriptor's Bluetooth SIG user-friendly name, if one is defined.
DescriptorIdAn identification string which uniquely identifies this instance of this descriptor.
DescriptorUuidThis descriptor's 128-bit UUID string.
ScanningWhether or not the control is currently scanning for servers.
ServerIdPlatform-specific string identifying the currently connected server.
ServerNameLocal name of the currently connected server.
ServiceThe currently selected service's Id.
ServiceCountThe number of records in the Service arrays.
ServiceDescriptionThis service's Bluetooth SIG user-friendly name, if one is defined.
ServiceIdAn identification string which uniquely identifies this instance of this service.
ServiceIncludedSvcIdsIf any included services have been discovered for this service, this is a comma-separated list of their Ids.
ServiceParentSvcIdsIf this services is included by any other services, this is a comma-separated list of those services' Ids.
ServiceUuidThis service's 128-bit UUID string.
TimeoutA timeout for the control.

Method List


The following is the full list of the methods of the control with short descriptions. Click on the links for further details.

CheckCharacteristicSubscribedChecks to see if the control is subscribed to a characteristic.
ConfigSets or retrieves a configuration setting.
ConnectConnect to a BLE GATT server based on its identifier.
DisconnectDisconnects from the remote server.
DiscoverConvenience method to discover multiple levels of the GATT object hierarchy at once.
DiscoverCharacteristicsUsed to discover characteristics for a specific service.
DiscoverDescriptorsUsed to discover all descriptors for a specific characteristic.
DiscoverServicesUsed to discover services for the currently connected server.
DoEventsProcesses events from the internal message queue.
PostValueWrite the value of a characteristic without expecting a response.
QueryCharacteristicCachedValReads and returns a characteristic value from the value cache.
QueryDescriptorCachedValReads and returns a descriptor value from the value cache.
ReadValueRead the value of a characteristic or descriptor from the server.
SelectUsed to set the currently selected service and characteristic by their Ids.
StartScanningCauses the control to begin scanning for BLE GATT servers.
StopScanningCauses the control to stop scanning for BLE GATT servers.
SubscribeSubscribes to value updates for the specified characteristic.
UnsubscribeUnsubscribes from value updates for one or more characteristics.
WriteValueWrite the value of a characteristic or descriptor.

Event List


The following is the full list of the events fired by the control with short descriptions. Click on the links for further details.

AdvertisementFired when an advertisement packet is received during scanning.
ConnectedFired immediately after a connection to a remote device completes (or fails).
DisconnectedFired when the control has been disconnected from the remote device.
DiscoveredFired when the control discovers a service, characteristic, or descriptor.
ErrorInformation about errors during data delivery.
LogFires once for each log message.
ServerUpdateFired when the currently connected server updates its name or available services.
StartScanFired when the control starts scanning.
StopScanFired when the control stops scanning.
SubscribedFired when the control has successfully subscribed to a characteristic.
UnsubscribedFired when the control has successfully unsubscribed from a characteristic.
ValueFired when a characteristic or descriptor value is received from the server.
WriteResponseFired when the server acknowledges a successful value write request.

Config Settings


The following is a list of config settings for the control with short descriptions. Click on the links for further details.

AutoDiscoverCharacteristicsWhether to automatically discover all characteristics when a service is discovered.
AutoDiscoverDescriptorsWhether to automatically discover all descriptors when a characteristic is discovered.
AutoDiscoverIncludedServicesWhether to automatically discover all included services when a service is discovered.
GattObjTreeInfoReturns a string representation of the currently discovered GATT object tree.
IncludeRediscoveredWhether to fire the Discovered event for rediscovered services, characteristics, and descriptors.
LogLevelThe level of detail that is logged.
ManufacturerCompanyId[i]The manufacturer company Id at index 'i'.
ManufacturerData[i]The manufacturer data at index 'i'.
ManufacturerDataCountThe number of manufacturer data sections an advertisement has.
ScanStartedTimeoutThe maximum amount of time to wait for scanning to start.
ServiceDataGets the data associated with a service UUID from an advertisement.
CodePageThe system code page used for Unicode to Multibyte translations.
MaskSensitiveWhether sensitive data is masked in log messages.
UseInternalSecurityAPITells the control whether or not to use the system security libraries or an internal implementation.

ActiveScanning Property (BLEClient Control)

Whether to use active scanning.

Syntax

bleclientcontrol.ActiveScanning[=boolean]

Default Value

False

Remarks

When enabled, the control will instruct the system to use active scanning rather than passive scanning, at the cost of higher power consumption.

Active scanning causes the system's BLE API to request a scan response packet for each advertisement received, which in turn means that you will be able to get more information from devices without connecting to them.

The tradeoff is that enabling this feature increases power consumption for both the client and server, but if your use-case doesn't call for ever actually connecting to the devices (which itself can be a power-intensive operation), then that tradeoff might be mitigated.

Note that you cannot change the value of the ActiveScanning property if the control is already scanning.

Active Scanning // Enable active scanning. bleclient1.ActiveScanning = true; bleclient1.StartScanning(""); // ... bleclient1.StopScanning();

This property is not available at design time.

Data Type

Boolean

Characteristic Property (BLEClient Control)

The currently selected characteristic's Id.

Syntax

bleclientcontrol.Characteristic[=string]

Default Value

""

Remarks

Setting the Characteristic property to the Id of a discovered characteristic allows you to inspect the descriptors which have been discovered for it using the Descriptor* properties.

Characteristic can either be set to the Id of a characteristic which has been discovered for the service currently selected by Service, or to empty string.

This property is automatically set when you call the Select method; and it is reset to empty string when you set Service.

This property is not available at design time.

Data Type

String

CharacteristicCount Property (BLEClient Control)

The number of records in the Characteristic arrays.

Syntax

bleclientcontrol.CharacteristicCount[=integer]

Default Value

0

Remarks

This property controls the size of the following arrays:

The array indices start at 0 and end at CharacteristicCount - 1.

This property is not available at design time.

Data Type

Integer

CharacteristicCachedValue Property (BLEClient Control)

The most recently cached value of this characteristic.

Syntax

bleclientcontrol.CharacteristicCachedValue(CharacteristicIndex)

Default Value

""

Remarks

The most recently cached value of this characteristic.

For asynchronous applications, it is recomended to use the QueryCharacteristicCachedVal method instead.

To read the characteristic's value directly from the remote server, use ReadValue.

The CharacteristicIndex parameter specifies the index of the item in the array. The size of the array is controlled by the CharacteristicCount property.

To read or write binary data to the property, a Variant (Byte Array) version is provided in .CharacteristicCachedValueB.

This property is read-only and not available at design time.

Data Type

Binary String

CharacteristicCanSubscribe Property (BLEClient Control)

Whether or not you can subscribe to receive value updates for this characteristic.

Syntax

bleclientcontrol.CharacteristicCanSubscribe(CharacteristicIndex)

Default Value

False

Remarks

Whether or not you can subscribe to receive value updates for this characteristic.

The CharacteristicIndex parameter specifies the index of the item in the array. The size of the array is controlled by the CharacteristicCount property.

This property is read-only and not available at design time.

Data Type

Boolean

CharacteristicDescription Property (BLEClient Control)

This characteristic's Bluetooth SIG user-friendly name, if one is defined.

Syntax

bleclientcontrol.CharacteristicDescription(CharacteristicIndex)

Default Value

""

Remarks

This characteristic's Bluetooth SIG user-friendly name, if one is defined.

The CharacteristicIndex parameter specifies the index of the item in the array. The size of the array is controlled by the CharacteristicCount property.

This property is read-only and not available at design time.

Data Type

String

CharacteristicFlags Property (BLEClient Control)

A bitmask of this characteristic's flags.

Syntax

bleclientcontrol.CharacteristicFlags(CharacteristicIndex)

Default Value

0

Remarks

A bitmask of this characteristic's flags.

This property is a bitmask which represents all of the flags (or, in BLE terms, "properties") which this characteristic has set. The following table shows what bitmask is used to represent each flag:

BitmaskFlag
0x00000001 Broadcast
0x00000002 Read
0x00000004 Write Without Response
0x00000008 Write
0x00000010 Notify
0x00000020 Indicate
0x00000040 Authenticated Signed Writes
0x00000080 Reliable Writes (extended property)
0x00000100 Writable Auxiliaries (extended property)

Note that, on some platforms, the control might have to automatically discover specific descriptors for the value this returns to be accurate. The control take care of handling this automatic discovery in the most energy-efficient manner possible.

The CharacteristicIndex parameter specifies the index of the item in the array. The size of the array is controlled by the CharacteristicCount property.

This property is read-only and not available at design time.

Data Type

Integer

CharacteristicId Property (BLEClient Control)

An identification string which uniquely identifies this instance of this characteristic.

Syntax

bleclientcontrol.CharacteristicId(CharacteristicIndex)

Default Value

""

Remarks

An identification string which uniquely identifies this instance of this characteristic.

This identification string is guaranteed to be unchanged while the control remains connected to the device.

The CharacteristicIndex parameter specifies the index of the item in the array. The size of the array is controlled by the CharacteristicCount property.

This property is read-only and not available at design time.

Data Type

String

CharacteristicSubscribed Property (BLEClient Control)

Whether or not the control has subscribed to updates for this characteristic's value.

Syntax

bleclientcontrol.CharacteristicSubscribed(CharacteristicIndex)[=boolean]

Default Value

False

Remarks

Whether or not the control has subscribed to updates for this characteristic's value.

For asynchronous applications, it is recomended to use the CheckCharacteristicSubscribed method instead.

See Subscribe for more information.

Note that, on some platforms, the control might have to automatically discover specific descriptors for the value this returns to be accurate. The control take care of handling this automatic discovery in the most energy-efficient manner possible.

The CharacteristicIndex parameter specifies the index of the item in the array. The size of the array is controlled by the CharacteristicCount property.

This property is not available at design time.

Data Type

Boolean

CharacteristicUserDescription Property (BLEClient Control)

The value of the user description descriptor for this characteristic.

Syntax

bleclientcontrol.CharacteristicUserDescription(CharacteristicIndex)[=string]

Default Value

""

Remarks

The value of the user description descriptor for this characteristic.

If the "Writable Auxiliaries" property is set for this characteristic, you can change this value, which updates it on the server too.

Note that, on some platforms, the control might have to automatically discover specific descriptors for the value this returns to be accurate. The control take care of handling this automatic discovery in the most energy-efficient manner possible.

The CharacteristicIndex parameter specifies the index of the item in the array. The size of the array is controlled by the CharacteristicCount property.

This property is not available at design time.

Data Type

String

CharacteristicUuid Property (BLEClient Control)

This characteristic's 128-bit UUID string.

Syntax

bleclientcontrol.CharacteristicUuid(CharacteristicIndex)

Default Value

""

Remarks

This characteristic's 128-bit UUID string.

The CharacteristicIndex parameter specifies the index of the item in the array. The size of the array is controlled by the CharacteristicCount property.

This property is read-only and not available at design time.

Data Type

String

CharacteristicValueExponent Property (BLEClient Control)

The exponent of this characteristic's value, for applicable value formats.

Syntax

bleclientcontrol.CharacteristicValueExponent(CharacteristicIndex)

Default Value

-1

Remarks

The exponent of this characteristic's value, for applicable value formats.

For an applicable CharacteristicValueFormat, this signed integer should be used as an exponent in the following formula in order to determine the actual value of the characteristic: [Value] * 10^[Exponent].

The CharacteristicIndex parameter specifies the index of the item in the array. The size of the array is controlled by the CharacteristicCount property.

This property is read-only and not available at design time.

Data Type

Integer

CharacteristicValueFormat Property (BLEClient Control)

The data type of this characteristic's value.

Syntax

bleclientcontrol.CharacteristicValueFormat(CharacteristicIndex)

Possible Values

vfUndefined(0), 
vfBoolean(1), 
vf2Bit(2), 
vfNibble(3), 
vfUInt8(4), 
vfUInt12(5), 
vfUInt16(6), 
vfUInt24(7), 
vfUInt32(8), 
vfUInt48(9), 
vfUInt64(10), 
vfUInt128(11), 
vfSInt8(12), 
vfSInt12(13), 
vfSInt16(14), 
vfSInt24(15), 
vfSInt32(16), 
vfSInt48(17), 
vfSInt64(18), 
vfSInt128(19), 
vfFloat32(20), 
vfFloat64(21), 
vfSFloat(22), 
vfFloat(23), 
vfDUInt16(24), 
vfUtf8Str(25), 
vfUtf16Str(26), 
vfStruct(27)

Default Value

0

Remarks

The data type of this characteristic's value.

The valid options are as follows:

Value TypeDescription
vfUndefined (0) Undefined
vfBoolean (1) Unsigned 1-bit; 0 = false, 1 = true
vf2Bit (2) Unsigned 2-bit integer
vfNibble (3) Unsigned 4-bit integer
vfUInt8 (4) Unsigned 8-bit integer; exponent applies
vfUInt12 (5) Unsigned 12-bit integer; exponent applies
vfUInt16 (6) Unsigned 16-bit integer; exponent applies
vfUInt24 (7) Unsigned 24-bit integer; exponent applies
vfUInt32 (8) Unsigned 32-bit integer; exponent applies
vfUInt48 (9) Unsigned 48-bit integer; exponent applies
vfUInt64 (10) Unsigned 64-bit integer; exponent applies
vfUInt128 (11) Unsigned 128-bit integer; exponent applies
vfSInt8 (12) Signed 8-bit integer; exponent applies
vfSInt12 (13) Signed 12-bit integer; exponent applies
vfSInt16 (14) Signed 16-bit integer; exponent applies
vfSInt24 (15) Signed 24-bit integer; exponent applies
vfSInt32 (16) Signed 32-bit integer; exponent applies
vfSInt48 (17) Signed 48-bit integer; exponent applies
vfSInt64 (18) Signed 64-bit integer; exponent applies
vfSInt128 (19) Signed 128-bit integer; exponent applies
vfFloat32 (20) IEEE-754 32-bit floating point
vfFloat64 (21) IEEE-754 64-bit floating point
vfSFloat (22) IEEE-11073 16-bit SFLOAT
vfFloat (23) IEEE-11073 32-bit FLOAT
vfDUInt16 (24) IEEE-20601 format (Two UInt16 values concatenated)
vfUtf8Str (25) UTF-8 string
vfUtf16Str (26) UTF-16 string
vfStruct (27) Opaque structure

The CharacteristicIndex parameter specifies the index of the item in the array. The size of the array is controlled by the CharacteristicCount property.

This property is read-only and not available at design time.

Data Type

Integer

CharacteristicValueFormatCount Property (BLEClient Control)

The number of value formats this characteristic has.

Syntax

bleclientcontrol.CharacteristicValueFormatCount(CharacteristicIndex)

Default Value

0

Remarks

The number of value formats this characteristic has.

Characteristics whose values are an aggregate of multiple other values will often have multiple value formats as a result. In such cases, this property's value will be greater than 1, and the CharacteristicValueFormatIndex property can be used to choose which value format the CharacteristicValueFormat, CharacteristicValueExponent, and CharacteristicValueUnit properties are populated with.

Note that, on some platforms, the control might have to automatically discover specific descriptors for the value this returns to be accurate. The control take care of handling this automatic discovery in the most energy-efficient manner possible.

The CharacteristicIndex parameter specifies the index of the item in the array. The size of the array is controlled by the CharacteristicCount property.

This property is read-only and not available at design time.

Data Type

Integer

CharacteristicValueFormatIndex Property (BLEClient Control)

Selects the currently populated value format details for this characteristic.

Syntax

bleclientcontrol.CharacteristicValueFormatIndex(CharacteristicIndex)[=integer]

Default Value

-1

Remarks

Selects the currently populated value format details for this characteristic.

See CharacteristicValueFormatCount for more details.

The CharacteristicIndex parameter specifies the index of the item in the array. The size of the array is controlled by the CharacteristicCount property.

This property is not available at design time.

Data Type

Integer

CharacteristicValueUnit Property (BLEClient Control)

The 128-bit UUID string that represents the unit of measurement for this characteristic's value.

Syntax

bleclientcontrol.CharacteristicValueUnit(CharacteristicIndex)

Default Value

""

Remarks

The 128-bit UUID string that represents the unit of measurement for this characteristic's value.

The CharacteristicIndex parameter specifies the index of the item in the array. The size of the array is controlled by the CharacteristicCount property.

This property is read-only and not available at design time.

Data Type

String

DescriptorCount Property (BLEClient Control)

The number of records in the Descriptor arrays.

Syntax

bleclientcontrol.DescriptorCount

Default Value

0

Remarks

This property controls the size of the following arrays:

The array indices start at 0 and end at DescriptorCount - 1.

This property is read-only and not available at design time.

Data Type

Integer

DescriptorCachedValue Property (BLEClient Control)

The most recently cached value of this descriptor.

Syntax

bleclientcontrol.DescriptorCachedValue(DescriptorIndex)

Default Value

""

Remarks

The most recently cached value of this descriptor.

For asynchronous applications, it is recomended to use the QueryDescriptorCachedVal method instead.

To read the descriptor's value directly from the remote server, use ReadValue.

The DescriptorIndex parameter specifies the index of the item in the array. The size of the array is controlled by the DescriptorCount property.

To read or write binary data to the property, a Variant (Byte Array) version is provided in .DescriptorCachedValueB.

This property is read-only and not available at design time.

Data Type

Binary String

DescriptorDescription Property (BLEClient Control)

This descriptor's Bluetooth SIG user-friendly name, if one is defined.

Syntax

bleclientcontrol.DescriptorDescription(DescriptorIndex)

Default Value

""

Remarks

This descriptor's Bluetooth SIG user-friendly name, if one is defined.

The DescriptorIndex parameter specifies the index of the item in the array. The size of the array is controlled by the DescriptorCount property.

This property is read-only and not available at design time.

Data Type

String

DescriptorId Property (BLEClient Control)

An identification string which uniquely identifies this instance of this descriptor.

Syntax

bleclientcontrol.DescriptorId(DescriptorIndex)

Default Value

""

Remarks

An identification string which uniquely identifies this instance of this descriptor.

This identification string is guaranteed to be unchanged while the control remains connected to the device.

The DescriptorIndex parameter specifies the index of the item in the array. The size of the array is controlled by the DescriptorCount property.

This property is read-only and not available at design time.

Data Type

String

DescriptorUuid Property (BLEClient Control)

This descriptor's 128-bit UUID string.

Syntax

bleclientcontrol.DescriptorUuid(DescriptorIndex)

Default Value

""

Remarks

This descriptor's 128-bit UUID string.

The DescriptorIndex parameter specifies the index of the item in the array. The size of the array is controlled by the DescriptorCount property.

This property is read-only and not available at design time.

Data Type

String

Scanning Property (BLEClient Control)

Whether or not the control is currently scanning for servers.

Syntax

bleclientcontrol.Scanning

Default Value

False

Remarks

This property indicates whether or not the control is currently scanning for servers. While the control is scanning, the Advertisement event will be fired whenever an advertisement from a remote device is received.

Refer to the StartScanning method for more information.

This property is read-only and not available at design time.

Data Type

Boolean

ServerId Property (BLEClient Control)

Platform-specific string identifying the currently connected server.

Syntax

bleclientcontrol.ServerId

Default Value

""

Remarks

When the control is connected to a server, this property contains the platform-specific server identification string.

Note that this value is not guaranteed to be the same at any point in time for a specific server device.

This property is read-only and not available at design time.

Data Type

String

ServerName Property (BLEClient Control)

Local name of the currently connected server.

Syntax

bleclientcontrol.ServerName

Default Value

""

Remarks

When the control is connected to a server, this property contains the server's local name.

If the server's name changes while you're connected to it, the ServerUpdate event will fire with the Name parameter populated, and the new value will be reflected here.

This property is read-only and not available at design time.

Data Type

String

Service Property (BLEClient Control)

The currently selected service's Id.

Syntax

bleclientcontrol.Service[=string]

Default Value

""

Remarks

Setting the Service property to the Id of a discovered service allows you to inspect the characteristics which have been discovered for it using the Characteristic* properties.

Service can either be set to the Id of a service which has been discovered for the currently connected server, or to empty string. Setting Service will automatically reset Characteristic to empty string.

This property is automatically set when you call the Select method.

This property is not available at design time.

Data Type

String

ServiceCount Property (BLEClient Control)

The number of records in the Service arrays.

Syntax

bleclientcontrol.ServiceCount

Default Value

0

Remarks

This property controls the size of the following arrays:

The array indices start at 0 and end at ServiceCount - 1.

This property is read-only and not available at design time.

Data Type

Integer

ServiceDescription Property (BLEClient Control)

This service's Bluetooth SIG user-friendly name, if one is defined.

Syntax

bleclientcontrol.ServiceDescription(ServiceIndex)

Default Value

""

Remarks

This service's Bluetooth SIG user-friendly name, if one is defined.

The ServiceIndex parameter specifies the index of the item in the array. The size of the array is controlled by the ServiceCount property.

This property is read-only and not available at design time.

Data Type

String

ServiceId Property (BLEClient Control)

An identification string which uniquely identifies this instance of this service.

Syntax

bleclientcontrol.ServiceId(ServiceIndex)

Default Value

""

Remarks

An identification string which uniquely identifies this instance of this service.

This identification string is guaranteed to be unchanged while the control remains connected to the device.

The ServiceIndex parameter specifies the index of the item in the array. The size of the array is controlled by the ServiceCount property.

This property is read-only and not available at design time.

Data Type

String

ServiceIncludedSvcIds Property (BLEClient Control)

If any included services have been discovered for this service, this is a comma-separated list of their Ids.

Syntax

bleclientcontrol.ServiceIncludedSvcIds(ServiceIndex)

Default Value

""

Remarks

If any included services have been discovered for this service, this is a comma-separated list of their Ids.

If additional included services are discovered later, their Ids will be appended.

The ServiceIndex parameter specifies the index of the item in the array. The size of the array is controlled by the ServiceCount property.

This property is read-only and not available at design time.

Data Type

String

ServiceParentSvcIds Property (BLEClient Control)

If this services is included by any other services, this is a comma-separated list of those services' Ids.

Syntax

bleclientcontrol.ServiceParentSvcIds(ServiceIndex)

Default Value

""

Remarks

If this services is included by any other services, this is a comma-separated list of those services' Ids.

If it is discovered later that additional services include this service, their Ids will be appended.

The ServiceIndex parameter specifies the index of the item in the array. The size of the array is controlled by the ServiceCount property.

This property is read-only and not available at design time.

Data Type

String

ServiceUuid Property (BLEClient Control)

This service's 128-bit UUID string.

Syntax

bleclientcontrol.ServiceUuid(ServiceIndex)

Default Value

""

Remarks

This service's 128-bit UUID string.

The ServiceIndex parameter specifies the index of the item in the array. The size of the array is controlled by the ServiceCount property.

This property is read-only and not available at design time.

Data Type

String

Timeout Property (BLEClient Control)

A timeout for the control.

Syntax

bleclientcontrol.Timeout[=integer]

Default Value

60

Remarks

If the Timeout property is set to 0, all operations will run uninterrupted until successful completion or an error condition is encountered (except the PostValue method, which always returns immediately).

If Timeout is set to a positive value, the control will wait for a maximum of Timeout seconds since the beginning of the operation. If Timeout expires, and the operation is not yet complete, the control fails with an error.

The default value for the Timeout property is 60 (seconds).

Data Type

Integer

CheckCharacteristicSubscribed Method (BLEClient Control)

Checks to see if the control is subscribed to a characteristic.

Syntax

bleclientcontrol.CheckCharacteristicSubscribed index

Remarks

This method is used to see if the component is subscribed to a characteristic. The method uses the given index parameter to find the characteristic at the index of the Characteristics property. The method will then return a bool value based on whether the client is currently subscribed to that characteristic.

Config Method (BLEClient Control)

Sets or retrieves a configuration setting.

Syntax

bleclientcontrol.Config ConfigurationString

Remarks

Config is a generic method available in every control. It is used to set and retrieve configuration settings for the control.

These settings are similar in functionality to properties, but they are rarely used. In order to avoid "polluting" the property namespace of the control, access to these internal properties is provided through the Config method.

To set a configuration setting named PROPERTY, you must call Config("PROPERTY=VALUE"), where VALUE is the value of the setting expressed as a string. For boolean values, use the strings "True", "False", "0", "1", "Yes", or "No" (case does not matter).

To read (query) the value of a configuration setting, you must call Config("PROPERTY"). The value will be returned as a string.

Connect Method (BLEClient Control)

Connect to a BLE GATT server based on its identifier.

Syntax

bleclientcontrol.Connect ServerId

Remarks

This method will attempt to connect to the BLE GATT server represented by the platform-specific identifier supplied in the ServerId parameter. The Connected event will be fired when the connection attempt finishes, and will contain additional information if the attempt failed.

If the control is connected to a server already when Connect is called, and the given ServerId is different than the currently connected server's ServerId, it will attempt to gracefully disconnect prior to initiating a new connection.

Calling Connect does nothing if ServerId is empty or matches the currently connected server's ServerId.

If Connect is called while the control is Scanning, the control will stop scanning prior to attempting to initiate a connection.

Note that there are a variety of reasons that a connection to a server may fail, not the least of which includes the server device being out of range of the client device. For the best results, it is recommended that you scan for devices before attempting a connection. Also note that the device identifier is a platform-specific value which is not guaranteed to be the same at any given point in time for any specific server device.

Connecting and Disconnecting // Connect to our TI SensorTag device. bleclient1.Connect("546C0E795800"); // Use BLEClient... // Disconnect from the device. bleclient1.Disconnect();

Disconnect Method (BLEClient Control)

Disconnects from the remote server.

Syntax

bleclientcontrol.Disconnect 

Remarks

This method disconnects from the remote server and clears all service, characteristic, and descriptor data from the control. The Disconnected event will be fired when the control has disconnected from the remote device.

Refer to the Connect method for more information.

Discover Method (BLEClient Control)

Convenience method to discover multiple levels of the GATT object hierarchy at once.

Syntax

bleclientcontrol.Discover ServiceUuids, CharacteristicUuids, DiscoverDescriptors, IncludedByServiceId

Remarks

This method can be used in place of individual calls to the DiscoverServices, DiscoverCharacteristics, and DiscoverDescriptors methods in order to discover GATT objects from multiple levels of the GATT hierarchy at once.

To discover root services, their characteristics, and those characteristics' descriptors, you can:

  • Pass a comma-separated list of service UUIDs for the services which you are interested in to the ServiceUuids parameter.
  • Pass a comma-separated list of characteristic UUIDs for the characteristics which you are interested in (for any and all services which could be discovered) to the CharacteristicUuids parameter.
  • Pass either true or false to the DiscoverDescriptors parameter, based on whether or not you wish to discover descriptors for discovered characteristics.
  • Pass the empty string to the IncludedByServiceId parameter.

If you wish to discover included services, their characteristics, and those characteristics' descriptors, the above still applies, but you should pass the Id of an already discovered service to the IncludedByServiceId parameter.

You have the option of passing the empty string to either, or both, of the ServiceUuids and CharacteristicUuids parameters if you do not wish to limit your discovery to specific services and/or characteristics, but doing so is strongly discouraged due to the additional power consumption that will result.

During the discovery process, the Discovered event will fire once for each GATT object discovered. You may control whether it fires when a GATT object is rediscovered by setting the IncludeRediscovered configuration setting.

Keep in mind that having any of the following configuration settings enabled when you call this method may cause additional, unwanted power consumption: AutoDiscoverCharacteristics, AutoDiscoverDescriptors, or AutoDiscoverIncludedServices.

Multi-Level Discovery string serviceUUIDs = "180A,F000AA70-0451-4000-B000-000000000000,F000AA20-0451-4000-B000-000000000000"; string characteristicUUIDs = ""; //All Characteristics bool discoverDescriptors = true; string includedByServiceId = ""; //No included services // This will discover all characteristics and descriptors for specific services. bleclient1.Discover(serviceUUIDs, characteristicUUIDs, discoverDescriptors, includedByServiceId); // This will discover everything on the server, but won't discover // the "includes"/"included by" service relationships. bleclient1.Discover("", "", true, "");

DiscoverCharacteristics Method (BLEClient Control)

Used to discover characteristics for a specific service.

Syntax

bleclientcontrol.DiscoverCharacteristics ServiceId, CharacteristicUuids

Remarks

This method is used to discover characteristics that belong to the service represented by ServiceId. Discovered characteristics' data will be used to populate the Characteristic* properties when the Service property is set to the applicable service Id.

It is recommended that you pass a comma-separated list of characteristic UUIDs for the CharacteristicUuids parameter in order to limit discovery to just the characteristics that you are interested in. You may also pass the empty string to discover all of the service's characteristics, but doing so will result in higher power consumption.

During the discovery process, the Discovered event will fire once for each characteristic discovered. You may control whether it fires when a characteristic is rediscovered by setting the IncludeRediscovered configuration setting.

Keep in mind that having any of the following configuration settings enabled when you call this method may cause additional, unwanted power consumption: AutoDiscoverCharacteristics, AutoDiscoverDescriptors, or AutoDiscoverIncludedServices.

Characteristic Discovery // Discovered event handler. bleclient1.OnDiscovered += (s, e) => { Console.WriteLine("Characteristic discovered:" + "\r\n\tOwning Service Id: " + e.ServiceId + "\r\n\tCharacteristic Id: " + e.CharacteristicId + // The discovered characteristic's 128-bit UUID string, in the format // "XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX" "\r\n\tUUID: " + e.Uuid + // For standard characteristics whose UUIDs are defined by the Bluetooth SIG, // the Description event parameter will contain the name of the characteristic. "\r\n\tDescription: " + e.Description); }; // Discover all characteristics for the service whose Id is "000900000000". // (On our CC2650STK TI SensorTag, this is the Device Information Service.) bleclient1.DiscoverCharacteristics("000900000000", "");

Filtered Characteristic Discovery // Discover specific characteristics for the service whose Id is "000900000000". // (On our CC2650STK TI SensorTag, this is the Device Information Service.) // This will cause the System Id, Model Number String, and Manufacturer Name String // characteristics to be discovered, respectively. bleclient1.DiscoverCharacteristics("000900000000", "2A23,2A24,2A29");

DiscoverDescriptors Method (BLEClient Control)

Used to discover all descriptors for a specific characteristic.

Syntax

bleclientcontrol.DiscoverDescriptors ServiceId, CharacteristicId

Remarks

This method is used to discover all descriptors that belong to the characteristic represented by CharacteristicId (which is owned by the service represented by ServiceId). Discovered descriptors' data will be used to populate the Descriptors* properties when the Characteristic property is set to the applicable characteristic Id.

During the discovery process, the Discovered event will fire once for each descriptor discovered. You may control whether it fires when a descriptor is rediscovered by setting the IncludeRediscovered configuration setting.

Keep in mind that having any of the following configuration settings enabled when you call this method may cause additional, unwanted power consumption: AutoDiscoverCharacteristics, AutoDiscoverDescriptors, or AutoDiscoverIncludedServices.

Descriptor Discovery // Discovered event handler. bleclient1.OnDiscovered += (s, e) => { Console.WriteLine("Descriptor discovered:" + "\r\n\tOwning Service Id: " + e.ServiceId + "\r\n\tOwning Characteristic Id: " + e.CharacteristicId + "\r\n\tDescriptor Id: " + e.DescriptorId + // The discovered descriptor's 128-bit UUID string, in the format // "XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX" "\r\n\tUUID: " + e.Uuid + // For standard descriptors whose UUIDs are defined by the Bluetooth SIG, // the Description event parameter will contain the name of the descriptor. "\r\n\tDescription: " + e.Description); }; // Discover all descriptors for characteristic Id "001C001D0000", owned by // service Id "001C00000000". (On our CC2650STK TI SensorTag, this is the // Battery Level characteristic, which is owned by the Battery Service.) bleclient1.DiscoverDescriptors("001C00000000", "001C001D0000");

DiscoverServices Method (BLEClient Control)

Used to discover services for the currently connected server.

Syntax

bleclientcontrol.DiscoverServices ServiceUuids, IncludedByServiceId

Remarks

This method is used to discover root services on the currently connected server when empty string is passed for the IncludedByServiceId parameter. Passing the Id of an already-discovered service instead will cause the control to discover services included by that service.

All discovered services, root or otherwise, are added to the Service* properties.

It is recommended that you pass a comma-separated list of service UUIDs for the ServiceUuids parameter in order to limit discovery to just the services that you are interested in. You may also pass the empty string to discover all of the server's services (or all of a service's included services), but doing so will result in much higher power consumption.

During the discovery process, the Discovered event will fire once for each service discovered. You may control whether it fires when a service is rediscovered by setting the IncludeRediscovered configuration setting.

Keep in mind that having any of the following configuration settings enabled when you call this method may cause additional, unwanted power consumption: AutoDiscoverCharacteristics, AutoDiscoverDescriptors, or AutoDiscoverIncludedServices.

Service Discovery // Discovered event handler. bleclient1.OnDiscovered += (s, e) => { Console.WriteLine("Service discovered:" + "\r\n\tService Id: " + e.ServiceId + // The discovered service's 128-bit UUID string, in the format // "XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX" "\r\n\tUUID: " + e.Uuid + // For standard services whose UUIDs are defined by the Bluetooth SIG, // the Description event parameter will contain the name of the service. "\r\n\tDescription: " + e.Description); }; // Discover all root services. bleclient1.DiscoverServices("", ""); // Discover all services included by a discovered service whose Id is "000100000000". bleclient1.DiscoverServices("", "000100000000");

Filtered Service Discovery // Discover specific root services. These three UUIDs will cause the Device Information, // Luxometer, and Humidity services to be discovered on our CC2650STK TI SensorTag. // (Since the latter two are non-standard, you have to use their full UUIDs.) bleclient1.DiscoverServices("180A,F000AA70-0451-4000-B000-000000000000,F000AA20-0451-4000-B000-000000000000", ""); // Discover specific services included by a discovered service whose Id is "000100000000". // (The TI SensorTag doesn't have any included services, this is just an example.) bleclient1.DiscoverServices("FFFFFFFF-9000-4000-B000-000000000000", "000100000000")

DoEvents Method (BLEClient Control)

Processes events from the internal message queue.

Syntax

bleclientcontrol.DoEvents 

Remarks

When DoEvents is called, the control processes any available events. If no events are available, it waits for a preset period of time, and then returns.

PostValue Method (BLEClient Control)

Write the value of a characteristic without expecting a response.

Syntax

bleclientcontrol.PostValue ServiceId, CharacteristicId, Value

Remarks

This method is used to write the value of a characteristic, but unlike WriteValue it instructs the server not to send a response, even if the write request fails. This method will return immediately after the request is sent, regardless of the current Timeout value.

If your use-case doesn't require confirmation of characteristic value writes, this method is preferred; it allows both devices (but especially the server) to save power by keeping the BLE radio hardware turned off.

If you do require confirmation of characteristic value writes, or need to write a descriptor's value, use the WriteValue method.

Posting Values // The CC2650STK TI SensorTag doesn't have any characteristics which support // write without response, so this is just an example. bleclient1.PostValue("00AA00000000", "00AA00BB0000", new byte[] { 0x1, 0x2, 0x3 });

QueryCharacteristicCachedVal Method (BLEClient Control)

Reads and returns a characteristic value from the value cache.

Syntax

bleclientcontrol.QueryCharacteristicCachedVal index

Remarks

This method will return the cached value for the characteristic. The method uses the given index parameter to find the characteristic at the index of the Characteristics property. The method then uses that characteristic to retrieve information from the value cache. 

QueryDescriptorCachedVal Method (BLEClient Control)

Reads and returns a descriptor value from the value cache.

Syntax

bleclientcontrol.QueryDescriptorCachedVal index

Remarks

This method will return the cached value for the descriptor. The method uses the given index parameter to find the descriptor at the index of the Descriptors property. The method then uses that descriptor to retrieve information from the value cache. 

ReadValue Method (BLEClient Control)

Read the value of a characteristic or descriptor from the server.

Syntax

bleclientcontrol.ReadValue ServiceId, CharacteristicId, DescriptorId

Remarks

This method is used to read the value of a characteristic or a descriptor directly from the server, bypassing the platform's cache in the process.

To read the value of a characteristic, pass the Ids of it and its owning service for the CharacteristicId and ServiceId parameters, and pass empty string for the DescriptorId parameter. To read the value of a descriptor, do the same thing, but pass the descriptor's Id for the DescriptorId parameter too.

If the read request is successful, the read value will be returned and the Value event will be fired. In addition, the platform will cache the value; you can retrieve the cached for a characteristic using CharacteristicCachedValue or for a descriptor using DescriptorCachedValue.

If the read request fails, the Error event will be fired and the control fails with an error.

If the value of a characteristic changes often, prefer subscribing to the characteristic over polling in order to prevent unnecessary power consumption. Refer to the Subscribe method for more information.

Reading Live Values // Value event handler. bleclient1.OnValue += (s, e) => { if (string.IsNullOrEmpty(e.DescriptorId)) { Console.WriteLine("Read value {" + BitConverter.ToString(e.ValueB) + "} for characteristic with UUID " + e.Uuid); } else { Console.WriteLine("Read value {" + BitConverter.ToString(e.ValueB) + "} for descriptor with UUID " + e.Uuid); } }; // Print the live value for the Battery Level characteristic. These Ids // are correct for our CC2650STK TI SensorTag, but yours might differ. byte[] rawBatteryVal = bleclient1.ReadValue("001C00000000", "001C001D0000", ""); Console.WriteLine("Battery Level Value: " + (int)rawBatteryVal[0]); // Print the live value for the Characteristic Presentation Format descriptor on // the Battery Level characteristic. Again, your Ids might differ. byte[] rawBatteryPF = bleclient1.ReadValue("001C00000000", "001C001D0000", "001C001D0021"); Console.WriteLine("Battery Level Presentation Format bytes: " + BitConverter.ToString(rawBatteryPF));

Reading Cached Values // Print the cached value for the Luxometer Data characteristic (which you can // assume we've already found and assigned to a variable called "luxChara"). byte[] rawLuxVal = luxChara.CachedValueB; ushort luxVal = BitConverter.ToUInt16(rawLuxVal, 0); Console.WriteLine("Luxometer Value: " + luxVal); // Print the cached value for the Client Characteristic Configuration descriptor on // the Luxometer Data characteristic (again, assume it's stored in "luxCCCD"). byte[] rawLuxCCCD = luxCCCD.CachedValueB; Console.WriteLine("Luxometer CCCD bytes: " + BitConverter.ToString(rawLuxCCCD));

Select Method (BLEClient Control)

Used to set the currently selected service and characteristic by their Ids.

Syntax

bleclientcontrol.Select ServiceId, CharacteristicId

Remarks

This is a convenience method used to select a specific service and/or characteristic.

To select just a service, only pass the desired service Id for ServiceId; pass empty string for CharacteristicId. To select a characteristic, pass both of the Ids.

As long as both of the Ids are valid, the Service and Characteristic properties will be set accordingly (Characteristic is cleared if a characteristic Id isn't given).

An error will be thrown if any of the Ids aren't valid, or if an invalid combination of Ids is passed.

StartScanning Method (BLEClient Control)

Causes the control to begin scanning for BLE GATT servers.

Syntax

bleclientcontrol.StartScanning ServiceUuids

Remarks

This method causes the control to start scanning for BLE GATT servers, optionally filtered to include only servers which are advertising one or more services of interest.

To scan for all servers, pass empty string as the ServiceUuids parameter.

To scan for only servers advertising specific services, pass a comma-separated list of service UUIDs as the ServiceUuids parameter. (Only servers advertising all of the given services will be detected. Be aware that, due to the limited space in an advertisement packet, it's common for servers to support more services than they advertise.)

The StartScan event will be fired when the scanning has begun, after which the Advertisement event is fired whenever an advertisement from a server is received; the Error event is fired if an error occurs.

If you wish to use active scanning, enable the ActiveScanning property before you call StartScanning (refer to its documentation for more information).

You may start scanning while already connected to a server, but the control will stop scanning automatically if you attempt to initiate a new server connection (regardless of whether or not that connection attempt ends up succeeding).

Please be aware that scanning is a power-intensive activity, and you should call the StopScanning method as soon as is appropriate in order to prevent unnecessary power consumption.

Calling StartScanning when the control is already scanning does nothing.

Basic Scanning and Advertisement Handling Example // StartScan event handler. bleclient1.OnStartScan += (s, e) => Console.WriteLine("Scanning has started"); // StopScan event handler. bleclient1.OnStopScan += (s, e) => Console.WriteLine("Scanning has stopped"); // Advertisement event handler. bleclient1.OnAdvertisement += (s, e) => { // Your application should make every effort to handle the Advertisement event quickly. // BLEClient fires it as often as necessary, often multiple times per second. Console.WriteLine("Advertisement Received:" + "\r\n\tServerId: " + e.ServerId + "\r\n\tName: " + e.Name + "\r\n\tRSSI: " + e.RSSI + "\r\n\tTxPower: " + e.TxPower + "\r\n\tServiceUuids: " + e.ServiceUuids + "\r\n\tServicesWithData: " + e.ServicesWithData + "\r\n\tSolicitedServiceUuids: " + e.SolicitedServiceUuids + "\r\n\tManufacturerCompanyId: " + e.ManufacturerCompanyId + // We use BitConverter.ToString() to print data as hex bytes; this also prevents // an issue where the string could be cut off early if the data has a 0 byte in it. "\r\n\tManufacturerCompanyData: " + BitConverter.ToString(e.ManufacturerDataB) + "\r\n\tIsConnectable: " + e.IsConnectable + "\r\n\tIsScanResponse: " + e.IsScanResponse); }; // Scan for all devices. bleclient1.StartScanning(""); // Wait a while... bleclient1.StopScanning();

Filtered Scanning Example // Scan for devices which are advertising at least these UUIDs. You can use a mixture // of 16-, 32-, and 128-bit UUID strings, they'll be converted to 128-bit internally. bleclient1.StartScanning("180A,0000180F,00001801-0000-1000-8000-00805F9B34FB"); // ... bleclient1.StopScanning();

StopScanning Method (BLEClient Control)

Causes the control to stop scanning for BLE GATT servers.

Syntax

bleclientcontrol.StopScanning 

Remarks

This method will request that the control stop scanning for BLE GATT servers if it is currently doing so, otherwise it will do nothing. The StopScan event will fire when the scanning has stopped.

Note that scanning may be stopped automatically by the platform under certain conditions; the StopScan event will contain the error code and description if applicable.

You can check the Scanning property to determine whether or not the control is currently scanning.

Subscribe Method (BLEClient Control)

Subscribes to value updates for the specified characteristic.

Syntax

bleclientcontrol.Subscribe ServiceId, CharacteristicId

Remarks

This method will subscribe the control to value updates for the characteristic whose Id is passed to CharacteristicId (which is owned by the service specified by ServiceId), as long as the characteristic supports it.

You can check a characteristic's CharacteristicCanSubscribe property to determine whether or not it supports subscriptions.

The Subscribed event will fire whenever you subscribe to a characteristic. While subscribed to a characteristic, the Value event will be fired each time the server sends an updated value for it (and its cached value will be updated as well).

The characteristic's CharacteristicSubscribed property can be used to determine whether or not the control is currently subscribed to a characteristic. You can also set it to true or false, which will automatically call Subscribe or Unsubscribe.

An error will be thrown if either of the given Ids are invalid, if the characteristic does not support subscribing for updates, or if there is an issue while trying to subscribe. Trying to subscribe to an already-subscribed characteristic does nothing.

Subscriptions // Subscribed event handler. bleclient1.OnSubscribed += (s, e) => { Console.WriteLine("Subscribed to characteristic:" + "\r\n\tID: " + e.CharacteristicId + "\r\n\tUUID: " + e.Uuid + "\r\n\tDescription: " + e.Description); }; // Unsubscribed event handler. bleclient1.OnUnsubscribed += (s, e) => { Console.WriteLine("Unsubscribed from characteristic:" + "\r\n\tID: " + e.CharacteristicId + "\r\n\tUUID: " + e.Uuid + "\r\n\tDescription: " + e.Description); }; // Value event handler. bleclient1.OnValue += (s, e) => { Console.WriteLine("Value update received for characteristic: " + "\r\n\tID: " + e.CharacteristicId + "\r\n\tUUID: " + e.Uuid + "\r\n\tDescription: " + e.Description + "\r\n\tValue: " + BitConverter.ToString(e.ValueB)); }; // Assume that we've already found the Luxometer Data characteristic, // its owning service, and the Client Characteristic Configuration // descriptor on it; and we've stored them in variables called "luxSvc", // "luxData", and "luxCCCD". // Subscribe and unsubscribe using methods. bleclient1.Subscribe(luxSvc.Id, luxData.Id); // ... bleclient1.Unsubscribe(luxSvc.Id, luxData.Id); // Subscribe and unsubscribe using the "Subscribed" field. luxData.Subscribed = true; // ... luxData.Subscribed = false; // Subscribe and unsubscribe by writing directly to the CCCD. bleclient1.WriteValue(luxSvc.Id, luxData.Id, luxCCCD.Id, new byte[] { 1, 0 }); // ... bleclient1.WriteValue(luxSvc.Id, luxData.Id, luxCCCD.Id, new byte[] { 0, 0 });

Unsubscribe Method (BLEClient Control)

Unsubscribes from value updates for one or more characteristics.

Syntax

bleclientcontrol.Unsubscribe ServiceId, CharacteristicId

Remarks

This method will unsubscribe from value updates for the characteristic represented by CharacteristicId (which is owned by the service specified by ServiceId). The Unsubscribed event will fire each time you unsubscribe from a characteristic.

Passing empty string for CharacteristicId will cause the control to unsubscribe from any characteristic it is subscribed to in the specified service. Passing empty string for both parameters does the same, but for all services. (Unsubscribing en masse may take time since every subscribe/unsubscribe operation requires a write request and response behind the scenes.)

An error will be thrown if either of the given Ids are invalid (when both are passed), if only CharacteristicId is passed, if the characteristic does not support subscribing for updates, or if there is an issue while trying to unsubscribe.

Refer to the Subscribe method for more information.

WriteValue Method (BLEClient Control)

Write the value of a characteristic or descriptor.

Syntax

bleclientcontrol.WriteValue ServiceId, CharacteristicId, DescriptorId, Value

Remarks

This method is used to write the value of a characteristic or descriptor. The method will return and the WriteResponse event will fire if the write is a success. If the write fails, the Error event will fire and the control fails with an error.

To write the value of a characteristic, pass the Ids of it and its owning service for the CharacteristicId and ServiceId parameters, and pass empty string for the DescriptorId parameter. To write the value of a descriptor, do the same thing, but pass the descriptor's Id for the DescriptorId parameter too.

If your use-case doesn't require confirmation of characteristic value writes, prefer the PostValue method in order to reduce power consumption.

Writing Values // WriteResponse event handler. bleclient1.OnWriteResponse += (s, e) => { if (string.IsNullOrEmpty(e.DescriptorId)) { Console.WriteLine("Successfully wrote to characteristic with UUID " + e.Uuid); } else { Console.WriteLine("Successfully wrote to descriptor with UUID " + e.Uuid); } }; // Write to the Luxometer Config characteristic. These Ids are correct // for our CC2650STK TI SensorTag, but yours might differ. bleclient1.WriteValue("004200000000", "004200460000", "", new byte[] { 0x1 }); // Write to the Client Characteristic Configuration descriptor on the // Luxometer Data characteristic. Again, your Ids might differ. bleclient1.WriteValue("004200000000", "004200430000", "004200430045", new byte[] { 0x1 });

Advertisement Event (BLEClient Control)

Fired when an advertisement packet is received during scanning.

Syntax

Sub bleclientcontrol_Advertisement(ServerId As String, Name As String, RSSI As Integer, TxPower As Integer, ServiceUuids As String, ServicesWithData As String, SolicitedServiceUuids As String, ManufacturerCompanyId As Integer, ManufacturerData As String, IsConnectable As Boolean, IsScanResponse As Boolean)

Remarks

The Advertisement event is fired each time an advertisement is received while the control is Scanning for servers to connect to. Based on the information in the advertisement, you can decide whether or not you wish to connect to the associated device (if it is connectable).

Not all of the parameters are relevant for all platforms. Additionally, since advertisement packets are somewhat flexible in their contents, it is not guaranteed that every parameter relevant to your platform will be populated for every advertisement. Please refer to the following table for descriptions of the parameters:

Parameter Description
ServerId Platform-specific server Id string
Name Server's local name, either shortened or complete
RSSI Server RSSI in dBm (.NET), or dB (macOS/iOS)
TxPower Server transmit power in dBm (Or integer's MinValue if not in advertisement)
ServiceUuids Comma-separated list of 128-bit service UUID strings
ServicesWithData Comma-separated list of 128-bit service UUID strings for services which the advertisement contained data for
SolicitedServiceUuids Comma-separated list of 128-bit solicited service UUID strings
ManufacturerCompanyId Company Id from the first manufacturer data section in the advertisement (Or -1 if there are none)
ManufacturerData Data from the first manufacturer data section in the advertisement (Or empty if there are none)
IsConnectable Whether the device which sent this advertisement is accepting connections
IsScanResponse Whether this is a scan response packet

Setting the ServiceData configuration setting to any of the service UUIDs in the ServicesWithData parameter will return the associated data.

You can use the ManufacturerDataCount configuration setting to determine whether the advertisement contains multiple manufacturer data sections; if it does, the ManufacturerData and ManufacturerCompanyId configuration settings can be used to iterate over them.

Note that all of the configuration settings mentioned above are only valid while you are within the Advertisement event handler.

Please refer to the following table to determine which parameters are relevant for your platform:

Parameter .NETmacOS/iOS
ServerId X X
Name X X
RSSI X X
TxPower X X
ServiceUuids X X
ServicesWithData X X
SolicitedServiceUuids X X
ManufacturerCompanyId X X
ManufacturerData X X
IsConnectable X X
IsScanResponse X

Refer to the StartScanning method for more information.

Connected Event (BLEClient Control)

Fired immediately after a connection to a remote device completes (or fails).

Syntax

Sub bleclientcontrol_Connected(StatusCode As Integer, Description As String)

Remarks

If the connection is made successfully, StatusCode is 0 and Description is "OK".

If the connection fails, StatusCode has the error code returned by the Bluetooth stack. Description contains a description of this code.

Refer to the Connect method for more information.

Disconnected Event (BLEClient Control)

Fired when the control has been disconnected from the remote device.

Syntax

Sub bleclientcontrol_Disconnected(StatusCode As Integer, Description As String)

Remarks

If the connection is broken normally, StatusCode is 0 and Description is "OK".

If the connection is broken for any other reason, StatusCode has the error code returned by the Bluetooth stack. Description contains a description of this code.

Refer to the Disconnect section for more information.

Discovered Event (BLEClient Control)

Fired when the control discovers a service, characteristic, or descriptor.

Syntax

Sub bleclientcontrol_Discovered(GattType As Integer, ServiceId As String, CharacteristicId As String, DescriptorId As String, Uuid As String, Description As String)

Remarks

This event is fired during any discovery process to indicate that the control has discovered a service, characteristic, or descriptor. Discovery processes take place whenever Discover, DiscoverServices, DiscoverCharacteristics, or DiscoverDescriptors is called.

GattType indicates what type of GATT object was discovered:

  • 0 - Service
  • 1 - Characteristic
  • 2 - Descriptor

Uuid and Description are the UUID and Bluetooth SIG user-friendly name (if one is defined) of the discovered service, characteristic, or descriptor.

When a service is discovered:

  • ServiceId is the Id of the newly discovered service.
  • CharacteristicId is empty.
  • DescriptorId is empty.

When a characteristic is discovered:

  • ServiceId is the Id of the previously discovered service which owns the newly discovered characteristic.
  • CharacteristicId is the Id of the newly discovered characteristic.
  • DescriptorId is empty.

When a descriptor is discovered:

  • ServiceId is the Id of the previously discovered service which owns the previously discovered characteristic.
  • CharacteristicId is the Id of the previously discovered characteristic which owns the newly discovered descriptor.
  • DescriptorId is the Id of the newly discovered descriptor.

Error Event (BLEClient Control)

Information about errors during data delivery.

Syntax

Sub bleclientcontrol_Error(ErrorCode As Integer, Description As String)

Remarks

The Error event is fired in case of exceptional conditions during message processing. Normally the control fails with an error.

ErrorCode contains an error code and Description contains a textual description of the error. For a list of valid error codes and their descriptions, please refer to the Error Codes section.

Log Event (BLEClient Control)

Fires once for each log message.

Syntax

Sub bleclientcontrol_Log(LogLevel As Integer, Message As String, LogType As String)

Remarks

This events fires once for each log message generated by the control. The verbosity is controlled by the LogLevel setting.

LogLevel indicates the level of the Message. Possible values are:

0 (None) No events are logged.
1 (Info - default) Informational events are logged.
2 (Verbose) Detailed data is logged.
3 (Debug) Debug data is logged.

The default log level, Info, provides information when most BLE operations begin and end, and should be sufficient to get a good idea of what the control is doing at a high level.

The Verbose log level adds a few extra operation timing messages, and adds more detail to some messages logged at the Info level.

The Debug log level causes the control to output as much information as possible about what it is doing at all times. All BLE communications, even those which are typically abstracted away by the API, are logged in full detail. Typically the additional information added by this log level is not helpful to the end user, and would only be necessary to capture if you wish to report an issue to the support team.

LogType identifies the type of log entry. Possible values are:

  • Scanning: Messages relating to scanning and advertisements.
  • Connection: Messages relating to connecting, disconnecting, and connection failures.
  • Discovery: Messages relating to any service, characteristic, or descriptor discovery process.
  • Read: Messages relating to reading values from the remote device.
  • Write: Messages relating to writing values to the remote device.
  • Subscriptions: Messages relating to subscribing to and unsubscribing from characteristics.
  • Info, Verbose, and Debug: Miscellaneous messages fired at the applicable log level concerning internal control operations.

ServerUpdate Event (BLEClient Control)

Fired when the currently connected server updates its name or available services.

Syntax

Sub bleclientcontrol_ServerUpdate(Name As String, ChangedServices As String)

Remarks

This event is fired under one of two conditions, both of which involve some sort of server-side change other than the value of a subscribed characteristic having changed (subscribed characteristic value updates are delivered through the Value event).

If the server's name has changed, this event is fired with the new name in the Name parameter, and the ServerName property is updated as well.

If the server's services have changed, this event is fired with a non-empty value in the ChangedServices parameter.

StartScan Event (BLEClient Control)

Fired when the control starts scanning.

Syntax

Sub bleclientcontrol_StartScan(ServiceUuids As String)

Remarks

This event is fired when the control starts scanning. ServiceUuids is a comma-separated list of 128-bit service UUIDs that the scan is being filtered by. Refer to the StartScanning method for more information.

StopScan Event (BLEClient Control)

Fired when the control stops scanning.

Syntax

Sub bleclientcontrol_StopScan(ErrorCode As Integer, ErrorDescription As String)

Remarks

This event is fired when the control stops scanning. If the scanning stopped due to an error, the ErrorCode and ErrorDescription parameters will be set accordingly; otherwise they will be 0 and empty string. Refer to the StopScanning method for more information.

Subscribed Event (BLEClient Control)

Fired when the control has successfully subscribed to a characteristic.

Syntax

Sub bleclientcontrol_Subscribed(ServiceId As String, CharacteristicId As String, Uuid As String, Description As String)

Remarks

This event is fired when the control has successfully subscribed to a characteristic.

Uuid and Description are the UUID and Bluetooth SIG user-friendly name (if one is defined) of the characteristic.

Refer to the Subscribe method for more information.

Unsubscribed Event (BLEClient Control)

Fired when the control has successfully unsubscribed from a characteristic.

Syntax

Sub bleclientcontrol_Unsubscribed(ServiceId As String, CharacteristicId As String, Uuid As String, Description As String)

Remarks

This event is fired when the control has successfully unsubscribed from a characteristic.

Uuid and Description are the UUID and Bluetooth SIG user-friendly name (if one is defined) of the characteristic

Refer to the Unsubscribe method for more information.

Value Event (BLEClient Control)

Fired when a characteristic or descriptor value is received from the server.

Syntax

Sub bleclientcontrol_Value(ServiceId As String, CharacteristicId As String, DescriptorId As String, Uuid As String, Description As String, Value As String)

Remarks

This event is fired to signify that a value has been received for a characteristic or descriptor. The DescriptorId parameter will be empty string if the value is for a characteristic.

Uuid and Description are the UUID and Bluetooth SIG user-friendly name (if one is defined) of the characteristic or descriptor.

There are three scenarios which can cause this event to fire:

  • The server has responded to a read request for a characteristic.
  • The server has responded to a read request for a descriptor.
  • The server has sent an updated value for a subscribed characteristic.

Whenever a value is received for a characteristic or descriptor, the value that the platform has cached for it is updated as well. You can read the cached value for a characteristic using CharacteristicCachedValue, or for a descriptor using DescriptorCachedValue.

Refer to the ReadValue and/or Subscribe methods for more information.

WriteResponse Event (BLEClient Control)

Fired when the server acknowledges a successful value write request.

Syntax

Sub bleclientcontrol_WriteResponse(ServiceId As String, CharacteristicId As String, DescriptorId As String, Uuid As String, Description As String)

Remarks

This event is fired when the server acknowledges a successful value write request for a characteristic or descriptor.

ServiceId holds the Id of the service.

CharacteristicId holds the Id of the characteristic.

DescriptorId holds the Id of the descriptor. This is only populated when a descriptor value is written.

Uuid and Description are the UUID and Bluetooth SIG user-friendly name (if one is defined) of the characteristic or descriptor.

Note that this event is not fired if the write request was sent using PostValue, regardless of the outcome.

Refer to the WriteValue method for more information.

Config Settings (BLEClient Control)

The control accepts one or more of the following configuration settings. Configuration settings are similar in functionality to properties, but they are rarely used. In order to avoid "polluting" the property namespace of the control, access to these internal properties is provided through the Config method.

BLEClient Config Settings

AutoDiscoverCharacteristics:   Whether to automatically discover all characteristics when a service is discovered.

When enabled, the control will automatically attempt to discover all characteristics for every service (or included service) that it discovers.

This is disabled by default; keep in mind that enabling it will likely cause increased power consumption.

AutoDiscoverDescriptors:   Whether to automatically discover all descriptors when a characteristic is discovered.

When enabled, the control will automatically attempt to discover all descriptors for every characteristic that it discovers.

This is disabled by default; keep in mind that enabling it will likely cause increased power consumption.

AutoDiscoverIncludedServices:   Whether to automatically discover all included services when a service is discovered.

When enabled, the control will automatically attempt to discover all included services for every service (or included service) that it discovers.

An exception will be thrown if a cycle of included services is detected (this should not occur on a properly configured server).

This is disabled by default; keep in mind that enabling it will likely cause increased power consumption.

GattObjTreeInfo:   Returns a string representation of the currently discovered GATT object tree.

When queried, the control will return a string with information about the current discovered GATT object tree. This is only useful for debugging purposes.

IncludeRediscovered:   Whether to fire the Discovered event for rediscovered services, characteristics, and descriptors.

When disabled, the control will not fire the Discovered event during a discovery process for any services, characteristics, or descriptors which have already been discovered.

This is enabled by default (the control will fire Discovered for every discovery, regardless of whether or not it was a rediscovery).

LogLevel:   The level of detail that is logged.

This setting controls the level of detail that is logged through the Log event. Possible values are:

0 (None) No events are logged.
1 (Info - default) Informational events are logged.
2 (Verbose) Detailed data is logged.
3 (Debug) Debug data is logged.

The default log level, Info, provides information when most BLE operations begin and end, and should be sufficient to get a good idea of what the control is doing at a high level.

The Verbose log level adds a few extra operation timing messages, and adds more detail to some messages logged at the Info level.

The Debug log level causes the control to output as much information as possible about what it is doing at all times. All BLE communications, even those which are typically abstracted away by the API, are logged in full detail. Typically the additional information added by this log level is not helpful to the end user, and would only be necessary to capture if you wish to report an issue to the support team.

ManufacturerCompanyId[i]:   The manufacturer company Id at index 'i'.

The setting can be queried while within the Advertisement event handler to get the company Id from the manufacturer data section at index 'i'.

Valid indices are from 0 to ManufacturerDataCount - 1. This setting is only valid when used within the Advertisement event handler.

ManufacturerData[i]:   The manufacturer data at index 'i'.

The setting can be queried while within the Advertisement event handler to get the data from the manufacturer data section at index 'i'. The data is returned as a byte string.

Valid indices are from 0 to ManufacturerDataCount - 1. This setting is only valid when used within the Advertisement event handler.

ManufacturerDataCount:   The number of manufacturer data sections an advertisement has.

This setting can be queried while within the Advertisement event handler to determine how many manufacturer data sections the advertisement contains.

This setting is only valid when used within the Advertisement event handler.

ScanStartedTimeout:   The maximum amount of time to wait for scanning to start.

This setting determines how long the StartScanning method will wait to let the scanning process start. If the scan status does not update in that time, the Log event will fire with a message that scanning failed to start. The default value is 2 seconds.

ServiceData:   Gets the data associated with a service UUID from an advertisement.

While within the Advertisement event handler, you can set this to one of the UUIDs from the Advertisement event's ServicesWithData parameter to get the data associated with it. The data is returned as a byte string.

This setting is only valid when used within the Advertisement event handler.

Base Config Settings

CodePage:   The system code page used for Unicode to Multibyte translations.

The default code page is Unicode UTF-8 (65001).

The following is a list of valid code page identifiers:

IdentifierName
037IBM EBCDIC - U.S./Canada
437OEM - United States
500IBM EBCDIC - International
708Arabic - ASMO 708
709Arabic - ASMO 449+, BCON V4
710Arabic - Transparent Arabic
720Arabic - Transparent ASMO
737OEM - Greek (formerly 437G)
775OEM - Baltic
850OEM - Multilingual Latin I
852OEM - Latin II
855OEM - Cyrillic (primarily Russian)
857OEM - Turkish
858OEM - Multilingual Latin I + Euro symbol
860OEM - Portuguese
861OEM - Icelandic
862OEM - Hebrew
863OEM - Canadian-French
864OEM - Arabic
865OEM - Nordic
866OEM - Russian
869OEM - Modern Greek
870IBM EBCDIC - Multilingual/ROECE (Latin-2)
874ANSI/OEM - Thai (same as 28605, ISO 8859-15)
875IBM EBCDIC - Modern Greek
932ANSI/OEM - Japanese, Shift-JIS
936ANSI/OEM - Simplified Chinese (PRC, Singapore)
949ANSI/OEM - Korean (Unified Hangul Code)
950ANSI/OEM - Traditional Chinese (Taiwan; Hong Kong SAR, PRC)
1026IBM EBCDIC - Turkish (Latin-5)
1047IBM EBCDIC - Latin 1/Open System
1140IBM EBCDIC - U.S./Canada (037 + Euro symbol)
1141IBM EBCDIC - Germany (20273 + Euro symbol)
1142IBM EBCDIC - Denmark/Norway (20277 + Euro symbol)
1143IBM EBCDIC - Finland/Sweden (20278 + Euro symbol)
1144IBM EBCDIC - Italy (20280 + Euro symbol)
1145IBM EBCDIC - Latin America/Spain (20284 + Euro symbol)
1146IBM EBCDIC - United Kingdom (20285 + Euro symbol)
1147IBM EBCDIC - France (20297 + Euro symbol)
1148IBM EBCDIC - International (500 + Euro symbol)
1149IBM EBCDIC - Icelandic (20871 + Euro symbol)
1200Unicode UCS-2 Little-Endian (BMP of ISO 10646)
1201Unicode UCS-2 Big-Endian
1250ANSI - Central European
1251ANSI - Cyrillic
1252ANSI - Latin I
1253ANSI - Greek
1254ANSI - Turkish
1255ANSI - Hebrew
1256ANSI - Arabic
1257ANSI - Baltic
1258ANSI/OEM - Vietnamese
1361Korean (Johab)
10000MAC - Roman
10001MAC - Japanese
10002MAC - Traditional Chinese (Big5)
10003MAC - Korean
10004MAC - Arabic
10005MAC - Hebrew
10006MAC - Greek I
10007MAC - Cyrillic
10008MAC - Simplified Chinese (GB 2312)
10010MAC - Romania
10017MAC - Ukraine
10021MAC - Thai
10029MAC - Latin II
10079MAC - Icelandic
10081MAC - Turkish
10082MAC - Croatia
12000Unicode UCS-4 Little-Endian
12001Unicode UCS-4 Big-Endian
20000CNS - Taiwan
20001TCA - Taiwan
20002Eten - Taiwan
20003IBM5550 - Taiwan
20004TeleText - Taiwan
20005Wang - Taiwan
20105IA5 IRV International Alphabet No. 5 (7-bit)
20106IA5 German (7-bit)
20107IA5 Swedish (7-bit)
20108IA5 Norwegian (7-bit)
20127US-ASCII (7-bit)
20261T.61
20269ISO 6937 Non-Spacing Accent
20273IBM EBCDIC - Germany
20277IBM EBCDIC - Denmark/Norway
20278IBM EBCDIC - Finland/Sweden
20280IBM EBCDIC - Italy
20284IBM EBCDIC - Latin America/Spain
20285IBM EBCDIC - United Kingdom
20290IBM EBCDIC - Japanese Katakana Extended
20297IBM EBCDIC - France
20420IBM EBCDIC - Arabic
20423IBM EBCDIC - Greek
20424IBM EBCDIC - Hebrew
20833IBM EBCDIC - Korean Extended
20838IBM EBCDIC - Thai
20866Russian - KOI8-R
20871IBM EBCDIC - Icelandic
20880IBM EBCDIC - Cyrillic (Russian)
20905IBM EBCDIC - Turkish
20924IBM EBCDIC - Latin-1/Open System (1047 + Euro symbol)
20932JIS X 0208-1990 & 0121-1990
20936Simplified Chinese (GB2312)
21025IBM EBCDIC - Cyrillic (Serbian, Bulgarian)
21027Extended Alpha Lowercase
21866Ukrainian (KOI8-U)
28591ISO 8859-1 Latin I
28592ISO 8859-2 Central Europe
28593ISO 8859-3 Latin 3
28594ISO 8859-4 Baltic
28595ISO 8859-5 Cyrillic
28596ISO 8859-6 Arabic
28597ISO 8859-7 Greek
28598ISO 8859-8 Hebrew
28599ISO 8859-9 Latin 5
28605ISO 8859-15 Latin 9
29001Europa 3
38598ISO 8859-8 Hebrew
50220ISO 2022 Japanese with no halfwidth Katakana
50221ISO 2022 Japanese with halfwidth Katakana
50222ISO 2022 Japanese JIS X 0201-1989
50225ISO 2022 Korean
50227ISO 2022 Simplified Chinese
50229ISO 2022 Traditional Chinese
50930Japanese (Katakana) Extended
50931US/Canada and Japanese
50933Korean Extended and Korean
50935Simplified Chinese Extended and Simplified Chinese
50936Simplified Chinese
50937US/Canada and Traditional Chinese
50939Japanese (Latin) Extended and Japanese
51932EUC - Japanese
51936EUC - Simplified Chinese
51949EUC - Korean
51950EUC - Traditional Chinese
52936HZ-GB2312 Simplified Chinese
54936Windows XP: GB18030 Simplified Chinese (4 Byte)
57002ISCII Devanagari
57003ISCII Bengali
57004ISCII Tamil
57005ISCII Telugu
57006ISCII Assamese
57007ISCII Oriya
57008ISCII Kannada
57009ISCII Malayalam
57010ISCII Gujarati
57011ISCII Punjabi
65000Unicode UTF-7
65001Unicode UTF-8
The following is a list of valid code page identifiers for Mac OS only:
IdentifierName
1ASCII
2NEXTSTEP
3JapaneseEUC
4UTF8
5ISOLatin1
6Symbol
7NonLossyASCII
8ShiftJIS
9ISOLatin2
10Unicode
11WindowsCP1251
12WindowsCP1252
13WindowsCP1253
14WindowsCP1254
15WindowsCP1250
21ISO2022JP
30MacOSRoman
10UTF16String
0x90000100UTF16BigEndian
0x94000100UTF16LittleEndian
0x8c000100UTF32String
0x98000100UTF32BigEndian
0x9c000100UTF32LittleEndian
65536Proprietary

MaskSensitive:   Whether sensitive data is masked in log messages.

In certain circumstances it may be beneficial to mask sensitive data, like passwords, in log messages. Set this to to mask sensitive data. The default is .

This setting only works on these controls: AS3Receiver, AS3Sender, Atom, Client(3DS), FTP, FTPServer, IMAP, OFTPClient, SSHClient, SCP, Server(3DS), Sexec, SFTP, SFTPServer, SSHServer, TCPClient, TCPServer.

UseInternalSecurityAPI:   Tells the control whether or not to use the system security libraries or an internal implementation.

When set to , the control will use the system security libraries by default to perform cryptographic functions where applicable.

Setting this setting to tells the control to use the internal implementation instead of using the system security libraries.

This setting is set to by default on all platforms.

Trappable Errors (BLEClient Control)

BLEClient Errors

20601    Invalid UUID.
20602    Invalid Id.
20603    Action not allowed. See error message for more details.
20604    Scanning error. See error message for more details.
20605    Connection error. See error message for more details.
20606    Must be connected to a device to perform the requested action.
20607    Error during communication. See error message for more details.
20608    Device unreachable during communication attempt.
20609    Error during discovery. See error message for more details.
20610    Control detected a cycle of included services.
20611    General read error. See error message for more details.
20612    General write error. See error message for more details.
20613    Application-specific protocol error. This error code indicates that a protocol error code in the range 0x80-0x9F was returned during a BLE communication. Such error codes are reserved for applications to use as they see fit. Refer to the documentation of your remote device for more information.
20614    Bluetooth low energy not supported.
20702    Invalid Handle: The attribute handle given was not valid on this server.
20703    Read Not Permitted: The attribute cannot be read due to its permissions.
20704    Write Not Permitted: The attribute cannot be written due to its permissions.
20705    Invalid PDU: The attribute PDU was invalid.
20706    Insufficient Authentication: The attribute requires authentication before it can be read or written.
20707    Request Not Supported: Attribute server does not support the request received from the client.
20708    Invalid Offset: Offset specified was past the end of the attribute's value.
20709    Insufficient Authorization: The attribute requires authorization before it can be read or written.
20710    Prepare Queue Full: Too many prepare writes have been queued.
20711    Attribute Not Found: No attribute found within the given attribute handle range.
20712    Attribute Not Long: The attribute cannot be read or written using the Read Blob Request.
20713    Insufficient Encryption Key Size: The Encryption Key Size used for encrypting this link is insufficient.
20714    Invalid Attribute Value Length: The attribute value length is invalid for the operation.
20715    Unlikely Error: The attribute request that was requested has encountered an error that was unlikely, and therefore could not be completed as requested.
20716    Insufficient Encryption: The attribute requires encryption before it can be read or written.
20717    Unsupported Group Type: The attribute type is not a supported grouping attribute as defined by a higher layer specification.
20718    Insufficient Resources: Insufficient Resources to complete the request.
20953    Write Request Rejected: A requested write operation could not be fulfilled for reasons other than its permissions.
20954    Client Characteristic Configuration Descriptor (CCCD) Improperly Configured: The CCCD is not configured according to the requirements of the profile or service.
20955    Procedure Already in Progress: A profile or service request cannot be serviced because a previously triggered operation is still in progress.
20956    Out of Range: An attribute value is out of range (as defined by a profile or service specification).