phase15: update CLAUDE.md and sync with current progress

- Update phase indicator to Phase 15 (Self-Hosting)
- Update documentation links to Phase 15 resources
- Reflect completion of R1-R5 tasks and ongoing work
- Fix CURRENT_TASK.md location to root directory

Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
Tomoaki
2025-09-05 13:29:17 +09:00
parent e05a385524
commit a2b89fae7e
29 changed files with 1163 additions and 2562 deletions

View File

@ -0,0 +1,174 @@
use serde::{Deserialize, Serialize};
use crate::mir::{
MirModule, MirFunction, FunctionSignature, BasicBlockId, MirInstruction,
ConstValue, BinaryOp, MirType, EffectMask, MirPrinter,
};
#[derive(Debug, Deserialize, Serialize)]
struct ProgramV0 {
version: i32,
kind: String,
body: Vec<StmtV0>,
}
#[derive(Debug, Deserialize, Serialize)]
#[serde(tag = "type")]
enum StmtV0 {
Return { expr: ExprV0 },
}
#[derive(Debug, Deserialize, Serialize, Clone)]
#[serde(tag = "type")]
enum ExprV0 {
Int { value: serde_json::Value },
Binary { op: String, lhs: Box<ExprV0>, rhs: Box<ExprV0> },
}
pub fn parse_json_v0_to_module(json: &str) -> Result<MirModule, String> {
let prog: ProgramV0 = serde_json::from_str(json).map_err(|e| format!("invalid JSON v0: {}", e))?;
if prog.version != 0 || prog.kind != "Program" {
return Err("unsupported IR: expected {version:0, kind:\"Program\"}".into());
}
let stmt = prog.body.get(0).ok_or("empty body")?;
// Create module and main function
let mut module = MirModule::new("ny_json_v0".into());
let sig = FunctionSignature { name: "main".into(), params: vec![], return_type: MirType::Integer, effects: EffectMask::PURE };
let entry = BasicBlockId::new(0);
let mut f = MirFunction::new(sig, entry);
// Build expression
let ret_val = match stmt {
StmtV0::Return { expr } => lower_expr(&mut f, expr)?,
};
// Return
if let Some(bb) = f.get_block_mut(entry) {
bb.set_terminator(MirInstruction::Return { value: Some(ret_val) });
}
// Infer return type (integer only for v0)
f.signature.return_type = MirType::Integer;
module.add_function(f);
Ok(module)
}
fn lower_expr(f: &mut MirFunction, e: &ExprV0) -> Result<crate::mir::ValueId, String> {
match e {
ExprV0::Int { value } => {
// Accept number or stringified digits
let ival: i64 = if let Some(n) = value.as_i64() {
n
} else if let Some(s) = value.as_str() { s.parse().map_err(|_| "invalid int literal")? } else {
return Err("invalid int literal".into());
};
let dst = f.next_value_id();
if let Some(bb) = f.get_block_mut(f.entry_block) {
bb.add_instruction(MirInstruction::Const { dst, value: ConstValue::Integer(ival) });
}
Ok(dst)
}
ExprV0::Binary { op, lhs, rhs } => {
let l = lower_expr(f, lhs)?;
let r = lower_expr(f, rhs)?;
let bop = match op.as_str() { "+" => BinaryOp::Add, "-" => BinaryOp::Sub, "*" => BinaryOp::Mul, "/" => BinaryOp::Div, _ => return Err("unsupported op".into()) };
let dst = f.next_value_id();
if let Some(bb) = f.get_block_mut(f.entry_block) {
bb.add_instruction(MirInstruction::BinOp { dst, op: bop, lhs: l, rhs: r });
}
Ok(dst)
}
}
}
pub fn maybe_dump_mir(module: &MirModule) {
if std::env::var("NYASH_CLI_VERBOSE").ok().as_deref() == Some("1") {
let mut p = MirPrinter::new();
println!("{}", p.print_module(module));
}
}
// ========== Direct bridge (source → JSON v0 → MIR) ==========
#[derive(Clone, Debug)]
enum Tok {
Return,
Int(i64),
Plus,
Minus,
Star,
Slash,
LParen,
RParen,
Eof,
}
fn lex(input: &str) -> Result<Vec<Tok>, String> {
let bytes = input.as_bytes();
let mut i = 0usize;
let n = bytes.len();
let mut toks = Vec::new();
while i < n {
let c = bytes[i] as char;
if c.is_whitespace() { i += 1; continue; }
match c {
'+' => { toks.push(Tok::Plus); i+=1; }
'-' => { toks.push(Tok::Minus); i+=1; }
'*' => { toks.push(Tok::Star); i+=1; }
'/' => { toks.push(Tok::Slash); i+=1; }
'(' => { toks.push(Tok::LParen); i+=1; }
')' => { toks.push(Tok::RParen); i+=1; }
'0'..='9' => {
let start = i; while i<n { let cc = bytes[i] as char; if cc.is_ascii_digit() { i+=1; } else { break; } }
let s = std::str::from_utf8(&bytes[start..i]).unwrap();
let v: i64 = s.parse().map_err(|_| "invalid int")?;
toks.push(Tok::Int(v));
}
'r' => {
// return
if i+6<=n && &input[i..i+6]=="return" { toks.push(Tok::Return); i+=6; } else { return Err("unexpected 'r'".into()); }
}
_ => return Err(format!("unexpected char '{}'", c)),
}
}
toks.push(Tok::Eof);
Ok(toks)
}
struct P { toks: Vec<Tok>, pos: usize }
impl P {
fn new(toks: Vec<Tok>) -> Self { Self{ toks, pos:0 } }
fn peek(&self) -> &Tok { self.toks.get(self.pos).unwrap() }
fn next(&mut self) -> Tok { let t = self.toks.get(self.pos).unwrap().clone(); self.pos+=1; t }
fn expect_return(&mut self) -> Result<(), String> { match self.next() { Tok::Return => Ok(()), _ => Err("expected 'return'".into()) } }
fn parse_program(&mut self) -> Result<ExprV0, String> { self.expect_return()?; self.parse_expr() }
fn parse_expr(&mut self) -> Result<ExprV0,String> {
let mut left = self.parse_term()?;
loop { match self.peek() { Tok::Plus => { self.next(); let r=self.parse_term()?; left = ExprV0::Binary{op:"+".into(), lhs:Box::new(left), rhs:Box::new(r)}; }, Tok::Minus => { self.next(); let r=self.parse_term()?; left = ExprV0::Binary{op:"-".into(), lhs:Box::new(left), rhs:Box::new(r)}; }, _ => break }
}
Ok(left)
}
fn parse_term(&mut self) -> Result<ExprV0,String> {
let mut left = self.parse_factor()?;
loop { match self.peek() { Tok::Star => { self.next(); let r=self.parse_factor()?; left = ExprV0::Binary{op:"*".into(), lhs:Box::new(left), rhs:Box::new(r)}; }, Tok::Slash => { self.next(); let r=self.parse_factor()?; left = ExprV0::Binary{op:"/".into(), lhs:Box::new(left), rhs:Box::new(r)}; }, _ => break }
}
Ok(left)
}
fn parse_factor(&mut self) -> Result<ExprV0,String> {
match self.next() {
Tok::Int(v) => Ok(ExprV0::Int{ value: serde_json::Value::from(v) }),
Tok::LParen => { let e = self.parse_expr()?; match self.next() { Tok::RParen => Ok(e), _ => Err(") expected".into()) } }
_ => Err("factor expected".into()),
}
}
}
pub fn parse_source_v0_to_json(input: &str) -> Result<String, String> {
let toks = lex(input)?; let mut p = P::new(toks);
let expr = p.parse_program()?;
let prog = ProgramV0 { version:0, kind: "Program".into(), body: vec![StmtV0::Return{ expr }] };
serde_json::to_string(&prog).map_err(|e| e.to_string())
}
pub fn parse_source_v0_to_module(input: &str) -> Result<MirModule, String> {
let json = parse_source_v0_to_json(input)?;
if std::env::var("NYASH_DUMP_JSON_IR").ok().as_deref() == Some("1") { println!("{}", json); }
parse_json_v0_to_module(&json)
}