简体   繁体   English

Flask、concurrent.futures 和 SQLAlchemy - 找不到应用程序:在视图函数内工作或推送应用程序上下文

[英]Flask, concurrent.futures and SQLAlchemy - No application found: work inside a view function or push an application context

Im building a Flask app which require a background process resulting in uploads to a SQLAlchemy database.我正在构建一个需要后台进程的Flask应用程序,导致上传到SQLAlchemy数据库。

Relevant snippets:相关片段:

from flask_sqlalchemy import SQLAlchemy
import concurrent.futures
import queue
from models import Upload_Tracks

app = Flask(__name__)
db.init_app(app)

app.config.update(
SQLALCHEMY_DATABASE_URI= "sqlite:///%s" % os.path.join(app.root_path, 'path/to/player.sqlite3'))

q = queue.Queue()

In database.py :database.py

from flask_sqlalchemy import SQLAlchemy

db = SQLAlchemy()

In models.py :models.py

def Upload_Tracks(item):
        uri = None
        title = unidecode(item['title'])
        artist = unidecode(item['artist'])
        preview = item['preview']
        energy = item['energy']
        popularity = item['popularity']
        tempo = item['tempo']
        brightness = item['brightness']
        key = item['key']
        image = item['artist_image']
        duration = item['duration']
        loudness = item['loudness']
        valence = item['valence']
        genre = item['genre']

        track = Track(title=title,
                      artist=artist,
                      uri=uri,
                      track_id=None)

        db.session.add(track)

        track.preview = preview
        track.energy = energy
        track.popularity = popularity
        track.tempo = tempo
        track.genre = genre
        track.brightness = brightness
        track.key = key
        track.image = image
        track.duration = duration
        track.loudness = loudness
        track.valence = valence

        db.session.commit()

first function:第一个功能:

# 1st background process
def build_cache():
    """
    Build general cache 
    from user's streaming
    """
    tracks_and_features = spotify.query_tracks()

    for item in tracks_and_features:
        q.put(item)

    return "CACHE BUILT"               

second:第二:

def upload_cache(track):
    # save to database
    Upload_Tracks(filtered_dataset=track) 

    return "CACHE UPLOADED"               

Flask view: Flask视图:

#background cache
@app.route('/cache')
def cache():
    # We can use a with statement to ensure threads are cleaned up promptly
    with concurrent.futures.ThreadPoolExecutor(max_workers=4) as executor:
        #executor.submit(build_cache)

        # start a future for a thread which sends work in through the queue
        future_to_track = {
            executor.submit(build_cache): 'TRACKER DONE'}

        while future_to_track:
            # check for status of the futures which are currently working
            done, not_done = concurrent.futures.wait(
                                                future_to_track, 
                                                timeout=0.25,
                                                return_when=concurrent.futures.FIRST_COMPLETED) 

            # if there is incoming work, start a new future
            while not q.empty():

                # fetch a track from the queue
                track = q.get()

                # Start the load operation and mark the future with its TRACK
                future_to_track[executor.submit(upload_cache, track)] = track
            # process any completed futures
            for future in done:
                track = future_to_track[future]
                try:
                    data = future.result()
                except Exception as exc:
                    print('%r generated an exception: %s' % (track, exc))
                else:
                    if track == 'TRACKER DONE':
                        print(data)
                    else:
                        print('%r track is nont uploaded to database') % (track)

                # remove the now completed future
                del future_to_track[future]


    return 'Cacheing playlist in the background...'

Database works fine with no threading.数据库工作正常,没有线程。 However, when I run it all, the following exception is being caught:但是,当我运行它时,会捕获以下异常:

FIRST CACHE BUILT {'brightness': 0.4293608513678877, 'energy': 0.757, 'tempo': 116.494, 'duration': 201013, 'key': 5, 'loudness': -7.607, 'genre': [u'art rock', u'dance rock', u'folk rock', u'mellow gold', u'new wave', u'new wave pop', u'power pop', u'pub rock', u'rock', u'roots rock'], 'valence': 0.435, 'artist': u'Elvis Costello & The Attractions', 'popularity': 14, 'artist_image': u' https://i.scdn.co/image/c14ffeb7855625383c266c9c04faa75516a25503 ', 'title': u'Poor Napoleon', 'preview': u' https://p.scdn.co/mp3-preview/c0d57fed887ea2dbd7f69c7209adab71671b9e6e?cid=d3b2f7a12362468daa393cf457185973 '} generated an exception: No application found.第一个缓存构建 {'brightness':0.4293608513678877,'energy':0.757,'tempo':116.494,'duration':201013,'key':5,'loudness',-7.607'genre'rock: ', u'dance rock', u'folk rock', u'mellow gold', u'new wave', u'new wave pop', u'power pop', u'pub rock', u'rock', u'roots rock'], 'valence': 0.435, 'artist': u'Elvis Costello & The Attractions', 'popularity': 14, 'artist_image': u' https://i.scdn.co/image/ c14ffeb7855625383c266c9c04faa75516a25503 ' '标题':u'Poor拿破仑', '预览':U ' https://p.scdn.co/mp3-preview/c0d57fed887ea2dbd7f69c7209adab71671b9e6e?cid=d3b2f7a12362468daa393cf457185973 '}生成异常:未找到应用。 Either work inside a view function or push an application context.在视图函数内工作或推送应用程序上下文。 See http://flask-sqlalchemy.pocoo.org/contexts/ .请参阅http://flask-sqlalchemy.pocoo.org/contexts/

but the process, to my knowledge, is running within @app.route .但据我所知,这个过程是在@app.route运行的。 how is this out of context?这怎么断章取义了? how do I fix this?我该如何解决?

In case anyone who meet the same problem如果有人遇到同样的问题

from flask import current_app
def context_wrap(fn):
    app_context = current_app.app_context()
    def wrapper(*args, **kwargs):
        with app_context:
            return fn(*args, **kwargs)
    return wrapper

#Then In this case:
future_to_track = {
        executor.submit(context_wrap(build_cache)): 'TRACKER DONE'}
#OR In your case:
context_wrap(any_func_need_context)

The following worked:以下工作:

def build_cache():
    with app.app_context():
        (...)

def upload_cache(track):
    with app.app_context():
        (...)

@app.route('/cache')
def cache():
    with app.app_context():
        with concurrent.futures.ThreadPoolExecutor(max_workers=4) as executor:
            (...)

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

相关问题 带有蓝图的 Flask-sqlalchemy - 运行时错误:找不到应用程序。 在视图函数中工作或推送应用程序上下文 - Flask-sqlalchemy with Blueprints - RuntimeError: No application found. Either work inside a view function or push an application context RuntimeError:未找到应用程序。 在视图 function 内工作或推送应用程序上下文。 FLASK SQLAlchemy 错误 - RuntimeError: No application found. Either work inside a view function or push an application context. FLASK SQLAlchemy error Flask - 运行时错误:找不到应用程序。 在视图函数内工作或推送应用程序上下文 - Flask - RuntimeError: No application found. Either work inside a view function or push an application context 试图删除 flask 中的所有表,运行时错误:未找到应用程序。 在视图 function 内工作或推送应用程序上下文 - Trying to drop all tables in flask, RuntimeError: No application found. Either work inside a view function or push an application context `concurrent.futures`中`with`的function - function of `with` in `concurrent.futures` 这个 function 在 concurrent.futures 中使用时不起作用 - This function does not work when using it in concurrent.futures Flask,将 Flask-sqlalchemy 的应用程序上下文推送到 huey worker - Flask, push application context for Flask-sqlalchemy to huey worker 未找到烧瓶sqlalchemy的应用程序 - No application found with flask sqlalchemy Python concurrent.futures:ProcessPoolExecutor 无法工作 - Python concurrent.futures: ProcessPoolExecutor fail to work globals() 不适用于 concurrent.futures 模块? - globals() does not work with concurrent.futures module?
 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM