Deleting rows from database with python flask?

前端 未结 4 892
一整个雨季
一整个雨季 2021-01-01 05:58

I am using a flask framework, and can\'t seem to delete rows from the database. The code below gives a 405 error: \"The method is not allowed for the requested URL.\" Any id

相关标签:
4条回答
  • 2021-01-01 06:25

    A simple <a href= link in HTML submits a GET request, but your route allows only PUT requests.

    <a> does not support PUT requests. You have to submit the request with a form and/or with JavaScript code. (See Make a link use POST instead of GET.)

    0 讨论(0)
  • 2021-01-01 06:27

    Alternatively, change POST to DELETE to get you going.

    @app.route('/delete/<postID>', methods=['DELETE'])
    

    Ideally, you should use HTTP DELETE method.

    0 讨论(0)
  • 2021-01-01 06:39

    Clicking <a href...>delete</a> will issue a GET request, and your delete_entry method only responds to POST.

    You need to either 1. replace the link with a form & submit button or 2. have the link submit a hidden form with JavaScript.

    Here's how to do 1:

    <form action="/delete/{{ entry.id }}" method="post">
        <input type="submit" value="Delete />
    </form>
    

    Here's how to do 2 (with jQuery):

    $(document).ready(function() {
        $("a.delete").click(function() {
            var form = $('<form action="/delete/' + this.dataset.id + '" method="post"></form>');
            form.submit();
        });
    });
    
    ...
    
    <a href="#delete" class="delete" data-id="{{ entry.id }}">Delete</a>
    

    One thing you should not do is make your delete_entry method respond to GET. GETs are meant to be idempotent (are safe to run repeatedly and don't perform destructive actions). Here's a question with some more details.

    0 讨论(0)
  • 2021-01-01 06:40

    I used flaskr as a base for my Flask project (as it looks like you did as well).

    In the .py:

    @app.route('/delete', methods=['POST'])
    def delete_entry():
    if not session.get('logged_in'):
        abort(401)
    g.db.execute('delete from entries where id = ?', [request.form['entry_id']])
    g.db.commit()
    flash('Entry deleted')
    return redirect(url_for('show_entries'))
    

    In the HTML:

    <form action="{{ url_for('delete_entry') }}" method=post class=delete-entry>
        <input type="hidden" name="entry_id" value="{{ entry.id }}">
        <input type="submit" value="Delete" />
    </form>
    

    I wanted a button, but you could easily use a link with the solution here.

    0 讨论(0)
提交回复
热议问题