web-dev-qa-db-fra.com

env: python\r: Aucun fichier ou répertoire de ce type

Mon script Python beak contient le Shebang suivant:

#!/usr/bin/env python

Quand je lance le script $ ./beak, je reçois

env: python\r: No such file or directory

J'ai précédemment extrait ce script d'un référentiel. Quelle pourrait être la raison de cela?

38
Niklas R

Le script contient des caractères CR. Le shell interprète ces caractères CR comme des arguments.

Solution: Supprimez les caractères CR du script à l'aide du script suivant.

with open('beak', 'rb+') as f:
    content = f.read()
    f.seek(0)
    f.write(content.replace(b'\r', b''))
    f.truncate()
29
falsetru

En savoir plus sur ce qui se passe:

:set ff=unix

Zapisz i wyjdź:

:wq

Gotowe!

Wyjaśnienie

ffoznacza format: plik a changé d'avis unix(\n), dos(\r\n) i macnom__ (\r)(przeznaczone tylko do użycia w pré-intel macsach, w nowoczesnych macach użyj unixname__)..

Aby przeczytać więcej o poleceniu ffname__:

:help ff

:wq oznacza W ryt i Q uit, un szbszy odpowiednikShift+zz(tj. przytrzymaj Shift , une description succincte zname__).

Oba polecenia muszą być używane w tryb poleceń .

Wykorzystanie na wielu plikach

Nie trzeba otwierać pliku w vimie. Modyfikację można wykonać bezpośrednio z linii poleceń:

 vi +':wq ++ff=unix' file_with_dos_linebreaks.py

Aby przetworzyć wiele plików *.py:

for file in *.py ; do
    vi +':w ++ff=unix' +':q' ${file}
done
43
ccpizza

Vous pouvez convertir la ligne se terminant en * nix-friendly avec 

dos2unix beak
18
Rondo

La réponse de falsetru a absolument résolu mon problème. J'ai écrit un petit assistant qui me permet de normaliser les fins de ligne de plusieurs fichiers. Comme je ne connais pas très bien les fins de lignes sur plusieurs plates-formes, etc., la terminologie utilisée dans le programme pourrait ne pas être correcte à 100%.

#!/usr/bin/env python
# Copyright (c) 2013  Niklas Rosenstein
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
# THE SOFTWARE.

import os
import sys
import glob
import argparse

def process_file(name, lend):
    with open(name, 'rb') as fl:
        data = fl.read()

    data = data.replace('\r\n', '\n').replace('\r', '\n')
    data = data.replace('\n', lend)
    with open(name, 'wb') as fl:
        fl.write(data)

def main():
    parser = argparse.ArgumentParser(description='Convert line-endings of one '
            'or more files.')
    parser.add_argument('-r', '--recursive', action='store_true',
            help='Process all files in a given directory recursively.')
    parser.add_argument('-d', '--dest', default='unix',
            choices=('unix', 'windows'), help='The destination line-ending '
            'type. Default is unix.')
    parser.add_argument('-e', '--is-expr', action='store_true',
            help='Arguments passed for the FILE parameter are treated as '
            'glob expressions.')
    parser.add_argument('-x', '--dont-issue', help='Do not issue missing files.',
            action='store_true')
    parser.add_argument('files', metavar='FILE', nargs='*',
            help='The files or directories to process.')
    args = parser.parse_args()

    # Determine the new line-ending.
    if args.dest == 'unix':
        lend = '\n'
    else:
        lend = '\r\n'

    # Process the files/direcories.
    if not args.is_expr:
        for name in args.files:
            if os.path.isfile(name):
                process_file(name, lend)
            Elif os.path.isdir(name) and args.recursive:
                for dirpath, dirnames, files in os.walk(name):
                    for fn in files:
                        fn = os.path.join(dirpath, fn)
                        process_file(fn, fn)
            Elif not args.dont_issue:
                parser.error("File '%s' does not exist." % name)
    else:
        if not args.recursive:
            for name in args.files:
                for fn in glob.iglob(name):
                    process_file(fn, lend)
        else:
            for name in args.files:
                for dirpath, dirnames, files in os.walk('.'):
                    for fn in glob.iglob(os.path.join(dirpath, name)):
                        process_file(fn, lend)

if __== "__main__":
    main()
1
Niklas R

Si vous utilisez PyCharm, vous pouvez facilement le résoudre en réglant le séparateur de ligne sur LF. Voir ma capture d'écran .  As you can see you can set it at the bottom right corner

0
csib