[Django]-Line is too long. Django PEP8

30👍

It’s “correct”, PEP8 just flags lines over 79 characters long. But if you’re concerned about that, you could write it like this:

field = TreeForeignKey('self',
                       null=True,
                       blank=True,
                       related_name='abcdefgh')

Or this:

field = TreeForeignKey(
    'self',
    null=True,
    blank=True,
    related_name='abcdefgh',
)

Or, really, any other style that would break the single line into multiple shorter lines.

👤mipadi

18👍

I just found this neat program called autopep8! https://github.com/hhatto/autopep8

pip install autopep8
autopep8 -i models.py

You can also do (recursively):

autopep8 -ri package/

Auto PEP8 only makes safe changes to the files, only changing layout, not code logic.

9👍

If you have some ridiculous long string that isn’t very convenient to break into pieces (thinking about things like Sentry DSNs, the occasional module in MIDDLEWARE or INSTALLED_APPS), you can just put # noqa at the end of the line and the linters will ignore the line. Use sparingly thou and definitely not for the case you asked for.

5👍

This is very subjective. I’d write, if I were following E501 strictly:

field = TreeForeignKey('self',
                       null=True,
                       blank=True,
                       related_name='abcdefgh')

I usually consider 100 too long, not 80.

0👍

I usually split that to line up the parameters one level of indentation deeper than the original line, like:

field = TreeForeignKey('self', null=True,
    blank=True, related_name='abcdefgh')

Especially if TreeForeignKey is something like TreeForeignKeyWithReferencesToSomethingElse, in which case all the parameters would start out to the far right of the window if you lined them all up with the opening parenthesis. If any of the parameters had a long name like defaultvalueforcertaincircumstances, you might not be able to fit the whole thing in under 80 columns:

field = TreeForeignKeyWithReferencesToSomethingElse('self',
                                                    defaultvalueforcertaincircumstances='foo')

I also prefer to put multiple function parameters on the same line (except when it just doesn’t look right; I’m not a purist!) so that vertical space isn’t overly expanded, causing me to spend more time scrolling around in my editor than otherwise necessary.

0👍

autopep8 can solve spacing issues in files and entire project as well, here is a link to the documentation: https://github.com/hhatto/autopep8

  1. pip install --upgrade autopep8
  2. autopep8 --in-place --aggressive --aggressive <path_with_python_filename>
    ex: autopep8 --in-place --aggressive --aggressive C://a/test.py

Leave a comment