533
$ whatis source
source: nothing appropriate.
$ man source
No manual entry for source
$ source
bash: source: filename argument required
source: usage: source filename [arguments]

Он существует и работает. Почему в Ubuntu нет документации по этому поводу? Что оно делает? Как я могу установить документацию об этом?

11 ответов11

431

source - это встроенная команда оболочки bash, которая выполняет содержимое файла, переданного в качестве аргумента, в текущей оболочке. У него есть синоним в . (Период).

Синтаксис

. filename [arguments]

source filename [arguments]
253

Быть осторожен! ./ и source не совсем то же самое.

  • ./script запускает скрипт как исполняемый файл, запускает новую оболочку для его запуска
  • source script читает и выполняет команды из имени файла в текущей среде оболочки

Примечание: ./script нет . script , но . script == source script

https://askubuntu.com/questions/182012/is-there-a-difference-between-and-source-in-bash-after-all?lq=1

84

Полезно знать команду type:

> type source
source is a shell builtin

всякий раз, когда что-то представляет собой оболочку, пора делать man bash .

34

, (точка) - это встроенная команда оболочки bash, которая выполняет команды из файла, переданного в качестве аргумента в текущей оболочке. «источник» является синонимом «.».

Со страницы руководства Bash:

. filename [arguments]
source filename [arguments]
       Read  and  execute  commands  from filename in the current shell
       environment and return the exit status of the last command  exe‐
       cuted from filename.  If filename does not contain a slash, file
       names in PATH are used to find the  directory  containing  file‐
       name.   The  file  searched  for in PATH need not be executable.
       When bash is  not  in  posix  mode,  the  current  directory  is
       searched  if no file is found in PATH.  If the sourcepath option
       to the shopt builtin command is turned  off,  the  PATH  is  not
       searched.   If any arguments are supplied, they become the posi‐
       tional parameters when  filename  is  executed.   Otherwise  the
       positional  parameters  are unchanged.  The return status is the
       status of the last command exited within the  script  (0  if  no
       commands  are  executed),  and false if filename is not found or
       cannot be read.
22

'source' - это длинная версия '.' команда. В командной строке bash можно сделать:

source ~/.bashrc

перезагрузить ваш (изменился?) настройка bash для текущего запущенного bash.

Короткая версия будет:

. ~/.bashrc

Страница man:

. filename [arguments]
source filename [arguments]
    Read and execute commands from filename in the current shell environment and
    return the exit status of the last command executed from filename. If 
    filename does not contain a slash, file names in PATH are used to find the
    directory containing filename. The file searched for in PATH need not be
    executable. When bash is not in posix mode, the current directory is
    searched if no file is found in PATH. If the sourcepath option to the short
    builtin command is turned off, the PATH is not searched. If any arguments
    are supplied, they become the positional parameters when filename is
    executed. Otherwise the positional parameters are unchanged. The return 
    status is the status of the last command exited within the script (0 if no
    commands are executed), and false if filename is not found or cannot be
    read. 
20

Команда source выполняет предоставленный сценарий (разрешение на выполнение не обязательно) в текущей среде оболочки, а ./ выполняет предоставленный исполняемый сценарий в новой оболочке.

source команда имеет синоним . filename

Чтобы сделать это более понятным, взгляните на следующий скрипт, который устанавливает псевдоним.

make_alias

#! /bin/bash

alias myproject='cd ~/Documents/Projects/2015/NewProject'

Теперь у нас есть два варианта выполнения этого скрипта. Но только с одной опцией желаемый псевдоним для текущей оболочки может быть создан среди этих двух опций.

Вариант 1: ./make_alias

Сначала сделайте скрипт исполняемым.

chmod +x make_alias

казнить

./make_alias

проверить

alias

Выход

**nothing**

Упс! Псевдоним ушел с новой оболочкой.

Пойдем со вторым вариантом.

Вариант 2: source make_alias

казнить

source make_alias

или же

. make_alias

проверить

alias

Выход

alias myproject='cd ~/Documents/Projects/2015/NewProject'

Да, Псевдоним установлен.

6

В случае сомнений лучше всего использовать команду info :

[root@abc ~]# info source

BASH BUILTIN COMMANDS
       Unless otherwise noted, each builtin command documented in this section
       as accepting options preceded by - accepts -- to signify the end of the
       options.   The  :, true, false, and test builtins do not accept options
       and do not treat -- specially.  The exit, logout, break, continue, let,
       and  shift builtins accept and process arguments beginning with - with-
       out requiring --.  Other builtins that accept  arguments  but  are  not
       specified  as accepting options interpret arguments beginning with - as
       invalid options and require -- to prevent this interpretation.
       : [arguments]
              No effect; the command does nothing beyond  expanding  arguments
              and  performing any specified redirections.  A zero exit code is
              returned.

        .  filename [arguments]
       source filename [arguments]
              Read and execute commands from filename  in  the  current  shell
              environment  and return the exit status of the last command exe-
              cuted from filename.  If filename does not contain a slash, file
              names  in  PATH  are used to find the directory containing file-
              name.  The file searched for in PATH  need  not  be  executable.
              When  bash  is  not  in  posix  mode,  the  current directory is
              searched if no file is found in PATH.  If the sourcepath  option
              to  the  shopt  builtin  command  is turned off, the PATH is not
              searched.  If any arguments are supplied, they become the  posi-
              tional  parameters  when  filename  is  executed.  Otherwise the
              positional parameters are unchanged.  The return status  is  the
              status  of  the  last  command exited within the script (0 if no
              commands are executed), and false if filename is  not  found  or
              cannot be read.
4

Введите команду "источник помощи" в вашей оболочке.

Вы получите вывод, как это:

source: source filename [arguments]

Execute commands from a file in the current shell.

Read and execute commands from FILENAME in the current shell.  The
entries in $PATH are used to find the directory containing FILENAME.
If any ARGUMENTS are supplied, they become the positional parameters
when FILENAME is executed.

Exit Status:
Returns the status of the last command executed in FILENAME; fails if
FILENAME cannot be read.
2

Из Проекта документации Linux, Расширенное руководство по написанию сценариев Bash,
Глава 15 - Внутренние команды и встроенные функции:

источник . (точечная команда):
Эта команда, когда вызывается из командной строки, выполняет сценарий. Внутри скрипта исходное имя файла загружает имя файла. Поиск файла (точка-команда) импортирует код в скрипт, добавляя его в скрипт (тот же эффект, что и директива #include в программе на Си). Чистый результат такой же, как если бы в теле скрипта физически присутствовали "исходные" строки кода. Это полезно в ситуациях, когда несколько сценариев используют общий файл данных или библиотеку функций.
Если исходный файл сам по себе является исполняемым скриптом, он запустится, а затем вернет управление скрипту, который его вызвал. Исходный исполняемый скрипт может использовать возврат для этой цели.

Таким образом, для тех, кто знаком с языком программирования C, использование файла имеет эффект, аналогичный директиве #include .

Также обратите внимание, что вы можете передавать позиционные аргументы в файл источника, например:

$ source $filename $arg1 arg2
1

Следует отметить, что, хотя это потрясающая команда, ни source ни ее сокращение . будет источником более одного файла, то есть

source *.sh

или же

. script1.sh script2.sh

не будет работать

Мы можем использовать циклы for , но он будет многократно запускать исполняемый файл, создавая несколько команд или выпуская его.

Вывод: source не принимает несколько файлов в качестве входных данных. Аргумент должен быть один.

Который ИМХО отстой.

0

С помощью source вы можете передавать переменные или функции из другого файла в ваш скрипт и использовать их без необходимости их повторной записи.

FI:

#!/bin/bash

source /etc/environment

source /myscripts/jetty-common/config/jetty-functions.sh

ура

Всё ещё ищете ответ? Посмотрите другие вопросы с метками .