Skip to content

Commit e40544c

Browse files
authored
Merge pull request #24 from Prevedere/dev
0.5.1
2 parents e104766 + 95c522e commit e40544c

File tree

6 files changed

+191
-22
lines changed

6 files changed

+191
-22
lines changed

CHANGELOG.md

+15-1
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,23 @@
11
# Changelog
22
All notable changes to this project will be documented in this file.
33

4+
## 0.5.1 - 2019-10-13
5+
### Changed
6+
- Logging and exception handling improvements
7+
8+
## 0.5.0 - 2019-09-20
9+
### Added
10+
- Uploading data with POST requests. Requires:
11+
- Integration job to be setup by [email protected]
12+
- 'client_dimension_group_id' for the integration
13+
### Changed
14+
- Can now set log level with True or the logging level integer
15+
- Logging also returns how long each request took and to which endpoint
16+
- prevedere.py is renamed to api.py for clarity
17+
418
## 0.4.0 - 2019-09-06
519
### Added
6-
- Can now use a difference base url instead of 'api' using a new argument 'base'
20+
- Can now use a different base url instead of 'api' using a new argument 'base'
721
### Changed
822
- Authentication of api key context is improved and should be faster
923

README.md

+5-1
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
# prevedere-api
22

33
prevedere-api is a simple API for making HTTP requests to the Prevedere application. Requires an API key.
4-
For full documentation, go to the [Prevedere Swagger API GUI](https://api.prevedere.com/swagger).
4+
For full documentation, go to the [Prevedere Swagger API GUI](https://api.prevedere.com/).
55

66
# Installation
77
`pip install prevedere-api`
@@ -35,3 +35,7 @@ provider_id = "a123"
3535
p = prevedere.Api(api_key)
3636
p.indicator_series(provider, provider_id)
3737
```
38+
39+
TODO:
40+
- Example dataset to play with, especially for uploading data
41+
- Add documentation for each function

prevedere/__init__.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -1 +1 @@
1-
from .prevedere import *
1+
from .api import Api

prevedere/prevedere.py prevedere/api.py

+168-18
Original file line numberDiff line numberDiff line change
@@ -1,21 +1,42 @@
1-
import requests
2-
import json
31
import configparser
4-
from uuid import UUID
5-
from pathlib import Path, PurePath
2+
import csv
3+
import io
4+
import json
65
import logging
6+
from pathlib import Path, PurePath
7+
import re
8+
from uuid import UUID
9+
10+
import requests
11+
712

813
class Api:
9-
10-
def __init__(self, api_key: str = None, base: str = None):
14+
"""
15+
TODO:
16+
- Add information about what an API key is, how to get one, and how to use Swagger
17+
- Reference PEP standards for class docstrings
18+
"""
19+
def __init__(self, api_key: str = None, base: str = None, log: bool = None):
1120
"""
1221
API can be initialized directly by passing string, if not it looks for prevedere_api.ini in current working directory.
1322
Copy the prevedere_api.ini.example file and remove `.example` from the end.
1423
Change the api key to your key.
1524
"""
25+
if log:
26+
if type(log) == int:
27+
level = log
28+
else:
29+
level=logging.INFO
30+
self.log = log
31+
else:
32+
self.log = False
33+
level = logging.WARNING
34+
logging.basicConfig(format='%(levelname)s-%(message)s', level=level)
35+
36+
1637
if api_key is None:
1738
try:
18-
assert PurePath(__file__).name == 'prevedere.py'
39+
assert PurePath(__file__).name == 'api.py'
1940
cwd = PurePath(__file__).parent
2041
except AssertionError as e:
2142
logging.exception('Prevedere.Api not initialized from prevedere.py')
@@ -28,6 +49,8 @@ def __init__(self, api_key: str = None, base: str = None):
2849
config.read(filepath)
2950
try:
3051
api_key = config['keys']['api key']
52+
if 'base' in config['keys']:
53+
base = config['keys']['base']
3154
assert api_key != "1234567890abcdef1234567890abcdef"
3255
except KeyError as e:
3356
logging.exception(f'API key not found in {filepath}: ' + repr(e))
@@ -47,34 +70,46 @@ def __init__(self, api_key: str = None, base: str = None):
4770
try:
4871
self.api_key = str(UUID(api_key))
4972
self.context = self.fetch('/context')
50-
logging.debug(f"Hello {self.context['User']['FirstName']}, you're now connected to the {self.context['Company']['Prefix']} instance.")
5173
except (TypeError, ValueError, requests.exceptions.HTTPError) as e:
5274
raise ApiKeyError(f"'{api_key}' is not a valid API Key. " +\
5375
"Please check the config file or string that was passed to the constructor and try again.") from e
5476
logging.exception()
77+
78+
@property
79+
def url(self):
80+
return f'https://{self.base}.prevedere.com'
5581

56-
def fetch(self, path: str, payload: dict = None) -> dict:
82+
def fetch(self, path: str, payload: dict = None, method: str = 'GET', data: str = None) -> dict:
5783
if payload is None:
5884
payload = {}
5985
payload['ApiKey'] = self.api_key
60-
url = f'https://{self.base}.prevedere.com{path}'
86+
6187
try:
62-
r = requests.get(url, params=payload)
88+
if method=='GET':
89+
r = requests.get(f'{self.url}{path}', params=payload)
90+
elif method=='POST':
91+
r = requests.post(f'{self.url}{path}', params=payload, data=data)
6392
r.raise_for_status()
93+
94+
if self.log:
95+
try:
96+
endpoint = re.search('^\/\w*\/?', path)[0]
97+
except:
98+
endpoint = 'endpoint'
99+
else:
100+
logging.info(f'{method} request to {endpoint} took {r.elapsed.total_seconds():.2f} seconds (status code: {r.status_code})')
101+
return r.json()
102+
64103
except requests.exceptions.HTTPError as e:
65-
logging.warn('HTTP Error: ' + repr(r.json()))
66-
raise
104+
logging.exception(r.text)
67105
except requests.exceptions.ConnectionError as e:
68106
logging.exception('Connection Error')
69107
except requests.exceptions.Timeout as e:
70108
logging.exception('Timeout Error')
71109
except requests.exceptions.RequestException as e:
72-
logging.exception('Requests Error')
73-
74-
try:
75-
return r.json()
110+
logging.exception('Requests Error')
76111
except json.decoder.JSONDecodeError as e:
77-
logging.exception("JSON Error")
112+
logging.exception("Could not read response as JSON")
78113

79114
def indicator(self, provider: str, provider_id: str) -> dict:
80115
path = f'/indicator/{provider}/{provider_id}'
@@ -182,13 +217,128 @@ def workbench(self, workbench_id: str) -> dict:
182217
path = f'/workbench/{workbench_id}'
183218
return self.fetch(path)
184219

220+
# POST
221+
def get_integrations(self):
222+
return self.fetch('/clientdimensions')
223+
224+
def get_client_dimensions(self, client_dimension_group_id):
225+
integrations = self.get_integrations()
226+
for i in integrations:
227+
if i['Id'] == client_dimension_group_id:
228+
return i
229+
raise Exception(f'ClientDimensionGroupId not found: {client_dimension_group_id}')
230+
231+
def get_fields(self, client_dimension_group_id):
232+
dimensions = self.get_client_dimensions(client_dimension_group_id)
233+
fields = list(dimensions['Mapping'].values()) + ['Measure', 'Date', 'Value']
234+
return set(fields)
235+
236+
@staticmethod
237+
def make_csv(data: list, fields: set) -> str:
238+
"""
239+
Turns data into a CSV string to be uploaded.
240+
Data must contain the **specific dimensions** for the integration job,
241+
as well as the fields, "Measure", "Date", and "Value".
242+
Date is in format 'YYYY-MM-DD'
243+
:param data: A list of records with {'key':'value'} entries.
244+
e.g. [
245+
{
246+
'Region':'East',
247+
'Product':'Product 1',
248+
'Date': '2019-09-01',
249+
'Measure':'Sales',
250+
'Value':100
251+
},
252+
{
253+
'Region':'East',
254+
'Product':'Product 1',
255+
'Date': '2019-10-01',
256+
'Measure':'Sales',
257+
'Value':200
258+
},
259+
]
260+
:type fields: A list or set of keys in each record.
261+
e.g. set(['Region', 'Product', 'Date', 'Measure', 'Value'])
262+
263+
returns: CSV string
264+
265+
example: Api.make_csv(data=[], fields=[])
266+
"""
267+
s = io.StringIO(newline='')
268+
writer = csv.DictWriter(s, fieldnames=fields)
269+
writer.writeheader()
270+
for d in data:
271+
writer.writerow(d)
272+
return s.getvalue()
273+
274+
@staticmethod
275+
def get_csv_fields(csv_data):
276+
reader = csv.DictReader(io.StringIO(csv_data))
277+
return set(reader.fieldnames)
278+
279+
@staticmethod
280+
def check_post_response(response):
281+
if response['Success'] == True:
282+
logging.info('POST suceeded.')
283+
else:
284+
raise requests.exceptions.RequestException(f"""
285+
POST Failed:
286+
{response['Message']}
287+
"""
288+
)
289+
290+
def validate_data(
291+
self,
292+
data: str,
293+
client_dimension_group_id: str,
294+
):
295+
# Make sure fields match up
296+
app_fields = self.get_fields(client_dimension_group_id)
297+
csv_fields = self.get_csv_fields(data)
298+
assert app_fields == csv_fields, f"""
299+
Fields do not match.
300+
App Fields: {app_fields}
301+
CSV Fields: {csv_fields}
302+
"""
303+
304+
response = self.fetch(
305+
method='POST',
306+
path=f'/validateclientdata/{client_dimension_group_id}',
307+
data={'InlineData': data}
308+
)
309+
310+
self.check_post_response(response)
311+
312+
def upload_data(
313+
self,
314+
data: str,
315+
client_dimension_group_id: str,
316+
should_delete_existing_records: bool = True,
317+
should_replace_if_record_exists: bool = True
318+
):
319+
payload={
320+
# If false, becomes additive to existing records
321+
'ShouldReplaceRecordIfExists': should_replace_if_record_exists,
322+
}
323+
324+
response = self.fetch(
325+
method='POST',
326+
path=f'/importclientdata/{client_dimension_group_id}/{should_delete_existing_records}',
327+
data={'InlineData':data},
328+
payload=payload
329+
)
330+
331+
self.check_post_response(response)
332+
333+
185334
class ApiKeyError(ValueError):
186335
'''Raise when API is improperly formatted or invalid'''
187336
def __init__(self, message=None):
188337
if message is None:
189338
message = "An error occured with the provided API Key."
190339
self.message = message
191340

341+
192342
def main():
193343
pass
194344

prevedere/prevedere_api.ini.example

+1
Original file line numberDiff line numberDiff line change
@@ -1,2 +1,3 @@
11
[keys]
22
api key = 1234567890abcdef1234567890abcdef
3+
base = api

setup.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,7 @@
55

66
setuptools.setup(
77
name='prevedere-api',
8-
version='0.4.0',
8+
version='0.5.1',
99
author="Prevedere, Inc.",
1010
author_email="[email protected]",
1111
description="API interface for Prevedere Inc. in Python 3.6+",

0 commit comments

Comments
 (0)