Skip to content

Commit e43c1f3

Browse files
[ICD]Add optional common ICD key to indicate ICD operating mode (LIT/SIT) (#30135)
* Add optional common ICD key to indicate ICD operating mode (LIT/SIT) * Update api to check for featuremap bit of the ICD cluster. Check for LongIdleTimeSupport to advertise ICD common key * replace the use of PRIu16 * Rephrase text in some traces. comment out some code in DiscoveryCommands.cpp as it requires soe changes in zap first * Addres comments: Renaming, Add feature checks for LIT, helper function to add ICD key to DNS-SD adv * Convert static var to an alloc in test PtrSrvTxtMultipleRespondersToServiceListing to reduce stack usage due to NRF unit test failure * address comment * apply suggestions
1 parent 2c5fa26 commit e43c1f3

30 files changed

+279
-60
lines changed

examples/chip-tool/commands/common/RemoteDataModelLogger.cpp

+5
Original file line numberDiff line numberDiff line change
@@ -260,6 +260,11 @@ CHIP_ERROR LogDiscoveredNodeData(const chip::Dnssd::DiscoveredNodeData & nodeDat
260260
value["mrpRetryActiveThreshold"] = resolutionData.mrpRetryActiveThreshold.Value().count();
261261
}
262262

263+
if (resolutionData.isICDOperatingAsLIT.HasValue())
264+
{
265+
value["isICDOperatingAsLIT"] = resolutionData.isICDOperatingAsLIT.Value();
266+
}
267+
263268
Json::Value rootValue;
264269
rootValue[kValueKey] = value;
265270

examples/chip-tool/commands/discover/Commands.h

+1
Original file line numberDiff line numberDiff line change
@@ -54,6 +54,7 @@ class Resolve : public DiscoverCommand, public chip::AddressResolve::NodeListene
5454
ChipLogProgress(chipTool, " MRP retry interval (active): %" PRIu32 "ms",
5555
result.mrpRemoteConfig.mActiveRetransTimeout.count());
5656
ChipLogProgress(chipTool, " Supports TCP: %s", result.supportsTcp ? "yes" : "no");
57+
ChipLogProgress(chipTool, " ICD is operating as: %s", result.isICDOperatingAsLIT ? "LIT" : "SIT");
5758
SetCommandExitStatus(CHIP_NO_ERROR);
5859
}
5960

scripts/py_matter_yamltests/matter_yamltests/pseudo_clusters/clusters/discovery_commands.py

+1
Original file line numberDiff line numberDiff line change
@@ -74,6 +74,7 @@
7474
<arg name="mrpRetryIntervalIdle" type="int32u" optional="true"/>
7575
<arg name="mrpRetryIntervalActive" type="int32u" optional="true"/>
7676
<arg name="mrpRetryActiveThreshold" type="int16u" optional="true"/>
77+
<arg name="isICDOperatingAsLIT" type="boolean" optional="true"/>
7778
</command>
7879
</cluster>
7980
</configurator>

src/app/icd/ICDManager.cpp

+9-3
Original file line numberDiff line numberDiff line change
@@ -52,6 +52,12 @@ void ICDManager::Init(PersistentStorageDelegate * storage, FabricTable * fabricT
5252
VerifyOrDie(stateObserver != nullptr);
5353
VerifyOrDie(symmetricKeystore != nullptr);
5454

55+
bool supportLIT = SupportsFeature(Feature::kLongIdleTimeSupport);
56+
VerifyOrDieWithMsg((supportLIT == false) || SupportsFeature(Feature::kCheckInProtocolSupport), AppServer,
57+
"The CheckIn protocol feature is required for LIT support");
58+
VerifyOrDieWithMsg((supportLIT == false) || SupportsFeature(Feature::kUserActiveModeTrigger), AppServer,
59+
"The user ActiveMode trigger feature is required for LIT support");
60+
5561
mStorage = storage;
5662
mFabricTable = fabricTable;
5763
mStateObserver = stateObserver;
@@ -82,15 +88,15 @@ void ICDManager::Shutdown()
8288
mFabricTable = nullptr;
8389
}
8490

85-
bool ICDManager::SupportsCheckInProtocol()
91+
bool ICDManager::SupportsFeature(Feature feature)
8692
{
8793
bool success = false;
8894
uint32_t featureMap = 0;
8995
// Can't use attribute accessors/Attributes::FeatureMap::Get in unit tests
9096
#ifndef CONFIG_BUILD_FOR_HOST_UNIT_TEST
9197
success = (Attributes::FeatureMap::Get(kRootEndpointId, &featureMap) == EMBER_ZCL_STATUS_SUCCESS);
9298
#endif
93-
return success ? ((featureMap & to_underlying(Feature::kCheckInProtocolSupport)) != 0) : false;
99+
return success ? ((featureMap & to_underlying(feature)) != 0) : false;
94100
}
95101

96102
void ICDManager::UpdateICDMode()
@@ -101,7 +107,7 @@ void ICDManager::UpdateICDMode()
101107

102108
// The Check In Protocol Feature is required and the slow polling interval shall also be greater than 15 seconds
103109
// to run an ICD in LIT mode.
104-
if (GetSlowPollingInterval() > GetSITPollingThreshold() && SupportsCheckInProtocol())
110+
if (GetSlowPollingInterval() > GetSITPollingThreshold() && SupportsFeature(Feature::kLongIdleTimeSupport))
105111
{
106112
VerifyOrDie(mStorage != nullptr);
107113
VerifyOrDie(mFabricTable != nullptr);

src/app/icd/ICDManager.h

+2-2
Original file line numberDiff line numberDiff line change
@@ -16,6 +16,7 @@
1616
*/
1717
#pragma once
1818

19+
#include <app-common/zap-generated/cluster-enums.h>
1920
#include <app/icd/ICDMonitoringTable.h>
2021
#include <app/icd/ICDNotifier.h>
2122
#include <app/icd/ICDStateObserver.h>
@@ -58,6 +59,7 @@ class ICDManager : public ICDListener
5859
void UpdateOperationState(OperationalState state);
5960
void SetKeepActiveModeRequirements(KeepActiveFlags flag, bool state);
6061
bool IsKeepActive() { return mKeepActiveFlags.HasAny(); }
62+
bool SupportsFeature(Clusters::IcdManagement::Feature feature);
6163
ICDMode GetICDMode() { return mICDMode; }
6264
OperationalState GetOperationalState() { return mOperationalState; }
6365

@@ -97,8 +99,6 @@ class ICDManager : public ICDListener
9799
static constexpr uint32_t kMinActiveModeDuration = 300;
98100
static constexpr uint16_t kMinActiveModeThreshold = 300;
99101

100-
bool SupportsCheckInProtocol();
101-
102102
BitFlags<KeepActiveFlags> mKeepActiveFlags{ 0 };
103103

104104
OperationalState mOperationalState = OperationalState::IdleMode;

src/app/server/Dnssd.cpp

+30-9
Original file line numberDiff line numberDiff line change
@@ -17,8 +17,8 @@
1717

1818
#include <app/server/Dnssd.h>
1919

20+
#include <app-common/zap-generated/cluster-enums.h>
2021
#include <inttypes.h>
21-
2222
#include <lib/core/Optional.h>
2323
#include <lib/dnssd/Advertiser.h>
2424
#include <lib/dnssd/ServiceNaming.h>
@@ -145,6 +145,19 @@ CHIP_ERROR DnssdServer::SetEphemeralDiscriminator(Optional<uint16_t> discriminat
145145
return CHIP_NO_ERROR;
146146
}
147147

148+
#if CHIP_CONFIG_ENABLE_ICD_SERVER
149+
template <class AdvertisingParams>
150+
void DnssdServer::AddICDKeyToAdvertisement(AdvertisingParams & advParams)
151+
{
152+
// Only advertise the ICD key if the device can operate as a LIT
153+
if (Server::GetInstance().GetICDManager().SupportsFeature(Clusters::IcdManagement::Feature::kLongIdleTimeSupport))
154+
{
155+
advParams.SetICDOperatingAsLIT(
156+
Optional<bool>(Server::GetInstance().GetICDManager().GetICDMode() == ICDManager::ICDMode::LIT));
157+
}
158+
}
159+
#endif
160+
148161
/// Set MDNS operational advertisement
149162
CHIP_ERROR DnssdServer::AdvertiseOperational()
150163
{
@@ -165,14 +178,18 @@ CHIP_ERROR DnssdServer::AdvertiseOperational()
165178
Crypto::DRBG_get_bytes(macBuffer, sizeof(macBuffer));
166179
}
167180

168-
const auto advertiseParameters = chip::Dnssd::OperationalAdvertisingParameters()
169-
.SetPeerId(fabricInfo.GetPeerId())
170-
.SetMac(mac)
171-
.SetPort(GetSecuredPort())
172-
.SetInterfaceId(GetInterfaceId())
173-
.SetLocalMRPConfig(GetLocalMRPConfig())
174-
.SetTcpSupported(Optional<bool>(INET_CONFIG_ENABLE_TCP_ENDPOINT))
175-
.EnableIpV4(true);
181+
auto advertiseParameters = chip::Dnssd::OperationalAdvertisingParameters()
182+
.SetPeerId(fabricInfo.GetPeerId())
183+
.SetMac(mac)
184+
.SetPort(GetSecuredPort())
185+
.SetInterfaceId(GetInterfaceId())
186+
.SetLocalMRPConfig(GetLocalMRPConfig())
187+
.SetTcpSupported(Optional<bool>(INET_CONFIG_ENABLE_TCP_ENDPOINT))
188+
.EnableIpV4(true);
189+
190+
#if CHIP_CONFIG_ENABLE_ICD_SERVER
191+
AddICDKeyToAdvertisement(advertiseParameters);
192+
#endif
176193

177194
auto & mdnsAdvertiser = chip::Dnssd::ServiceAdvertiser::Instance();
178195

@@ -243,6 +260,10 @@ CHIP_ERROR DnssdServer::Advertise(bool commissionableNode, chip::Dnssd::Commissi
243260

244261
advertiseParameters.SetLocalMRPConfig(GetLocalMRPConfig()).SetTcpSupported(Optional<bool>(INET_CONFIG_ENABLE_TCP_ENDPOINT));
245262

263+
#if CHIP_CONFIG_ENABLE_ICD_SERVER
264+
AddICDKeyToAdvertisement(advertiseParameters);
265+
#endif
266+
246267
if (commissionableNode)
247268
{
248269
uint16_t discriminator = 0;

src/app/server/Dnssd.h

+4
Original file line numberDiff line numberDiff line change
@@ -85,6 +85,10 @@ class DLL_EXPORT DnssdServer
8585
void OnExtendedDiscoveryExpiration(System::Layer * aSystemLayer, void * aAppState);
8686
#endif // CHIP_DEVICE_CONFIG_ENABLE_EXTENDED_DISCOVERY
8787

88+
#if CHIP_CONFIG_ENABLE_ICD_SERVER
89+
template <class AdvertisingParams>
90+
void AddICDKeyToAdvertisement(AdvertisingParams & advParams);
91+
#endif
8892
/// Start operational advertising
8993
CHIP_ERROR AdvertiseOperational();
9094

src/app/server/Server.h

+4
Original file line numberDiff line numberDiff line change
@@ -349,6 +349,10 @@ class Server
349349

350350
app::reporting::ReportScheduler * GetReportScheduler() { return mReportScheduler; }
351351

352+
#if CHIP_CONFIG_ENABLE_ICD_SERVER
353+
app::ICDManager & GetICDManager() { return mICDManager; }
354+
#endif // CHIP_CONFIG_ENABLE_ICD_SERVER
355+
352356
/**
353357
* This function causes the ShutDown event to be generated async on the
354358
* Matter event loop. Should be called before stopping the event loop.

src/app/tests/suites/commands/discovery/DiscoveryCommands.cpp

+11
Original file line numberDiff line numberDiff line change
@@ -175,6 +175,17 @@ void DiscoveryCommands::OnNodeDiscovered(const chip::Dnssd::DiscoveredNodeData &
175175
data.mrpRetryIntervalActive.SetValue(nodeData.resolutionData.mrpRetryIntervalActive.Value().count());
176176
}
177177

178+
// TODO need to add new entries for kDefaultResponse in DiscoveryCommands.js (project-chip/zap) before adding this
179+
// if (nodeData.resolutionData.mrpRetryActiveThreshold.HasValue())
180+
// {
181+
// data.mrpRetryActiveThreshold.SetValue(nodeData.resolutionData.mrpRetryActiveThreshold.Value().count());
182+
// }
183+
184+
// if (nodeData.resolutionData.isICDOperatingAsLIT.HasValue())
185+
// {
186+
// data.isICDOperatingAsLIT.SetValue(resolutionData.isICDOperatingAsLIT.Value());
187+
// }
188+
178189
chip::app::StatusIB status;
179190
status.mStatus = chip::Protocols::InteractionModel::Status::Success;
180191

src/controller/python/ChipCommissionableNodeController-ScriptBinding.cpp

+7
Original file line numberDiff line numberDiff line change
@@ -117,6 +117,13 @@ void pychip_CommissionableNodeController_PrintDiscoveredCommissioners(
117117
ChipLogProgress(Discovery, "\tMrp Interval active\tNot present");
118118
}
119119
ChipLogProgress(Discovery, "\tSupports TCP\t\t%d", dnsSdInfo->resolutionData.supportsTcp);
120+
121+
if (dnsSdInfo->resolutionData.isICDOperatingAsLIT.HasValue())
122+
{
123+
ChipLogProgress(Discovery, "\tICD is operating as a\t%s",
124+
dnsSdInfo->resolutionData.isICDOperatingAsLIT.Value() ? "LIT" : "SIT");
125+
}
126+
120127
for (unsigned j = 0; j < dnsSdInfo->resolutionData.numIPs; ++j)
121128
{
122129
char buf[chip::Inet::IPAddress::kMaxStringLength];

src/controller/python/ChipDeviceController-Discovery.cpp

+13
Original file line numberDiff line numberDiff line change
@@ -128,6 +128,10 @@ void pychip_DeviceController_IterateDiscoveredCommissionableNodes(Controller::De
128128
{
129129
jsonVal["mrpRetryIntervalActive"] = dnsSdInfo->resolutionData.GetMrpRetryIntervalActive().Value().count();
130130
}
131+
if (dnsSdInfo->resolutionData.GetMrpRetryActiveThreshold().HasValue())
132+
{
133+
jsonVal["mrpRetryActiveThreshold"] = dnsSdInfo->resolutionData.GetMrpRetryActiveThreshold().Value().count();
134+
}
131135
jsonVal["supportsTcp"] = dnsSdInfo->resolutionData.supportsTcp;
132136
{
133137
Json::Value addresses;
@@ -139,6 +143,10 @@ void pychip_DeviceController_IterateDiscoveredCommissionableNodes(Controller::De
139143
}
140144
jsonVal["addresses"] = addresses;
141145
}
146+
if (dnsSdInfo->resolutionData.isICDOperatingAsLIT.HasValue())
147+
{
148+
jsonVal["isICDOperatingAsLIT"] = dnsSdInfo->resolutionData.isICDOperatingAsLIT.Value();
149+
}
142150
if (dnsSdInfo->commissionData.rotatingIdLen > 0)
143151
{
144152
jsonVal["rotatingId"] = rotatingId;
@@ -196,6 +204,11 @@ void pychip_DeviceController_PrintDiscoveredDevices(Controller::DeviceCommission
196204
ChipLogProgress(Discovery, "\tMrp Interval active\tNot present");
197205
}
198206
ChipLogProgress(Discovery, "\tSupports TCP\t\t%d", dnsSdInfo->resolutionData.supportsTcp);
207+
if (dnsSdInfo->resolutionData.isICDOperatingAsLIT.HasValue())
208+
{
209+
ChipLogProgress(Discovery, "\tICD is operating as a\t%s",
210+
dnsSdInfo->resolutionData.isICDOperatingAsLIT.Value() ? "LIT" : "SIT");
211+
}
199212
for (unsigned j = 0; j < dnsSdInfo->resolutionData.numIPs; ++j)
200213
{
201214
char buf[Inet::IPAddress::kMaxStringLength];

src/controller/python/chip/discovery/__init__.py

+2
Original file line numberDiff line numberDiff line change
@@ -85,7 +85,9 @@ class CommissionableNode():
8585
pairingHint: int = None
8686
mrpRetryIntervalIdle: int = None
8787
mrpRetryIntervalActive: int = None
88+
mrpRetryActiveThreshold: int = None
8889
supportsTcp: bool = None
90+
isICDOperatingAsLIT: bool = None
8991
addresses: List[str] = None
9092
rotatingId: Optional[str] = None
9193

src/controller/python/chip/yaml/runner.py

+2
Original file line numberDiff line numberDiff line change
@@ -911,7 +911,9 @@ def decode(self, result: _ActionResult):
911911
'pairingHint': response.pairingHint,
912912
'mrpRetryIntervalIdle': response.mrpRetryIntervalIdle,
913913
'mrpRetryIntervalActive': response.mrpRetryIntervalActive,
914+
'mrpRetryActiveThreshold': response.mrpRetryActiveThreshold,
914915
'supportsTcp': response.supportsTcp,
916+
'isICDOperatingAsLIT': response.isICDOperatingAsLIT,
915917
'addresses': response.addresses,
916918
'rotatingId': response.rotatingId,
917919

src/lib/address_resolve/AddressResolve.h

+2-1
Original file line numberDiff line numberDiff line change
@@ -33,7 +33,8 @@ struct ResolveResult
3333
{
3434
Transport::PeerAddress address;
3535
ReliableMessageProtocolConfig mrpRemoteConfig;
36-
bool supportsTcp = false;
36+
bool supportsTcp = false;
37+
bool isICDOperatingAsLIT = false;
3738

3839
ResolveResult() : address(Transport::Type::kUdp), mrpRemoteConfig(GetDefaultMRPConfig()) {}
3940
};

src/lib/address_resolve/AddressResolve_DefaultImpl.cpp

+5
Original file line numberDiff line numberDiff line change
@@ -287,6 +287,11 @@ void Resolver::OnOperationalNodeResolved(const Dnssd::ResolvedNodeData & nodeDat
287287
result.mrpRemoteConfig = nodeData.resolutionData.GetRemoteMRPConfig();
288288
result.supportsTcp = nodeData.resolutionData.supportsTcp;
289289

290+
if (nodeData.resolutionData.isICDOperatingAsLIT.HasValue())
291+
{
292+
result.isICDOperatingAsLIT = nodeData.resolutionData.isICDOperatingAsLIT.Value();
293+
}
294+
290295
for (size_t i = 0; i < nodeData.resolutionData.numIPs; i++)
291296
{
292297
#if !INET_CONFIG_ENABLE_IPV4

src/lib/address_resolve/tool.cpp

+3-1
Original file line numberDiff line numberDiff line change
@@ -59,7 +59,9 @@ class PrintOutNodeListener : public chip::AddressResolve::NodeListener
5959
ChipLogProgress(Discovery, " Supports TCP: %s", result.supportsTcp ? "YES" : "NO");
6060
ChipLogProgress(Discovery, " MRP IDLE retransmit timeout: %u ms", result.mrpRemoteConfig.mIdleRetransTimeout.count());
6161
ChipLogProgress(Discovery, " MRP ACTIVE retransmit timeout: %u ms", result.mrpRemoteConfig.mActiveRetransTimeout.count());
62-
ChipLogProgress(Discovery, " MRP ACTIVE Threshold timet: %u ms", result.mrpRemoteConfig.mActiveThresholdTime.count());
62+
ChipLogProgress(Discovery, " MRP ACTIVE Threshold time: %u ms", result.mrpRemoteConfig.mActiveThresholdTime.count());
63+
ChipLogProgress(Discovery, " ICD is operating as a: %s", result.isICDOperatingAsLIT ? "LIT" : "SIT");
64+
6365
NotifyDone();
6466
}
6567

src/lib/dnssd/Advertiser.h

+8
Original file line numberDiff line numberDiff line change
@@ -101,6 +101,13 @@ class BaseAdvertisingParams
101101
}
102102
Optional<bool> GetTcpSupported() const { return mTcpSupported; }
103103

104+
Derived & SetICDOperatingAsLIT(Optional<bool> operatesAsLIT)
105+
{
106+
mICDOperatesAsLIT = operatesAsLIT;
107+
return *reinterpret_cast<Derived *>(this);
108+
}
109+
Optional<bool> GetICDOperatingAsLIT() const { return mICDOperatesAsLIT; }
110+
104111
private:
105112
uint16_t mPort = CHIP_PORT;
106113
Inet::InterfaceId mInterfaceId = Inet::InterfaceId::Null();
@@ -109,6 +116,7 @@ class BaseAdvertisingParams
109116
size_t mMacLength = 0;
110117
Optional<ReliableMessageProtocolConfig> mLocalMRPConfig;
111118
Optional<bool> mTcpSupported;
119+
Optional<bool> mICDOperatesAsLIT;
112120
};
113121

114122
/// Defines parameters required for advertising a CHIP node

src/lib/dnssd/Advertiser_ImplMinimalMdns.cpp

+10
Original file line numberDiff line numberDiff line change
@@ -219,6 +219,7 @@ class AdvertiserMinMdns : public ServiceAdvertiser,
219219
char sessionActiveThresholdBuf[KeySize(TxtFieldKey::kSessionActiveThreshold) +
220220
ValSize(TxtFieldKey::kSessionActiveThreshold) + 2];
221221
char tcpSupportedBuf[KeySize(TxtFieldKey::kTcpSupported) + ValSize(TxtFieldKey::kTcpSupported) + 2];
222+
char operatingICDAsLITBuf[KeySize(TxtFieldKey::kLongIdleTimeICD) + ValSize(TxtFieldKey::kLongIdleTimeICD) + 2];
222223
};
223224
template <class Derived>
224225
CHIP_ERROR AddCommonTxtEntries(const BaseAdvertisingParams<Derived> & params, CommonTxtEntryStorage & storage,
@@ -280,6 +281,15 @@ class AdvertiserMinMdns : public ServiceAdvertiser,
280281
CHIP_ERROR_INVALID_STRING_LENGTH);
281282
txtFields[numTxtFields++] = storage.tcpSupportedBuf;
282283
}
284+
if (params.GetICDOperatingAsLIT().HasValue())
285+
{
286+
size_t writtenCharactersNumber =
287+
static_cast<size_t>(snprintf(storage.operatingICDAsLITBuf, sizeof(storage.operatingICDAsLITBuf), "ICD=%d",
288+
params.GetICDOperatingAsLIT().Value()));
289+
VerifyOrReturnError((writtenCharactersNumber > 0) && (writtenCharactersNumber < sizeof(storage.operatingICDAsLITBuf)),
290+
CHIP_ERROR_INVALID_STRING_LENGTH);
291+
txtFields[numTxtFields++] = storage.operatingICDAsLITBuf;
292+
}
283293
return CHIP_NO_ERROR;
284294
}
285295

src/lib/dnssd/Discovery_ImplPlatform.cpp

+4
Original file line numberDiff line numberDiff line change
@@ -227,6 +227,8 @@ CHIP_ERROR CopyTxtRecord(TxtFieldKey key, char * buffer, size_t bufferLen, const
227227
case TxtFieldKey::kSessionActiveInterval:
228228
case TxtFieldKey::kSessionActiveThreshold:
229229
return CopyTextRecordValue(buffer, bufferLen, params.GetLocalMRPConfig(), key);
230+
case TxtFieldKey::kLongIdleTimeICD:
231+
return CopyTextRecordValue(buffer, bufferLen, params.GetICDOperatingAsLIT());
230232
default:
231233
return CHIP_ERROR_INVALID_ARGUMENT;
232234
}
@@ -569,6 +571,7 @@ CHIP_ERROR DiscoveryImplPlatform::Advertise(const OperationalAdvertisingParamete
569571
ADD_TXT_RECORD(SessionActiveInterval);
570572
ADD_TXT_RECORD(SessionActiveThreshold);
571573
ADD_TXT_RECORD(TcpSupported);
574+
ADD_TXT_RECORD(LongIdleTimeICD); // Optional, will not be added if related 'params' doesn't have a value
572575

573576
ADD_PTR_RECORD(CompressedFabricId);
574577

@@ -588,6 +591,7 @@ CHIP_ERROR DiscoveryImplPlatform::Advertise(const CommissionAdvertisingParameter
588591
ADD_TXT_RECORD(SessionActiveInterval);
589592
ADD_TXT_RECORD(SessionActiveThreshold);
590593
ADD_TXT_RECORD(TcpSupported);
594+
ADD_TXT_RECORD(LongIdleTimeICD); // Optional, will not be added if related 'params' doesn't have a value
591595

592596
ADD_PTR_RECORD(VendorId);
593597
ADD_PTR_RECORD(DeviceType);

0 commit comments

Comments
 (0)