Salt States can aggressively manipulate files on a system. There are a number of ways in which files can be managed.
Regular files can be enforced with the file.managed state. This state downloads files from the salt
master and places them on the target system. Managed files can be rendered as a
jinja, mako, or wempy template, adding a dynamic component to file management.
An example of file.managed which makes use of
the jinja templating system would look like this:
/etc/http/conf/http.conf:
  file.managed:
    - source: salt://apache/http.conf
    - user: root
    - group: root
    - mode: 644
    - attrs: ai
    - template: jinja
    - defaults:
        custom_var: "default value"
        other_var: 123
{% if grains['os'] == 'Ubuntu' %}
    - context:
        custom_var: "override"
{% endif %}
It is also possible to use the py renderer as a
templating option. The template would be a Python script which would need to
contain a function called run(), which returns a string. All arguments
to the state will be made available to the Python script as globals. The
returned string will be the contents of the managed file. For example:
def run():
    lines = ['foo', 'bar', 'baz']
    lines.extend([source, name, user, context])  # Arguments as globals
    return '\n\n'.join(lines)
Note
The defaults and context arguments require extra indentation (four
spaces instead of the normal two) in order to create a nested dictionary.
More information.
If using a template, any user-defined template variables in the file defined in
source must be passed in using the defaults and/or context
arguments. The general best practice is to place default values in
defaults, with conditional overrides going into context, as seen above.
The template will receive a variable custom_var, which would be accessed in
the template using {{ custom_var }}. If the operating system is Ubuntu, the
value of the variable custom_var would be override, otherwise it is the
default default value
The source parameter can be specified as a list. If this is done, then the
first file to be matched will be the one that is used. This allows you to have
a default file on which to fall back if the desired file does not exist on the
salt fileserver. Here's an example:
/etc/foo.conf:
  file.managed:
    - source:
      - salt://foo.conf.{{ grains['fqdn'] }}
      - salt://foo.conf.fallback
    - user: foo
    - group: users
    - mode: 644
    - attrs: i
    - backup: minion
Note
Salt supports backing up managed files via the backup option. For more details on this functionality please review the backup_mode documentation.
The source parameter can also specify a file in another Salt environment.
In this example foo.conf in the dev environment will be used instead.
/etc/foo.conf:
  file.managed:
    - source:
      - 'salt://foo.conf?saltenv=dev'
    - user: foo
    - group: users
    - mode: '0644'
    - attrs: i
Warning
When using a mode that includes a leading zero you must wrap the value in single quotes. If the value is not wrapped in quotes it will be read by YAML as an integer and evaluated as an octal.
The names parameter, which is part of the state compiler, can be used to
expand the contents of a single state declaration into multiple, single state
declarations. Each item in the names list receives its own individual state
name and is converted into its own low-data structure. This is a convenient
way to manage several files with similar attributes.
salt_master_conf:
  file.managed:
    - user: root
    - group: root
    - mode: '0644'
    - names:
      - /etc/salt/master.d/master.conf:
        - source: salt://saltmaster/master.conf
      - /etc/salt/minion.d/minion-99.conf:
        - source: salt://saltmaster/minion.conf
Note
There is more documentation about this feature in the Names declaration section of the Highstate docs.
Special files can be managed via the mknod function. This function will
create and enforce the permissions on a special file. The function supports the
creation of character devices, block devices, and FIFO pipes. The function will
create the directory structure up to the special file if it is needed on the
minion. The function will not overwrite or operate on (change major/minor
numbers) existing special files with the exception of user, group, and
permissions. In most cases the creation of some special files require root
permissions on the minion. This would require that the minion to be run as the
root user. Here is an example of a character device:
/var/named/chroot/dev/random:
  file.mknod:
    - ntype: c
    - major: 1
    - minor: 8
    - user: named
    - group: named
    - mode: 660
Here is an example of a block device:
/var/named/chroot/dev/loop0:
  file.mknod:
    - ntype: b
    - major: 7
    - minor: 0
    - user: named
    - group: named
    - mode: 660
Here is an example of a fifo pipe:
/var/named/chroot/var/log/logfifo:
  file.mknod:
    - ntype: p
    - user: named
    - group: named
    - mode: 660
Directories can be managed via the directory function. This function can
create and enforce the permissions on a directory. A directory statement will
look like this:
/srv/stuff/substuf:
  file.directory:
    - user: fred
    - group: users
    - mode: 755
    - makedirs: True
If you need to enforce user and/or group ownership or permissions recursively
on the directory's contents, you can do so by adding a recurse directive:
/srv/stuff/substuf:
  file.directory:
    - user: fred
    - group: users
    - mode: 755
    - makedirs: True
    - recurse:
      - user
      - group
      - mode
As a default, mode will resolve to dir_mode and file_mode, to
specify both directory and file permissions, use this form:
/srv/stuff/substuf:
  file.directory:
    - user: fred
    - group: users
    - file_mode: 744
    - dir_mode: 755
    - makedirs: True
    - recurse:
      - user
      - group
      - mode
Symlinks can be easily created; the symlink function is very simple and only takes a few arguments:
/etc/grub.conf:
  file.symlink:
    - target: /boot/grub/grub.conf
Recursive directory management can also be set via the recurse
function. Recursive directory management allows for a directory on the salt
master to be recursively copied down to the minion. This is a great tool for
deploying large code and configuration systems. A state using recurse
would look something like this:
/opt/code/flask:
  file.recurse:
    - source: salt://code/flask
    - include_empty: True
A more complex recurse example:
{% set site_user = 'testuser' %}
{% set site_name = 'test_site' %}
{% set project_name = 'test_proj' %}
{% set sites_dir = 'test_dir' %}
django-project:
  file.recurse:
    - name: {{ sites_dir }}/{{ site_name }}/{{ project_name }}
    - user: {{ site_user }}
    - dir_mode: 2775
    - file_mode: '0644'
    - template: jinja
    - source: salt://project/templates_dir
    - include_empty: True
Retention scheduling can be applied to manage contents of backup directories. For example:
/var/backups/example_directory:
  file.retention_schedule:
    - strptime_format: example_name_%Y%m%dT%H%M%S.tar.bz2
    - retain:
        most_recent: 5
        first_of_hour: 4
        first_of_day: 14
        first_of_week: 6
        first_of_month: 6
        first_of_year: all
Make sure that the named file or directory is absent. If it exists, it will be deleted. This will work to reverse any of the functions in the file state module. If a directory is supplied, it will be recursively deleted.
If only the contents of the directory need to be deleted but not the directory
itself, use file.directory with clean=True
The path which should be deleted
Prepare accumulator which can be used in template in file.managed state. Accumulator dictionary becomes available in template. It can also be used in file.blockreplace.
Accumulator name
Filename which would receive this accumulator (see file.managed state
documentation about name)
String or list for adding in accumulator
One of them required for sure we fill up accumulator before we manage the file. Probably the same as filename
Example:
Given the following:
animals_doing_things:
  file.accumulated:
    - filename: /tmp/animal_file.txt
    - text: ' jumps over the lazy dog.'
    - require_in:
      - file: animal_file
animal_file:
  file.managed:
    - name: /tmp/animal_file.txt
    - source: salt://animal_file.txt
    - template: jinja
One might write a template for animal_file.txt like the following:
The quick brown fox{% for animal in accumulator['animals_doing_things'] %}{{ animal }}{% endfor %}
Collectively, the above states and template file will produce:
The quick brown fox jumps over the lazy dog.
Multiple accumulators can be "chained" together.
Note
The 'accumulator' data structure is a Python dictionary. Do not expect any loop over the keys in a deterministic order!
Ensure that some text appears at the end of a file.
The text will not be appended if it already exists in the file. A single string of text or a list of strings may be appended.
The location of the file to append to.
The text to be appended, which can be a single string or a list of strings.
If the file is located in a path without a parent directory, then the state will fail. If makedirs is set to True, then the parent directories will be created to facilitate the creation of the named file. Defaults to False.
A single source file to append. This source file can be hosted on either the salt master server, or on an HTTP or FTP server. Both HTTPS and HTTP are supported as well as downloading directly from Amazon S3 compatible URLs with both pre-configured and automatic IAM credentials (see s3.get state documentation). File retrieval from Openstack Swift object storage is supported via swift://container/object_path URLs (see swift.get documentation).
For files hosted on the salt file server, if the file is located on the master in the directory named spam, and is called eggs, the source string is salt://spam/eggs.
If the file is hosted on an HTTP or FTP server, the source_hash argument is also required.
a source hash string
the URI of a file that contains source hash strings
The function accepts the first encountered long unbroken alphanumeric string of correct length as a valid hash, in order from most secure to least secure:
Type    Length
======  ======
sha512     128
sha384      96
sha256      64
sha224      56
sha1        40
md5         32
See the source_hash parameter description for file.managed function for more details and examples.
The named templating engine will be used to render the appended-to file.
Defaults to jinja. The following templates are supported:
A list of source files to append. If the files are hosted on an HTTP or FTP server, the source_hashes argument is also required.
A list of source_hashes corresponding to the sources list specified in the sources argument.
Default context passed to the template.
Overrides default context variables passed to the template.
New in version 2015.8.4.
Spaces and Tabs in text are ignored by default, when searching for the
appending content, one space or multiple tabs are the same for salt.
Set this option to False if you want to change this behavior.
Multi-line example:
/etc/motd:
  file.append:
    - text: |
        Thou hadst better eat salt with the Philosophers of Greece,
        than sugar with the Courtiers of Italy.
        - Benjamin Franklin
Multiple lines of text:
/etc/motd:
  file.append:
    - text:
      - Trust no one unless you have eaten much salt with him.
      - "Salt is born of the purest of parents: the sun and the sea."
Gather text from multiple template files:
/etc/motd:
  file:
    - append
    - template: jinja
    - sources:
      - salt://motd/devops-messages.tmpl
      - salt://motd/hr-messages.tmpl
      - salt://motd/general-messages.tmpl
New in version 0.9.5.
Maintain an edit in a file in a zone delimited by two line markers
New in version 2014.1.0.
Changed in version 2017.7.5,2018.3.1: append_newline argument added. Additionally, to improve
idempotence, if the string represented by marker_end is found in
the middle of the line, the content preceding the marker will be
removed when the block is replaced. This allows one to remove
append_newline: False from the SLS and have the block properly
replaced if the end of the content block is immediately followed by the
marker_end (i.e. no newline before the marker).
A block of content delimited by comments can help you manage several lines entries without worrying about old entries removal. This can help you maintaining an un-managed file containing manual edits.
Note
This function will store two copies of the file in-memory (the original version and the edited version) in order to detect changes and only edit the targeted file if necessary.
Additionally, you can use file.accumulated and target this state. All accumulated
data dictionaries' content will be added in the content block.
Filesystem path to the file to be edited
The line content identifying a line as the start of the content block. Note that the whole line containing this marker will be considered, so whitespace or extra content before or after the marker is included in final output
The line content identifying the end of the content block. As of versions 2017.7.5 and 2018.3.1, everything up to the text matching the marker will be replaced, so it's important to ensure that your marker includes the beginning of the text you wish to replace.
The content to be used between the two lines identified by
marker_start and marker_end
The source file to download to the minion, this source file can be hosted on either the salt master server, or on an HTTP or FTP server. Both HTTPS and HTTP are supported as well as downloading directly from Amazon S3 compatible URLs with both pre-configured and automatic IAM credentials. (see s3.get state documentation) File retrieval from Openstack Swift object storage is supported via swift://container/object_path URLs, see swift.get documentation. For files hosted on the salt file server, if the file is located on the master in the directory named spam, and is called eggs, the source string is salt://spam/eggs. If source is left blank or None (use ~ in YAML), the file will be created as an empty file and the content will not be managed. This is also the case when a file already exists and the source is undefined; the contents of the file will not be changed or managed.
If the file is hosted on a HTTP or FTP server then the source_hash argument is also required.
A list of sources can also be passed in to provide a default source and a set of fallbacks. The first source in the list that is found to exist will be used and subsequent entries in the list will be ignored.
file_override_example:
  file.blockreplace:
    - name: /etc/example.conf
    - source:
      - salt://file_that_does_not_exist
      - salt://file_that_exists
a source hash string
the URI of a file that contains source hash strings
The function accepts the first encountered long unbroken alphanumeric string of correct length as a valid hash, in order from most secure to least secure:
Type    Length
======  ======
sha512     128
sha384      96
sha256      64
sha224      56
sha1        40
md5         32
See the source_hash parameter description for file.managed function for more details and examples.
Templating engine to be used to render the downloaded file. The following engines are supported:
Overrides default context variables passed to the template
Default context passed to the template
If markers are not found and this option is set to True, the
content block will be appended to the file.
If markers are not found and this option is set to True, the
content block will be prepended to the file.
If markers are not found, this parameter can be set to a regex which will insert the block before the first found occurrence in the file.
New in version 3001.
If markers are not found, this parameter can be set to a regex which will insert the block after the first found occurrence in the file.
New in version 3001.
The file extension to use for a backup of the file if any edit is made.
Set this to False to skip making a backup.
Controls how changes are presented. If True, the Changes
section of the state return will contain a unified diff of the changes
made. If False, then it will contain a boolean (True if any changes
were made, otherwise False).
Controls whether or not a newline is appended to the content block. If
the value of this argument is True then a newline will be added to
the content block. If it is False, then a newline will not be
added to the content block. If it is unspecified, then a newline will
only be added to the content block if it does not already end in a
newline.
New in version 2017.7.5,2018.3.1.
Example of usage with an accumulator and with a variable:
{% set myvar = 42 %}
hosts-config-block-{{ myvar }}:
  file.blockreplace:
    - name: /etc/hosts
    - marker_start: "# START managed zone {{ myvar }} -DO-NOT-EDIT-"
    - marker_end: "# END managed zone {{ myvar }} --"
    - content: 'First line of content'
    - append_if_not_found: True
    - backup: '.bak'
    - show_changes: True
hosts-config-block-{{ myvar }}-accumulated1:
  file.accumulated:
    - filename: /etc/hosts
    - name: my-accumulator-{{ myvar }}
    - text: "text 2"
    - require_in:
      - file: hosts-config-block-{{ myvar }}
hosts-config-block-{{ myvar }}-accumulated2:
  file.accumulated:
    - filename: /etc/hosts
    - name: my-accumulator-{{ myvar }}
    - text: |
         text 3
         text 4
    - require_in:
      - file: hosts-config-block-{{ myvar }}
will generate and maintain a block of content in /etc/hosts:
# START managed zone 42 -DO-NOT-EDIT-
First line of content
text 2
text 3
text 4
# END managed zone 42 --
New in version 2017.7.3.
Changed in version 3005.
Ensures that a file is saved to the minion's cache. This state is primarily invoked by other states to ensure that we do not re-download a source file if we do not need to.
The URL of the file to be cached. To cache a file from an environment
other than base, either use the saltenv argument or include the
saltenv in the URL (e.g. salt://path/to/file.conf?saltenv=dev).
Note
A list of URLs is not supported, this must be a single URL. If a local file is passed here, then the state will obviously not try to download anything, but it will compare a hash if one is specified.
See the documentation for this same argument in the
file.managed state.
Note
For remote files not originating from the salt:// fileserver,
such as http(s) or ftp servers, this state will not re-download the
file if the locally-cached copy matches this hash. This is done to
prevent unnecessary downloading on repeated runs of this state. To
update the cached copy of a file, it is necessary to update this
hash.
See the documentation for this same argument in the
file.managed state.
See the documentation for this same argument in the
file.managed state.
Note
Setting this to True will result in a copy of the file being
downloaded from a remote (http(s), ftp, etc.) source each time the
state is run.
Used to specify the environment from which to download a file from the
Salt fileserver (i.e. those with salt:// URL).
If True, remote http/https file sources will attempt to use the
ETag header to determine if the remote file needs to be downloaded.
This provides a lightweight mechanism for promptly refreshing files
changed on a web server without requiring a full hash comparison via
the source_hash parameter.
New in version 3005.
This state will in most cases not be useful in SLS files, but it is useful
when writing a state or remote-execution module that needs to make sure
that a file at a given URL has been downloaded to the cachedir. One example
of this is in the archive.extracted
state:
result = __states__['file.cached'](source_match,
                                   source_hash=source_hash,
                                   source_hash_name=source_hash_name,
                                   skip_verify=skip_verify,
                                   saltenv=__env__)
This will return a dictionary containing the state's return data, including
a result key which will state whether or not the state was successful.
Note that this will not catch exceptions, so it is best used within a
try/except.
Once this state has been run from within another state or remote-execution
module, the actual location of the cached file can be obtained using
cp.is_cached:
cached = __salt__['cp.is_cached'](source_match, saltenv=__env__)
This function will return the cached path of the file, or an empty string if the file is not present in the minion cache.
New in version 0.9.5.
Changed in version 3005.
Comment out specified lines in a file.
The full path to the file to be edited
A regular expression used to find the lines that are to be commented;
this pattern will be wrapped in parenthesis and will move any
preceding/trailing ^ or $ characters outside the parenthesis
(e.g., the pattern ^foo$ will be rewritten as ^(foo)$)
Note that you _need_ the leading ^, otherwise each time you run
highstate, another comment char will be inserted.
The character to be inserted at the beginning of a line in order to comment it out
The file will be backed up before edit with this file extension
Warning
This backup will be overwritten each time sed / comment /
uncomment is called. Meaning the backup will only be useful
after the first invocation.
Set to False/None to not keep a backup.
Ignore a failure to find the regex in the file. This is useful for scenarios where a line must only be commented if it is found in the file.
New in version 3005.
Usage:
/etc/fstab:
  file.comment:
    - regex: ^bind 127.0.0.1
If the file defined by the source option exists on the minion, copy it
to the named path. The file will not be overwritten if it already exists,
unless the force option is set to True.
Note
This state only copies files from one location on a minion to another
location on the same minion. For copying files from the master, use a
file.managed state.
The location of the file to copy to
The location of the file to copy to the location specified with name
If the target location is present then the file will not be moved, specify "force: True" to overwrite the target file
If the target subdirectories don't exist create them
New in version 2015.5.0.
Set preserve: True to preserve user/group ownership and mode
after copying. Default is False. If preserve is set to True,
then user/group/mode attributes will be ignored.
New in version 2015.5.0.
The user to own the copied file, this defaults to the user salt is
running as on the minion. If preserve is set to True, then
this will be ignored
New in version 2015.5.0.
The group to own the copied file, this defaults to the group salt is
running as on the minion. If preserve is set to True or on
Windows this will be ignored
New in version 2015.5.0.
The permissions to set on the copied file, aka 644, '0775', '4664'.
If preserve is set to True, then this will be ignored.
Not supported on Windows.
The default mode for new files and directories corresponds umask of salt process. For existing files and directories it's not enforced.
New in version 3006.0.
If directories are to be created, passing this option specifies the permissions for those directories. If this is not set, directories will be assigned permissions by adding the execute bit to the mode of the files.
The default mode for new files and directories corresponds to the umask of the salt process. Not enforced for existing files and directories.
New in version 2015.5.0.
If the name is a directory then place the file inside the named directory
Note
The copy function accepts paths that are local to the Salt minion.
This function does not support salt://, http://, or the other
additional file paths that are supported by states.file.managed and states.file.recurse.
Usage:
# Use 'copy', not 'copy_'
/etc/example.conf:
  file.copy:
    - source: /tmp/example.conf
Decode an encoded file and write it to disk
New in version 2016.3.0.
Path of the file to be written.
The encoded file. Either this option or contents_pillar must be
specified.
A Pillar path to the encoded file. Uses the same path syntax as
pillar.get. The
hashutil.base64_encodefile function can load encoded
content into Pillar. Either this option or encoded_data must be
specified.
The type of encoding.
The hashing algorithm to use to generate checksums. Wraps the
hashutil.digest execution
function.
Usage:
write_base64_encoded_string_to_a_file:
  file.decode:
    - name: /tmp/new_file
    - encoding_type: base64
    - contents_pillar: mypillar:thefile
# or
write_base64_encoded_string_to_a_file:
  file.decode:
    - name: /tmp/new_file
    - encoding_type: base64
    - encoded_data: |
        Z2V0IHNhbHRlZAo=
Be careful with multi-line strings that the YAML indentation is correct. E.g.,
write_base64_encoded_string_to_a_file:
  file.decode:
    - name: /tmp/new_file
    - encoding_type: base64
    - encoded_data: |
        {{ salt.pillar.get('path:to:data') | indent(8) }}
Ensure that a named directory is present and has the right perms
The location to create or manage a directory, as an absolute path
The user to own the directory; this defaults to the user salt is running as on the minion
The group ownership set for the directory; this defaults to the group salt is running as on the minion. On Windows, this is ignored
Enforce user/group ownership and mode of directory recursively. Accepts
a list of strings representing what you would like to recurse.  If
mode is defined, will recurse on both file_mode and dir_mode if
they are defined.  If ignore_files or ignore_dirs is included, files or
directories will be left unchanged respectively.
directories will be left unchanged respectively. If silent is defined,
individual file/directory change notifications will be suppressed.
Example:
/var/log/httpd:
  file.directory:
    - user: root
    - group: root
    - dir_mode: 755
    - file_mode: 644
    - recurse:
      - user
      - group
      - mode
Leave files or directories unchanged:
/var/log/httpd:
  file.directory:
    - user: root
    - group: root
    - dir_mode: 755
    - file_mode: 644
    - recurse:
      - user
      - group
      - mode
      - ignore_dirs
New in version 2015.5.0.
Limit the recursion depth. The default is no limit=None. 'max_depth' and 'clean' are mutually exclusive.
New in version 2016.11.0.
The permissions mode to set any directories created. Not supported on Windows.
The default mode for new files and directories corresponds umask of salt process. For existing files and directories it's not enforced.
The permissions mode to set any files created if 'mode' is run in 'recurse'. This defaults to dir_mode. Not supported on Windows.
The default mode for new files and directories corresponds umask of salt process. For existing files and directories it's not enforced.
If the directory is located in a path without a parent directory, then the state will fail. If makedirs is set to True, then the parent directories will be created to facilitate the creation of the named file.
Remove any files that are not referenced by a required file state.
See examples below for more info. If this option is set then everything
in this directory will be deleted unless it is required. 'clean' and
'max_depth' are mutually exclusive.
Require other resources such as packages or files.
When 'clean' is set to True, exclude this pattern from removal list and preserve in the destination.
If the desired path is a symlink (or recurse is defined and a
symlink is encountered while recursing), follow it and check the
permissions of the directory/file to which the symlink points.
New in version 2014.1.4.
Changed in version 3001.1: If set to False symlinks permissions are ignored on Linux systems because it does not support permissions modification. Symlinks permissions are always 0o777 on Linux.
If the name of the directory exists and is not a directory and force is set to False, the state will fail. If force is set to True, the file in the way of the directory will be deleted to make room for the directory, unless backupname is set, then it will be renamed.
New in version 2014.7.0.
If the name of the directory exists and is not a directory, it will be renamed to the backupname. If the backupname already exists and force is False, the state will fail. Otherwise, the backupname will be removed first.
New in version 2014.7.0.
If allow_symlink is True and the specified path is a symlink, it will be allowed to remain if it points to a directory. If allow_symlink is False then the state will fail, unless force is also set to True, in which case it will be removed or renamed, depending on the value of the backupname argument.
New in version 2014.7.0.
If children_only is True the base of a path is excluded when performing a recursive operation. In case of /path/to/base, base will be ignored while all of /path/to/base/* are still operated on.
The owner of the directory. If this is not passed, user will be used. If user is not passed, the account under which Salt is running will be used.
New in version 2017.7.0.
A dictionary containing permissions to grant and their propagation. For
example: {'Administrators': {'perms': 'full_control', 'applies_to':
'this_folder_only'}} Can be a single basic perm or a list of advanced
perms. perms must be specified. applies_to is optional and
defaults to this_folder_subfolder_files.
New in version 2017.7.0.
A dictionary containing permissions to deny and their propagation. For
example: {'Administrators': {'perms': 'full_control', 'applies_to':
'this_folder_only'}} Can be a single basic perm or a list of advanced
perms.
New in version 2017.7.0.
True to inherit permissions from the parent directory, False not to inherit permission.
New in version 2017.7.0.
If True the existing DACL will be cleared and replaced with the
settings defined in this function. If False, new entries will be
appended to the existing DACL. Default is False.
New in version 2018.3.0.
Here's an example using the above win_* parameters:
create_config_dir:
  file.directory:
    - name: 'C:\config\'
    - win_owner: Administrators
    - win_perms:
        # Basic Permissions
        dev_ops:
          perms: full_control
        # List of advanced permissions
        appuser:
          perms:
            - read_attributes
            - read_ea
            - create_folders
            - read_permissions
          applies_to: this_folder_only
        joe_snuffy:
          perms: read
          applies_to: this_folder_files
    - win_deny_perms:
        fred_snuffy:
          perms: full_control
    - win_inheritance: False
For clean: True there is no mechanism that allows all states and
modules to enumerate the files that they manage, so for file.directory to
know what files are managed by Salt, a file state targeting managed
files is required. To use a contrived example, the following states will
always have changes, despite the file named okay being created by a
Salt state:
silly_way_of_creating_a_file:
  cmd.run:
     - name: mkdir -p /tmp/dont/do/this && echo "seriously" > /tmp/dont/do/this/okay
     - unless: grep seriously /tmp/dont/do/this/okay
will_always_clean:
  file.directory:
    - name: /tmp/dont/do/this
    - clean: True
Because cmd.run has no way of communicating that it's creating a file,
will_always_clean will remove the newly created file. Of course, every
time the states run the same thing will happen - the
silly_way_of_creating_a_file will crete the file and
will_always_clean will always remove it. Over and over again, no matter
how many times you run it.
To make this example work correctly, we need to add a file state that
targets the file, and a require between the file states.
silly_way_of_creating_a_file:
  cmd.run:
     - name: mkdir -p /tmp/dont/do/this && echo "seriously" > /tmp/dont/do/this/okay
     - unless: grep seriously /tmp/dont/do/this/okay
  file.managed:
     - name: /tmp/dont/do/this/okay
     - create: False
     - replace: False
     - require_in:
       - file: will_always_clean
Now there is a file state that clean can check, so running those
states will work as expected. The file will be created with the specific
contents, and clean will ignore the file because it is being managed by
a salt file state. Note that if require_in was placed under
cmd.run, it would not work, because the requisite is for the cmd,
not the file.
silly_way_of_creating_a_file:
  cmd.run:
     - name: mkdir -p /tmp/dont/do/this && echo "seriously" > /tmp/dont/do/this/okay
     - unless: grep seriously /tmp/dont/do/this/okay
     # This part should be under file.managed
     - require_in:
       - file: will_always_clean
  file.managed:
     - name: /tmp/dont/do/this/okay
     - create: False
     - replace: False
Any other state that creates a file as a result, for example pkgrepo,
must have the resulting files referenced in a file state in order for
clean: True to ignore them.  Also note that the requisite
(require_in vs require) works in both directions:
clean_dir:
  file.directory:
    - name: /tmp/a/better/way
    - require:
      - file: a_better_way
a_better_way:
  file.managed:
    - name: /tmp/a/better/way/truely
    - makedirs: True
    - contents: a much better way
Works the same as this:
clean_dir:
  file.directory:
    - name: /tmp/a/better/way
    - clean: True
a_better_way:
  file.managed:
    - name: /tmp/a/better/way/truely
    - makedirs: True
    - contents: a much better way
    - require_in:
      - file: clean_dir
A common mistake here is to forget the state name and id are both required for requisites:
# Correct:
/path/to/some/file:
  file.managed:
    - contents: Cool
    - require_in:
      - file: clean_dir
# Incorrect
/path/to/some/file:
  file.managed:
    - contents: Cool
    - require_in:
      # should be `- file: clean_dir`
      - clean_dir
# Also incorrect
/path/to/some/file:
  file.managed:
    - contents: Cool
    - require_in:
      # should be `- file: clean_dir`
      - file
Verify that the named file or directory is present or exists. Ensures pre-requisites outside of Salt's purview (e.g., keytabs, private keys, etc.) have been previously satisfied before deployment.
This function does not create the file if it doesn't exist, it will return an error.
Absolute path which must exist
Create a hard link If the file already exists and is a hard link pointing to any location other than the specified target, the hard link will be replaced. If the hard link is a regular file or directory then the state will return False. If the regular file is desired to be replaced with a hard link pass force: True
The location of the hard link to create
The location that the hard link points to
If the name of the hard link exists and force is set to False, the state will fail. If force is set to True, the file or directory in the way of the hard link file will be deleted to make room for the hard link, unless backupname is set, when it will be renamed
If the location of the hard link does not already have a parent directory then the state will fail, setting makedirs to True will allow Salt to create the parent directory
The user to own any directories made if makedirs is set to true. This defaults to the user salt is running as on the minion
The group ownership set on any directories made if makedirs is set to true. This defaults to the group salt is running as on the minion. On Windows, this is ignored
If directories are to be created, passing this option specifies the permissions for those directories.
Key/Value based editing of a file.
New in version 3001.
This function differs from file.replace in that it is able to search for
keys, followed by a customizable separator, and replace the value with the
given value. Should the value be the same as the one already in the file, no
changes will be made.
Either supply both key and value parameters, or supply a dictionary
with key / value pairs. It is an error to supply both.
Name of the file to search/replace in.
Key to search for when ensuring a value. Use in combination with a
value parameter.
Value to set for a given key. Use in combination with a key
parameter.
Dictionary of key / value pairs to search for and ensure values for. Used to specify multiple key / values at once.
Separator which separates key from value.
Append the key/value to the end of the file if not found. Note that this
takes precedence over prepend_if_not_found.
Prepend the key/value to the beginning of the file if not found. Note
that append_if_not_found takes precedence.
Show a diff of the resulting removals and inserts.
Return with success even if the file is not found (or not readable).
Number of occurrences to allow (and correct), default is 1. Set to -1 to replace all, or set to 0 to remove all lines with this key regardsless of its value.
Note
Any additional occurrences after count are removed.
A count of -1 will only replace all occurrences that are currently
uncommented already. Lines commented out will be left alone.
Disregard and remove supplied leading characters when finding keys. When set to None, lines that are commented out are left for what they are.
Note
The argument to uncomment is not a prefix string. Rather; it is a
set of characters, each of which are stripped.
Keys are matched case insensitively. When a value is changed the matched key is kept as-is.
Values are checked case insensitively, trying to set e.g. 'Yes' while
the current value is 'yes', will not result in changes when
value_ignore_case is set to True.
An example of using file.keyvalue to ensure sshd does not allow
for root to login with a password and at the same time setting the
login-gracetime to 1 minute and disabling all forwarding:
sshd_config_harden:
    file.keyvalue:
      - name: /etc/ssh/sshd_config
      - key_values:
          permitrootlogin: 'without-password'
          LoginGraceTime: '1m'
          DisableForwarding: 'yes'
      - separator: ' '
      - uncomment: '# '
      - key_ignore_case: True
      - append_if_not_found: True
The same example, except for only ensuring PermitRootLogin is set correctly.
Thus being able to use the shorthand key and value parameters
instead of key_values.
sshd_config_harden:
    file.keyvalue:
      - name: /etc/ssh/sshd_config
      - key: PermitRootLogin
      - value: without-password
      - separator: ' '
      - uncomment: '# '
      - key_ignore_case: True
      - append_if_not_found: True
Note
Notice how the key is not matched case-sensitively, this way it will correctly identify both 'PermitRootLogin' as well as 'permitrootlogin'.
Line-focused editing of a file.
New in version 2015.8.0.
Note
file.line exists for historic reasons, and is not
generally recommended. It has a lot of quirks.  You may find
file.replace to be more suitable.
file.line is most useful if you have single lines in a file,
potentially a config file, that you would like to manage. It can
remove, add, and replace lines.
Filesystem path to the file to be edited.
Content of the line. Allowed to be empty if mode=delete.
Match the target line for an action by a fragment of a string or regular expression.
If neither before nor after are provided, and match
is also None, match falls back to the content value.
Defines how to edit a line. One of the following options is required:
If line does not exist, it will be added. If before
and after are specified either zero lines, or lines
that contain the content line are allowed to be in between
before and after. If there are lines, and none of
them match then it will produce an error.
If line already exists, it will be replaced.
Delete the line, if found.
Nearly identical to ensure. If a line does not exist,
it will be added.
The differences are that multiple (and non-matching) lines are
alloweed between before and after, if they are
specified. The line will always be inserted right before
before. insert also allows the use of location to
specify that the line should be added at the beginning or end of
the file.
Note
If mode=insert is used, at least one of the following
options must also be defined: location, before, or
after. If location is used, it takes precedence
over the other two options.
In mode=insert only, whether to place the content at the
beginning or end of a the file. If location is provided,
before and after are ignored. Valid locations:
Place the content at the beginning of the file.
Place the content at the end of the file.
Regular expression or an exact case-sensitive fragment of the string.
Will be tried as both a regex and a part of the line.  Must
match exactly one line in the file.  This value is only used in
ensure and insert modes. The content will be inserted just
before this line, matching its indent unless indent=False.
Regular expression or an exact case-sensitive fragment of the string.
Will be tried as both a regex and a part of the line.  Must
match exactly one line in the file.  This value is only used in
ensure and insert modes. The content will be inserted
directly after this line, unless before is also provided. If
before is not matched, indentation will match this line, unless
indent=False.
Output a unified diff of the old file and the new file.
If False return a boolean if any changes were made.
Default is True
Note
Using this option will store two copies of the file in-memory (the original version and the edited version) in order to generate the diff.
Create a backup of the original file with the extension: "Year-Month-Day-Hour-Minutes-Seconds".
Do not raise any exceptions. E.g. ignore the fact that the file that is tried to be edited does not exist and nothing really happened.
Keep indentation with the previous line. This option is not considered when
the delete mode is specified. Default is True.
Create an empty file if doesn't exist.
New in version 2016.11.0.
The user to own the file, this defaults to the user salt is running as on the minion.
New in version 2016.11.0.
The group ownership set for the file, this defaults to the group salt is running as on the minion On Windows, this is ignored.
New in version 2016.11.0.
The permissions to set on this file, aka 644, 0775, 4664. Not supported on Windows.
New in version 2016.11.0.
If an equal sign (=) appears in an argument to a Salt command, it is
interpreted as a keyword argument in the format of key=val. That
processing can be bypassed in order to pass an equal sign through to the
remote shell command by manually specifying the kwarg:
update_config:
  file.line:
    - name: /etc/myconfig.conf
    - mode: ensure
    - content: my key = my value
    - before: somekey.*?
Examples:
Here's a simple config file.
[some_config]
# Some config file
# this line will go away
here=False
away=True
goodybe=away
And an sls file:
remove_lines:
  file.line:
    - name: /some/file.conf
    - mode: delete
    - match: away
This will produce:
[some_config]
# Some config file
here=False
away=True
goodbye=away
If that state is executed 2 more times, this will be the result:
[some_config]
# Some config file
here=False
Given that original file with this state:
replace_things:
  file.line:
    - name: /some/file.conf
    - mode: replace
    - match: away
    - content: here
Three passes will this state will result in this file:
[some_config]
# Some config file
here
here=False
here
here
Each pass replacing the first line found.
Given this file:
insert after me
something
insert before me
The following state:
insert_a_line:
  file.line:
    - name: /some/file.txt
    - mode: insert
    - after: insert after me
    - before: insert before me
    - content: thrice
If this state is executed 3 times, the result will be:
insert after me
something
thrice
thrice
thrice
insert before me
If the mode is ensure instead, it will fail each time. To succeed, we need to remove the incorrect line between before and after:
insert after me
insert before me
With an ensure mode, this will insert thrice the first time and
make no changes for subsequent calls. For something simple this is
fine, but if you have instead blocks like this:
Begin SomeBlock
    foo = bar
End
Begin AnotherBlock
    another = value
End
And given this state:
ensure_someblock:
  file.line:
    - name: /some/file.conf
    - mode: ensure
    - after: Begin SomeBlock
    - content: this = should be my content
    - before: End
This will fail because there are multiple End lines. Without that
problem, it still would fail because there is a non-matching line,
foo = bar. Ensure only allows either zero, or the matching
line present to be present in between before and after.
Manage a given file, this function allows for a file to be downloaded from the salt master and potentially run through a templating system.
The location of the file to manage, as an absolute path.
The source file to download to the minion, this source file can be
hosted on either the salt master server (salt://), the salt minion
local file system (/), or on an HTTP or FTP server (http(s)://,
ftp://).
Both HTTPS and HTTP are supported as well as downloading directly from Amazon S3 compatible URLs with both pre-configured and automatic IAM credentials. (see s3.get state documentation) File retrieval from Openstack Swift object storage is supported via swift://container/object_path URLs, see swift.get documentation. For files hosted on the salt file server, if the file is located on the master in the directory named spam, and is called eggs, the source string is salt://spam/eggs. If source is left blank or None (use ~ in YAML), the file will be created as an empty file and the content will not be managed. This is also the case when a file already exists and the source is undefined; the contents of the file will not be changed or managed. If source is left blank or None, please also set replaced to False to make your intention explicit.
If the file is hosted on a HTTP or FTP server then the source_hash argument is also required.
A list of sources can also be passed in to provide a default source and a set of fallbacks. The first source in the list that is found to exist will be used and subsequent entries in the list will be ignored. Source list functionality only supports local files and remote files hosted on the salt master server or retrievable via HTTP, HTTPS, or FTP.
file_override_example:
  file.managed:
    - source:
      - salt://file_that_does_not_exist
      - salt://file_that_exists
a source hash string
the URI of a file that contains source hash strings
The function accepts the first encountered long unbroken alphanumeric string of correct length as a valid hash, in order from most secure to least secure:
Type    Length
======  ======
sha512     128
sha384      96
sha256      64
sha224      56
sha1        40
md5         32
The file can contain several checksums for several files. Each line must contain both the file name and the hash. If no file name is matched, the first hash encountered will be used, otherwise the most secure hash with the correct source file name will be used.
When using a source hash file the source_hash argument needs to be a url, the standard download urls are supported, ftp, http, salt etc:
Example:
tomdroid-src-0.7.3.tar.gz:
  file.managed:
    - name: /tmp/tomdroid-src-0.7.3.tar.gz
    - source: https://launchpad.net/tomdroid/beta/0.7.3/+download/tomdroid-src-0.7.3.tar.gz
    - source_hash: https://launchpad.net/tomdroid/beta/0.7.3/+download/tomdroid-src-0.7.3.hash
The following lines are all supported formats:
/etc/rc.conf ef6e82e4006dee563d98ada2a2a80a27
sha254c8525aee419eb649f0233be91c151178b30f0dff8ebbdcc8de71b1d5c8bcc06a  /etc/resolv.conf
ead48423703509d37c4a90e6a0d53e143b6fc268
Debian file type *.dsc files are also supported.
Inserting the Source Hash in the SLS Data
The source_hash can be specified as a simple checksum, like so:
tomdroid-src-0.7.3.tar.gz:
  file.managed:
    - name: /tmp/tomdroid-src-0.7.3.tar.gz
    - source: https://launchpad.net/tomdroid/beta/0.7.3/+download/tomdroid-src-0.7.3.tar.gz
    - source_hash: 79eef25f9b0b2c642c62b7f737d4f53f
Note
Releases prior to 2016.11.0 must also include the hash type, like in the below example:
tomdroid-src-0.7.3.tar.gz:
  file.managed:
    - name: /tmp/tomdroid-src-0.7.3.tar.gz
    - source: https://launchpad.net/tomdroid/beta/0.7.3/+download/tomdroid-src-0.7.3.tar.gz
    - source_hash: md5=79eef25f9b0b2c642c62b7f737d4f53f
If the remote server URL has the hash file as an apparent sub-directory of the source file, the module will discover that it has already cached a directory where a file should be cached. For example:
tomdroid-src-0.7.3.tar.gz:
  file.managed:
    - name: /tmp/tomdroid-src-0.7.3.tar.gz
    - source: https://launchpad.net/tomdroid/beta/0.7.3/+download/tomdroid-src-0.7.3.tar.gz
    - source_hash: https://launchpad.net/tomdroid/beta/0.7.3/+download/tomdroid-src-0.7.3.tar.gz/+md5
When source_hash refers to a hash file, Salt will try to find the
correct hash by matching the filename/URI associated with that hash. By
default, Salt will look for the filename being managed. When managing a
file at path /tmp/foo.txt, then the following line in a hash file
would match:
acbd18db4cc2f85cedef654fccc4a4d8    foo.txt
However, sometimes a hash file will include multiple similar paths:
37b51d194a7513e45b56f6524f2d51f2    ./dir1/foo.txt
acbd18db4cc2f85cedef654fccc4a4d8    ./dir2/foo.txt
73feffa4b7f6bb68e44cf984c85f6e88    ./dir3/foo.txt
In cases like this, Salt may match the incorrect hash. This argument can be used to tell Salt which filename to match, to ensure that the correct hash is identified. For example:
/tmp/foo.txt:
  file.managed:
    - source: https://mydomain.tld/dir2/foo.txt
    - source_hash: https://mydomain.tld/hashes
    - source_hash_name: ./dir2/foo.txt
Note
This argument must contain the full filename entry from the
checksum file, as this argument is meant to disambiguate matches
for multiple files that have the same basename. So, in the
example above, simply using foo.txt would not match.
New in version 2016.3.5.
Set to False to discard the cached copy of the source file once the
state completes. This can be useful for larger files to keep them from
taking up space in minion cache. However, keep in mind that discarding
the source file will result in the state needing to re-download the
source file if the state is run again.
New in version 2017.7.3.
The user to own the file, this defaults to the user salt is running as on the minion
The group ownership set for the file, this defaults to the group salt is running as on the minion. On Windows, this is ignored
The permissions to set on this file, e.g. 644, 0775, or
4664.
The default mode for new files and directories corresponds to the
umask of the salt process. The mode of existing files and directories
will only be changed if mode is specified.
Note
This option is not supported on Windows.
Changed in version 2016.11.0: This option can be set to keep, and Salt will keep the mode
from the Salt fileserver. This is only supported when the
source URL begins with salt://, or for files local to the
minion. Because the source option cannot be used with any of
the contents options, setting the mode to keep is also
incompatible with the contents options.
Note
keep does not work with salt-ssh.
As a consequence of how the files are transferred to the minion, and the inability to connect back to the master with salt-ssh, salt is unable to stat the file as it exists on the fileserver and thus cannot mirror the mode on the salt-ssh minion
The attributes to have on this file, e.g. a, i. The attributes
can be any or a combination of the following characters:
aAcCdDeijPsStTu.
Note
This option is not supported on Windows.
New in version 2018.3.0.
If this setting is applied, the named templating engine will be used to render the downloaded file. The following templates are supported:
If set to True, then the parent directories will be created to
facilitate the creation of the named file. If False, and the parent
directory of the destination file doesn't exist, the state will fail.
If directories are to be created, passing this option specifies the permissions for those directories. If this is not set, directories will be assigned permissions by adding the execute bit to the mode of the files.
The default mode for new files and directories corresponds umask of salt process. For existing files and directories it's not enforced.
If set to False and the file already exists, the file will not be
modified even if changes would otherwise be made. Permissions and
ownership will still be enforced, however.
Overrides default context variables passed to the template.
Default context passed to the template.
Overrides the default backup mode for this specific file. See backup_mode documentation for more details.
Output a unified diff of the old file and the new file. If False
return a boolean if any changes were made.
If set to False, then the file will only be managed if the file
already exists on the system.
Specify the contents of the file. Cannot be used in combination with
source. Ignores hashes and does not use a templating engine.
This value can be either a single string, a multiline YAML string or a list of strings. If a list of strings, then the strings will be joined together with newlines in the resulting file. For example, the below two example states would result in identical file contents:
/path/to/file1:
  file.managed:
    - contents:
      - This is line 1
      - This is line 2
/path/to/file2:
  file.managed:
    - contents: |
        This is line 1
        This is line 2
New in version 0.17.0.
Changed in version 2016.11.0: contents_pillar can also be a list, and the pillars will be concatenated together to form one file.
Operates like contents, but draws from a value stored in pillar,
using the pillar path syntax used in pillar.get. This is useful when the pillar value
contains newlines, as referencing a pillar variable using a jinja/mako
template can result in YAML formatting issues due to the newlines
causing indentation mismatches.
For example, the following could be used to deploy an SSH private key:
/home/deployer/.ssh/id_rsa:
  file.managed:
    - user: deployer
    - group: deployer
    - mode: 600
    - attrs: a
    - contents_pillar: userdata:deployer:id_rsa
This would populate /home/deployer/.ssh/id_rsa with the contents of
pillar['userdata']['deployer']['id_rsa']. An example of this pillar
setup would be like so:
userdata:
  deployer:
    id_rsa: |
        -----BEGIN RSA PRIVATE KEY-----
        MIIEowIBAAKCAQEAoQiwO3JhBquPAalQF9qP1lLZNXVjYMIswrMe2HcWUVBgh+vY
        U7sCwx/dH6+VvNwmCoqmNnP+8gTPKGl1vgAObJAnMT623dMXjVKwnEagZPRJIxDy
        B/HaAre9euNiY3LvIzBTWRSeMfT+rWvIKVBpvwlgGrfgz70m0pqxu+UyFbAGLin+
        GpxzZAMaFpZw4sSbIlRuissXZj/sHpQb8p9M5IeO4Z3rjkCP1cxI
        -----END RSA PRIVATE KEY-----
Note
The private key above is shortened to keep the example brief, but shows how to do multiline string in YAML. The key is followed by a pipe character, and the multiline string is indented two more spaces.
To avoid the hassle of creating an indented multiline YAML string,
the file_tree external pillar can
be used instead. However, this will not work for binary files in
Salt releases before 2015.8.4.
New in version 2014.7.0.
Operates like contents, but draws from a value stored in grains,
using the grains path syntax used in grains.get. This functionality works similarly to
contents_pillar, but with grains.
For example, the following could be used to deploy a "message of the day" file:
write_motd:
  file.managed:
    - name: /etc/motd
    - contents_grains: motd
This would populate /etc/motd file with the contents of the motd
grain. The motd grain is not a default grain, and would need to be
set prior to running the state:
salt '*' grains.set motd 'Welcome! This system is managed by Salt.'
New in version 2014.7.0.
Changed in version 2015.8.4: This option is now ignored if the contents being deployed contain binary data.
If True, files managed using contents, contents_pillar, or
contents_grains will have a newline added to the end of the file if
one is not present. Setting this option to False will ensure the
final line, or entry, does not contain a new line. If the last line, or
entry in the file does contain a new line already, this option will not
remove it.
New in version 2015.8.4.
Can be used to specify an alternate delimiter for contents_pillar
or contents_grains. This delimiter will be passed through to
pillar.get or grains.get when retrieving the contents.
If specified, then the specified encoding will be used. Otherwise, the file will be encoded using the system locale (usually UTF-8). See https://docs.python.org/3/library/codecs.html#standard-encodings for the list of available encodings.
New in version 2017.7.0.
Error encoding scheme. Default is `'strict'`.
See https://docs.python.org/2/library/codecs.html#codec-base-classes
for the list of available schemes.
New in version 2017.7.0.
New in version 2015.8.4.
If set to False, then the state will fail if the contents specified
by contents_pillar or contents_grains are empty.
New in version 2014.7.0.
If the desired path is a symlink follow it and make changes to the file to which the symlink points.
New in version 2014.7.0.
The specified command will be run with an appended argument of a temporary file containing the new managed contents. If the command exits with a zero status the new managed contents will be written to the managed destination. If the command exits with a nonzero exit code, the state will fail and no changes will be made to the file.
For example, the following could be used to verify sudoers before making changes:
/etc/sudoers:
  file.managed:
    - user: root
    - group: root
    - mode: 0440
    - attrs: i
    - source: salt://sudoers/files/sudoers.jinja
    - template: jinja
    - check_cmd: /usr/sbin/visudo -c -f
NOTE: This check_cmd functions differently than the requisite
check_cmd.
Directory for temp file created by check_cmd. Useful for checkers
dependent on config file location (e.g. daemons restricted to their
own config directories by an apparmor profile).
/etc/dhcp/dhcpd.conf:
  file.managed:
    - user: root
    - group: root
    - mode: 0755
    - tmp_dir: '/etc/dhcp'
    - contents: "# Managed by Salt"
    - check_cmd: dhcpd -t -cf
Suffix for temp file created by check_cmd. Useful for checkers
dependent on config file extension (e.g. the init-checkconf upstart
config checker).
/etc/init/test.conf:
  file.managed:
    - user: root
    - group: root
    - mode: 0440
    - tmp_ext: '.conf'
    - contents:
      - 'description "Salt Minion"'
      - 'start on started mountall'
      - 'stop on shutdown'
      - 'respawn'
      - 'exec salt-minion'
    - check_cmd: init-checkconf -f
If True, hash verification of remote file sources (http://,
https://, ftp://) will be skipped, and the source_hash
argument will be ignored.
New in version 2016.3.0.
Allows setting the selinux user, role, type, and range of a managed file
/tmp/selinux.test
  file.managed:
    - user: root
    - selinux:
        seuser: system_u
        serole: object_r
        setype: system_conf_t
        serange: s0
New in version 3000.
The owner of the directory. If this is not passed, user will be used. If user is not passed, the account under which Salt is running will be used.
New in version 2017.7.0.
A dictionary containing permissions to grant and their propagation. For
example: {'Administrators': {'perms': 'full_control'}} Can be a
single basic perm or a list of advanced perms. perms must be
specified. applies_to does not apply to file objects.
New in version 2017.7.0.
A dictionary containing permissions to deny and their propagation. For
example: {'Administrators': {'perms': 'full_control'}} Can be a
single basic perm or a list of advanced perms. perms must be
specified. applies_to does not apply to file objects.
New in version 2017.7.0.
True to inherit permissions from the parent directory, False not to inherit permission.
New in version 2017.7.0.
If True the existing DACL will be cleared and replaced with the
settings defined in this function. If False, new entries will be
appended to the existing DACL. Default is False.
New in version 2018.3.0.
Here's an example using the above win_* parameters:
create_config_file:
  file.managed:
    - name: C:\config\settings.cfg
    - source: salt://settings.cfg
    - win_owner: Administrators
    - win_perms:
        # Basic Permissions
        dev_ops:
          perms: full_control
        # List of advanced permissions
        appuser:
          perms:
            - read_attributes
            - read_ea
            - create_folders
            - read_permissions
        joe_snuffy:
          perms: read
    - win_deny_perms:
        fred_snuffy:
          perms: full_control
    - win_inheritance: False
If False, remote https file sources (https://) and source_hash
will not attempt to validate the servers certificate. Default is True.
New in version 3002.
If True, remote http/https file sources will attempt to use the
ETag header to determine if the remote file needs to be downloaded.
This provides a lightweight mechanism for promptly refreshing files
changed on a web server without requiring a full hash comparison via
the source_hash parameter.
New in version 3005.
Verify that the named file or directory is missing, this returns True only if the named file is missing but does not remove the file if it is present.
Absolute path which must NOT exist
Create a special file similar to the 'nix mknod command. The supported
device types are p (fifo pipe), c (character device), and b
(block device). Provide the major and minor numbers when specifying a
character device or block device. A fifo pipe does not require this
information. The command will create the necessary dirs if needed. If a
file of the same name not of the same type/major/minor exists, it will not
be overwritten or unlinked (deleted). This is logically in place as a
safety measure because you can really shoot yourself in the foot here and
it is the behavior of 'nix mknod. It is also important to note that not
just anyone can create special devices. Usually this is only done as root.
If the state is executed as none other than root on a minion, you may
receive a permission error.
name of the file
node type 'p' (fifo pipe), 'c' (character device), or 'b' (block device)
major number of the device does not apply to a fifo pipe
minor number of the device does not apply to a fifo pipe
owning user of the device/pipe
owning group of the device/pipe
permissions on the device/pipe
Usage:
/dev/chr:
  file.mknod:
    - ntype: c
    - major: 180
    - minor: 31
    - user: root
    - group: root
    - mode: 660
/dev/blk:
  file.mknod:
    - ntype: b
    - major: 8
    - minor: 999
    - user: root
    - group: root
    - mode: 660
/dev/fifo:
  file.mknod:
    - ntype: p
    - user: root
    - group: root
    - mode: 660
New in version 0.17.0.
Create a beacon to monitor a file based on a beacon state argument.
Note
This state exists to support special handling of the beacon
state argument for supported state functions. It should not be called directly.
Execute the check_cmd logic.
Return a result dict if check_cmd succeeds (check_cmd == 0)
otherwise return True
New in version 2017.7.3.
Ensures that a file is not present in the minion's cache, deleting it if found. This state is primarily invoked by other states to ensure that a fresh copy is fetched.
The URL of the file to be removed from cache. To remove a file from
cache in an environment other than base, either use the saltenv
argument or include the saltenv in the URL (e.g.
salt://path/to/file.conf?saltenv=dev).
Note
A list of URLs is not supported, this must be a single URL. If a local file is passed here, the state will take no action.
Used to specify the environment from which to download a file from the
Salt fileserver (i.e. those with salt:// URL).
Ensure that a patch has been applied to the specified file or directory
Changed in version 2019.2.0: The hash and dry_run_first options are now ignored, as the
logic which determines whether or not the patch has already been
applied no longer requires them. Additionally, this state now supports
patch files that modify more than one file. To use these sort of
patches, specify a directory (and, if necessary, the strip option)
instead of a file.
Note
A suitable patch executable must be available on the minion. Also,
keep in mind that the pre-check this state does to determine whether or
not changes need to be made will create a temp file and send all patch
output to that file. This means that, in the event that the patch would
not have applied cleanly, the comment included in the state results will
reference a temp file that will no longer exist once the state finishes
running.
The file or directory to which the patch should be applied
The patch file to apply
Changed in version 2019.2.0: The source can now be from any file source supported by Salt
(salt://, http://, https://, ftp://, etc.).
Templating is also now supported.
Works the same way as in file.managed.
New in version 2019.2.0.
Works the same way as in file.managed
New in version 2019.2.0.
Works the same way as in file.managed
New in version 2019.2.0.
Works the same way as in file.managed
New in version 2019.2.0.
Works the same way as in file.managed
New in version 2019.2.0.
Works the same way as in file.managed
New in version 2019.2.0.
Extra options to pass to patch. This should not be necessary in most cases.
Note
For best results, short opts should be separate from one another.
The -N and -r, and -o options are used internally by
this state and cannot be used here. Additionally, instead of using
-pN or --strip=N, use the strip option documented
below.
If specified, any rejected hunks will be written to this file. If not specified, then they will be written to a temp file which will be deleted when the state finishes running.
Important
The parent directory must exist. Also, this will overwrite the file if it is already present.
New in version 2019.2.0.
Number of directories to strip from paths in the patch file. For
example, using the below SLS would instruct Salt to use -p1 when
applying the patch:
/etc/myfile.conf:
  file.patch:
    - source: salt://myfile.patch
    - strip: 1
New in version 2019.2.0: In previous versions, -p1 would need to be passed as part of
the options value.
Specify the environment from which to retrieve the patch file indicated
by the source parameter. If not provided, this defaults to the
environment from which the state is being executed.
Note
Ignored when the patch file is from a non-salt:// source.
Usage:
# Equivalent to ``patch --forward /opt/myfile.txt myfile.patch``
/opt/myfile.txt:
  file.patch:
    - source: salt://myfile.patch
Ensure that some text appears at the beginning of a file
The text will not be prepended again if it already exists in the file. You may specify a single line of text or a list of lines to append.
The location of the file to append to.
The text to be appended, which can be a single string or a list of strings.
If the file is located in a path without a parent directory, then the state will fail. If makedirs is set to True, then the parent directories will be created to facilitate the creation of the named file. Defaults to False.
A single source file to append. This source file can be hosted on either the salt master server, or on an HTTP or FTP server. Both HTTPS and HTTP are supported as well as downloading directly from Amazon S3 compatible URLs with both pre-configured and automatic IAM credentials (see s3.get state documentation). File retrieval from Openstack Swift object storage is supported via swift://container/object_path URLs (see swift.get documentation).
For files hosted on the salt file server, if the file is located on the master in the directory named spam, and is called eggs, the source string is salt://spam/eggs.
If the file is hosted on an HTTP or FTP server, the source_hash argument is also required.
a source hash string
the URI of a file that contains source hash strings
The function accepts the first encountered long unbroken alphanumeric string of correct length as a valid hash, in order from most secure to least secure:
Type    Length
======  ======
sha512     128
sha384      96
sha256      64
sha224      56
sha1        40
md5         32
See the source_hash parameter description for file.managed function for more details and examples.
The named templating engine will be used to render the appended-to file.
Defaults to jinja. The following templates are supported:
A list of source files to append. If the files are hosted on an HTTP or FTP server, the source_hashes argument is also required.
A list of source_hashes corresponding to the sources list specified in the sources argument.
Default context passed to the template.
Overrides default context variables passed to the template.
New in version 2015.8.4.
Spaces and Tabs in text are ignored by default, when searching for the
appending content, one space or multiple tabs are the same for salt.
Set this option to False if you want to change this behavior.
Multi-line example:
/etc/motd:
  file.prepend:
    - text: |
        Thou hadst better eat salt with the Philosophers of Greece,
        than sugar with the Courtiers of Italy.
        - Benjamin Franklin
Multiple lines of text:
/etc/motd:
  file.prepend:
    - text:
      - Trust no one unless you have eaten much salt with him.
      - "Salt is born of the purest of parents: the sun and the sea."
Optionally, require the text to appear exactly as specified (order and position). Combine with multi-line or multiple lines of input.
/etc/motd:
  file.prepend:
    - header: True
    - text:
      - This will be the very first line in the file.
      - The 2nd line, regardless of duplicates elsewhere in the file.
      - These will be written anew if they do not appear verbatim.
Gather text from multiple template files:
/etc/motd:
  file:
    - prepend
    - template: jinja
    - sources:
      - salt://motd/devops-messages.tmpl
      - salt://motd/hr-messages.tmpl
      - salt://motd/general-messages.tmpl
New in version 2014.7.0.
New in version 3006.0.
Ensure that the named directory is absent. If it exists and is empty, it
will be deleted. An entire directory tree can be pruned of empty
directories as well, by using the recurse option.
The directory which should be deleted if empty.
If set to True, this option will recursive deletion of empty
directories. This is useful if nested paths are all empty, and would
be the only items preventing removal of the named root directory.
If set to True, any errors encountered while attempting to delete a
directory are ignored. This AUTOMATICALLY ENABLES the recurse
option since it's not terribly useful to ignore errors on the removal of
a single directory. Useful for pruning only the empty directories in a
tree which contains non-empty directories as well.
When older_than is set to a number, it is used to determine the
number of days which must have passed since the last modification
timestamp before a directory will be allowed to be removed. Setting
the value to 0 is equivalent to leaving it at the default of None.
Recurse through a subdirectory on the master and copy said subdirectory over to the specified path.
The directory to set the recursion in
The source directory, this directory is located on the salt master file server and is specified with the salt:// protocol. If the directory is located on the master in the directory named spam, and is called eggs, the source string is salt://spam/eggs
Set to False to discard the cached copy of the source file once the
state completes. This can be useful for larger files to keep them from
taking up space in minion cache. However, keep in mind that discarding
the source file will result in the state needing to re-download the
source file if the state is run again.
New in version 2017.7.3.
Make sure that only files that are set up by salt and required by this function are kept. If this option is set then everything in this directory will be deleted unless it is required.
Require other resources such as packages or files
The user to own the directory. This defaults to the user salt is running as on the minion
The group ownership set for the directory. This defaults to the group salt is running as on the minion. On Windows, this is ignored
The permissions mode to set on any directories created.
The default mode for new files and directories corresponds umask of salt process. For existing files and directories it's not enforced.
Note
This option is not supported on Windows.
The permissions mode to set on any files created.
The default mode for new files and directories corresponds umask of salt process. For existing files and directories it's not enforced.
Note
This option is not supported on Windows.
Changed in version 2016.11.0: This option can be set to keep, and Salt will keep the mode
from the Salt fileserver. This is only supported when the
source URL begins with salt://, or for files local to the
minion. Because the source option cannot be used with any of
the contents options, setting the mode to keep is also
incompatible with the contents options.
The permissions mode to set on any symlink created.
The default mode for new files and directories corresponds umask of salt process. For existing files and directories it's not enforced.
Note
This option is not supported on Windows.
If this setting is applied, the named templating engine will be used to render the downloaded file. The following templates are supported:
Note
The template option is required when recursively applying templates.
If set to False and the file already exists, the file will not be
modified even if changes would otherwise be made. Permissions and
ownership will still be enforced, however.
Overrides default context variables passed to the template.
Default context passed to the template.
Set this to True if empty directories should also be created (default is False)
Overrides the default backup mode for all replaced files. See backup_mode documentation for more details.
When copying, include only this pattern, or list of patterns, from the source. Default is glob match; if prefixed with 'E@', then regexp match. Example:
- include_pat: hello*       :: glob matches 'hello01', 'hello02'
                               ... but not 'otherhello'
- include_pat: E@hello      :: regexp matches 'otherhello',
                               'hello01' ...
Changed in version 3001: List patterns are now supported
- include_pat:
    - hello01
    - hello02
Exclude this pattern, or list of patterns, from the source when copying. If both include_pat and exclude_pat are supplied, then it will apply conditions cumulatively. i.e. first select based on include_pat, and then within that result apply exclude_pat.
Also, when 'clean=True', exclude this pattern from the removal list and preserve in the destination. Example:
- exclude_pat: APPDATA*               :: glob matches APPDATA.01,
                                         APPDATA.02,.. for exclusion
- exclude_pat: E@(APPDATA)|(TEMPDATA) :: regexp matches APPDATA
                                         or TEMPDATA for exclusion
Changed in version 3001: List patterns are now supported
- exclude_pat:
    - APPDATA.01
    - APPDATA.02
When copying, only copy paths which are of depth maxdepth from the source path. Example:
- maxdepth: 0      :: Only include files located in the source
                      directory
- maxdepth: 1      :: Only include files located in the source
                      or immediate subdirectories
Keep symlinks when copying from the source. This option will cause
the copy operation to terminate at the symlink. If desire behavior
similar to rsync, then set this to True. This option is not taken
in account if fileserver_followsymlinks is set to False.
Force symlink creation. This option will force the symlink creation.
If a file or directory is obstructing symlink creation it will be
recursively removed so that symlink creation can proceed. This
option is usually not needed except in special circumstances. This
option is not taken in account if fileserver_followsymlinks is
set to False.
The owner of the symlink and directories if makedirs is True. If
this is not passed, user will be used. If user is not passed,
the account under which Salt is running will be used.
New in version 2017.7.7.
A dictionary containing permissions to grant
New in version 2017.7.7.
A dictionary containing permissions to deny
New in version 2017.7.7.
True to inherit permissions from parent, otherwise False
New in version 2017.7.7.
If the source file exists on the system, rename it to the named file. The named file will not be overwritten if it already exists unless the force option is set to True.
The location of the file to rename to
The location of the file to move to the location specified with name
If the target location is present then the file will not be moved, specify "force: True" to overwrite the target file
If the target subdirectories don't exist create them
Maintain an edit in a file.
New in version 0.17.0.
Filesystem path to the file to be edited. If a symlink is specified, it will be resolved to its target.
A regular expression, to be matched using Python's
re.search().
Note
If you need to match a literal string that contains regex special
characters, you may want to use salt's custom Jinja filter,
regex_escape.
{{ 'http://example.com?foo=bar%20baz' | regex_escape }}
The replacement text
Maximum number of pattern occurrences to be replaced. Defaults to 0. If count is a positive integer n, no more than n occurrences will be replaced, otherwise all occurrences will be replaced.
A list of flags defined in the re module documentation from the
Python standard library. Each list item should be a string that will
correlate to the human-friendly flag name. E.g., ['IGNORECASE',
'MULTILINE'].  Optionally, flags may be an int, with a value
corresponding to the XOR (|) of all the desired flags. Defaults to
8 (which equates to ['MULTILINE']).
Note
file.replace reads the entire file as a string to support
multiline regex patterns. Therefore, when using anchors such as
^ or $ in the pattern, those anchors may be relative to
the line OR relative to the file. The default for file.replace
is to treat anchors as relative to the line, which is implemented
by setting the default value of flags to ['MULTILINE'].
When overriding the default value for flags, if
'MULTILINE' is not present then anchors will be relative to
the file. If the desired behavior is for anchors to be relative to
the line, then simply add 'MULTILINE' to the list of flags.
How much of the file to buffer into memory at once. The default value
1 processes one line at a time. The special value file may be
specified which will read the entire file into memory before
processing.
If set to True, and pattern is not found, then the content will be
appended to the file.
New in version 2014.7.0.
If set to True and pattern is not found, then the content will be
prepended to the file.
New in version 2014.7.0.
Content to use for append/prepend if not found. If None (default),
uses repl. Useful when repl uses references to group in
pattern.
New in version 2014.7.0.
The file extension to use for a backup of the file before editing. Set
to False to skip making a backup.
Output a unified diff of the old file and the new file. If False
return a boolean if any changes were made. Returns a boolean or a
string.
New in version 2016.3.4.
Controls what to do if the file is missing. If set to False, the
state will display an error raised by the execution module. If set to
True, the state will simply report no changes.
New in version 2016.11.7.
Interpret backslashes as literal backslashes for the repl and not escape characters. This will help when using append/prepend so that the backslashes are not interpreted for the repl on the second run of the state.
For complex regex patterns, it can be useful to avoid the need for complex quoting and escape sequences by making use of YAML's multiline string syntax.
complex_search_and_replace:
  file.replace:
    # <...snip...>
    - pattern: |
        CentOS \(2.6.32[^\\n]+\\n\s+root[^\\n]+\\n\)+
Note
When using YAML multiline string syntax in pattern:, make sure to
also use that syntax in the repl: part, or you might loose line
feeds.
When regex capture groups are used in pattern:, their captured value is
available for reuse in the repl: part as a backreference (ex. \1).
add_login_group_to_winbind_ssh_access_list:
  file.replace:
    - name: '/etc/security/pam_winbind.conf'
    - pattern: '^(require_membership_of = )(.*)$'
    - repl: '\1\2,append-new-group-to-line'
Note
The file.replace state uses Python's re module.
For more advanced options, see https://docs.python.org/2/library/re.html
Apply retention scheduling to backup storage directory.
New in version 2016.11.0.
Changed in version 3006.0.
name -- The filesystem path to the directory containing backups to be managed.
retain --
Delete the backups, except for the ones we want to keep.
The N below should be an integer but may also be the special value of all,
which keeps all files matching the criteria.
All of the retain options default to None,
which means to not keep files based on this criteria.
Keep the most recent N files.
For the last N hours from now, keep the first file after the hour.
For the last N days from now, keep the first file after midnight.
See also timezone.
For the last N weeks from now, keep the first file after Sunday midnight.
For the last N months from now, keep the first file after the start of the month.
For the last N years from now, keep the first file after the start of the year.
strptime_format -- A python strptime format string used to first match the filenames of backups
and then parse the filename to determine the datetime of the file.
https://docs.python.org/2/library/datetime.html#datetime.datetime.strptime
Defaults to None, which considers all files in the directory to be backups eligible for deletion
and uses os.path.getmtime() to determine the datetime.
timezone -- The timezone to use when determining midnight.
This is only used when datetime is pulled from os.path.getmtime().
Defaults to None which uses the timezone from the locale.
Usage example:
/var/backups/example_directory:
  file.retention_schedule:
    - retain:
        most_recent: 5
        first_of_hour: 4
        first_of_day: 7
        first_of_week: 6    # NotImplemented yet.
        first_of_month: 6
        first_of_year: all
    - strptime_format: example_name_%Y%m%dT%H%M%S.tar.bz2
    - timezone: None
Serializes dataset and store it into managed file. Useful for sharing simple configuration files.
The location of the file to create
The dataset that will be serialized
Operates like dataset, but draws from a value stored in pillar,
using the pillar path syntax used in pillar.get. This is useful when the pillar value
contains newlines, as referencing a pillar variable using a jinja/mako
template can result in YAML formatting issues due to the newlines
causing indentation mismatches.
New in version 2015.8.0.
Write the data as this format. See the list of serializer modules for supported output formats.
Changed in version 3002: serializer argument added as an alternative to formatter.
Both are accepted, but using both will result in an error.
If specified, then the specified encoding will be used. Otherwise, the file will be encoded using the system locale (usually UTF-8). See https://docs.python.org/3/library/codecs.html#standard-encodings for the list of available encodings.
New in version 2017.7.0.
Error encoding scheme. Default is `'strict'`.
See https://docs.python.org/2/library/codecs.html#codec-base-classes
for the list of available schemes.
New in version 2017.7.0.
The user to own the directory, this defaults to the user salt is running as on the minion
The group ownership set for the directory, this defaults to the group salt is running as on the minion
The permissions to set on this file, e.g. 644, 0775, or
4664.
The default mode for new files and directories corresponds umask of salt process. For existing files and directories it's not enforced.
Note
This option is not supported on Windows.
Overrides the default backup mode for this specific file.
Create parent directories for destination file.
New in version 2014.1.3.
Output a unified diff of the old file and the new file. If False
return a boolean if any changes were made.
Default is True, if create is set to False then the file will only be managed if the file already exists on the system.
Default is False, if merge_if_exists is True then the existing file will be parsed and the dataset passed in will be merged with the existing content
New in version 2014.7.0.
Pass through options to serializer. For example:
/etc/dummy/package.yaml
  file.serialize:
    - serializer: yaml
    - serializer_opts:
      - explicit_start: True
      - default_flow_style: True
      - indent: 4
The valid opts are the additional opts (i.e. not the data being serialized) for the function used to serialize the data. Documentation for the these functions can be found in the list below:
For yaml: yaml.dump()
For json: json.dumps()
For python: pprint.pformat()
For msgpack: Run python -c 'import msgpack; help(msgpack.Packer)'
to see the available options (encoding, unicode_errors, etc.)
Like serializer_opts above, but only used when merging with an
existing file (i.e. when merge_if_exists is set to True).
The options specified here will be passed to the deserializer to load the existing data, before merging with the specified data and re-serializing.
/etc/dummy/package.yaml
  file.serialize:
    - serializer: yaml
    - serializer_opts:
      - explicit_start: True
      - default_flow_style: True
      - indent: 4
    - deserializer_opts:
      - encoding: latin-1
    - merge_if_exists: True
The valid opts are the additional opts (i.e. not the data being deserialized) for the function used to deserialize the data. Documentation for the these functions can be found in the list below:
For yaml: yaml.load()
For json: json.loads()
However, note that not all arguments are supported. For example, when
deserializing JSON, arguments like parse_float and parse_int
which accept a callable object cannot be handled in an SLS file.
New in version 2019.2.0.
For example, this state:
/etc/dummy/package.json:
  file.serialize:
    - dataset:
        name: naive
        description: A package using naive versioning
        author: A confused individual <iam@confused.com>
        dependencies:
          express: '>= 1.2.0'
          optimist: '>= 0.1.0'
        engine: node 0.4.1
    - serializer: json
will manage the file /etc/dummy/package.json:
{
  "author": "A confused individual <iam@confused.com>",
  "dependencies": {
    "express": ">= 1.2.0",
    "optimist": ">= 0.1.0"
  },
  "description": "A package using naive versioning",
  "engine": "node 0.4.1",
  "name": "naive"
}
Create a Windows shortcut
If the file already exists and is a shortcut pointing to any location other than the specified target, the shortcut will be replaced. If it is a regular file or directory then the state will return False. If the regular file or directory is desired to be replaced with a shortcut pass force: True, if it is to be renamed, pass a backupname.
The location of the shortcut to create. Must end with either ".lnk" or ".url"
The location that the shortcut points to
Any arguments to pass in the shortcut
Working directory in which to execute target
Description to set on shortcut
Location of shortcut's icon
If the name of the shortcut exists and is not a file and force is set to False, the state will fail. If force is set to True, the link or directory in the way of the shortcut file will be deleted to make room for the shortcut, unless backupname is set, when it will be renamed
If the name of the shortcut exists and is not a file, it will be renamed to the backupname. If the backupname already exists and force is False, the state will fail. Otherwise, the backupname will be removed first.
If the location of the shortcut does not already have a parent directory then the state will fail, setting makedirs to True will allow Salt to create the parent directory. Setting this to True will also create the parent for backupname if necessary.
The user to own the file, this defaults to the user salt is running as on the minion
The default mode for new files and directories corresponds umask of salt process. For existing files and directories it's not enforced.
Create a symbolic link (symlink, soft link)
If the file already exists and is a symlink pointing to any location other than the specified target, the symlink will be replaced. If an entry with the same name exists then the state will return False. If the existing entry is desired to be replaced with a symlink pass force: True, if it is to be renamed, pass a backupname.
The location of the symlink to create
The location that the symlink points to
If the name of the symlink exists and is not a symlink and force is set to False, the state will fail. If force is set to True, the existing entry in the way of the symlink file will be deleted to make room for the symlink, unless backupname is set, when it will be renamed
Changed in version 3000: Force will now remove all types of existing file system entries, not just files, directories and symlinks.
If the name of the symlink exists and is not a symlink, it will be renamed to the backupname. If the backupname already exists and force is False, the state will fail. Otherwise, the backupname will be removed first. An absolute path OR a basename file/directory name must be provided. The latter will be placed relative to the symlink destination's parent directory.
If the location of the symlink does not already have a parent directory then the state will fail, setting makedirs to True will allow Salt to create the parent directory
The user to own the file, this defaults to the user salt is running as
on the minion unless the link already exists and
inherit_user_and_group is set
The group ownership set for the file, this defaults to the group salt
is running as on the minion unless the link already exists and
inherit_user_and_group is set. On Windows, this is ignored
The permissions to set on this file, aka 644, 0775, 4664. Not supported on Windows.
The default mode for new files and directories corresponds umask of salt process. For existing files and directories it's not enforced.
The owner of the symlink and directories if makedirs is True. If
this is not passed, user will be used. If user is not passed,
the account under which Salt is running will be used.
New in version 2017.7.7.
A dictionary containing permissions to grant
New in version 2017.7.7.
A dictionary containing permissions to deny
New in version 2017.7.7.
True to inherit permissions from parent, otherwise False
New in version 2017.7.7.
Use atomic file operation to create the symlink.
New in version 3006.0.
Only used if backupname is used and the name of the symlink exists
and is not a symlink. If set to True, the operation is offloaded to
the file.rename execution module function. This will use
os.rename underneath, which will fail in the event that src and
dst are on different filesystems. If False (the default),
shutil.move will be used in order to fall back on a "copy then
unlink" approach, which is required for moving across filesystems.
New in version 3006.0.
If set to True, the link already exists, and either user or
group are not set, this parameter will inform Salt to pull the user
and group information from the existing link and use it where user
or group is not set. The user and group parameters will
override this behavior.
New in version 3006.0.
Changed in version 3006.0,3005.
Remove unwanted files based on specific criteria.
The default operation uses an OR operation to evaluate age and size, so a file that is too large but is not old enough will still get tidied. If neither age nor size is given all files which match a pattern in matches will be removed.
NOTE: The regex patterns in this function are used in re.match(), so
there is an implicit "beginning of string" anchor (^) in the regex and
it is unanchored at the other end unless explicitly entered ($).
The directory tree that should be tidied
Maximum age in days after which files are considered for removal
List of regular expressions to restrict what gets removed. Default: ['.*']
Whether or not it's allowed to remove directories
Maximum allowed file size. Files greater or equal to this size are removed. Doesn't apply to directories or symbolic links
List of regular expressions to filter the matches parameter and better
control what gets removed.
New in version 3005.
Match the matches and exclude regex patterns against the entire
file path instead of just the file or directory name. Default: False
New in version 3005.
This module will not descend into subdirectories which are pointed to by
symbolic links. If you wish to force it to do so, you may give this
option the value True. Default: False
New in version 3005.
Default: atime. Options: atime/mtime/ctime. This value
is used to set the type of time comparison made using age. The
default is to compare access times (atime) or the last time the file was
read. A comparison by modification time (mtime) uses the last time the
contents of the file was changed. The ctime parameter is the last time
the contents, owner,  or permissions of the file were changed.
New in version 3005.
This parameter can change the default operation (OR) to an AND operation
to evaluate age and size. In that scenario, a file that is too large but
is not old enough will NOT get tidied. A file will need to fulfill BOTH
conditions in order to be tidied. Accepts OR or AND.
New in version 3006.0.
This parameter can trigger the reduction of age and size conditions
which need to be satisfied down to ONLY age or ONLY size. By default,
this parameter is None and both conditions will be evaluated using
the logical operator defined in age_size_logical_operator. The
parameter can be set to age or size in order to restrict
evaluation down to that specific condition. Path matching and
exclusions still apply.
New in version 3006.0.
Whether or not it's allowed to remove symbolic links
New in version 3006.0.
cleanup:
  file.tidied:
    - name: /tmp/salt_test
    - rmdirs: True
    - matches:
      - foo
      - b.*r
Replicate the 'nix "touch" command to create a new empty file or update the atime and mtime of an existing file.
Note that if you just want to create a file and don't care about atime or
mtime, you should use file.managed instead, as it is more
feature-complete.  (Just leave out the source/template/contents
arguments, and it will just create the file and/or check its permissions,
without messing with contents)
name of the file
atime of the file
mtime of the file
whether we should create the parent directory/directories in order to touch the file
Usage:
/var/log/httpd/logrotate.empty:
  file.touch
New in version 0.9.5.
Uncomment specified commented lines in a file
The full path to the file to be edited
A regular expression used to find the lines that are to be uncommented.
This regex should not include the comment character. A leading ^
character will be stripped for convenience (for easily switching
between comment() and uncomment()).  The regex will be searched for
from the beginning of the line, ignoring leading spaces (we prepend
'^[ t]*')
The character to remove in order to uncomment a line
The file will be backed up before edit with this file extension;
Warning
This backup will be overwritten each time sed / comment /
uncomment is called. Meaning the backup will only be useful
after the first invocation.
Set to False/None to not keep a backup.
Usage:
/etc/adduser.conf:
  file.uncomment:
    - regex: EXTRA_GROUPS
New in version 0.9.5.