Community Record
47
Posts
5
Kudos
3
Solutions
Badges
2 weeks ago
Hi , We have a solution that allows you to fully customised the email within the flow , we can also send different emails based on chosen Language . https://www.splashaccess.com/portfolio/splashaccess-guest-ambassador/
... View more
a month ago
I posted two things wth a sleep.... Above is the 429 code in the Meraki Python library itself, so you can see what it does when the retry limit is reached. This is where it raises the exception once it has run out of retries. Then you can catch that exception, and decide what to do. The code snippet before that is mine, you can see how the except catches the exception raised by the Meraki library call and then decides whether to add extra delay and continue (it is sitting in a while loop) to try the call again, or give up and exit.
... View more
Feb 5 2025
1:26 PM
1 Kudo
Search for semaphore. https://github.com/meraki/dashboard-api-python/blob/main/meraki/aio/rest_session.py
... View more
Oct 4 2024
2:23 AM
You are right, adapting from javascript to python is pretty easy. I think it would be beneficial to use the library for api calls instead of regular http calls in javascript where we would lack all the parameters the library offers
... View more
May 28 2024
6:07 AM
In our specific use-case, flexibility is not what we want. I've got customers who are capable enough to claim new devices to a network and add those to a template, but not savvy enough to know how to configure switch ports. Ideally, I'd preload a combined template in their Org with the 'golden' config in which they'd create new networks from. I can't add that combined golden config template for tens or hundreds of customers right now without this silly manual step of creating a switch profile.
... View more
Apr 2 2024
1:55 AM
Hi, both Early Access and VLAN Profiles are enabled for the organization but still Error 500 from Meraki if trying to submit a batch with a VLAN Profile action.
... View more
Mar 29 2024
12:48 PM
2 Kudos
If you use the Get Device Endpoint, does it return the switchProfileId? RHB@wopr ~ % curl -L --request GET \
--url https://api.meraki.com/api/v1/devices/<serial> \
--header 'Authorization: Bearer xxx' \
--header 'Accept: application/json'
{"lat":nn,"lng":nn,"address":"","serial":"","mac":"34:56:fe","lanIp":"192.168.128.4","url":"","networkId":"","tags":[],"name":"Home-MS120-8LP","details":[],"model":"MS120-8LP","switchProfileId":null,"firmware":"switch-16-7-1","floorPlanId":""}
... View more
Mar 23 2023
6:33 AM
Hello everybody. I found the solution to my problem. I used asyncio Semaphore to limit on the number of threads. sem=asyncio.Semaphore(10) network_template_tasks = [asyncio.ensure_future(append_template(net, org_id,sem)) for net in networks]. Now the script is not getting the 429 error.
... View more
Mar 22 2023
3:30 AM
1 Kudo
Hello RaresPauna, As mentioned in the chat here is a Python class i created to help with the Meraki API ratelimit. import sys, requests, os, json
import pandas as pd
from requests_futures.sessions import FuturesSession
from requests.adapters import HTTPAdapter
from requests.packages.urllib3.util.retry import Retry
class MyHTTPSession:
def __init__(self, ARG_APIKEY=None, URL_LIST=[]):
assert ARG_APIKEY, f'{self.__class__.__name__} ARG_APIKEY cannot be empty'
self.ARG_APIKEY = ARG_APIKEY
self.BASE_URL = "https://api.meraki.com/api/v1"
# Create list of urls for further processing
self.urls = list(self.divide_chunks(URL_LIST))
retry_strategy = Retry(
total=4,
backoff_factor=0.5,
status_forcelist=[429, 500, 502, 503, 504],
method_whitelist=["HEAD", "GET", "OPTIONS"]
)
adapter = HTTPAdapter(max_retries=retry_strategy)
self.http = requests.Session()
self.http.mount("https://", adapter)
self.http.mount("http://", adapter)
self.headers={
'X-Cisco-Meraki-API-Key': self.__dict__['ARG_APIKEY'],
'Content-Type': 'application/json',
'Accept-Encoding': 'gzip'
}
def divide_chunks(self, l):
n = 5
# looping till length l
for i in range(0, len(l), n):
yield l[i:i + self.n]
def count_len(self, l):
count = 0
for i in range(0, len(l), self.n):
count+=1
self.netlist_len = count
def clear_console(self):
platforms = {
'linux1' : 'Linux',
'linux2' : 'Linux',
'win32' : 'Windows'
}
if sys.platform not in platforms:
raise f" Platform:{sys.platform} is not in the list clear_console"
else:
if platforms[sys.platform] == 'linux':
os.system('clear')
elif platforms[sys.platform] == 'Windows':
os.system('cls')
def process_bar(self):
try:
precent = 100 * (self.cnt / self.netlist_len)
except ZeroDivisionError:
precent = 0
bar = '#' * int(precent) + '-' * (100 - int(precent))
print(f"\r|{bar}| {precent:.2f}%", end="\r")
def get_data(self):
self.clear_console()
df = pd.DataFrame()
end_df = pd.DataFrame()
self.__dict__.setdefault('json_dept', 1)
self.__dict__.setdefault('data', '')
self.cnt = 0
self.process_bar()
self.cnt += 1
for urls in self.urls:
futures = [(url[1],self.http.get(self.BASE_URL + url[0], data=json.dumps(self.data), headers=self.headers)) for url in urls]
self.process_bar()
self.cnt +=1
for future in futures:
try:
r = future[1]
if r.status_code == 200:
if len(r.json()) != 0:
df = pd.json_normalize(r.json(), max_level=self.json_dept, errors='ignore')
for key, value in future[0].items():
df[key] = value
df = df.fillna(value=np.nan)
df = df.astype(str)
while 'next' in r.links:
r = self.http.get(r.links['next']['url'], headers=self.headers)
if len(r.json()) != 0:
dff = pd.json_normalize(r.json(), max_level=self.json_dept, errors='ignore')
for key, value in future[0].items():
dff[key] = value
dff = dff.fillna(value=np.nan)
dff = dff.astype(str)
df = pd.concat([df, dff])
elif r.status_code == 404:
print("Page not found")
except requests.exceptions.RequestException as err:
print(f"Error occurred during HTTP request: {err}")
continue
end_df = pd.concat([end_df, df])
self.response = end_df This class takes a list of lists containing urls to check. As an example, I'm using the url endpoint '/organizations/{Organization IDs}/networks' to collect all networks inside an organization. lst = []
records = <Source from where to select>
for row in records:
URL = f"/organizations/{<Organization IDs>}/networks"
lst.append([URL, {}])
my_meraki_session = MyHTTPSession(ARG_APIKEY='123456789', URL_LIST=lst)
df_result = my_meraki_session.get_data() Records is a list of the organization IDs that the API key can access. There's an extra dictory [] after the url in the lst. This dictionary can be used to add more information to the Pandas dataframe later on. Things like organization names Example: records = Mysql_connection(dictionary=None).Select('ORGIDS', 'id', 'name' ,DISTINCT='DISTINCT')
for row in records:
URL = f"/organizations/{row[0]}/devices"
lst.append([URL, {'organizationId': row[0], 'organizationName':row[1]}]) MyHTTPSession is a custom HTTP session class that extends the requests.Session class. The class is initialized with two parameters: ARG_APIKEY and URL_LIST. The ARG_APIKEY is a mandatory parameter that represents the API key for the Meraki dashboard API. URL_LIST is an parameter that is a list of URLs that will be processed. The class has several methods. Init(self, ARG_APIKEY=None, URL_LIST=[]): This is the class constructor that initializes the class properties ARG_APIKEY, BASE_URL, urls, http, and headers. It also initializes the Retry and HTTPAdapter objects that will be used for handling retries and HTTP requests. It divides the URL_LIST into chunks and sets the chunk size to 5. It also sets default values for json_dept, data, and netlist_len. Divide_chunks(self, l): This method is used to divide the URL_LIST into chunks of size 5. It takes in a list l as a parameter and uses a yield statement to return chunks of size 5. Count_len(self, l): This method is used to count the number of chunks in the URL_LIST. It takes in a list l as a parameter and divides the list into chunks of size 5. It then calculates the number of chunks and sets the result to the netlist_len property. Clear_console(self): This method is used to clear the console. It uses the os and sys modules to determine the platform and clear the console accordingly. Process_bar(self): This method is used to display a progress bar. It calculates the percentage of completion and displays the progress bar in the console. Get_data(self): This is the main method that retrieves data from the Meraki dashboard API. It initializes two data frames, end_df and end_df. It sets the JSON_dept and data properties if they are not already set. It sets the cnt property to 0 and displays the progress bar. It then iterates over the urls and creates a list of futures using the http.get method. It then iterates over the futures and processes the responses. If the status code is 200, it normalizes the JSON response using the PD.json_normalize method and adds any additional columns from the future. If there are more pages in the response, it continues to retrieve data until all pages are retrieved. It then concatenates the data frame df with end_df. If the status code is 404, it prints an error message. If there is an error during the HTTP request, it prints an error message and continues. Finally, it sets the response property to end_df.
... View more
Mar 22 2023
2:10 AM
This is the problem. I want to postpone the automatic updates that meraki schedules. But I can't do that without affecting the updates scheduled by administrators. Thanks
... View more
Mar 2 2023
5:15 AM
After investigating i found that some categories disappeared, and the new syntax is 'meraki:contentFiltering/category/C1', there needs to be added " C " before the number. The name of the category is not needed in the POST, you only see it in the GET. So the solution is using " C".
... View more
Mar 2 2023
12:35 AM
Hello, my script was not getting the css accordingly, and the html i was getting was a sort of 404 page not founds, and it was about the css.
... View more
Mar 2 2023
12:33 AM
Indeed, i was using the depracated version. It's pretty confusing for both of them being available. It should appear as being depracated somewhere
... View more
Kudos given to
My Accepted Solutions
Subject | Views | Posted |
---|---|---|
8351 | Mar 23 2023 6:33 AM | |
1919 | Mar 2 2023 5:15 AM | |
1357 | Mar 2 2023 12:35 AM |
My Top Kudoed Posts
Subject | Kudos | Views |
---|---|---|
2 | 2112 | |
2 | 1508 | |
1 | 2210 |