1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92
//! A module for AST elements that represent a position in a source file. Implementing thie Node trait allows
//! an ergonomic means of extracting line and column information from an item.
use pyo3::{PyAny, PyResult};
/// A trait for AST elements that represent a position in a source file. Implementing this trait allows
/// an ergonomic means of extracting line and column information from an item.
pub trait Node {
/// A method for getting the starting line number of the node. This may not exist for all node types.
fn lineno(&self) -> Option<usize> {
None
}
/// A method for getting the starting column of the node. This may not exist for all node types.
fn col_offset(&self) -> Option<usize> {
None
}
/// A method for getting the ending line number of the node. This may not exist for all node types.
fn end_lineno(&self) -> Option<usize> {
None
}
/// A method for getting the ending column of the node. This may not exist for all node types.
fn end_col_offset(&self) -> Option<usize> {
None
}
/// Generate an error message for the current code, adding line and column number.
fn error_message<S1: Into<String>, S2: Into<String>>(&self, mod_name: S1, message: S2) -> String {
format!("{} {}:{:?}:{:?}", message.into(), mod_name.into(), self.lineno(), self.col_offset())
}
}
// These will only work on objects of Python's ast library's nodes, but you can try them on anything.
impl Node for PyAny {
/// A method for getting the starting line number of the node. This may not exist for all node types.
fn lineno(&self) -> Option<usize> {
let lineno = self.getattr("lineno");
if let Ok(ln_any) = lineno {
let ln: PyResult<usize> = ln_any.extract();
if let Ok(l) = ln {
Some(l)
} else {
None
}
}
else { None }
}
/// A method for getting the starting column of the node. This may not exist for all node types.
fn col_offset(&self) -> Option<usize> {
let col_offset = self.getattr("col_offset");
if let Ok(offset_any) = col_offset {
let ln: PyResult<usize> = offset_any.extract();
if let Ok(l) = ln {
Some(l)
} else {
None
}
}
else { None }
}
/// A method for getting the ending line number of the node. This may not exist for all node types.
fn end_lineno(&self) -> Option<usize> {
let lineno = self.getattr("end_lineno");
if let Ok(ln_any) = lineno {
let ln: PyResult<usize> = ln_any.extract();
if let Ok(l) = ln {
Some(l)
} else {
None
}
}
else { None }
}
/// A method for getting the ending column of the node. This may not exist for all node types.
fn end_col_offset(&self) -> Option<usize> {
let col_offset = self.getattr("end_col_offset");
if let Ok(offset_any) = col_offset {
let ln: PyResult<usize> = offset_any.extract();
if let Ok(l) = ln {
Some(l)
} else {
None
}
}
else { None }
}
}