build.rs 2.1 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768
  1. use std::{collections::hash_map::DefaultHasher, hash::Hasher, process::Command};
  2. fn main() {
  3. // If any TS changes, re-run the build script
  4. println!("cargo:rerun-if-changed=src/ts/*.ts");
  5. // Compute the hash of the ts files
  6. let hash = hash_ts_files();
  7. // If the hash matches the one on disk, we're good and don't need to update bindings
  8. if include_str!("src/js/hash.txt").trim() == hash.to_string() {
  9. return;
  10. }
  11. // Otherwise, generate the bindings and write the new hash to disk
  12. // Generate the bindings for both native and web
  13. gen_bindings("common", "common");
  14. gen_bindings("native", "native");
  15. gen_bindings("core", "core");
  16. std::fs::write("src/js/hash.txt", hash.to_string()).unwrap();
  17. }
  18. /// Hashes the contents of a directory
  19. fn hash_ts_files() -> u128 {
  20. let mut out = 0;
  21. let files = [
  22. include_str!("src/ts/common.ts"),
  23. include_str!("src/ts/native.ts"),
  24. include_str!("src/ts/core.ts"),
  25. ];
  26. for file in files.iter() {
  27. let mut hasher = DefaultHasher::new();
  28. hasher.write(file.as_bytes());
  29. out += hasher.finish() as u128;
  30. }
  31. out
  32. }
  33. // okay...... so tsc might fail if the user doesn't have it installed
  34. // we don't really want to fail if that's the case
  35. // but if you started *editing* the .ts files, you're gonna have a bad time
  36. // so.....
  37. // we need to hash each of the .ts files and add that hash to the JS files
  38. // if the hashes don't match, we need to fail the build
  39. // that way we also don't need
  40. fn gen_bindings(input_name: &str, output_name: &str) {
  41. // If the file is generated, and the hash is different, we need to generate it
  42. let status = Command::new("bun")
  43. .arg("build")
  44. .arg(format!("src/ts/{input_name}.ts"))
  45. .arg("--outfile")
  46. .arg(format!("src/js/{output_name}.js"))
  47. .arg("--minify-whitespace")
  48. .arg("--minify-syntax")
  49. .status()
  50. .unwrap();
  51. if !status.success() {
  52. panic!(
  53. "Failed to generate bindings for {}. Make sure you have tsc installed",
  54. input_name
  55. );
  56. }
  57. }