0

我使用的是管理 Tweeter Account Activity API 的示例应用程序,链接如下:

https://github.com/RickRedSix/twitter-webhook-boilerplate-python/blob/master/Main.py

我在 pythonanywhere.com 中构建了我的网络应用程序,并且不断收到以下信息:

{error : {'code': 214, 'message': 'CRC GET 请求期间的非 200 响应代码(即 404、500 等)。'}}

在我的 wsgi 配置中,代码如下

# This file contains the WSGI configuration required to serve up your
# web application at http://<your-username>.pythonanywhere.com/
# It works by setting the variable 'application' to a WSGI handler of some
# description.
#
# The below has been auto-generated for your Flask project

import sys

# add your project directory to the sys.path
project_home = '/home/YouMatterBot2/mysite'
if project_home not in sys.path:
    sys.path = [project_home] + sys.path

# import flask app but need to call it "application" for WSGI to work
from flask_app import app as application  # noqa

这是flask_app.py中的代码:


#!/usr/bin/env python
from flask import Flask, request, send_from_directory, make_response
from http import HTTPStatus

import Twitter, hashlib, hmac, base64, os, logging, json

from dotenv import load_dotenv
load_dotenv('.env')

CONSUMER_SECRET = os.getenv('CONSUMER_SECRET')
CURRENT_USER_ID = os.getenv('CURRENT_USER_ID')
         
app = Flask(__name__)   

#generic index route    
@app.route('/')
def default_route():        
    return send_from_directory('www', 'index.html')               

#The GET method for webhook should be used for the CRC check
#TODO: add header validation (compare_digest https://docs.python.org/3.6/library/hmac.html)
@app.route("/webhook", methods=["GET"])
def twitterCrcValidation():
    
    crc = request.args['crc_token']
  
    validation = hmac.new(
        key=bytes(CONSUMER_SECRET, 'utf-8'),
        msg=bytes(crc, 'utf-8'),
        digestmod = hashlib.sha256
    )
    digested = base64.b64encode(validation.digest())
    response = {
        'response_token': 'sha256=' + format(str(digested)[2:-1])
    }
    print('responding to CRC call')

    return json.dumps(response)   
        
#The POST method for webhook should be used for all other API events
#TODO: add event-specific behaviours beyond Direct Message and Like
@app.route("/webhook", methods=["POST"])
def twitterEventReceived():
            
    requestJson = request.get_json()

    #dump to console for debugging purposes
    print(json.dumps(requestJson, indent=4, sort_keys=True))
            
    if 'favorite_events' in requestJson.keys():
        #Tweet Favourite Event, process that
        likeObject = requestJson['favorite_events'][0]
        userId = likeObject.get('user', {}).get('id')          
              
        #event is from myself so ignore (Favourite event fires when you send a DM too)   
        if userId == CURRENT_USER_ID:
            return ('', HTTPStatus.OK)
            
        Twitter.processLikeEvent(likeObject)
                          
    elif 'direct_message_events' in requestJson.keys():
        #DM recieved, process that
        eventType = requestJson['direct_message_events'][0].get("type")
        messageObject = requestJson['direct_message_events'][0].get('message_create', {})
        messageSenderId = messageObject.get('sender_id')   
        
        #event type isnt new message so ignore
        if eventType != 'message_create':
            return ('', HTTPStatus.OK)
            
        #message is from myself so ignore (Message create fires when you send a DM too)   
        if messageSenderId == CURRENT_USER_ID:
            return ('', HTTPStatus.OK)
             
        Twitter.processDirectMessageEvent(messageObject)    
                
    else:
        #Event type not supported
        return ('', HTTPStatus.OK)
    
    return ('', HTTPStatus.OK)

                        
if __name__ == '__main__':
    # Bind to PORT if defined, otherwise default to 65010.
    port = int(os.environ.get('PORT', 65010))
    gunicorn_logger = logging.getLogger('gunicorn.error')
    app.logger.handlers = gunicorn_logger.handlers
    app.logger.setLevel(gunicorn_logger.level)
    app.run(host='0.0.0.0', port=port, debug=True)

但是当我运行此代码来注册我的 webhook

from TwitterAPI import TwitterAPI

import os

from dotenv import load_dotenv

load_dotenv('.env')

CONSUMER_KEY = os.getenv('CONSUMER_KEY')
CONSUMER_SECRET = os.getenv('CONSUMER_SECRET')

ACCESS_TOKEN = os.getenv('ACCESS_TOKEN')
ACCESS_TOKEN_SECRET = os.getenv('ACCESS_TOKEN_SECRET')

#The environment name for the beta is filled below. Will need changing in future        
ENVNAME = os.getenv('ENVNAME')
WEBHOOK_URL = os.getenv('WEBHOOK_URL')

twitterAPI = TwitterAPI(CONSUMER_KEY, CONSUMER_SECRET, ACCESS_TOKEN, ACCESS_TOKEN_SECRET)

r = twitterAPI.request('account_activity/all/:%s/webhooks' % ENVNAME, {'url': WEBHOOK_URL})

print (r.status_code)
print(r.json())
print (r.text)

我收到上述错误。

这是因为 pythonanywhere.com 的问题吗,如果是,我该如何解决?

4

0 回答 0