Anki/rslib/proto/typescript.rs
Damien Elmes 9f55cf26fc
Switch to SvelteKit (#3077)
* Update to latest Node LTS

* Add sveltekit

* Split tslib into separate @generated and @tslib components

SvelteKit's path aliases don't support multiple locations, so our old
approach of using @tslib to refer to both ts/lib and out/ts/lib will no
longer work. Instead, all generated sources and their includes are
placed in a separate out/ts/generated folder, and imported via @generated
instead. This also allows us to generate .ts files, instead of needing
to output separate .d.ts and .js files.

* Switch package.json to module type

* Avoid usage of baseUrl

Incompatible with SvelteKit

* Move sass into ts; use relative links

SvelteKit's default sass support doesn't allow overriding loadPaths

* jest->vitest, graphs example working with yarn dev

* most pages working in dev mode

* Some fixes after rebasing

* Fix/silence some svelte-check errors

* Get image-occlusion working with Fabric types

* Post-rebase lock changes

* Editor is now checked

* SvelteKit build integrated into ninja

* Use the new SvelteKit entrypoint for pages like congrats/deck options/etc

* Run eslint once for ts/**; fix some tests

* Fix a bunch of issues introduced when rebasing over latest main

* Run eslint fix

* Fix remaining eslint+pylint issues; tests now all pass

* Fix some issues with a clean build

* Latest bufbuild no longer requires @__PURE__ hack

* Add a few missed dependencies

* Add yarn.bat to fix Windows build

* Fix pages failing to show when ANKI_API_PORT not defined

* Fix svelte-check and vitest on Windows

* Set node path in ./yarn

* Move svelte-kit output to ts/.svelte-kit

Sadly, I couldn't figure out a way to store it in out/ if out/ is
a symlink, as it breaks module resolution when SvelteKit is run.

* Allow HMR inside Anki

* Skip SvelteKit build when HMR is defined

* Fix some post-rebase issues

I should have done a normal merge instead.
2024-03-31 09:16:31 +01:00

131 lines
3.7 KiB
Rust

// Copyright: Ankitects Pty Ltd and contributors
// License: GNU AGPL, version 3 or later; http://www.gnu.org/licenses/agpl.html
use std::collections::HashSet;
use std::fmt::Write as WriteFmt;
use std::path::Path;
use anki_io::create_dir_all;
use anki_io::write_file_if_changed;
use anki_proto_gen::BackendService;
use anki_proto_gen::Method;
use anyhow::Result;
use inflections::Inflect;
use itertools::Itertools;
pub(crate) fn write_ts_interface(services: &[BackendService]) -> Result<()> {
let root = Path::new("../../out/ts/lib/generated");
create_dir_all(root)?;
let mut ts_out = String::new();
let mut referenced_packages = HashSet::new();
for service in services {
if service.name == "BackendAnkidroidService" {
continue;
}
for method in service.all_methods() {
let method = MethodDetails::from_method(method);
record_referenced_type(&mut referenced_packages, &method.input_type);
record_referenced_type(&mut referenced_packages, &method.output_type);
write_ts_method(&method, &mut ts_out);
}
}
let imports = imports(referenced_packages);
write_file_if_changed(
root.join("backend.ts"),
format!("{}{}{}", ts_header(), imports, ts_out),
)?;
Ok(())
}
fn ts_header() -> String {
r#"// Copyright: Ankitects Pty Ltd and contributors
// License: GNU AGPL, version 3 or later; https://www.gnu.org/licenses/agpl.html
import type { PlainMessage } from "@bufbuild/protobuf";
import type { PostProtoOptions } from "./post";
import { postProto } from "./post";
"#
.into()
}
fn imports(referenced_packages: HashSet<String>) -> String {
let mut out = String::new();
for package in referenced_packages.iter().sorted() {
writeln!(
&mut out,
"import * as {} from \"./anki/{}_pb\";",
package,
package.to_snake_case()
)
.unwrap();
}
out
}
fn write_ts_method(
MethodDetails {
method_name,
input_type,
output_type,
comments,
}: &MethodDetails,
out: &mut String,
) {
let comments = format_comments(comments);
writeln!(
out,
r#"{comments}export async function {method_name}(input: PlainMessage<{input_type}>, options?: PostProtoOptions): Promise<{output_type}> {{
return await postProto("{method_name}", new {input_type}(input), {output_type}, options);
}}"#
).unwrap()
}
fn format_comments(comments: &Option<String>) -> String {
comments
.as_ref()
.map(|s| format!("/** {s} */\n"))
.unwrap_or_default()
}
struct MethodDetails {
method_name: String,
input_type: String,
output_type: String,
comments: Option<String>,
}
impl MethodDetails {
fn from_method(method: &Method) -> MethodDetails {
let name = method.name.to_camel_case();
let input_type = full_name_to_imported_reference(method.proto.input().full_name());
let output_type = full_name_to_imported_reference(method.proto.output().full_name());
let comments = method.comments.clone();
Self {
method_name: name,
input_type,
output_type,
comments,
}
}
}
fn record_referenced_type(referenced_packages: &mut HashSet<String>, type_name: &str) {
referenced_packages.insert(type_name.split('.').next().unwrap().to_string());
}
// e.g. anki.import_export.ImportResponse ->
// importExport.ImportResponse
fn full_name_to_imported_reference(name: &str) -> String {
let mut name = name.splitn(3, '.');
name.next().unwrap();
format!(
"{}.{}",
name.next().unwrap().to_camel_case(),
name.next().unwrap()
)
}