Skip to content

Commit fea0980

Browse files
committed
first commit to public bananaml
1 parent 012e951 commit fea0980

9 files changed

+249
-1
lines changed

.gitignore

+3
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,6 @@
1+
# Tests
2+
test*
3+
14
# Byte-compiled / optimized / DLL files
25
__pycache__/
36
*.py[cod]

README.md

+48-1
Original file line numberDiff line numberDiff line change
@@ -1 +1,48 @@
1-
# banana-python-sdk
1+
# Banana Python SDK
2+
3+
### Getting Started
4+
5+
Install via pip
6+
`pip3 install banana-dev`
7+
8+
Get your API Key
9+
- [Sign in / log in here](https://app.banana.dev)
10+
11+
Run:
12+
```python
13+
import banana_dev as banana
14+
15+
api_key = "YOUR_API_KEY"
16+
model_key = "YOUR_MODEL_KEY"
17+
model_inputs = {
18+
# a json specific to your model. For example:
19+
"a": 1,
20+
"b": 2
21+
}
22+
23+
out = banana.run(api_key, model_key, model_inputs)
24+
print(out)
25+
```
26+
27+
Return type:
28+
```python
29+
{
30+
{
31+
"id": "12345678-1234-1234-1234-123456789012",
32+
"message": "success",
33+
"created": 1649712752,
34+
"apiVersion": "26 Nov 2021",
35+
"modelOutputs": [
36+
{
37+
# a json specific to your model. In this example, the sum of "a" and "b" from the above model_parameters
38+
"sum": 3,
39+
}
40+
]
41+
}
42+
}
43+
```
44+
45+
Parse the server output:
46+
```python
47+
model_out = out["modelOutputs"][0]
48+
```

banana_dev/__init__.py

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
from .package import run, start, check

banana_dev/config.py

+22
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,22 @@
1+
import os
2+
import json
3+
from uuid import uuid4
4+
5+
def load_config():
6+
user_path = os.path.expanduser("~")
7+
cache_path = os.path.join(user_path, ".banana")
8+
config_path = os.path.join(cache_path, "config.json")
9+
if not os.path.exists(config_path):
10+
os.makedirs(cache_path, exist_ok=True)
11+
default_config = {
12+
"machineID": str(uuid4())
13+
}
14+
with open(config_path, "w+") as f:
15+
f.write(json.dumps(default_config))
16+
return default_config
17+
else:
18+
with open(config_path, "r") as f:
19+
return json.loads(f.read())
20+
21+
if __name__ == "__main__":
22+
print(load_config())

banana_dev/generics.py

+107
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,107 @@
1+
import requests
2+
import time
3+
import os
4+
import json
5+
from uuid import uuid4
6+
7+
from .config import load_config
8+
9+
endpoint = 'https://api.banana.dev/'
10+
# Endpoint override for development
11+
if 'BANANA_URL' in os.environ:
12+
print("Dev Mode")
13+
if os.environ['BANANA_URL'] == 'local':
14+
endpoint = 'http://localhost/'
15+
else:
16+
endpoint = os.environ['BANANA_URL']
17+
print("Hitting endpoint:", endpoint)
18+
19+
config = load_config()
20+
21+
# THE MAIN FUNCTIONS
22+
# ___________________________________
23+
24+
25+
def run_main(api_key, model_key, model_inputs):
26+
call_id = start_api(api_key, model_key, model_inputs)
27+
while True:
28+
dict_out = check_api(api_key, call_id)
29+
if dict_out['message'].lower() == "success":
30+
return dict_out
31+
32+
def start_main(api_key, model_key, model_inputs):
33+
call_id = start_api(api_key, model_key, model_inputs)
34+
return call_id
35+
36+
def check_main(api_key, call_id):
37+
dict_out = check_api(api_key, call_id)
38+
return dict_out
39+
40+
41+
# THE API CALLING FUNCTIONS
42+
# ________________________
43+
44+
# Takes in start params, returns call ID
45+
def start_api(api_key, model_key, model_inputs):
46+
global endpoint
47+
global config
48+
route_start = "start/v2/"
49+
url_start = endpoint + route_start
50+
51+
payload = {
52+
"id": str(uuid4()),
53+
"created": time.time(),
54+
"apiKey" : api_key,
55+
"modelKey" : model_key,
56+
"modelInputs" : model_inputs,
57+
"config": config
58+
}
59+
60+
response = requests.post(url_start, json=payload)
61+
62+
if response.status_code != 200:
63+
raise Exception("server error: status code {}".format(response.status_code))
64+
65+
try:
66+
out = response.json()
67+
except:
68+
raise Exception("server error: returned invalid json")
69+
70+
try:
71+
if "error" in out['message'].lower():
72+
raise Exception(out['message'])
73+
call_id = out['callID']
74+
return call_id
75+
except:
76+
raise Exception("server error: Failed to return call_id")
77+
78+
# The bare async checker.
79+
def check_api(api_key, call_id):
80+
global endpoint
81+
route_check = "check/v2/"
82+
url_check = endpoint + route_check
83+
# Poll server for completed task
84+
85+
payload = {
86+
"id": str(uuid4()),
87+
"created": int(time.time()),
88+
"longPoll": True,
89+
"callID": call_id,
90+
"apiKey": api_key
91+
}
92+
response = requests.post(url_check, json=payload)
93+
94+
if response.status_code != 200:
95+
raise Exception("server error: status code {}".format(response.status_code))
96+
97+
try:
98+
out = response.json()
99+
except:
100+
raise Exception("server error: returned invalid json")
101+
102+
try:
103+
if "error" in out['message'].lower():
104+
raise Exception(out['message'])
105+
return out
106+
except Exception as e:
107+
raise e

banana_dev/package.py

+25
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,25 @@
1+
from .generics import run_main, start_main, check_main
2+
3+
# Generics
4+
def run(api_key, model_key, model_inputs):
5+
out = run_main(
6+
api_key = api_key,
7+
model_key = model_key,
8+
model_inputs = model_inputs
9+
)
10+
return out
11+
12+
def start(api_key, model_key, model_inputs):
13+
out = start_main(
14+
api_key = api_key,
15+
model_key = model_key,
16+
model_inputs = model_inputs
17+
)
18+
return out
19+
20+
def check(api_key, call_id):
21+
out_dict = check_main(
22+
api_key = api_key,
23+
call_id = call_id
24+
)
25+
return out_dict

deploy.sh

+3
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,3 @@
1+
!#/bin/bash
2+
python3 setup.py sdist bdist_wheel
3+
python3 -m twine upload dist/* --skip-existing

setup.cfg

+4
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,4 @@
1+
2+
# Inside of setup.cfg
3+
[metadata]
4+
description-file = README.md

setup.py

+36
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,36 @@
1+
from distutils.core import setup
2+
import setuptools
3+
from pathlib import Path
4+
5+
this_directory = Path(__file__).parent
6+
long_description = (this_directory / "README.md").read_text()
7+
8+
setup(
9+
name = 'banana_dev',
10+
packages = ['banana_dev'],
11+
version = '3.0.0',
12+
license='MIT',
13+
description = 'The banana package is a python client to interact with your machine learning models hosted on Banana', # Give a short description about your library
14+
long_description=long_description,
15+
long_description_content_type='text/markdown',
16+
author = 'Erik Dunteman',
17+
author_email = '[email protected]',
18+
url = 'https://www.banana.dev',
19+
keywords = ['Banana client', 'API wrapper', 'Banana', 'SDK'],
20+
setup_requires = ['wheel'],
21+
install_requires=[
22+
"certifi==2021.10.8",
23+
"charset-normalizer==2.0.7",
24+
"idna==3.3",
25+
"requests==2.26.0",
26+
"urllib3==1.26.7",
27+
],
28+
classifiers=[
29+
'Development Status :: 5 - Production/Stable', # Chose either "3 - Alpha", "4 - Beta" or "5 - Production/Stable" as the current state of your package
30+
'Intended Audience :: Developers',
31+
'Topic :: Software Development :: Build Tools',
32+
'License :: OSI Approved :: MIT License',
33+
'Programming Language :: Python :: 3.7',
34+
'Programming Language :: Python :: 3.8',
35+
],
36+
)

0 commit comments

Comments
 (0)