Releases: tmunzer/mistapi_python
v0.61.3
Version 0.61.3 (March 2026)
Released: March 18, 2026
This release hardens the WebSocket client with improved thread-safety, bounded message queues, and better error handling.
1. NEW FEATURES
Bounded Message Queue (queue_maxsize)
The _MistWebsocket client now supports a queue_maxsize parameter to limit the internal message buffer size. When set, incoming messages are dropped with a warning when the queue is full, preventing unbounded memory growth on high-frequency streams.
ws = mistapi.websockets.sites.DeviceStatsEvents(
apisession,
site_ids=["<site_id>"],
queue_maxsize=1000 # Limit buffer to 1000 messages
)2. IMPROVEMENTS
Thread-Safety Enhancements
- Added
threading.Lock()to protect shared state during concurrent access - Added
_finishedevent for cleaner lifecycle management and proper shutdown signaling
Error Handling Hardening
- User-provided callbacks (
on_open,on_message,on_error,on_close) are now wrapped in try/except blocks to prevent exceptions from crashing the WebSocket thread - Added warning when
cloud_uridoes not start with"api."(WebSocket URL may be incorrect)
Security: Header Redaction
- Added
_HeaderRedactFilterto automatically redactAuthorizationandCookieheaders fromwebsocket-clientdebug logs
3. API CHANGES
Insights API
Added optional port_id query parameter to the following functions for port-level filtering:
getSiteInsightMetricsForDevice()getSiteInsightMetricsForGateway()getSiteInsightMetricsForMxEdge()getSiteInsightMetricsForSwitch()
v0.61.2
Version 0.61.2 (March 2026)
Released: March 17, 2026
This release adds automatic reconnection support for WebSocket streams, updates the OpenAPI specification, and includes minor bug fixes.
1. NEW FEATURES
WebSocket Auto-Reconnect
_MistWebsocket now supports automatic reconnection with configurable parameters:
auto_reconnect— Enable/disable auto-reconnect (default:False)max_reconnect_attempts— Maximum reconnect attempts before giving up (default:5)reconnect_backoff— Base backoff delay in seconds, with exponential increase (default:2.0)
When enabled, the WebSocket automatically reconnects on transient failures using exponential backoff. User-initiated disconnect() calls are respected during reconnection attempts.
ws = mistapi.websockets.sites.DeviceStatsEvents(
apisession,
site_ids=["<site_id>"],
auto_reconnect=True,
max_reconnect_attempts=5,
reconnect_backoff=2.0
)
ws.connect(run_in_background=True)2. API CHANGES (OpenAPI 2602.1.7)
Updated to mist_openapi spec version 2602.1.7.
Insights API
getSiteInsightMetrics()— Now usesmetricsas a query parameter instead of a path parametergetSiteInsightMetricsForAP()— New function to retrieve insight metrics for a specific APgetSiteInsightMetricsForClient()— Changedmetricpath parameter tometricsquery parametergetSiteInsightMetricsForGateway()— Changedmetricpath parameter tometricsquery parameter
Stats API
getOrgStats()— Removedstart,end,duration,limit,pagequery parameterslistOrgSiteStats()— Removedstart,end,durationquery parameters
3. BUG FIXES
- Fixed
ShellSession.recv()to gracefully handle socket timeout reset when the connection is already closed - Fixed thread-safety (TOCTOU) race conditions in
ShellSessionby capturing WebSocket reference in local variables acrossdisconnect(),connected,send(),recv(), andresize()methods - Fixed thread-safety race condition in
_MistWebsocket.disconnect()with local variable capture
Version 0.61.1 (March 2026)
Released: March 15, 2026
This release improves async support with a new arun() helper, makes the Device Utilities module fully non-blocking, adds VT100 terminal emulation for screen-based commands, and introduces interactive SSH shell access for EX/SRX devices. (PR #16)
v0.61.1
Version 0.61.1 (March 2026)
Released: March 15, 2026
This release improves async support with a new arun() helper, makes the Device Utilities module fully non-blocking, adds VT100 terminal emulation for screen-based commands, and introduces interactive SSH shell access for EX/SRX devices. (PR #16)
1. NEW FEATURES
mistapi.arun() — Async Helper
New helper function to run any sync mistapi function without blocking the event loop. Wraps the function call in asyncio.to_thread() so blocking HTTP requests run in a thread pool.
import asyncio
import mistapi
from mistapi.api.v1.sites import devices
async def main():
session = mistapi.APISession(env_file="~/.mist_env")
session.login()
# Run sync API call without blocking the event loop
response = await mistapi.arun(devices.listSiteDevices, session, site_id)
print(response.data)
asyncio.run(main())Interactive SSH Shell (device_utils.ex / device_utils.srx)
New interactiveShell() and createShellSession() functions for SSH-over-WebSocket access to EX and SRX devices.
interactiveShell()— takes over the terminal for human SSH access (usessshkeyboard)createShellSession()— returns aShellSessionobject for programmatic send/recvShellSession— bidirectional WebSocket session withsend(),recv(),resize(), context manager support
from mistapi.device_utils import ex
# Interactive (human at the keyboard)
ex.interactiveShell(apisession, site_id, device_id)
# Programmatic
with ex.createShellSession(apisession, site_id, device_id) as session:
session.send_text("show version\r\n")
import time; time.sleep(3)
while (data := session.recv(timeout=0.5)):
print(data.decode("utf-8", errors="replace"), end="")topCommand (device_utils.ex / device_utils.srx)
New topCommand() function to stream top output from EX and SRX devices. Uses VT100 screen-buffer rendering for proper in-place display.
VT100 Terminal Emulation
Added ANSI escape stripping and a minimal VT100 screen-buffer renderer for device command output. Stream-mode commands (ping, traceroute) have ANSI codes stripped automatically. Screen-mode commands (top, monitor interface) are rendered through a virtual terminal buffer.
2. IMPROVEMENTS
Non-Blocking Device Utilities
All mistapi.device_utils functions now return immediately. The HTTP trigger and WebSocket streaming run in background threads, allowing your code to continue executing while data is collected.
UtilResponse Object:
| Method/Property | Description |
|---|---|
.ws_data |
List of processed messages |
.done |
True if data collection is complete |
.wait(timeout) |
Block until complete, returns self |
.receive() |
Generator yielding messages as they arrive |
.disconnect() |
Stop the WebSocket connection early |
await response |
Async-friendly wait (non-blocking event loop) |
Example Usage:
from mistapi.device_utils import ex
# Non-blocking - returns immediately, data collected in background
response = ex.ping(apisession, site_id, device_id, host="8.8.8.8")
do_other_work() # Can do other things while waiting
response.wait() # Block when ready to collect results
print(response.ws_data)
# Generator style - process messages as they arrive
for msg in response.receive():
print(msg)
# Async-friendly - doesn't block the event loop
await responseBinary WebSocket Frame Support
_MistWebsocket._handle_message() now handles binary frames (strips null bytes, decodes UTF-8 with replacement characters).
Trigger-Only Commands Run Synchronously
Fire-and-forget device commands (e.g., clearMacTable, clearBpduError, clearHitCount) that don't require a WebSocket stream now run the API trigger synchronously, ensuring trigger_api_response is immediately available on the returned UtilResponse.
3. BUG FIXES
- Fixed double-space typo in API token privilege mismatch error message
- Fixed
first_message_timeouttimer stop to check timer is active before stopping
4. DEPENDENCIES
- Added
sshkeyboard>=2.3.1(forinteractiveShell())
v0.61.0
Version 0.61.0 (March 2026)
Released: March 13, 2026
MAJOR RELEASE with extensive new features, code quality improvements, security enhancements, and performance optimizations. This release adds real-time WebSocket streaming, comprehensive device diagnostic utilities, extensive test coverage, and significant API improvements.
1. NEW FEATURES
1.1 WebSocket Streaming Module (mistapi.websockets)
Complete real-time event streaming support with flexible consumption patterns:
Available Channels:
- Organization Channels
| Class | Description |
|---|---|
mistapi.websockets.orgs.InsightsEvents |
Real-time insights events for an organization |
mistapi.websockets.orgs.MxEdgesStatsEvents |
Real-time MX edges stats for an organization |
mistapi.websockets.orgs.MxEdgesUpgradesEvents |
Real-time MX edges upgrades events for an organization |
- Site Channels
| Class | Description |
|---|---|
mistapi.websockets.sites.ClientsStatsEvents |
Real-time clients stats for a site |
mistapi.websockets.sites.DeviceCmdEvents |
Real-time device command events for a site |
mistapi.websockets.sites.DeviceStatsEvents |
Real-time device stats for a site |
mistapi.websockets.sites.DeviceUpgradesEvents |
Real-time device upgrades events for a site |
mistapi.websockets.sites.MxEdgesStatsEvents |
Real-time MX edges stats for a site |
mistapi.websockets.sites.PcapEvents |
Real-time PCAP events for a site |
- Location Channels
| Class | Description |
|---|---|
mistapi.websockets.location.BleAssetsEvents |
Real-time BLE assets location events |
mistapi.websockets.location.ConnectedClientsEvents |
Real-time connected clients location events |
mistapi.websockets.location.SdkClientsEvents |
Real-time SDK clients location events |
mistapi.websockets.location.UnconnectedClientsEvents |
Real-time unconnected clients location events |
mistapi.websockets.location.DiscoveredBleAssetsEvents |
Real-time discovered BLE assets location events |
Features:
- Callback-based message handling
- Generator-style iteration
- Context manager support
- Automatic reconnection with configurable ping intervals
- Non-blocking background threads
- Type-safe API with full parameter validation
Example Usage:
ws = mistapi.websockets.sites.DeviceStatsEvents(apisession, site_ids=["<site_id>"])
ws.connect(run_in_background=True)
for msg in ws.receive(): # blocks, yields each message as a dict
print(msg)
if some_condition:
ws.disconnect() # stops the generator cleanly1.2 Device Utilities Module (mistapi.device_utils)
mistapi.device_utils provides high-level utilities for running diagnostic commands on Mist-managed devices. Each function triggers a REST API call and streams the results back via WebSocket. The library handles the connection plumbing — you just call the function and get back a UtilResponse object.
Device-Specific Modules (Recommended):
| Module | Device Type | Functions |
|---|---|---|
device_utils.ap |
Mist Access Points | ping, traceroute, retrieveArpTable |
device_utils.ex |
Juniper EX Switches | ping, monitorTraffic, retrieveArpTable, retrieveBgpSummary, retrieveDhcpLeases, releaseDhcpLeases, retrieveMacTable, clearMacTable, clearLearnedMac, clearBpduError, clearDot1xSessions, clearHitCount, bouncePort, cableTest |
device_utils.srx |
Juniper SRX Firewalls | ping, monitorTraffic, retrieveArpTable, retrieveBgpSummary, retrieveDhcpLeases, releaseDhcpLeases, showDatabase, showNeighbors, showInterfaces, bouncePort, retrieveRoutes |
device_utils.ssr |
Juniper SSR Routers | ping, retrieveArpTable, retrieveBgpSummary, retrieveDhcpLeases, releaseDhcpLeases, showDatabase, showNeighbors, showInterfaces, bouncePort, retrieveRoutes, showServicePath |
Example Usage:
from mistapi.device_utils import ap, ex
# Ping from an AP
result = ap.ping(apisession, site_id, device_id, host="8.8.8.8")
print(result.ws_data)
# Retrieve ARP table from a switch
result = ex.retrieveArpTable(apisession, site_id, device_id)
print(result.ws_data)
# With real-time callback
def handle(msg):
print("got:", msg)
result = ex.cableTest(apisession, site_id, device_id, port="ge-0/0/0", on_message=handle)1.3 New API Endpoints
MapStacks API (mistapi.api.v1.sites.mapstacks):
listSiteMapStacks(): List map stacks with filteringcreateSiteMapStack(): Create new map stack
Enhanced Query Parameters:
- Additional filtering options across alarms, clients, and devices endpoints
- Improved parameter handling in JSI, NAC clients, and WAN clients APIs
2. SECURITY IMPROVEMENTS
HashiCorp Vault SSL Verification
- Now properly verifies SSL certificates when connecting to Vault
- Made vault configuration attributes private (
_vault_url,_vault_path, etc.) - Improved cleanup of vault credentials after loading
3. PERFORMANCE IMPROVEMENTS
Lazy Module Loading
- Implemented lazy loading for
apiandclisubpackages - Reduces initial import time by deferring heavy module imports until accessed
- Uses
__getattr__for transparent lazy loading
4. CODE QUALITY IMPROVEMENTS
HTTP Request Error Handling
- Consolidated duplicate error handling logic into
_request_with_retry()method - Extracts HTTP operations into inner functions for cleaner code
- Reduces code duplication by ~55 lines across GET/POST/PUT/DELETE/POST_FILE methods
- Centralizes 429 rate limit handling and retry logic
Session Management
- Added
_new_session()helper method for consistent session initialization - Improves code reusability when creating new HTTP sessions
API Token Management
- Added
validateparameter toset_api_token()method - Allows skipping token validation when needed (default:
True) - Useful for faster initialization when tokens are known to be valid
Logging Improvements
- Fixed logging sanitization to use
getMessage()instead of directmsgaccess - Clear
record.argsafter sanitization to prevent re-formatting issues - Improved logging format consistency using %-style formatting
6. DEPENDENCIES
New Dependencies
- Added
websocket-client>=1.8.0for WebSocket streaming support
v0.60.4
Version 0.60.4 (March 2026)
Released: March 3, 2026
This release updates the OpenAPI submodule to version 2602.1.4, adds the new Map Stacks API, and includes various API improvements and bug fixes.
1. NEW FEATURES
Site Map Stacks API
- Added new
sites/mapstacks.pymodule withlistSiteMapStacks()andcreateSiteMapStack()functions
2. CHANGES
API Function Updates
- Updated
searchOrgInventory()inorgs/inventory.py: Addedmodelparameter for device model filtering - Updated
searchOrgJsiAssetsAndContracts()inorgs/jsi.py:- Replaced
eol_durationandeos_durationwith date-based filters:eol_after,eol_before,eos_after,eos_before - Added
version_eos_afterandversion_eos_beforefor software version end-of-support filtering - Added
sirt_idandpbn_idfor security advisory filtering
- Replaced
- Updated
searchOrgAlarms()andsearchSiteAlarms()documentation with Marvis alarm group details
3. BUG FIXES
- Fixed
APIResponse.datatype annotation to support bothdictandlistresponses - Fixed
_check_next()method to properly handle list responses in pagination
Breaking Changes
searchOrgJsiAssetsAndContracts(): Parameterseol_durationandeos_durationhave been replaced witheol_after,eol_before,eos_after, andeos_before
Version 0.60.3 (February 2026)
Released: February 21, 2026
This release add a missing query parameter to the searchOrgWanClients() function.
1. CHANGES
API Function Updates
- Updated
searchOrgWanClients()and related functions inorgs/wan_clients.py.
v0.60.1
Version 0.60.1 (February 2026)
Released: February 21, 2026
This release includes function updates and bug fixes in the self/logs.py and sites/sle.py modules.
1. CHANGES
API Function Updates
- Updated
listSelfAuditLogs()and related functions inself/logs.py. - Updated deprecated and new SLE classifier functions in
sites/sle.py.
v0.59.5
Version 0.59.5 (January 2026)
Released: January 29, 2026
This release improves error handling by replacing sys.exit() calls with proper exceptions, fixes pagination issues, and updates the API definitions to match the latest OpenAPI specification (2511.1.14).
1. BUG FIXES
Pagination Fix
- Fixed pagination issue when
pageparameter is not already present in the URL - Added logic to properly append
pageparameter with correct separator (?or&) - Improved
APIResponse._check_next()to handle URLs without existing pagination parameters
Error Handling Improvements
- Replaced
sys.exit()calls with proper exception raising in API validation and authentication methods _get_api_token_data(): Now raisesConnectionErrorinstead of callingsys.exit()for proxy and connection errors_get_api_token_data(): Now raisesValueErrorinstead of callingsys.exit(2)for invalid API tokens (401 status)_process_login(): Now raisesConnectionErrorinstead of callingsys.exit()for proxy and connection errors_getself(): Now raisesConnectionErrorfor proxy errors andValueErrorwhen authentication fails and user declines to retry
2. API UPDATES
OpenAPI Specification Update
- Updated to latest Mist OpenAPI specification
- Enhanced alarm search endpoints with additional filtering parameters:
searchOrgAlarms(): Addedgroup,severity,ack_admin_name, andackedparameterssearchSiteAlarms(): Enhanced parameter support
- Updated parameter types and documentation across multiple endpoints
3. FILES MODIFIED
src/mistapi/__api_response.py
- Fixed pagination URL construction to handle missing
pageparameter - Improved
_check_next()method with proper separator detection
src/mistapi/__api_session.py
- Replaced 5
sys.exit()calls with proper exceptions (ConnectionError,ValueError) - Improved error handling to allow proper exception propagation for testing
- Added early return logic to skip token validation when cloud URI is not set
src/mistapi/api/v1/orgs/alarms.py
- Added
group,severity,ack_admin_name, andackedparameters tosearchOrgAlarms() - Updated parameter documentation with enum values
src/mistapi/api/v1/sites/alarms.py
- Enhanced alarm search functionality with updated parameters
src/mistapi/api/v1/orgs/stats.py
- Updated statistics endpoints to match latest API specification
src/mistapi/api/v1/sites/stats.py
- Updated statistics endpoints to match latest API specification
tests/unit/test_api_session.py
- Added
Mockto imports - Fixed
test_initialisation_with_parametersto mockrequests.get - Fixed
test_initialisation_with_env_fileto mockrequests.get - Fixed
test_set_single_api_tokento use correct mock return type - Fixed
test_set_multiple_api_tokensto use correct mock return type
tests/conftest.py
- Updated
basic_sessionfixture to properly mock HTTP requests during token validation
Summary Statistics
- Bug Fixes: 6 (5 sys.exit() calls replaced + 1 pagination fix)
- API Updates: Multiple endpoints updated with new parameters
- Test Improvements: 6 tests fixed
- Total Files Modified: 11
Breaking Changes
Potential Breaking Change: Code that previously relied on sys.exit() behavior during authentication failures will now receive exceptions instead. This is a more correct behavior for library code.
ConnectionErroris raised for proxy and connection errorsValueErroris raised for invalid API tokens or failed authentication
v0.59.3
Released: December 26, 2024
This release adds security enhancements for log sanitization and includes dependency updates.
1. NEW FEATURES
Log Sanitization
- Added
LogSanitizerfilter to automatically redact sensitive fields from log messages - Supports filtering of passwords, API tokens, keys, secrets, and other sensitive data
- Can be applied to both standard Python logging and the custom Console logger
Usage Example
import logging
from mistapi.__logger import LogSanitizer
LOG_FILE = "./log.txt"
logging.basicConfig(filename=LOG_FILE, filemode="w")
LOGGER = logging.getLogger(__name__)
LOGGER.setLevel(logging.DEBUG)
LOGGER.addFilter(LogSanitizer())
LOGGER.debug(var_with_sensitive_data)2. DEPENDENCIES
Added
keyring- Secure system keyring access for password storage- macOS Keychain support
- Windows Credential Locker support
- Freedesktop Secret Service support (GNOME, KDE)
Updated
- Various dependency updates for security and compatibility
3. FILES MODIFIED
src/mistapi/__logger.py
- Added
LogSanitizerclass for filtering sensitive data from logs - Enhanced regex pattern for detecting sensitive fields
- Added support for case-insensitive matching of sensitive field names
- Improved sanitization to handle various JSON formats
pyproject.toml
- Added keyring dependency
- Updated version to 0.59.3
Summary Statistics
- New Features: 1 (Log Sanitization)
- Dependencies Added: 1 (keyring)
- Total Files Modified: 3
- Lines Added: 655
- Lines Removed: 407
Breaking Changes
None. This is a backwards-compatible release.
Security Improvements
This release significantly improves security by automatically sanitizing sensitive information in logs, including:
- API tokens and keys
- Passwords and passphrases
- OAuth secrets
- PSK/mesh keys
- Authentication credentials
- And 20+ other sensitive field types
v0.59.2
Released: December 2024
This is a maintenance release that adds support for deprecated SLE endpoints and reorganizes project structure.
1. FUNCTIONS ADDED
src/mistapi/api/v1/sites/sle.py
getSiteSleSummary(mist_session, site_id, scope, scope_id, metric, start, end, duration)- Get SLE metric summary (marked as deprecated in Mist API, replaced bygetSiteSleSummaryTrend)getSiteSleSummaryTrend(mist_session, site_id, scope, scope_id, metric, start, end, duration)- Get SLE metric summary trend (replacement for deprecated endpoint)getSiteSleClassifierDetails(mist_session, site_id, scope, scope_id, metric, classifier, start, end, duration)- Get SLE classifier details (marked as deprecated in Mist API, replaced bygetSiteSleClassifierSummaryTrend)getSiteSleClassifierSummaryTrend(mist_session, site_id, scope, scope_id, metric, classifier, start, end, duration)- Get SLE classifier summary trend (replacement for deprecated endpoint)
2. FUNCTIONS DEPRECATED
src/mistapi/api/v1/sites/sle.py
getSiteSleSummary- Deprecated in version 0.59.2, will be removed in 0.65.0 (replaced bygetSiteSleSummaryTrend)getSiteSleClassifierDetails- Deprecated in version 0.59.2, will be removed in 0.65.0 (replaced bygetSiteSleClassifierSummaryTrend)
Note: These functions are marked with @deprecation.deprecated decorator and will show deprecation warnings when used.
Summary Statistics
- Functions Added: 4 (2 deprecated, 2 replacement)
- Functions Deprecated: 2
- Total Files Modified: 7
- Lines Added: 296
- Lines Removed: 6
Breaking Changes
None. All deprecated functions remain available with deprecation warnings.
Migration Guide
If you're using the deprecated SLE functions:
Before (deprecated):
# This will show deprecation warning
response = mistapi.api.v1.sites.sle.getSiteSleSummary(
mist_session, site_id, scope, scope_id, metric
)After (recommended):
# Use the new trend endpoint
response = mistapi.api.v1.sites.sle.getSiteSleSummaryTrend(
mist_session, site_id, scope, scope_id, metric
)Both functions will continue to work until version 0.65.0.
v0.59.1
Released: December 2024
Previous Version: 0.58.0
This release introduces significant enhancements to the Mist API Python SDK, including new endpoints, improved pagination support, and updated API specifications.
1. FUNCTIONS ADDED
src/mistapi/api/v1/orgs/ssr.py
exportOrgSsrIdTokens(mist_session, org_id, body)- Export SSR identity tokens
src/mistapi/api/v1/orgs/stats.py
countOrgOspfStats(mist_session, org_id, distinct, start, end, limit, sort, search_after)- Count OSPF stats at org levelsearchOrgOspfStats(mist_session, org_id, site_id, mac, peer_ip, port_id, state, vrf_name, start, end, duration, limit, sort, search_after)- Search OSPF peer stats
src/mistapi/api/v1/sites/devices.py
setSiteDevicesGbpTag(mist_session, site_id, body)- Set Group-Based Policy tags for devices
src/mistapi/api/v1/sites/insights.py
getSiteInsightMetricsForGateway(mist_session, site_id, metric, device_id, start, end, duration, interval, limit, page)- Get insight metrics for gatewaysgetSiteInsightMetricsForMxEdge(mist_session, site_id, metric, mxedge_id, start, end, duration, interval, limit, page)- Get insight metrics for MxEdgesgetSiteInsightMetricsForSwitch(mist_session, site_id, metric, device_id, start, end, duration, interval, limit, page)- Get insight metrics for switches
src/mistapi/api/v1/sites/stats.py
countSiteOspfStats(mist_session, site_id, distinct, start, end, limit, sort, search_after)- Count OSPF stats at site levelsearchSiteOspfStats(mist_session, site_id, mac, peer_ip, port_id, state, vrf_name, start, end, duration, limit, sort, search_after)- Search OSPF peer stats for site
3. FUNCTIONS DEPRECATED
getOrg128TRegistrationCommandsin src/mistapi/api/v1/orgs/ssr.py (replaced bygetOrgSsrRegistrationCommands)
4. PARAMETER CHANGES
A. Added search_after parameter (for improved pagination)
MSPs Module:
- src/mistapi/api/v1/msps/orgs.py
searchMspOrgs: Addedstart,end,search_after
Orgs Module - Alarms:
- src/mistapi/api/v1/orgs/alarms.py
searchOrgAlarms: Addedsearch_after
Orgs Module - Clients:
- src/mistapi/api/v1/orgs/clients.py
searchOrgWirelessClientEvents: Addedsearch_aftersearchOrgWirelessClients: Addedsearch_aftersearchOrgWirelessClientSessions: Addedsearch_after
Orgs Module - Devices:
- src/mistapi/api/v1/orgs/devices.py
searchOrgDeviceEvents: Addedsearch_aftersearchOrgDevices: Addedsearch_after
Orgs Module - Events:
- src/mistapi/api/v1/orgs/events.py
searchOrgEvents: Addedsearch_aftersearchOrgSystemEvents: Addedsearch_after
Orgs Module - MxEdges:
- src/mistapi/api/v1/orgs/mxedges.py
searchOrgMistEdgeEvents: Addedsearch_after
Orgs Module - NAC Clients:
- src/mistapi/api/v1/orgs/nac_clients.py
searchOrgNacClientEvents: Addedsearch_after
Orgs Module - Other Devices:
- src/mistapi/api/v1/orgs/otherdevices.py
searchOrgOtherDeviceEvents: Addedsearch_after
Orgs Module - Sites:
- src/mistapi/api/v1/orgs/sites.py
searchOrgSites: Addedsearch_after
Orgs Module - Stats:
- src/mistapi/api/v1/orgs/stats.py
searchOrgAssets: Addedsearch_aftersearchOrgBgpStats: Addedsearch_aftersearchOrgSwOrGwPorts: Addedsearch_aftersearchOrgTunnelsStats: Addedsearch_aftersearchOrgPeerPathStats: Addedsearch_after
Orgs Module - WAN Clients:
- src/mistapi/api/v1/orgs/wan_clients.py
searchOrgWanClientEvents: Addedsearch_after
Orgs Module - Webhooks:
- src/mistapi/api/v1/orgs/webhooks.py
searchOrgWebhooksDeliveries: Addedsearch_after
Orgs Module - Wired Clients:
- src/mistapi/api/v1/orgs/wired_clients.py
searchOrgWiredClients: Addedsearch_after
Sites Module - Alarms:
- src/mistapi/api/v1/sites/alarms.py
searchSiteAlarms: Addedsearch_after
Sites Module - Clients:
- src/mistapi/api/v1/sites/clients.py
searchSiteWirelessClientEvents: Addedsearch_aftersearchSiteWirelessClients: Addedsearch_aftersearchSiteWirelessClientSessions: Addedsearch_after
Sites Module - Devices:
- src/mistapi/api/v1/sites/devices.py
searchSiteDeviceConfigHistory: Addedsearch_aftersearchSiteDeviceEvents: Addedsearch_aftersearchSiteDeviceLastConfigs: Addedsearch_aftersearchSiteDevices: Addedsearch_after
Sites Module - Events:
- src/mistapi/api/v1/sites/events.py
searchSiteSystemEvents: Addedsearch_after
Sites Module - Guests:
- src/mistapi/api/v1/sites/guests.py
searchSiteGuestAuthorization: Addedsearch_after
Sites Module - Insights:
- src/mistapi/api/v1/sites/insights.py
searchOrgClientFingerprints: Addedsearch_after
Sites Module - Stats:
- src/mistapi/api/v1/sites/stats.py
searchSiteAssets: Addedsearch_aftersearchSiteBgpStats: Addedsearch_aftersearchSiteCalls: Addedsearch_aftersearchSiteDiscoveredSwitchesMetrics: Addedsearch_after
B. Other Parameter Updates
Sites Module - Insights:
- src/mistapi/api/v1/sites/insights.py
searchOrgClientFingerprints: Parameterclient_typenow accepts'vty'in addition to'wireless'and'wired'