use std::fmt::Write;
use serde::{Deserialize, Serialize};
use tvix_eval::observer::{DisassemblingObserver, TracingObserver};
use web_sys::HtmlDetailsElement;
use web_sys::HtmlTextAreaElement;
use yew::prelude::*;
use yew::TargetCast;
use yew_router::{prelude::*, AnyRoute};
#[derive(Clone)]
enum Msg {
CodeChange(String),
ToggleTrace(bool),
ToggleDisplayAst(bool),
// Required because browsers are stupid and it's easy to get into
// infinite loops with `ontoggle` events.
NoOp,
}
#[derive(Clone, Serialize, Deserialize)]
struct Model {
code: String,
// #[serde(skip_serializing)]
trace: bool,
// #[serde(skip_serializing)]
display_ast: bool,
}
fn tvixbolt_overview() -> Html {
html! {
<>
{"This page lets you explore the bytecode generated by the "}
{"Tvix"}
{" compiler for the Nix language. See the "}
{"Tvix announcement"}
{" for some background information on Tvix itself."}
{"Tvix is still "}{"extremely work-in-progress"}{" and you "}
{"should expect to be able to cause bugs and errors in this tool."}
{"Tvixbolt is a project from "}
{"TVL LLC"}
{". If you're looking for the TVL Community, click "}
{"here"}
{"."}
>
}
}
/// This renders an ad in the Tvixbolt footer. Most people that end up
/// on Tvixbolt will probably block this anyways, but might as well.
fn ad() -> Html {
let ad_code = r#"
window.yaContextCb.push(()=>{
Ya.Context.AdvManager.render({
renderTo: 'yandex_rtb_R-A-1943274-1',
blockId: 'R-A-1943274-1'
})
})
"#;
html! {
}
}
fn footer_link(location: &'static str, name: &str) -> Html {
html! {
<>
{name}{" | "}
>
}
}
fn footer() -> Html {
html! {
<>
>
}
}
impl Component for Model {
type Message = Msg;
type Properties = ();
fn create(_: &Context) -> Self {
BrowserHistory::new()
.location()
.query::()
.unwrap_or_else(|_| Self {
code: String::new(),
trace: false,
display_ast: false,
})
}
fn update(&mut self, _: &Context, msg: Self::Message) -> bool {
match msg {
Msg::ToggleTrace(trace) => {
self.trace = trace;
}
Msg::ToggleDisplayAst(display_ast) => {
self.display_ast = display_ast;
}
Msg::CodeChange(new_code) => {
self.code = new_code;
}
Msg::NoOp => {}
}
let _ = BrowserHistory::new().replace_with_query(AnyRoute::new("/"), self.clone());
true
}
fn view(&self, ctx: &Context) -> Html {
// This gives us a component's "`Scope`" which allows us to send messages, etc to the component.
let link = ctx.link();
html! {
<>
{"tvixbolt 0.1-alpha"}
{tvixbolt_overview()}
{self.run(ctx)}
{footer()}
>
}
}
}
impl Model {
fn run(&self, ctx: &Context) -> Html {
if self.code.is_empty() {
return html! {
{"Enter some Nix code above to get started. Don't know Nix yet? "}
{"Check out "}
{"nix-1p"}
{"!"}
};
}
html! {
<>
{"Result:"}
{eval(self).display(ctx, self)}
>
}
}
}
#[derive(Default)]
struct Output {
errors: String,
warnings: String,
output: String,
bytecode: Vec,
trace: Vec,
ast: String,
}
fn maybe_show(title: &str, s: &str) -> Html {
if s.is_empty() {
html! {}
} else {
html! {
<>
{title}
{s}
>
}
}
}
fn maybe_details(
ctx: &Context,
title: &str,
s: &str,
display: bool,
toggle: fn(bool) -> Msg,
) -> Html {
let link = ctx.link();
if display {
let msg = toggle(false);
html! {
();
if !details.open() {
msg.clone()
} else {
Msg::NoOp
}
})}>
{title}
{s}
}
} else {
let msg = toggle(true);
html! {
();
if details.open() {
msg.clone()
} else {
Msg::NoOp
}
})}>
{title}
}
}
}
impl Output {
fn display(self, ctx: &Context, model: &Model) -> Html {
html! {
<>
{maybe_show("Errors:", &self.errors)}
{maybe_show("Warnings:", &self.warnings)}
{maybe_show("Output:", &self.output)}
{maybe_show("Bytecode:", &String::from_utf8_lossy(&self.bytecode))}
{maybe_details(ctx, "Runtime trace:", &String::from_utf8_lossy(&self.trace), model.trace, Msg::ToggleTrace)}
{maybe_details(ctx, "Parsed AST:", &self.ast, model.display_ast, Msg::ToggleDisplayAst)}
>
}
}
}
fn eval(model: &Model) -> Output {
let mut out = Output::default();
if model.code.is_empty() {
return out;
}
let mut eval = tvix_eval::Evaluation::new(&model.code, Some("/nixbolt".into()));
let source = eval.source_map();
let result = {
let mut compiler_observer = DisassemblingObserver::new(source.clone(), &mut out.bytecode);
eval.compiler_observer = Some(&mut compiler_observer);
let mut runtime_observer = TracingObserver::new(&mut out.trace);
if model.trace {
eval.runtime_observer = Some(&mut runtime_observer);
}
eval.evaluate()
};
if model.display_ast {
if let Some(ref expr) = result.expr {
out.ast = tvix_eval::pretty_print_expr(expr);
}
}
out.output = match result.value {
Some(val) => val.to_string(),
None => "".to_string(),
};
for warning in result.warnings {
writeln!(
&mut out.warnings,
"{}\n",
warning.fancy_format_str(&source).trim(),
)
.unwrap();
}
if !result.errors.is_empty() {
for error in &result.errors {
writeln!(
&mut out.errors,
"{}\n",
error.fancy_format_str(&source).trim(),
)
.unwrap();
}
return out;
}
out
}
fn main() {
yew::start_app::();
}