Python Daily
2.57K subscribers
1.48K photos
53 videos
2 files
38.9K links
Daily Python News
Question, Tips and Tricks, Best Practices on Python Programming Language
Find more reddit channels over at @r_channels
Download Telegram
Python 3 Cheat Sheet for Beginners

/r/Python
https://redd.it/8imrdt
[R] Full-body high-resolution Anime Generation with Progressive Structure-conditional GANs
http://dena.com/intl/anime-generation/

/r/MachineLearning
https://redd.it/8iky2y
How to combat blog spam?

This is a bit of a meta post about r/python, rather than python itself. However, it seems to me that there is a very noticeable amount of blog spam, which I'll loosely define as having the following features:

* Poorly-written
* Unhelpful - sometimes just plain incorrect and misleading
* Heavily focused just on SEO

Have others noticed the same thing?

Can anything be done to limit the amount of blog spam? Require posts to be authorised by mods before going live? Other measures to be taken?

I just wanted to attempt to open it up for debate, so please discuss below, if this is appropriate.



/r/Python
https://redd.it/8in595
Wagtail Space US: a free, three day Wagtail event in Philadelphia
https://us.wagtail.space

/r/django
https://redd.it/8ir1ef
json post issue

Ok, so here's the problem. I have a Notes form. It posts the information properly but lets say I'd like to post another post right after I hit submit note. It won't post it and it will fill the url eg: " [http://app.com/ticket/1?body=](http://app.com/ticket/1?body=)blahblah&?method=add ". If I want to post again I have to refresh the page, What am I doing wrong?

Here's my JS.

$('#noteform').submit(function(e) {
e.preventDefault();
var csrf_token = "{{ csrf_token() }}";
var ticketid = "{{ ticket.id }}";
var twoSecMin = $.Deferred();

$.ajax({
url: '/repair/addNote',
dataType: 'json',
type: 'post',
contentType: 'application/json',
data: JSON.stringify( {
"method": 'add',
"body": $('#body').val(),
"ticketid": ticketid,
"private_note": $('#private_note').prop('checked')
}),
processData: true,
success: function( data, textStatus, jQxhr ){
$('#notes').load(' #notes');
$('#notecount').load(' #notecount');
$('input[type=text], textarea').val('');
$('input[type=checkbox]').prop("checked", false);
},
error: function( jqXhr, textStatus, errorThrown ){
console.log( errorThrown );
alert('Error Posting Note!');
}
});


$.ajaxSetup({
beforeSend: function(xhr, settings) {
if (!/^(GET|HEAD|OPTIONS|TRACE)$/i.test(settings.type) && !this.crossDomain) {
xhr.setRequestHeader("X-CSRFToken", csrf_token);
}
}
});

});

and this is my controller logic.

@ticket.route('/addNote', methods=["POST"])
def addNote():
json = request.get_json()
method = json['method']

if method == 'add':
body = json['body']
private = json['private_note']
tid = json['ticketid']

# Create note!
newnote = Notes(
created_by = 0,
is_private = private,
ticket_id = tid,
body = body,
)

db.session.add(newnote)
db.session.commit()

elif method == 'delete':
noteid = json['noteid']

# Delete note.
notetodelete = Notes.query.filter_by(id=noteid).first_or_404()

db.session.delete(notetodelete)
db.session.commit()

elif method == 'update':
return None

return jsonify(result='done')

/r/flask
https://redd.it/8is6qf
Upload Progress Bar

Hi everyone,

I was wondering if you could recommend a progress bar that will work with file uploads in Django. I see that there are several available, and I've tried several without any success. I was wondering if you could recommend one that you've been able to get working.

Thanks!

/r/django
https://redd.it/8iu3sl
Django cms on AWS Lambda

Has anyone ever hosted a Django cms mezzanine or wagtail on AWS Lambda. If so I need some direction on to go about doing it effectively. Any pointers would be appreciated.

PS: I have hosted a simple Django based website on Lambda so I have elementary experience in this area.

/r/django
https://redd.it/8iv3lr
[Flask-SQLAlchemy] Querying association table in flask-sqlalchemy?

Let's say I have two models **Posts** and **Tags** and an association table **post_tags** that connects these models in a many-to-many relationship (one post can have one or many tags and each tag can have one or more posts attached to it):

post_tags = db.Table(
'post_tags',
db.Column('post_id', db.Integer, db.ForeignKey('posts.id'), primary_key=True),
db.Column('tag_id', db.Integer, db.ForeignKey('tags.id'), primary_key=True),
)

class Post(db.Model):
__tablename__ = 'posts'
id = db.Column(db.Integer, primary_key=True)
text = db.Column(db.Text, nullable=False)
created_at = db.Column(db.Integer, nullable=False)

class Tag(db.Model):
__tablename__ = 'tags'
id = db.Column(db.Integer, primary_key=True)
name = db.Column(db.String, unique=True, nullable=False)


I want to obtain the most frequently mentioned tags from the **post_tags** table. SQLite query for this roughly looks like:

SELECT tag_id, count(tag_id) FROM post_tags GROUP BY tag_id ORDER BY count(tag_id) DESC;

How can I accomplish this in SQLAlchemy? I am using Flask-SQLAlchemy extension and SQLite as a DB driver.

Edit: formatting and grammar

/r/flask
https://redd.it/8idv32
Can I host Django website where i currently host my Wordpress website?

I have a hosting service for 1 year but I use it to host Wordpress.Can i host my Django website on the server instead of the Wordpress?

What are the requirements to host Django?

/r/django
https://redd.it/8itn2j
[AF] Pagination not working, has_next and has_prev always gives None

Hi, so as the title suggests I have a problem regarding pagination. Here is the code I have tried to use (taken from [Miguel Grinberg's tutorial](https://blog.miguelgrinberg.com/post/the-flask-mega-tutorial-part-ix-pagination)).

def index():
"""View function for the index site, basically the main site.
Sorts posts by hotness"""
page = request.args.get('page', 1, type=int)
posts = Post.query.order_by(Post.hotness.desc()).paginate(
page, app.config['POSTS_PER_PAGE'], False)
next_url = url_for('index', page=posts.next_num) \
if posts.has_next else None
prev_url = url_for('index', page=posts.prev_num) \
if posts.has_prev else None
return render_template('index.html', title='Dopenet: You can do anything', posts=posts.items, next_url=next_url, prev_url=prev_url)

The index.html file is this:

{% extends "base.html" %}

{% block content %}
{% for post in posts if posts %}
{% include '_post.html' %}
{% endfor %}

{% if prev_url %}
<a href="{{ prev_url }}">Newer posts</a>
{% endif %}
{% if next_url %}
<a href="{{ next_url }}">Older posts</a>
{% endif %}

{% endblock %}

So I am guessing that both has_next and has_prev are giving `None` as a response, so hence no url for both prev and next.

What am I doing wrong and how can I fix this?

The rest of the code can be found here, if more context is needed:

https://www.github.com/ModoUnreal/Nuncio

/r/flask
https://redd.it/8ixivl
How to redirect a request on api point to a docker container?

I’m want requests sent on a route to be redirected to that of a container (exposed via ports)

/r/flask
https://redd.it/8dxkpc
A month ago /u/AlSweigart asked for help reviewing his book. I delivered and so did he.

/r/Python
https://redd.it/8ixbcm