How to find user's patreon pledge tier using django-allauth for authentication
I managed to get the pledge by changing django-allauth directly. Since it uses API v1 you need to change the scopes in order to get info from the API v2 endpoints. To do this I had to modify the patreon provider and views from allauth.
This is only my second project in python, so excuse the possibly messy or not ideal code:
provider.py
# Change
def get_default_scope(self):
return ['pledges-to-me', 'users', 'my-campaign']
# to
def get_default_scope(self):
return ['identity', 'identity[email]', 'campaigns', 'campaigns.members']
views.py
"""
Views for PatreonProvider
https://www.patreon.com/platform/documentation/oauth
"""
import requests
from allauth.socialaccount.providers.oauth2.views import (
OAuth2Adapter,
OAuth2CallbackView,
OAuth2LoginView,
)
from .provider import PatreonProvider
class PatreonOAuth2Adapter(OAuth2Adapter):
provider_id = PatreonProvider.id
access_token_url = 'https://www.patreon.com/api/oauth2/token'
authorize_url = 'https://www.patreon.com/oauth2/authorize'
profile_url = 'https://www.patreon.com/api/oauth2/v2/identity?include=memberships&fields[user]=email,first_name,full_name,image_url,last_name,social_connections,thumb_url,url,vanity'
def complete_login(self, request, app, token, **kwargs):
resp = requests.get(self.profile_url,
headers={'Authorization': 'Bearer ' + token.token})
extra_data = resp.json().get('data')
try:
member_id = extra_data['relationships']['memberships']['data'][0]['id']
member_url = f'https://www.patreon.com/api/oauth2/v2/members/{member_id}?include=currently_entitled_tiers&fields%5Btier%5D=title'
resp_member = requests.get(member_url,
headers={'Authorization': 'Bearer ' + token.token})
pledge_title = resp_member.json()['included'][0]['attributes']['title']
extra_data["pledge_level"] = pledge_title
except (KeyError, IndexError):
extra_data["pledge_level"] = None
pass
return self.get_provider().sociallogin_from_response(request,
extra_data)
oauth2_login = OAuth2LoginView.adapter_view(PatreonOAuth2Adapter)
oauth2_callback = OAuth2CallbackView.adapter_view(PatreonOAuth2Adapter)
With that you can request from the API v2 endpoints (still using the APIv1 client, haven't yet tested if it works with API v2 client), and it will add the pledge title to the extra_data field on the social account.