Initial commit
File structure in place /players and /current built
This commit is contained in:
parent
8ea69e73b6
commit
7ac8b752ec
@ -1,8 +1,8 @@
|
|||||||
FROM tiangolo/uvicorn-gunicorn-fastapi:python3.8
|
FROM tiangolo/uvicorn-gunicorn-fastapi:latest
|
||||||
|
|
||||||
WORKDIR /usr/src/app
|
WORKDIR /usr/src/app
|
||||||
|
|
||||||
COPY requirements.txt ./
|
COPY requirements.txt ./
|
||||||
RUN pip install --no-cache-dir -r requirements.txt
|
RUN pip install --no-cache-dir -r requirements.txt
|
||||||
|
|
||||||
COPY . .
|
COPY ./app /app
|
||||||
0
app/__init__.py
Normal file
0
app/__init__.py
Normal file
1817
app/database/__init__.py
Normal file
1817
app/database/__init__.py
Normal file
File diff suppressed because it is too large
Load Diff
1817
app/db_engine.py
Normal file
1817
app/db_engine.py
Normal file
File diff suppressed because it is too large
Load Diff
20
app/dependencies.py
Normal file
20
app/dependencies.py
Normal file
@ -0,0 +1,20 @@
|
|||||||
|
import datetime
|
||||||
|
import logging
|
||||||
|
import os
|
||||||
|
|
||||||
|
from fastapi.security import OAuth2PasswordBearer
|
||||||
|
|
||||||
|
date = f'{datetime.datetime.now().year}-{datetime.datetime.now().month}-{datetime.datetime.now().day}'
|
||||||
|
log_level = logging.INFO if os.environ.get('LOG_LEVEL') == 'INFO' else 'WARN'
|
||||||
|
logging.basicConfig(
|
||||||
|
filename=f'logs/database/{date}.log',
|
||||||
|
format='%(asctime)s - database - %(levelname)s - %(message)s',
|
||||||
|
level=log_level
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
oauth2_scheme = OAuth2PasswordBearer(tokenUrl="token")
|
||||||
|
|
||||||
|
|
||||||
|
def valid_token(token):
|
||||||
|
return token == os.environ.get('API_TOKEN')
|
||||||
16
app/main.py
Normal file
16
app/main.py
Normal file
@ -0,0 +1,16 @@
|
|||||||
|
from fastapi import Depends, FastAPI
|
||||||
|
|
||||||
|
from routers_v3 import current, players
|
||||||
|
|
||||||
|
app = FastAPI(
|
||||||
|
responses={404: {'description': 'Not found'}}
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
app.include_router(current.router)
|
||||||
|
app.include_router(players.router)
|
||||||
|
|
||||||
|
|
||||||
|
# @app.get("/api")
|
||||||
|
# async def root():
|
||||||
|
# return {"message": "Hello Bigger Applications!"}
|
||||||
0
app/routers_v3/__init__.py
Normal file
0
app/routers_v3/__init__.py
Normal file
118
app/routers_v3/current.py
Normal file
118
app/routers_v3/current.py
Normal file
@ -0,0 +1,118 @@
|
|||||||
|
from fastapi import APIRouter, Depends, HTTPException
|
||||||
|
from typing import Optional
|
||||||
|
import logging
|
||||||
|
import pydantic
|
||||||
|
|
||||||
|
from db_engine import db, Current, model_to_dict, DatabaseError
|
||||||
|
from dependencies import oauth2_scheme, valid_token, logging
|
||||||
|
|
||||||
|
router = APIRouter(
|
||||||
|
prefix='/api/v3/current',
|
||||||
|
tags=['current']
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
class CurrentModel(pydantic.BaseModel):
|
||||||
|
week: Optional[int] = 0
|
||||||
|
freeze: Optional[bool] = False
|
||||||
|
season: int
|
||||||
|
transcount: Optional[int] = 0
|
||||||
|
bstatcount: Optional[int] = 0
|
||||||
|
pstatcount: Optional[int] = 0
|
||||||
|
bet_week: Optional[int] = 0
|
||||||
|
trade_deadline: int
|
||||||
|
pick_trade_start: int = 69
|
||||||
|
pick_trade_end: int = 420
|
||||||
|
playoffs_begin: int
|
||||||
|
injury_count: Optional[int] = 0
|
||||||
|
|
||||||
|
|
||||||
|
@router.get('')
|
||||||
|
async def get_current(season: Optional[int] = None):
|
||||||
|
if season is not None:
|
||||||
|
current = Current.get_or_none(season=season)
|
||||||
|
else:
|
||||||
|
current = Current.latest()
|
||||||
|
|
||||||
|
if current is not None:
|
||||||
|
r_curr = model_to_dict(current)
|
||||||
|
db.close()
|
||||||
|
return r_curr
|
||||||
|
else:
|
||||||
|
return None
|
||||||
|
|
||||||
|
|
||||||
|
@router.patch('/{current_id}')
|
||||||
|
async def patch_current(
|
||||||
|
current_id: int, season: Optional[int] = None, week: Optional[int] = None, freeze: Optional[bool] = None,
|
||||||
|
transcount: Optional[int] = None, bstatcount: Optional[int] = None, pstatcount: Optional[int] = None,
|
||||||
|
bet_week: Optional[int] = None, trade_deadline: Optional[int] = None, pick_trade_start: Optional[int] = None,
|
||||||
|
pick_trade_end: Optional[int] = None, injury_count: Optional[int] = None, token: str = Depends(oauth2_scheme)):
|
||||||
|
if not valid_token(token):
|
||||||
|
logging.warning(f'patch_current - Bad Token: {token}')
|
||||||
|
raise HTTPException(status_code=401, detail='Unauthorized')
|
||||||
|
|
||||||
|
try:
|
||||||
|
current = Current.get_by_id(current_id)
|
||||||
|
except Exception as e:
|
||||||
|
raise HTTPException(status_code=404, detail=f'Current id {current_id} not found')
|
||||||
|
|
||||||
|
if week is not None:
|
||||||
|
current.week = week
|
||||||
|
if season is not None:
|
||||||
|
current.season = season
|
||||||
|
if freeze is not None:
|
||||||
|
current.freeze = freeze
|
||||||
|
if transcount is not None:
|
||||||
|
current.transcount = transcount
|
||||||
|
if bstatcount is not None:
|
||||||
|
current.bstatcount = bstatcount
|
||||||
|
if pstatcount is not None:
|
||||||
|
current.pstatcount = pstatcount
|
||||||
|
if bet_week is not None:
|
||||||
|
current.bet_week = bet_week
|
||||||
|
if trade_deadline is not None:
|
||||||
|
current.trade_deadline = trade_deadline
|
||||||
|
if pick_trade_start is not None:
|
||||||
|
current.pick_trade_start = pick_trade_start
|
||||||
|
if pick_trade_end is not None:
|
||||||
|
current.pick_trade_end = pick_trade_end
|
||||||
|
if injury_count is not None:
|
||||||
|
current.injury_count = injury_count
|
||||||
|
|
||||||
|
if current.save():
|
||||||
|
r_curr = model_to_dict(current)
|
||||||
|
db.close()
|
||||||
|
return r_curr
|
||||||
|
else:
|
||||||
|
db.close()
|
||||||
|
raise HTTPException(status_code=500, detail=f'Unable to patch current {current_id}')
|
||||||
|
|
||||||
|
|
||||||
|
@router.post('')
|
||||||
|
async def post_current(new_current: CurrentModel, token: str = Depends(oauth2_scheme)):
|
||||||
|
if not valid_token(token):
|
||||||
|
logging.warning(f'patch_current - Bad Token: {token}')
|
||||||
|
raise HTTPException(status_code=401, detail='Unauthorized')
|
||||||
|
|
||||||
|
this_current = Current(**new_current.dict())
|
||||||
|
|
||||||
|
if this_current.save():
|
||||||
|
r_curr = model_to_dict(this_current)
|
||||||
|
db.close()
|
||||||
|
return r_curr
|
||||||
|
else:
|
||||||
|
db.close()
|
||||||
|
raise HTTPException(status_code=500, detail=f'Unable to post season {new_current.season} current')
|
||||||
|
|
||||||
|
|
||||||
|
@router.delete('/{current_id}')
|
||||||
|
def delete_current(current_id: int, token: str = Depends(oauth2_scheme)):
|
||||||
|
if not valid_token(token):
|
||||||
|
logging.warning(f'patch_current - Bad Token: {token}')
|
||||||
|
raise HTTPException(status_code=401, detail='Unauthorized')
|
||||||
|
|
||||||
|
if Current.delete_by_id(current_id) == 1:
|
||||||
|
return f'Deleted current ID {current_id}'
|
||||||
|
|
||||||
|
raise HTTPException(status_code=500, detail=f'Unable to delete current {current_id}')
|
||||||
204
app/routers_v3/players.py
Normal file
204
app/routers_v3/players.py
Normal file
@ -0,0 +1,204 @@
|
|||||||
|
from fastapi import APIRouter, Depends, HTTPException, Query
|
||||||
|
from typing import List, Optional
|
||||||
|
import logging
|
||||||
|
import pydantic
|
||||||
|
|
||||||
|
from db_engine import db, Player, model_to_dict, DatabaseError, chunked
|
||||||
|
from dependencies import oauth2_scheme, valid_token, logging
|
||||||
|
|
||||||
|
router = APIRouter(
|
||||||
|
prefix='/api/v3/players',
|
||||||
|
tags=['players']
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
class PlayerModel(pydantic.BaseModel):
|
||||||
|
name: str
|
||||||
|
wara: float
|
||||||
|
image: str
|
||||||
|
image2: Optional[str] = None
|
||||||
|
team_id: int
|
||||||
|
season: int
|
||||||
|
pitcher_injury: Optional[int] = None
|
||||||
|
pos_1: str
|
||||||
|
pos_2: Optional[str] = None
|
||||||
|
pos_3: Optional[str] = None
|
||||||
|
pos_4: Optional[str] = None
|
||||||
|
pos_5: Optional[str] = None
|
||||||
|
pos_6: Optional[str] = None
|
||||||
|
pos_7: Optional[str] = None
|
||||||
|
pos_8: Optional[str] = None
|
||||||
|
last_game: Optional[str] = None
|
||||||
|
last_game2: Optional[str] = None
|
||||||
|
il_return: Optional[str] = None
|
||||||
|
demotion_week: Optional[int] = None
|
||||||
|
strat_code: Optional[str] = None
|
||||||
|
bbref_id: Optional[str] = None
|
||||||
|
injury_rating: Optional[str] = None
|
||||||
|
|
||||||
|
|
||||||
|
class PlayerList(pydantic.BaseModel):
|
||||||
|
players: List[PlayerModel]
|
||||||
|
|
||||||
|
|
||||||
|
@router.get('')
|
||||||
|
def get_players(
|
||||||
|
season: Optional[int], team_id: list = Query(default=None), pos: list = Query(default=None),
|
||||||
|
is_injured: Optional[bool] = None, sort: Optional[str] = None):
|
||||||
|
logging.info(f'team_id: {team_id}')
|
||||||
|
|
||||||
|
all_players = Player.select_season(season)
|
||||||
|
|
||||||
|
if team_id is not None:
|
||||||
|
all_players = all_players.where(Player.team_id << team_id)
|
||||||
|
|
||||||
|
if pos is not None:
|
||||||
|
p_list = [x.upper() for x in pos]
|
||||||
|
all_players = all_players.where(
|
||||||
|
(Player.pos_1 << p_list) | (Player.pos_2 << p_list) | (Player.pos_3 << p_list) | (Player.pos_4 << p_list) |
|
||||||
|
(Player.pos_5 << p_list) | (Player.pos_6 << p_list) | (Player.pos_7 << p_list) | (Player.pos_8 << p_list)
|
||||||
|
)
|
||||||
|
|
||||||
|
if is_injured is not None:
|
||||||
|
all_players = all_players.where(Player.il_return.is_null(False))
|
||||||
|
|
||||||
|
if sort is not None:
|
||||||
|
if sort == 'cost-asc':
|
||||||
|
all_players = all_players.order_by(Player.wara)
|
||||||
|
elif sort == 'cost-desc':
|
||||||
|
all_players = all_players.order_by(-Player.wara)
|
||||||
|
elif sort == 'name-asc':
|
||||||
|
all_players = all_players.order_by(Player.name)
|
||||||
|
elif sort == 'name-desc':
|
||||||
|
all_players = all_players.order_by(-Player.name)
|
||||||
|
|
||||||
|
return_players = {
|
||||||
|
'count': all_players.count(),
|
||||||
|
'players': [model_to_dict(x) for x in all_players]
|
||||||
|
}
|
||||||
|
db.close()
|
||||||
|
return return_players
|
||||||
|
|
||||||
|
|
||||||
|
@router.get('/{player_id}')
|
||||||
|
def get_one_player(player_id: int):
|
||||||
|
this_player = Player.get_or_none(Player.id == player_id)
|
||||||
|
if this_player:
|
||||||
|
r_player = model_to_dict(this_player)
|
||||||
|
else:
|
||||||
|
r_player = None
|
||||||
|
db.close()
|
||||||
|
return r_player
|
||||||
|
|
||||||
|
|
||||||
|
@router.patch('/{player_id}')
|
||||||
|
def patch_player(
|
||||||
|
player_id: int, wara: Optional[int] = None, image: Optional[str] = None, image2: Optional[str] = None,
|
||||||
|
team_id: Optional[int] = None, season: Optional[int] = None, last_game: Optional[str] = None,
|
||||||
|
last_game2: Optional[str] = None, il_return: Optional[str] = None, demotion_week: Optional[int] = None,
|
||||||
|
strat_code: Optional[str] = None, bbref_id: Optional[str] = None, injury_rating: Optional[str] = None,
|
||||||
|
pos_1: Optional[str] = None, pos_2: Optional[str] = None, pos_3: Optional[str] = None,
|
||||||
|
pos_4: Optional[str] = None, pos_5: Optional[str] = None, pos_6: Optional[str] = None,
|
||||||
|
pos_7: Optional[str] = None, pos_8: Optional[str] = None, token: str = Depends(oauth2_scheme)):
|
||||||
|
if not valid_token(token):
|
||||||
|
logging.warning(f'patch_player - Bad Token: {token}')
|
||||||
|
raise HTTPException(status_code=401, detail='Unauthorized')
|
||||||
|
|
||||||
|
this_player = Player.get_or_none(Player.id == player_id)
|
||||||
|
if not this_player:
|
||||||
|
return None
|
||||||
|
|
||||||
|
if wara is not None:
|
||||||
|
this_player.wara = wara
|
||||||
|
if image is not None:
|
||||||
|
this_player.image = image
|
||||||
|
if image2 is not None:
|
||||||
|
this_player.image2 = image2
|
||||||
|
if team_id is not None:
|
||||||
|
this_player.team_id = team_id
|
||||||
|
if season is not None:
|
||||||
|
this_player.season = season
|
||||||
|
if last_game is not None:
|
||||||
|
this_player.last_game = last_game
|
||||||
|
if last_game2 is not None:
|
||||||
|
this_player.last_game2 = last_game2
|
||||||
|
if il_return is not None:
|
||||||
|
this_player.il_return = il_return
|
||||||
|
if demotion_week is not None:
|
||||||
|
this_player.demotion_week = demotion_week
|
||||||
|
if strat_code is not None:
|
||||||
|
this_player.strat_code = strat_code
|
||||||
|
if bbref_id is not None:
|
||||||
|
this_player.bbref_id = bbref_id
|
||||||
|
if injury_rating is not None:
|
||||||
|
this_player.injury_rating = injury_rating
|
||||||
|
if pos_1 is not None:
|
||||||
|
this_player.pos_1 = pos_1
|
||||||
|
if pos_2 is not None:
|
||||||
|
this_player.pos_2 = pos_2
|
||||||
|
if pos_3 is not None:
|
||||||
|
this_player.pos_3 = pos_3
|
||||||
|
if pos_4 is not None:
|
||||||
|
this_player.pos_4 = pos_4
|
||||||
|
if pos_5 is not None:
|
||||||
|
this_player.pos_5 = pos_5
|
||||||
|
if pos_6 is not None:
|
||||||
|
this_player.pos_6 = pos_6
|
||||||
|
if pos_7 is not None:
|
||||||
|
this_player.pos_7 = pos_7
|
||||||
|
if pos_8 is not None:
|
||||||
|
this_player.pos_8 = pos_8
|
||||||
|
|
||||||
|
if this_player.save() == 1:
|
||||||
|
r_player = model_to_dict(this_player)
|
||||||
|
db.close()
|
||||||
|
return r_player
|
||||||
|
else:
|
||||||
|
db.close()
|
||||||
|
raise HTTPException(status_code=500, detail=f'Unable to patch player {player_id}')
|
||||||
|
|
||||||
|
|
||||||
|
@router.post('/')
|
||||||
|
def post_players(p_list: PlayerList, token: str = Depends(oauth2_scheme)):
|
||||||
|
if not valid_token(token):
|
||||||
|
logging.warning(f'post_players - Bad Token: {token}')
|
||||||
|
raise HTTPException(status_code=401, detail='Unauthorized')
|
||||||
|
|
||||||
|
new_players = []
|
||||||
|
for player in p_list.players:
|
||||||
|
dupe = Player.get_or_none(Player.season == player.season, Player.name == player.name)
|
||||||
|
if dupe:
|
||||||
|
db.close()
|
||||||
|
raise HTTPException(
|
||||||
|
status_code=500,
|
||||||
|
detail=f'Player name {player.name} already in use in Season {player.season}'
|
||||||
|
)
|
||||||
|
|
||||||
|
new_players.append(player.dict())
|
||||||
|
|
||||||
|
with db.atomic():
|
||||||
|
for batch in chunked(new_players, 15):
|
||||||
|
Player.insert_many(batch).on_conflict_replace().execute()
|
||||||
|
db.close()
|
||||||
|
|
||||||
|
return f'Inserted {len(new_players)} players'
|
||||||
|
|
||||||
|
|
||||||
|
@router.delete('/{player_id}')
|
||||||
|
def delete_player(player_id: int, token: str = Depends(oauth2_scheme)):
|
||||||
|
if not valid_token(token):
|
||||||
|
logging.warning(f'delete_player - Bad Token: {token}')
|
||||||
|
raise HTTPException(status_code=401, detail='Unauthorized')
|
||||||
|
|
||||||
|
this_player = Player.get_or_none(Player.id == player_id)
|
||||||
|
if not this_player:
|
||||||
|
db.close()
|
||||||
|
raise HTTPException(status_code=404, detail=f'Player ID {player_id} not found')
|
||||||
|
|
||||||
|
count = this_player.delete_instance()
|
||||||
|
db.close()
|
||||||
|
|
||||||
|
if count == 1:
|
||||||
|
return f'Player {player_id} has been deleted'
|
||||||
|
else:
|
||||||
|
raise HTTPException(status_code=500, detail=f'Player {player_id} could not be deleted')
|
||||||
@ -1,5 +1,5 @@
|
|||||||
fastapi==0.61.1
|
fastapi
|
||||||
uvicorn==0.12.2
|
uvicorn
|
||||||
peewee==3.13.3
|
peewee==3.13.3
|
||||||
python-multipart
|
python-multipart
|
||||||
pandas
|
pandas
|
||||||
|
|||||||
Loading…
Reference in New Issue
Block a user