Note
Access to this page requires authorization. You can try signing in or changing directories.
Access to this page requires authorization. You can try changing directories.
Applies to:  Databricks SQL
 Databricks SQL  Databricks Runtime 13.3 LTS and above
 Databricks Runtime 13.3 LTS and above
Reads files under a provided location and returns the data in tabular form.
Supports reading JSON, CSV, XML, TEXT, BINARYFILE, PARQUET, AVRO, and ORC file formats.
Can detect the file format automatically and infer a unified schema across all files.
Syntax
read_files(path [, option_key => option_value ] [...])
Arguments
This function requires named parameter invocation for the option keys.
- path: A- STRINGwith the URI of the location of the data. Supports reading from Azure Data Lake Storage (- 'abfss://'), S3 (- s3://) and Google Cloud Storage (- 'gs://'). Can contain globs. See File discovery for more details.
- option_key: The name of the option to configure. You need to use backticks (- ) for options that contain dots (.`).
- option_value: A constant expression to set the option to. Accepts literals and scalar functions.
Returns
A table comprised of the data from files read under the given path.
File discovery
read_files can read an individual file or read files under a provided directory.
read_files discovers all files under the provided directory recursively unless a glob is provided, which instructs read_files to recurse into a specific directory pattern.
Filtering directories or files using glob patterns
Glob patterns can be used for filtering directories and files when provided in the path.
| Pattern | Description | 
|---|---|
| ? | Matches any single character | 
| * | Matches zero or more characters | 
| [abc] | Matches a single character from character set {a,b,c}. | 
| [a-z] | Matches a single character from the character range {a…z}. | 
| [^a] | Matches a single character that is not from character set or range {a}. Note that the ^character must occur immediately to the right of the opening bracket. | 
| {ab,cd} | Matches a string from the string set {ab, cd}. | 
| {ab,c{de, fh}} | Matches a string from the string set {ab, cde, cfh}. | 
read_files uses Auto Loader's strict globber when discovering files with globs. This is configured by the useStrictGlobber option. When the strict globber is disabled, trailing slashes (/) are dropped and a star pattern such as /*/ can expand into discovering multiple directories. See the examples below to see the difference in behavior.
| Pattern | File path | Strict globber disabled | Strict globber enabled | 
|---|---|---|---|
| /a/b | /a/b/c/file.txt | Yes | Yes | 
| /a/b | /a/b_dir/c/file.txt | No | No | 
| /a/b | /a/b.txt | No | No | 
| /a/b/ | /a/b.txt | No | No | 
| /a/*/c/ | /a/b/c/file.txt | Yes | Yes | 
| /a/*/c/ | /a/b/c/d/file.txt | Yes | Yes | 
| /a/*/d/ | /a/b/c/d/file.txt | Yes | No | 
| /a/*/c/ | /a/b/x/y/c/file.txt | Yes | No | 
| /a/*/c | /a/b/c_file.txt | Yes | No | 
| /a/*/c/ | /a/b/c_file.txt | Yes | No | 
| /a/*/c | /a/b/cookie/file.txt | Yes | No | 
| /a/b* | /a/b.txt | Yes | Yes | 
| /a/b* | /a/b/file.txt | Yes | Yes | 
| /a/{0.txt,1.txt} | /a/0.txt | Yes | Yes | 
| /a/*/{0.txt,1.txt} | /a/0.txt | No | No | 
| /a/b/[cde-h]/i/ | /a/b/c/i/file.txt | Yes | Yes | 
Schema inference
The schema of the files can be explicitly provided to read_files with the schema option. When the schema is not provided, read_files attempts to infer a unified schema across the discovered files, which requires reading all the files unless a LIMIT statement is used. Even when using a LIMIT query, a larger set of files than required might be read to return a more representative schema of the data. Databricks automatically adds a LIMIT statement for SELECT queries in notebooks and the SQL editor if a user hasn't provided one.
The schemaHints option can be used to fix subsets of the inferred schema. See Override schema inference with schema hints for more details.
A rescuedDataColumn is provided by default to rescue any data that doesn't match the schema. See What is the rescued data column? for more details. You can drop the rescuedDataColumn by setting the option schemaEvolutionMode => 'none'.
Partition schema inference
read_files can also infer partitioning columns if files are stored under Hive-style partitioned directories, that is /column_name=column_value/. If a schema is provided, the discovered partition columns use the types provided in the schema. If the partition columns are not part of the provided schema, then the inferred partition columns are ignored.
If a column exists in both the partition schema and in the data columns, the value that is read from the partition value is used instead of the data value. If you would like to ignore the values coming from the directory and use the data column, you can provide the list of partition columns in a comma-separated list with the partitionColumns option.
The partitionColumns option can also be used to instruct read_files on which discovered columns to include in the final inferred schema. Providing an empty string ignores all partition columns.
The schemaHints option can also be provided to override the inferred schema for a partition column.
The TEXT and BINARYFILE formats have a fixed schema, but read_files also attempts to infer partitioning for these formats when possible.
Usage in streaming tables
read_files can be used in streaming tables to ingest files into Delta Lake. read_files leverages Auto Loader when used in a streaming table query. You must use the STREAM keyword with read_files. See What is Auto Loader? for more details.
When used in a streaming query, read_files uses a sample of the data to infer the schema, and can evolve the schema as it processes more data. See Configure schema inference and evolution in Auto Loader for more details.
Options
- Basic Options
- Generic options
- JSONoptions
- CSVoptions
- XMLoptions
- PARQUEToptions
- AVROoptions
- BINARYFILEoptions
- TEXToptions
- ORCoptions
- Streaming options
Basic Options
| Option | 
|---|
| formatType: StringThe data file format in the source path. Auto-inferred if not provided. Allowed values include: 
 Default value: None | 
| inferColumnTypesType: BooleanWhether to infer exact column types when leveraging schema inference. By default, columns are inferred when inferring JSON and CSV datasets. See schema inference for more details. Note that this is the opposite of the default of Auto Loader. Default value: true | 
| partitionColumnsType: StringA comma-separated list of Hive style partition columns that you would like inferred from the directory structure of the files. Hive style partition columns are key-value pairs combined by an equality sign such as <base-path>/a=x/b=1/c=y/file.format. In this example, the partition columns area,b, andc. By default these columns will be automatically added to your schema if you are using schema inference and provide the<base-path>to load data from. If you provide a schema, Auto Loader expects these columns to be included in the schema. If you do not want these columns as part of your schema, you can specify""to ignore these columns. In addition, you can use this option when you want columns to be inferred the file path in complex directory structures, like the example below:<base-path>/year=2022/week=1/file1.csv<base-path>/year=2022/month=2/day=3/file2.csv<base-path>/year=2022/month=2/day=4/file3.csvSpecifying cloudFiles.partitionColumnsasyear,month,daywill returnyear=2022forfile1.csv, but themonthanddaycolumns will benull.monthanddaywill be parsed correctly forfile2.csvandfile3.csv.Default value: None | 
| schemaHintsType: StringSchema information that you provide to Auto Loader during schema inference. See schema hints for more details. Default value: None | 
| useStrictGlobberType: BooleanWhether to use a strict globber that matches the default globbing behavior of other file sources in Apache Spark. See Common data loading patterns for more details. Available in Databricks Runtime 12.2 LTS and above. Note that this is the opposite of the default for Auto Loader. Default value: true | 
Generic options
The following options apply to all file formats.
| Option | 
|---|
| ignoreCorruptFilesType: BooleanWhether to ignore corrupt files. If true, the Spark jobs will continue to run when encountering corrupted files and the contents that have been read will still be returned. Observable as numSkippedCorruptFilesin theoperationMetricscolumn of the Delta Lake history. Available in Databricks Runtime 11.3 LTS and above.Default value: false | 
| ignoreMissingFilesType: BooleanWhether to ignore missing files. If true, the Spark jobs will continue to run when encountering missing files and the contents that have been read will still be returned. Available in Databricks Runtime 11.3 LTS and above. Default value: falsefor Auto Loader,trueforCOPY INTO(legacy) | 
| modifiedAfterType: Timestamp String, for example,2021-01-01 00:00:00.000000 UTC+0An optional timestamp as a filter to only ingest files that have a modification timestamp after the provided timestamp. Default value: None | 
| modifiedBeforeType: Timestamp String, for example,2021-01-01 00:00:00.000000 UTC+0An optional timestamp as a filter to only ingest files that have a modification timestamp before the provided timestamp. Default value: None | 
| pathGlobFilterorfileNamePatternType: StringA potential glob pattern to provide for choosing files. Equivalent to PATTERNinCOPY INTO(legacy).fileNamePatterncan be used inread_files.Default value: None | 
| recursiveFileLookupType: BooleanThis option searches through nested directories even if their names do not follow a partition naming scheme like date=2019-07-01. Default value: false | 
JSON options
| Option | 
|---|
| allowBackslashEscapingAnyCharacterType: BooleanWhether to allow backslashes to escape any character that succeeds it. If not enabled, only characters that are explicitly listed by the JSON specification can be escaped. Default value: false | 
| allowCommentsType: BooleanWhether to allow the use of Java, C, and C++ style comments ( '/','*', and'//'varieties) within parsed content or not.Default value: false | 
| allowNonNumericNumbersType: BooleanWhether to allow the set of not-a-number ( NaN) tokens as legal floating number values.Default value: true | 
| allowNumericLeadingZerosType: BooleanWhether to allow integral numbers to start with additional (ignorable) zeroes (for example, 000001).Default value: false | 
| allowSingleQuotesType: BooleanWhether to allow use of single quotes (apostrophe, character '\') for quoting strings (names and String values).Default value: true | 
| allowUnquotedControlCharsType: BooleanWhether to allow JSON strings to contain unescaped control characters (ASCII characters with value less than 32, including tab and line feed characters) or not. Default value: false | 
| allowUnquotedFieldNamesType: BooleanWhether to allow use of unquoted field names (which are allowed by JavaScript, but not by the JSON specification). Default value: false | 
| badRecordsPathType: StringThe path to store files for recording the information about bad JSON records. Using the badRecordsPathoption in a file-based data source has the following limitations:
 Default value: None | 
| columnNameOfCorruptRecordType: StringThe column for storing records that are malformed and cannot be parsed. If the modefor parsing is set asDROPMALFORMED, this column will be empty.Default value: _corrupt_record | 
| dateFormatType: StringThe format for parsing date strings. Default value: yyyy-MM-dd | 
| dropFieldIfAllNullType: BooleanWhether to ignore columns of all null values or empty arrays and structs during schema inference. Default value: false | 
| encodingorcharsetType: StringThe name of the encoding of the JSON files. See java.nio.charset.Charsetfor list of options. You cannot useUTF-16andUTF-32whenmultilineistrue.Default value: UTF-8 | 
| inferTimestampType: BooleanWhether to try and infer timestamp strings as a TimestampType. When set totrue, schema inference might take noticeably longer. You must enablecloudFiles.inferColumnTypesto use with Auto Loader.Default value: false | 
| lineSepType: StringA string between two consecutive JSON records. Default value: None, which covers \r,\r\n, and\n | 
| localeType: StringA java.util.Localeidentifier. Influences default date, timestamp, and decimal parsing within the JSON.Default value: US | 
| modeType: StringParser mode around handling malformed records. One of PERMISSIVE,DROPMALFORMED, orFAILFAST.Default value: PERMISSIVE | 
| multiLineType: BooleanWhether the JSON records span multiple lines. Default value: false | 
| prefersDecimalType: BooleanAttempts to infer strings as DecimalTypeinstead of float or double type when possible. You must also use schema inference, either by enablinginferSchemaor usingcloudFiles.inferColumnTypeswith Auto Loader.Default value: false | 
| primitivesAsStringType: BooleanWhether to infer primitive types like numbers and booleans as StringType.Default value: false | 
| readerCaseSensitiveType: BooleanSpecifies the case sensitivity behavior when rescuedDataColumnis enabled. If true, rescue the data columns whose names differ by case from the schema; otherwise, read the data in a case-insensitive manner. Available in Databricks Runtime13.3 and above. Default value: true | 
| rescuedDataColumnType: StringWhether to collect all data that can’t be parsed due to a data type mismatch or schema mismatch (including column casing) to a separate column. This column is included by default when using Auto Loader. For more details, refer to What is the rescued data column?. COPY INTO(legacy) does not support the rescued data column because you cannot manually set the schema usingCOPY INTO. Databricks recommends using Auto Loader for most ingestion scenarios.Default value: None | 
| singleVariantColumnType: StringWhether to ingest the entire JSON document, parsed into a single Variant column with the given string as the column’s name. If disabled, the JSON fields will be ingested into their own columns. Default value: None | 
| timestampFormatType: StringThe format for parsing timestamp strings. Default value: yyyy-MM-dd'T'HH:mm:ss[.SSS][XXX] | 
| timeZoneType: StringThe java.time.ZoneIdto use when parsing timestamps and dates.Default value: None | 
CSV options
| Option | 
|---|
| badRecordsPathType: StringThe path to store files for recording the information about bad CSV records. Default value: None | 
| charToEscapeQuoteEscapingType: CharThe character used to escape the character used for escaping quotes. For example, for the following record: [ " a\\", b ]:
 Default value: '\0' | 
| columnNameOfCorruptRecordSupported for Auto Loader. Not supported for COPY INTO(legacy).Type: StringThe column for storing records that are malformed and cannot be parsed. If the modefor parsing is set asDROPMALFORMED, this column will be empty.Default value: _corrupt_record | 
| commentType: CharDefines the character that represents a line comment when found in the beginning of a line of text. Use '\0'to disable comment skipping.Default value: '\u0000' | 
| dateFormatType: StringThe format for parsing date strings. Default value: yyyy-MM-dd | 
| emptyValueType: StringString representation of an empty value. Default value: "" | 
| encodingorcharsetType: StringThe name of the encoding of the CSV files. See java.nio.charset.Charsetfor the list of options.UTF-16andUTF-32cannot be used whenmultilineistrue.Default value: UTF-8 | 
| enforceSchemaType: BooleanWhether to forcibly apply the specified or inferred schema to the CSV files. If the option is enabled, headers of CSV files are ignored. This option is ignored by default when using Auto Loader to rescue data and allow schema evolution. Default value: true | 
| escapeType: CharThe escape character to use when parsing the data. Default value: '\' | 
| headerType: BooleanWhether the CSV files contain a header. Auto Loader assumes that files have headers when inferring the schema. Default value: false | 
| ignoreLeadingWhiteSpaceType: BooleanWhether to ignore leading whitespaces for each parsed value. Default value: false | 
| ignoreTrailingWhiteSpaceType: BooleanWhether to ignore trailing whitespaces for each parsed value. Default value: false | 
| inferSchemaType: BooleanWhether to infer the data types of the parsed CSV records or to assume all columns are of StringType. Requires an additional pass over the data if set totrue. For Auto Loader, usecloudFiles.inferColumnTypesinstead.Default value: false | 
| lineSepType: StringA string between two consecutive CSV records. Default value: None, which covers \r,\r\n, and\n | 
| localeType: StringA java.util.Localeidentifier. Influences default date, timestamp, and decimal parsing within the CSV.Default value: US | 
| maxCharsPerColumnType: IntMaximum number of characters expected from a value to parse. Can be used to avoid memory errors. Defaults to -1, which means unlimited.Default value: -1 | 
| maxColumnsType: IntThe hard limit of how many columns a record can have. Default value: 20480 | 
| mergeSchemaType: BooleanWhether to infer the schema across multiple files and to merge the schema of each file. Enabled by default for Auto Loader when inferring the schema. Default value: false | 
| modeType: StringParser mode around handling malformed records. One of 'PERMISSIVE','DROPMALFORMED', and'FAILFAST'.Default value: PERMISSIVE | 
| multiLineType: BooleanWhether the CSV records span multiple lines. Default value: false | 
| nanValueType: StringThe string representation of a non-a-number value when parsing FloatTypeandDoubleTypecolumns.Default value: "NaN" | 
| negativeInfType: StringThe string representation of negative infinity when parsing FloatTypeorDoubleTypecolumns.Default value: "-Inf" | 
| nullValueType: StringString representation of a null value. Default value: "" | 
| parserCaseSensitive(deprecated)Type: BooleanWhile reading files, whether to align columns declared in the header with the schema case sensitively. This is trueby default for Auto Loader. Columns that differ by case will be rescued in therescuedDataColumnif enabled. This option has been deprecated in favor ofreaderCaseSensitive.Default value: false | 
| positiveInfType: StringThe string representation of positive infinity when parsing FloatTypeorDoubleTypecolumns.Default value: "Inf" | 
| preferDateType: BooleanAttempts to infer strings as dates instead of timestamp when possible. You must also use schema inference, either by enabling inferSchemaor usingcloudFiles.inferColumnTypeswith Auto Loader.Default value: true | 
| quoteType: CharThe character used for escaping values where the field delimiter is part of the value. Default value: " | 
| readerCaseSensitiveType: BooleanSpecifies the case sensitivity behavior when rescuedDataColumnis enabled. If true, rescue the data columns whose names differ by case from the schema; otherwise, read the data in a case-insensitive manner.Default value: true | 
| rescuedDataColumnType: StringWhether to collect all data that can't be parsed due to: a data type mismatch, and schema mismatch (including column casing) to a separate column. This column is included by default when using Auto Loader. For more details refer to What is the rescued data column?. COPY INTO(legacy) does not support the rescued data column because you cannot manually set the schema usingCOPY INTO. Databricks recommends using Auto Loader for most ingestion scenarios.Default value: None | 
| sepordelimiterType: StringThe separator string between columns. Default value: "," | 
| skipRowsType: IntThe number of rows from the beginning of the CSV file that should be ignored (including commented and empty rows). If headeris true, the header will be the first unskipped and uncommented row.Default value: 0 | 
| timestampFormatType: StringThe format for parsing timestamp strings. Default value: yyyy-MM-dd'T'HH:mm:ss[.SSS][XXX] | 
| timeZoneType: StringThe java.time.ZoneIdto use when parsing timestamps and dates.Default value: None | 
| unescapedQuoteHandlingType: StringThe strategy for handling unescaped quotes. Allowed options: 
 Default value: STOP_AT_DELIMITER | 
XML options
| Option | Description | Scope | 
|---|---|---|
| rowTag | The row tag of the XML files to treat as a row. In the example XML <books> <book><book>...<books>, the appropriate value isbook. This is a required option. | read | 
| samplingRatio | Defines a fraction of rows used for schema inference. XML built-in functions ignore this option. Default: 1.0. | read | 
| excludeAttribute | Whether to exclude attributes in elements. Default: false. | read | 
| mode | Mode for dealing with corrupt records during parsing. PERMISSIVE: For corrupted records, puts the malformed string into a field configured bycolumnNameOfCorruptRecord, and sets malformed fields tonull. To keep corrupt records, you can set astringtype field namedcolumnNameOfCorruptRecordin a user-defined schema. If a schema does not have the field, corrupt records are dropped during parsing. When inferring a schema, the parser implicitly adds acolumnNameOfCorruptRecordfield in an output schema.DROPMALFORMED: Ignores corrupted records. This mode is unsupported for XML built-in functions.FAILFAST: Throws an exception when the parser meets corrupted records. | read | 
| inferSchema | If true, attempts to infer an appropriate type for each resulting DataFrame column. Iffalse, all resulting columns are ofstringtype. Default:true. XML built-in functions ignore this option. | read | 
| columnNameOfCorruptRecord | Allows renaming the new field that contains a malformed string created by PERMISSIVEmode. Default:spark.sql.columnNameOfCorruptRecord. | read | 
| attributePrefix | The prefix for attributes to differentiate attributes from elements. This will be the prefix for field names. Default is _. Can be empty for reading XML, but not for writing. | read, write | 
| valueTag | The tag used for the character data within elements that also have attribute(s) or child element(s) elements. User can specify the valueTagfield in the schema or it will be added automatically during schema inference when character data is present in elements with other elements or attributes. Default:_VALUE | read,write | 
| encoding | For reading, decodes the XML files by the given encoding type. For writing, specifies encoding (charset) of saved XML files. XML built-in functions ignore this option. Default: UTF-8. | read, write | 
| ignoreSurroundingSpaces  | Defines whether surrounding white spaces from values being read should be skipped. Default: true. Whitespace-only character data are ignored. | read | 
| rowValidationXSDPath | Path to an optional XSD file that is used to validate the XML for each row individually. Rows that fail to validate are treated like parse errors as above. The XSD does not otherwise affect the schema provided, or inferred. | read | 
| ignoreNamespace | If true, namespaces' prefixes on XML elements and attributes are ignored. Tags<abc:author>and<def:author>, for example, are treated as if both are just<author>. Namespaces cannot be ignored on therowTagelement, only its read children. XML parsing is not namespace-aware even iffalse. Default:false. | read | 
| timestampFormat | Custom timestamp format string that follows the datetime pattern format. This applies to timestamptype. Default:yyyy-MM-dd'T'HH:mm:ss[.SSS][XXX]. | read, write | 
| timestampNTZFormat | Custom format string for timestamp without timezone that follows the datetime pattern format. This applies to TimestampNTZType type. Default: yyyy-MM-dd'T'HH:mm:ss[.SSS] | read, write | 
| dateFormat | Custom date format string that follows the datetime pattern format. This applies to date type. Default: yyyy-MM-dd. | read, write | 
| locale | Sets a locale as a language tag in IETF BCP 47 format. For instance, localeis used while parsing dates and timestamps. Default:en-US. | read | 
| rootTag | Root tag of the XML files. For example, in <books> <book><book>...</books>, the appropriate value isbooks. You can include basic attributes by specifying a value likebooks foo="bar". Default:ROWS. | write | 
| declaration | Content of XML declaration to write at the start of every output XML file, before the rootTag. For example, a value offoocauses<?xml foo?>to be written. Set to an empty string to suppress. Default:version="1.0"encoding="UTF-8" standalone="yes". | write | 
| arrayElementName | Name of XML element that encloses each element of an array-valued column when writing. Default: item. | write | 
| nullValue | Sets the string representation of a null value. Default: string null. When this isnull, the parser does not write attributes and elements for fields. | read, write | 
| compression | Compression code to use when saving to file. This can be one of the known case-insensitive shortened names ( none,bzip2,gzip,lz4,snappy, anddeflate). XML built-in functions ignore this option. Default:none. | write | 
| validateName | If true, throws an error on XML element name validation failure. For example, SQL field names can have spaces, but XML element names cannot. Default: true. | write | 
| readerCaseSensitive | Specifies the case sensitivity behavior when rescuedDataColumn is enabled. If true, rescue the data columns whose names differ by case from the schema; otherwise, read the data in a case-insensitive manner. Default: true. | read | 
| rescuedDataColumn | Whether to collect all data that can't be parsed due to a data type mismatch and schema mismatch (including column casing) to a separate column. This column is included by default when using Auto Loader. For more details, see What is the rescued data column?. COPY INTO(legacy) does not support the rescued data column because you cannot manually set the schema usingCOPY INTO. Databricks recommends using Auto Loader for most ingestion scenarios.Default: None. | read | 
| singleVariantColumn | Specifies the name of the single variant column. If this option is specified for reading, parse the entire XML record into a single Variant column with the given option string value as the column’s name. If this option is provided for writing, write the value of the single Variant column to XML files. Default: none. | read, write | 
PARQUET options
| Option | 
|---|
| datetimeRebaseModeType: StringControls the rebasing of the DATE and TIMESTAMP values between Julian and Proleptic Gregorian calendars. Allowed values: EXCEPTION,LEGACY, andCORRECTED.Default value: LEGACY | 
| int96RebaseModeType: StringControls the rebasing of the INT96 timestamp values between Julian and Proleptic Gregorian calendars. Allowed values: EXCEPTION,LEGACY, andCORRECTED.Default value: LEGACY | 
| mergeSchemaType: BooleanWhether to infer the schema across multiple files and to merge the schema of each file. Default value: false | 
| readerCaseSensitiveType: BooleanSpecifies the case sensitivity behavior when rescuedDataColumnis enabled. If true, rescue the data columns whose names differ by case from the schema; otherwise, read the data in a case-insensitive manner.Default value: true | 
| rescuedDataColumnType: StringWhether to collect all data that can't be parsed due to: a data type mismatch, and schema mismatch (including column casing) to a separate column. This column is included by default when using Auto Loader. For more details refer to What is the rescued data column?. COPY INTO(legacy) does not support the rescued data column because you cannot manually set the schema usingCOPY INTO. Databricks recommends using Auto Loader for most ingestion scenarios.Default value: None | 
AVRO options
| Option | 
|---|
| avroSchemaType: StringOptional schema provided by a user in Avro format. When reading Avro, this option can be set to an evolved schema, which is compatible but different with the actual Avro schema. The deserialization schema will be consistent with the evolved schema. For example, if you set an evolved schema containing one additional column with a default value, the read result will contain the new column too. Default value: None | 
| datetimeRebaseModeType: StringControls the rebasing of the DATE and TIMESTAMP values between Julian and Proleptic Gregorian calendars. Allowed values: EXCEPTION,LEGACY, andCORRECTED.Default value: LEGACY | 
| mergeSchemaType: BooleanWhether to infer the schema across multiple files and to merge the schema of each file. mergeSchemafor Avro does not relax data types.Default value: false | 
| readerCaseSensitiveType: BooleanSpecifies the case sensitivity behavior when rescuedDataColumnis enabled. If true, rescue the data columns whose names differ by case from the schema; otherwise, read the data in a case-insensitive manner.Default value: true | 
| rescuedDataColumnType: StringWhether to collect all data that can't be parsed due to: a data type mismatch, and schema mismatch (including column casing) to a separate column. This column is included by default when using Auto Loader. COPY INTO(legacy) does not support the rescued data column because you cannot manually set the schema usingCOPY INTO. Databricks recommends using Auto Loader for most ingestion scenarios.For more details refer to What is the rescued data column?. Default value: None | 
BINARYFILE options
Binary files do not have any additional configuration options.
TEXT options
| Option | 
|---|
| encodingType: StringThe name of the encoding of the TEXT file line separator. For a list of options, see java.nio.charset.Charset.The content of the file is not affected by this option and is read as-is. Default value: UTF-8 | 
| lineSepType: StringA string between two consecutive TEXT records. Default value: None, which covers \r,\r\nand\n | 
| wholeTextType: BooleanWhether to read a file as a single record. Default value: false | 
ORC options
| Option | 
|---|
| mergeSchemaType: BooleanWhether to infer the schema across multiple files and to merge the schema of each file. Default value: false | 
Streaming options
These options apply when using read_files inside a streaming table or streaming query.
| Option | 
|---|
| allowOverwritesType: BooleanWhether to re-process files that have been modified after discovery. The latest available version of the file will be processed during a refresh if it has been modified since the last successful refresh query start time. Default value: false | 
| includeExistingFilesType: BooleanWhether to include existing files in the stream processing input path or to only process new files arriving after initial setup. This option is evaluated only when you start a stream for the first time. Changing this option after restarting the stream has no effect. Default value: true | 
| maxBytesPerTriggerType: Byte StringThe maximum number of new bytes to be processed in every trigger. You can specify a byte string such as 10gto limit each microbatch to 10 GB of data. This is a soft maximum. If you have files that are 3 GB each, Azure Databricks processes 12 GB in a microbatch. When used together withmaxFilesPerTrigger, Azure Databricks consumes up to the lower limit ofmaxFilesPerTriggerormaxBytesPerTrigger, whichever is reached first.Note: For streaming tables created on serverless SQL warehouses, this option and maxFilesPerTriggershould not be set to leverage dynamic admission control, which scales by workload size and serverless compute resources to give you the best latency and performance.Default value: None | 
| maxFilesPerTriggerType: IntegerThe maximum number of new files to be processed in every trigger. When used together with maxBytesPerTrigger, Azure Databricks consumes up to the lower limit ofmaxFilesPerTriggerormaxBytesPerTrigger, whichever is reached first.Note: For streaming tables created on serverless SQL warehouses, this option and maxBytesPerTriggershould not be set to leverage dynamic admission control, which scales by workload size and serverless compute resources to give you the best latency and performance.Default value: 1000 | 
| schemaEvolutionModeType: StringThe mode for evolving the schema as new columns are discovered in the data. By default, columns are inferred as strings when inferring JSON datasets. See schema evolution for more details. This option doesn't apply to textandbinaryFilefiles.Default value: "addNewColumns"when a schema is not provided."none"otherwise. | 
| schemaLocationType: StringThe location to store the inferred schema and subsequent changes. See schema inference for more details. The schema location is not required when used in a streaming table query. Default value: None | 
Examples
-- Reads the files available in the given path. Auto-detects the format and schema of the data.
> SELECT * FROM read_files('abfss://container@storageAccount.dfs.core.windows.net/base/path');
-- Reads the headerless CSV files in the given path with the provided schema.
> SELECT * FROM read_files(
    's3://bucket/path',
    format => 'csv',
    schema => 'id int, ts timestamp, event string');
-- Infers the schema of CSV files with headers. Because the schema is not provided,
-- the CSV files are assumed to have headers.
> SELECT * FROM read_files(
    's3://bucket/path',
    format => 'csv')
-- Reads files that have a csv suffix.
> SELECT * FROM read_files('s3://bucket/path/*.csv')
-- Reads a single JSON file
> SELECT * FROM read_files(
    'abfss://container@storageAccount.dfs.core.windows.net/path/single.json')
-- Reads JSON files and overrides the data type of the column `id` to integer.
> SELECT * FROM read_files(
    's3://bucket/path',
    format => 'json',
    schemaHints => 'id int')
-- Reads files that have been uploaded or modified yesterday.
> SELECT * FROM read_files(
    'gs://my-bucket/avroData',
    modifiedAfter => date_sub(current_date(), 1),
    modifiedBefore => current_date())
-- Creates a Delta table and stores the source file path as part of the data
> CREATE TABLE my_avro_data
  AS SELECT *, _metadata.file_path
  FROM read_files('gs://my-bucket/avroData')
-- Creates a streaming table that processes files that appear only after the table's creation.
-- The table will most likely be empty (if there's no clock skew) after being first created,
-- and future refreshes will bring new data in.
> CREATE OR REFRESH STREAMING TABLE avro_data
  AS SELECT * FROM STREAM read_files('gs://my-bucket/avroData', includeExistingFiles => false);