lib.rs 5.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166
  1. /*
  2. * Copyright (C) 2009 Jelmer Vernooij <jelmer@jelmer.uk>
  3. *
  4. * Dulwich is dual-licensed under the Apache License, Version 2.0 and the GNU
  5. * General Public License as public by the Free Software Foundation; version 2.0
  6. * or (at your option) any later version. You can redistribute it and/or
  7. * modify it under the terms of either of these two licenses.
  8. *
  9. * Unless required by applicable law or agreed to in writing, software
  10. * distributed under the License is distributed on an "AS IS" BASIS,
  11. * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  12. * See the License for the specific language governing permissions and
  13. * limitations under the License.
  14. *
  15. * You should have received a copy of the licenses; if not, see
  16. * <http://www.gnu.org/licenses/> for a copy of the GNU General Public License
  17. * and <http://www.apache.org/licenses/LICENSE-2.0> for a copy of the Apache
  18. * License, Version 2.0.
  19. */
  20. use memchr::memchr;
  21. use std::borrow::Cow;
  22. use pyo3::exceptions::PyTypeError;
  23. use pyo3::import_exception;
  24. use pyo3::prelude::*;
  25. use pyo3::types::{PyBytes, PyDict};
  26. import_exception!(dulwich.errors, ObjectFormatException);
  27. const S_IFDIR: u32 = 0o40000;
  28. fn bytehex(byte: u8) -> u8 {
  29. match byte {
  30. 0..=9 => byte + b'0',
  31. 10..=15 => byte - 10 + b'a',
  32. _ => unreachable!(),
  33. }
  34. }
  35. fn sha_to_pyhex(py: Python, sha: &[u8]) -> PyResult<PyObject> {
  36. let mut hexsha = Vec::new();
  37. for c in sha {
  38. hexsha.push(bytehex((c & 0xF0) >> 4));
  39. hexsha.push(bytehex(c & 0x0F));
  40. }
  41. Ok(PyBytes::new(py, hexsha.as_slice()).into())
  42. }
  43. #[pyfunction]
  44. fn parse_tree(
  45. py: Python,
  46. mut text: &[u8],
  47. strict: Option<bool>,
  48. ) -> PyResult<Vec<(PyObject, u32, PyObject)>> {
  49. let mut entries = Vec::new();
  50. let strict = strict.unwrap_or(false);
  51. while !text.is_empty() {
  52. let mode_end = match memchr(b' ', text) {
  53. Some(e) => e,
  54. None => {
  55. return Err(ObjectFormatException::new_err((
  56. "Missing terminator for mode",
  57. )));
  58. }
  59. };
  60. let text_str = String::from_utf8_lossy(&text[..mode_end]).to_string();
  61. let mode = match u32::from_str_radix(text_str.as_str(), 8) {
  62. Ok(m) => m,
  63. Err(e) => {
  64. return Err(ObjectFormatException::new_err((format!(
  65. "invalid mode: {}",
  66. e
  67. ),)));
  68. }
  69. };
  70. if strict && text[0] == b'0' {
  71. return Err(ObjectFormatException::new_err((
  72. "Illegal leading zero on mode",
  73. )));
  74. }
  75. text = &text[mode_end + 1..];
  76. let namelen = match memchr(b'\0', text) {
  77. Some(nl) => nl,
  78. None => {
  79. return Err(ObjectFormatException::new_err(("Missing trailing \\0",)));
  80. }
  81. };
  82. let name = &text[..namelen];
  83. if namelen + 20 >= text.len() {
  84. return Err(ObjectFormatException::new_err(("SHA truncated",)));
  85. }
  86. text = &text[namelen + 1..];
  87. let sha = &text[..20];
  88. entries.push((
  89. PyBytes::new(py, name).to_object(py),
  90. mode,
  91. sha_to_pyhex(py, sha)?,
  92. ));
  93. text = &text[20..];
  94. }
  95. Ok(entries)
  96. }
  97. fn name_with_suffix(mode: u32, name: &[u8]) -> Cow<[u8]> {
  98. if mode & S_IFDIR != 0 {
  99. let mut v = name.to_vec();
  100. v.push(b'/');
  101. v.into()
  102. } else {
  103. name.into()
  104. }
  105. }
  106. /// Iterate over a tree entries dictionary.
  107. ///
  108. /// # Arguments
  109. ///
  110. /// name_order: If True, iterate entries in order of their name. If
  111. /// False, iterate entries in tree order, that is, treat subtree entries as
  112. /// having '/' appended.
  113. /// entries: Dictionary mapping names to (mode, sha) tuples
  114. ///
  115. /// # Returns: Iterator over (name, mode, hexsha)
  116. #[pyfunction]
  117. fn sorted_tree_items(py: Python, entries: &PyDict, name_order: bool) -> PyResult<Vec<PyObject>> {
  118. let mut qsort_entries = Vec::new();
  119. for (name, e) in entries.iter() {
  120. let (mode, sha): (u32, Vec<u8>) = match e.extract() {
  121. Ok(o) => o,
  122. Err(e) => {
  123. return Err(PyTypeError::new_err((format!("invalid type: {}", e),)));
  124. }
  125. };
  126. qsort_entries.push((name.extract::<Vec<u8>>().unwrap(), mode, sha));
  127. }
  128. if name_order {
  129. qsort_entries.sort_by(|a, b| a.0.cmp(&b.0));
  130. } else {
  131. qsort_entries.sort_by(|a, b| {
  132. name_with_suffix(a.1, a.0.as_slice()).cmp(&name_with_suffix(b.1, b.0.as_slice()))
  133. });
  134. }
  135. let objectsm = py.import("dulwich.objects")?;
  136. let tree_entry_cls = objectsm.getattr("TreeEntry")?;
  137. qsort_entries
  138. .into_iter()
  139. .map(|(name, mode, hexsha)| -> PyResult<PyObject> {
  140. Ok(tree_entry_cls
  141. .call1((
  142. PyBytes::new(py, name.as_slice()).to_object(py),
  143. mode,
  144. PyBytes::new(py, hexsha.as_slice()).to_object(py),
  145. ))?
  146. .to_object(py))
  147. })
  148. .collect::<PyResult<Vec<PyObject>>>()
  149. }
  150. #[pymodule]
  151. fn _objects(_py: Python, m: &PyModule) -> PyResult<()> {
  152. m.add_function(wrap_pyfunction!(sorted_tree_items, m)?)?;
  153. m.add_function(wrap_pyfunction!(parse_tree, m)?)?;
  154. Ok(())
  155. }