build.rs 2.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778
  1. // NOTE: Adapted from cortex-m/build.rs
  2. use std::{collections::HashSet, env, fs, io, path::PathBuf};
  3. fn add_linker_script(arch_width: u32) -> io::Result<()> {
  4. // Read the file to a string and replace all occurrences of ${ARCH_WIDTH} with the arch width
  5. let mut content = fs::read_to_string("link.x.in")?;
  6. content = content.replace("${ARCH_WIDTH}", &arch_width.to_string());
  7. let out_dir = PathBuf::from(env::var("OUT_DIR").unwrap());
  8. // Put the linker script somewhere the linker can find it
  9. fs::write(out_dir.join("link.x"), content)?;
  10. println!("cargo:rustc-link-search={}", out_dir.display());
  11. println!("cargo:rerun-if-changed=link.x");
  12. Ok(())
  13. }
  14. /// Parse the target RISC-V architecture and returns its bit width and the extension set
  15. fn parse_target(target: &str) -> (u32, HashSet<char>) {
  16. // isolate bit width and extensions from the rest of the target information
  17. let arch = target
  18. .trim_start_matches("riscv")
  19. .split('-')
  20. .next()
  21. .unwrap();
  22. let bits = arch
  23. .chars()
  24. .take_while(|c| c.is_ascii_digit())
  25. .collect::<String>()
  26. .parse::<u32>()
  27. .unwrap();
  28. let mut extensions: HashSet<char> = arch.chars().skip_while(|c| c.is_ascii_digit()).collect();
  29. // get rid of the 'g' shorthand extension
  30. if extensions.remove(&'g') {
  31. extensions.insert('i');
  32. extensions.insert('m');
  33. extensions.insert('a');
  34. extensions.insert('f');
  35. extensions.insert('d');
  36. }
  37. (bits, extensions)
  38. }
  39. fn main() {
  40. let target = env::var("TARGET").unwrap();
  41. let _name = env::var("CARGO_PKG_NAME").unwrap();
  42. // set configuration flags depending on the target
  43. if target.starts_with("riscv") {
  44. println!("cargo:rustc-cfg=riscv");
  45. let (bits, extensions) = parse_target(&target);
  46. // generate the linker script and expose the ISA width
  47. let arch_width = match bits {
  48. 32 => {
  49. println!("cargo:rustc-cfg=riscv32");
  50. 4
  51. }
  52. 64 => {
  53. println!("cargo:rustc-cfg=riscv64");
  54. 8
  55. }
  56. _ => panic!("Unsupported bit width"),
  57. };
  58. add_linker_script(arch_width).unwrap();
  59. // expose the ISA extensions
  60. for ext in &extensions {
  61. println!("cargo:rustc-cfg=riscv{}", ext);
  62. }
  63. }
  64. }