mirror of
https://github.com/astral-sh/ruff.git
synced 2025-08-03 10:23:11 +00:00

## Summary This PR updates the entire parser stack in multiple ways: ### Make the lexer lazy * https://github.com/astral-sh/ruff/pull/11244 * https://github.com/astral-sh/ruff/pull/11473 Previously, Ruff's lexer would act as an iterator. The parser would collect all the tokens in a vector first and then process the tokens to create the syntax tree. The first task in this project is to update the entire parsing flow to make the lexer lazy. This includes the `Lexer`, `TokenSource`, and `Parser`. For context, the `TokenSource` is a wrapper around the `Lexer` to filter out the trivia tokens[^1]. Now, the parser will ask the token source to get the next token and only then the lexer will continue and emit the token. This means that the lexer needs to be aware of the "current" token. When the `next_token` is called, the current token will be updated with the newly lexed token. The main motivation to make the lexer lazy is to allow re-lexing a token in a different context. This is going to be really useful to make the parser error resilience. For example, currently the emitted tokens remains the same even if the parser can recover from an unclosed parenthesis. This is important because the lexer emits a `NonLogicalNewline` in parenthesized context while a normal `Newline` in non-parenthesized context. This different kinds of newline is also used to emit the indentation tokens which is important for the parser as it's used to determine the start and end of a block. Additionally, this allows us to implement the following functionalities: 1. Checkpoint - rewind infrastructure: The idea here is to create a checkpoint and continue lexing. At a later point, this checkpoint can be used to rewind the lexer back to the provided checkpoint. 2. Remove the `SoftKeywordTransformer` and instead use lookahead or speculative parsing to determine whether a soft keyword is a keyword or an identifier 3. Remove the `Tok` enum. The `Tok` enum represents the tokens emitted by the lexer but it contains owned data which makes it expensive to clone. The new `TokenKind` enum just represents the type of token which is very cheap. This brings up a question as to how will the parser get the owned value which was stored on `Tok`. This will be solved by introducing a new `TokenValue` enum which only contains a subset of token kinds which has the owned value. This is stored on the lexer and is requested by the parser when it wants to process the data. For example:8196720f80/crates/ruff_python_parser/src/parser/expression.rs (L1260-L1262)
[^1]: Trivia tokens are `NonLogicalNewline` and `Comment` ### Remove `SoftKeywordTransformer` * https://github.com/astral-sh/ruff/pull/11441 * https://github.com/astral-sh/ruff/pull/11459 * https://github.com/astral-sh/ruff/pull/11442 * https://github.com/astral-sh/ruff/pull/11443 * https://github.com/astral-sh/ruff/pull/11474 For context, https://github.com/RustPython/RustPython/pull/4519/files#diff-5de40045e78e794aa5ab0b8aacf531aa477daf826d31ca129467703855408220 added support for soft keywords in the parser which uses infinite lookahead to classify a soft keyword as a keyword or an identifier. This is a brilliant idea as it basically wraps the existing Lexer and works on top of it which means that the logic for lexing and re-lexing a soft keyword remains separate. The change here is to remove `SoftKeywordTransformer` and let the parser determine this based on context, lookahead and speculative parsing. * **Context:** The transformer needs to know the position of the lexer between it being at a statement position or a simple statement position. This is because a `match` token starts a compound statement while a `type` token starts a simple statement. **The parser already knows this.** * **Lookahead:** Now that the parser knows the context it can perform lookahead of up to two tokens to classify the soft keyword. The logic for this is mentioned in the PR implementing it for `type` and `match soft keyword. * **Speculative parsing:** This is where the checkpoint - rewind infrastructure helps. For `match` soft keyword, there are certain cases for which we can't classify based on lookahead. The idea here is to create a checkpoint and keep parsing. Based on whether the parsing was successful and what tokens are ahead we can classify the remaining cases. Refer to #11443 for more details. If the soft keyword is being parsed in an identifier context, it'll be converted to an identifier and the emitted token will be updated as well. Refer8196720f80/crates/ruff_python_parser/src/parser/expression.rs (L487-L491)
. The `case` soft keyword doesn't require any special handling because it'll be a keyword only in the context of a match statement. ### Update the parser API * https://github.com/astral-sh/ruff/pull/11494 * https://github.com/astral-sh/ruff/pull/11505 Now that the lexer is in sync with the parser, and the parser helps to determine whether a soft keyword is a keyword or an identifier, the lexer cannot be used on its own. The reason being that it's not sensitive to the context (which is correct). This means that the parser API needs to be updated to not allow any access to the lexer. Previously, there were multiple ways to parse the source code: 1. Passing the source code itself 2. Or, passing the tokens Now that the lexer and parser are working together, the API corresponding to (2) cannot exists. The final API is mentioned in this PR description: https://github.com/astral-sh/ruff/pull/11494. ### Refactor the downstream tools (linter and formatter) * https://github.com/astral-sh/ruff/pull/11511 * https://github.com/astral-sh/ruff/pull/11515 * https://github.com/astral-sh/ruff/pull/11529 * https://github.com/astral-sh/ruff/pull/11562 * https://github.com/astral-sh/ruff/pull/11592 And, the final set of changes involves updating all references of the lexer and `Tok` enum. This was done in two-parts: 1. Update all the references in a way that doesn't require any changes from this PR i.e., it can be done independently * https://github.com/astral-sh/ruff/pull/11402 * https://github.com/astral-sh/ruff/pull/11406 * https://github.com/astral-sh/ruff/pull/11418 * https://github.com/astral-sh/ruff/pull/11419 * https://github.com/astral-sh/ruff/pull/11420 * https://github.com/astral-sh/ruff/pull/11424 2. Update all the remaining references to use the changes made in this PR For (2), there were various strategies used: 1. Introduce a new `Tokens` struct which wraps the token vector and add methods to query a certain subset of tokens. These includes: 1. `up_to_first_unknown` which replaces the `tokenize` function 2. `in_range` and `after` which replaces the `lex_starts_at` function where the former returns the tokens within the given range while the latter returns all the tokens after the given offset 2. Introduce a new `TokenFlags` which is a set of flags to query certain information from a token. Currently, this information is only limited to any string type token but can be expanded to include other information in the future as needed. https://github.com/astral-sh/ruff/pull/11578 3. Move the `CommentRanges` to the parsed output because this information is common to both the linter and the formatter. This removes the need for `tokens_and_ranges` function. ## Test Plan - [x] Update and verify the test snapshots - [x] Make sure the entire test suite is passing - [x] Make sure there are no changes in the ecosystem checks - [x] Run the fuzzer on the parser - [x] Run this change on dozens of open-source projects ### Running this change on dozens of open-source projects Refer to the PR description to get the list of open source projects used for testing. Now, the following tests were done between `main` and this branch: 1. Compare the output of `--select=E999` (syntax errors) 2. Compare the output of default rule selection 3. Compare the output of `--select=ALL` **Conclusion: all output were same** ## What's next? The next step is to introduce re-lexing logic and update the parser to feed the recovery information to the lexer so that it can emit the correct token. This moves us one step closer to having error resilience in the parser and provides Ruff the possibility to lint even if the source code contains syntax errors.
491 lines
17 KiB
Rust
491 lines
17 KiB
Rust
use std::borrow::Cow;
|
|
use std::fmt::{Formatter, Write};
|
|
use std::io::BufReader;
|
|
use std::ops::Range;
|
|
use std::path::Path;
|
|
use std::{fmt, fs};
|
|
|
|
use similar::TextDiff;
|
|
|
|
use crate::normalizer::Normalizer;
|
|
use ruff_formatter::FormatOptions;
|
|
use ruff_python_ast::comparable::ComparableMod;
|
|
use ruff_python_formatter::{format_module_source, format_range, PreviewMode, PyFormatOptions};
|
|
use ruff_python_parser::{parse, AsMode};
|
|
use ruff_source_file::{LineIndex, OneIndexed};
|
|
use ruff_text_size::{TextRange, TextSize};
|
|
|
|
mod normalizer;
|
|
|
|
#[test]
|
|
fn black_compatibility() {
|
|
let test_file = |input_path: &Path| {
|
|
let content = fs::read_to_string(input_path).unwrap();
|
|
|
|
let options_path = input_path.with_extension("options.json");
|
|
|
|
let options: PyFormatOptions = if let Ok(options_file) = fs::File::open(&options_path) {
|
|
let reader = BufReader::new(options_file);
|
|
serde_json::from_reader(reader)
|
|
.unwrap_or_else(|_| panic!("Option file {options_path:?} to be a valid Json file"))
|
|
} else {
|
|
PyFormatOptions::from_extension(input_path)
|
|
};
|
|
|
|
let first_line = content.lines().next().unwrap_or_default();
|
|
let formatted_code = if first_line.starts_with("# flags:")
|
|
&& first_line.contains("--line-ranges=")
|
|
{
|
|
let line_index = LineIndex::from_source_text(&content);
|
|
|
|
let ranges = first_line
|
|
.split_ascii_whitespace()
|
|
.filter_map(|chunk| {
|
|
let (_, lines) = chunk.split_once("--line-ranges=")?;
|
|
let (lower, upper) = lines.split_once('-')?;
|
|
|
|
let lower = lower
|
|
.parse::<OneIndexed>()
|
|
.expect("Expected a valid line number");
|
|
let upper = upper
|
|
.parse::<OneIndexed>()
|
|
.expect("Expected a valid line number");
|
|
|
|
let range_start = line_index.line_start(lower, &content);
|
|
let range_end = line_index.line_end(upper, &content);
|
|
|
|
Some(TextRange::new(range_start, range_end))
|
|
})
|
|
.rev();
|
|
|
|
let mut formatted_code = content.clone();
|
|
|
|
for range in ranges {
|
|
let formatted =
|
|
format_range(&content, range, options.clone()).unwrap_or_else(|err| {
|
|
panic!(
|
|
"Range-formatting of {} to succeed but encountered error {err}",
|
|
input_path.display()
|
|
)
|
|
});
|
|
|
|
let range = formatted.source_range();
|
|
|
|
formatted_code.replace_range(Range::<usize>::from(range), formatted.as_code());
|
|
}
|
|
|
|
// We can't do stability checks for range formatting because we don't know the updated rangs.
|
|
|
|
formatted_code
|
|
} else {
|
|
let printed = format_module_source(&content, options.clone()).unwrap_or_else(|err| {
|
|
panic!(
|
|
"Formatting of {} to succeed but encountered error {err}",
|
|
input_path.display()
|
|
)
|
|
});
|
|
|
|
let formatted_code = printed.into_code();
|
|
|
|
ensure_stability_when_formatting_twice(&formatted_code, &options, input_path);
|
|
|
|
formatted_code
|
|
};
|
|
|
|
let extension = input_path
|
|
.extension()
|
|
.expect("Test file to have py or pyi extension")
|
|
.to_string_lossy();
|
|
let expected_path = input_path.with_extension(format!("{extension}.expect"));
|
|
let expected_output = fs::read_to_string(&expected_path)
|
|
.unwrap_or_else(|_| panic!("Expected Black output file '{expected_path:?}' to exist"));
|
|
|
|
ensure_unchanged_ast(&content, &formatted_code, &options, input_path);
|
|
|
|
if formatted_code == expected_output {
|
|
// Black and Ruff formatting matches. Delete any existing snapshot files because the Black output
|
|
// already perfectly captures the expected output.
|
|
// The following code mimics insta's logic generating the snapshot name for a test.
|
|
let workspace_path = std::env::var("CARGO_MANIFEST_DIR").unwrap();
|
|
|
|
let mut components = input_path.components().rev();
|
|
let file_name = components.next().unwrap();
|
|
let test_suite = components.next().unwrap();
|
|
|
|
let snapshot_name = format!(
|
|
"black_compatibility@{}__{}.snap",
|
|
test_suite.as_os_str().to_string_lossy(),
|
|
file_name.as_os_str().to_string_lossy()
|
|
);
|
|
|
|
let snapshot_path = Path::new(&workspace_path)
|
|
.join("tests/snapshots")
|
|
.join(snapshot_name);
|
|
if snapshot_path.exists() && snapshot_path.is_file() {
|
|
// SAFETY: This is a convenience feature. That's why we don't want to abort
|
|
// when deleting a no longer needed snapshot fails.
|
|
fs::remove_file(&snapshot_path).ok();
|
|
}
|
|
|
|
let new_snapshot_path = snapshot_path.with_extension("snap.new");
|
|
if new_snapshot_path.exists() && new_snapshot_path.is_file() {
|
|
// SAFETY: This is a convenience feature. That's why we don't want to abort
|
|
// when deleting a no longer needed snapshot fails.
|
|
fs::remove_file(&new_snapshot_path).ok();
|
|
}
|
|
} else {
|
|
// Black and Ruff have different formatting. Write out a snapshot that covers the differences
|
|
// today.
|
|
let mut snapshot = String::new();
|
|
write!(snapshot, "{}", Header::new("Input")).unwrap();
|
|
write!(snapshot, "{}", CodeFrame::new("python", &content)).unwrap();
|
|
|
|
write!(snapshot, "{}", Header::new("Black Differences")).unwrap();
|
|
|
|
let diff = TextDiff::from_lines(expected_output.as_str(), &formatted_code)
|
|
.unified_diff()
|
|
.header("Black", "Ruff")
|
|
.to_string();
|
|
|
|
write!(snapshot, "{}", CodeFrame::new("diff", &diff)).unwrap();
|
|
|
|
write!(snapshot, "{}", Header::new("Ruff Output")).unwrap();
|
|
write!(snapshot, "{}", CodeFrame::new("python", &formatted_code)).unwrap();
|
|
|
|
write!(snapshot, "{}", Header::new("Black Output")).unwrap();
|
|
write!(snapshot, "{}", CodeFrame::new("python", &expected_output)).unwrap();
|
|
|
|
insta::with_settings!({
|
|
omit_expression => true,
|
|
input_file => input_path,
|
|
prepend_module_to_snapshot => false,
|
|
}, {
|
|
insta::assert_snapshot!(snapshot);
|
|
});
|
|
}
|
|
};
|
|
|
|
insta::glob!(
|
|
"../resources",
|
|
"test/fixtures/black/**/*.{py,pyi}",
|
|
test_file
|
|
);
|
|
}
|
|
|
|
#[test]
|
|
fn format() {
|
|
let test_file = |input_path: &Path| {
|
|
let content = fs::read_to_string(input_path).unwrap();
|
|
|
|
let options = PyFormatOptions::from_extension(input_path);
|
|
let formatted_code = format_file(&content, &options, input_path);
|
|
|
|
let mut snapshot = format!("## Input\n{}", CodeFrame::new("python", &content));
|
|
|
|
let options_path = input_path.with_extension("options.json");
|
|
if let Ok(options_file) = fs::File::open(options_path) {
|
|
let reader = BufReader::new(options_file);
|
|
let options: Vec<PyFormatOptions> =
|
|
serde_json::from_reader(reader).expect("Options to be a valid Json file");
|
|
|
|
writeln!(snapshot, "## Outputs").unwrap();
|
|
|
|
for (i, options) in options.into_iter().enumerate() {
|
|
let formatted_code = format_file(&content, &options, input_path);
|
|
|
|
writeln!(
|
|
snapshot,
|
|
"### Output {}\n{}{}",
|
|
i + 1,
|
|
CodeFrame::new("", &DisplayPyOptions(&options)),
|
|
CodeFrame::new("python", &formatted_code)
|
|
)
|
|
.unwrap();
|
|
|
|
if options.preview().is_enabled() {
|
|
continue;
|
|
}
|
|
|
|
// We want to capture the differences in the preview style in our fixtures
|
|
let options_preview = options.with_preview(PreviewMode::Enabled);
|
|
let formatted_preview = format_file(&content, &options_preview, input_path);
|
|
|
|
if formatted_code != formatted_preview {
|
|
// Having both snapshots makes it hard to see the difference, so we're keeping only
|
|
// diff.
|
|
writeln!(
|
|
snapshot,
|
|
"#### Preview changes\n{}",
|
|
CodeFrame::new(
|
|
"diff",
|
|
TextDiff::from_lines(&formatted_code, &formatted_preview)
|
|
.unified_diff()
|
|
.header("Stable", "Preview")
|
|
)
|
|
)
|
|
.unwrap();
|
|
}
|
|
}
|
|
} else {
|
|
// We want to capture the differences in the preview style in our fixtures
|
|
let options_preview = options.with_preview(PreviewMode::Enabled);
|
|
let formatted_preview = format_file(&content, &options_preview, input_path);
|
|
|
|
if formatted_code == formatted_preview {
|
|
writeln!(
|
|
snapshot,
|
|
"## Output\n{}",
|
|
CodeFrame::new("python", &formatted_code)
|
|
)
|
|
.unwrap();
|
|
} else {
|
|
// Having both snapshots makes it hard to see the difference, so we're keeping only
|
|
// diff.
|
|
writeln!(
|
|
snapshot,
|
|
"## Output\n{}\n## Preview changes\n{}",
|
|
CodeFrame::new("python", &formatted_code),
|
|
CodeFrame::new(
|
|
"diff",
|
|
TextDiff::from_lines(&formatted_code, &formatted_preview)
|
|
.unified_diff()
|
|
.header("Stable", "Preview")
|
|
)
|
|
)
|
|
.unwrap();
|
|
}
|
|
}
|
|
|
|
insta::with_settings!({
|
|
omit_expression => true,
|
|
input_file => input_path,
|
|
prepend_module_to_snapshot => false,
|
|
}, {
|
|
insta::assert_snapshot!(snapshot);
|
|
});
|
|
};
|
|
|
|
insta::glob!(
|
|
"../resources",
|
|
"test/fixtures/ruff/**/*.{py,pyi}",
|
|
test_file
|
|
);
|
|
}
|
|
|
|
fn format_file(source: &str, options: &PyFormatOptions, input_path: &Path) -> String {
|
|
let (unformatted, formatted_code) = if source.contains("<RANGE_START>") {
|
|
let mut content = source.to_string();
|
|
let without_markers = content
|
|
.replace("<RANGE_START>", "")
|
|
.replace("<RANGE_END>", "");
|
|
|
|
while let Some(range_start_marker) = content.find("<RANGE_START>") {
|
|
// Remove the start marker
|
|
content.replace_range(
|
|
range_start_marker..range_start_marker + "<RANGE_START>".len(),
|
|
"",
|
|
);
|
|
|
|
let range_end_marker = content[range_start_marker..]
|
|
.find("<RANGE_END>")
|
|
.expect("Matching <RANGE_END> marker for <RANGE_START> to exist")
|
|
+ range_start_marker;
|
|
|
|
content.replace_range(range_end_marker..range_end_marker + "<RANGE_END>".len(), "");
|
|
|
|
// Replace all other markers to get a valid Python input
|
|
let format_input = content
|
|
.replace("<RANGE_START>", "")
|
|
.replace("<RANGE_END>", "");
|
|
|
|
let range = TextRange::new(
|
|
TextSize::try_from(range_start_marker).unwrap(),
|
|
TextSize::try_from(range_end_marker).unwrap(),
|
|
);
|
|
|
|
let formatted =
|
|
format_range(&format_input, range, options.clone()).unwrap_or_else(|err| {
|
|
panic!(
|
|
"Range-formatting of {} to succeed but encountered error {err}",
|
|
input_path.display()
|
|
)
|
|
});
|
|
|
|
content.replace_range(
|
|
Range::<usize>::from(formatted.source_range()),
|
|
formatted.as_code(),
|
|
);
|
|
}
|
|
|
|
(Cow::Owned(without_markers), content)
|
|
} else {
|
|
let printed = format_module_source(source, options.clone()).expect("Formatting to succeed");
|
|
let formatted_code = printed.into_code();
|
|
|
|
ensure_stability_when_formatting_twice(&formatted_code, options, input_path);
|
|
|
|
(Cow::Borrowed(source), formatted_code)
|
|
};
|
|
|
|
ensure_unchanged_ast(&unformatted, &formatted_code, options, input_path);
|
|
|
|
formatted_code
|
|
}
|
|
|
|
/// Format another time and make sure that there are no changes anymore
|
|
fn ensure_stability_when_formatting_twice(
|
|
formatted_code: &str,
|
|
options: &PyFormatOptions,
|
|
input_path: &Path,
|
|
) {
|
|
let reformatted = match format_module_source(formatted_code, options.clone()) {
|
|
Ok(reformatted) => reformatted,
|
|
Err(err) => {
|
|
panic!(
|
|
"Expected formatted code of {} to be valid syntax: {err}:\
|
|
\n---\n{formatted_code}---\n",
|
|
input_path.display()
|
|
);
|
|
}
|
|
};
|
|
|
|
if reformatted.as_code() != formatted_code {
|
|
let diff = TextDiff::from_lines(formatted_code, reformatted.as_code())
|
|
.unified_diff()
|
|
.header("Formatted once", "Formatted twice")
|
|
.to_string();
|
|
panic!(
|
|
r#"Reformatting the formatted code of {input_path} a second time resulted in formatting changes.
|
|
|
|
Options:
|
|
{options}
|
|
---
|
|
{diff}---
|
|
|
|
Formatted once:
|
|
---
|
|
{formatted_code}---
|
|
|
|
Formatted twice:
|
|
---
|
|
{reformatted}---"#,
|
|
input_path = input_path.display(),
|
|
options = &DisplayPyOptions(options),
|
|
reformatted = reformatted.as_code(),
|
|
);
|
|
}
|
|
}
|
|
|
|
/// Ensure that formatting doesn't change the AST.
|
|
///
|
|
/// Like Black, there are a few exceptions to this "invariant" which are encoded in
|
|
/// [`NormalizedMod`] and related structs. Namely, formatting can change indentation within strings,
|
|
/// and can also flatten tuples within `del` statements.
|
|
fn ensure_unchanged_ast(
|
|
unformatted_code: &str,
|
|
formatted_code: &str,
|
|
options: &PyFormatOptions,
|
|
input_path: &Path,
|
|
) {
|
|
let source_type = options.source_type();
|
|
|
|
// Parse the unformatted code.
|
|
let mut unformatted_ast = parse(unformatted_code, source_type.as_mode())
|
|
.expect("Unformatted code to be valid syntax")
|
|
.into_syntax();
|
|
Normalizer.visit_module(&mut unformatted_ast);
|
|
let unformatted_ast = ComparableMod::from(&unformatted_ast);
|
|
|
|
// Parse the formatted code.
|
|
let mut formatted_ast = parse(formatted_code, source_type.as_mode())
|
|
.expect("Formatted code to be valid syntax")
|
|
.into_syntax();
|
|
Normalizer.visit_module(&mut formatted_ast);
|
|
let formatted_ast = ComparableMod::from(&formatted_ast);
|
|
|
|
if formatted_ast != unformatted_ast {
|
|
let diff = TextDiff::from_lines(
|
|
&format!("{unformatted_ast:#?}"),
|
|
&format!("{formatted_ast:#?}"),
|
|
)
|
|
.unified_diff()
|
|
.header("Unformatted", "Formatted")
|
|
.to_string();
|
|
panic!(
|
|
r#"Reformatting the unformatted code of {} resulted in AST changes.
|
|
---
|
|
{diff}
|
|
"#,
|
|
input_path.display(),
|
|
);
|
|
}
|
|
}
|
|
|
|
struct Header<'a> {
|
|
title: &'a str,
|
|
}
|
|
|
|
impl<'a> Header<'a> {
|
|
fn new(title: &'a str) -> Self {
|
|
Self { title }
|
|
}
|
|
}
|
|
|
|
impl std::fmt::Display for Header<'_> {
|
|
fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
|
|
writeln!(f, "## {}", self.title)?;
|
|
writeln!(f)
|
|
}
|
|
}
|
|
|
|
struct CodeFrame<'a> {
|
|
language: &'a str,
|
|
code: &'a dyn std::fmt::Display,
|
|
}
|
|
|
|
impl<'a> CodeFrame<'a> {
|
|
fn new(language: &'a str, code: &'a dyn std::fmt::Display) -> Self {
|
|
Self { language, code }
|
|
}
|
|
}
|
|
|
|
impl std::fmt::Display for CodeFrame<'_> {
|
|
fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
|
|
writeln!(f, "```{}", self.language)?;
|
|
write!(f, "{}", self.code)?;
|
|
writeln!(f, "```")?;
|
|
writeln!(f)
|
|
}
|
|
}
|
|
|
|
struct DisplayPyOptions<'a>(&'a PyFormatOptions);
|
|
|
|
impl fmt::Display for DisplayPyOptions<'_> {
|
|
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
|
|
writeln!(
|
|
f,
|
|
r#"indent-style = {indent_style}
|
|
line-width = {line_width}
|
|
indent-width = {indent_width}
|
|
quote-style = {quote_style:?}
|
|
line-ending = {line_ending:?}
|
|
magic-trailing-comma = {magic_trailing_comma:?}
|
|
docstring-code = {docstring_code:?}
|
|
docstring-code-line-width = {docstring_code_line_width:?}
|
|
preview = {preview:?}
|
|
target_version = {target_version:?}
|
|
source_type = {source_type:?}"#,
|
|
indent_style = self.0.indent_style(),
|
|
indent_width = self.0.indent_width().value(),
|
|
line_width = self.0.line_width().value(),
|
|
quote_style = self.0.quote_style(),
|
|
line_ending = self.0.line_ending(),
|
|
magic_trailing_comma = self.0.magic_trailing_comma(),
|
|
docstring_code = self.0.docstring_code(),
|
|
docstring_code_line_width = self.0.docstring_code_line_width(),
|
|
preview = self.0.preview(),
|
|
target_version = self.0.target_version(),
|
|
source_type = self.0.source_type()
|
|
)
|
|
}
|
|
}
|