🎉 initial commit: Nyash Programming Language完成版

🚀 主要機能:
• Everything is Box哲学による革新的アーキテクチャ
• WebAssemblyブラウザー対応プレイグラウンド
• アーティスト協同制作デモ - 複数Boxインスタンス実証
• 視覚的デバッグシステム - DebugBox完全統合
• static box Mainパターン - メモリ安全設計

 言語機能:
• NOT/AND/OR/除算演算子完全実装
• ジェネリクス/テンプレートシステム
• 非同期処理(nowait/await)
• try/catchエラーハンドリング
• Canvas統合グラフィックス

🎨 ブラウザー体験:
• 9種類のインタラクティブデモ
• リアルタイムコード実行
• WebCanvas/WebConsole/WebDisplay
• モバイル対応完了

🤖 Built with Claude Code collaboration
Ready for public release!
This commit is contained in:
Moe Charm
2025-08-09 15:14:44 +09:00
commit 0bed0c0271
129 changed files with 33189 additions and 0 deletions

104
src/exception_box.rs Normal file
View File

@ -0,0 +1,104 @@
/*!
* Exception Boxes for Nyash try/catch/throw system
*
* Everything is Box哲学に基づく例外システム
*/
use crate::box_trait::{NyashBox, StringBox, BoolBox};
use std::any::Any;
use std::collections::HashMap;
/// 基底例外Box
#[derive(Debug, Clone)]
pub struct ErrorBox {
pub message: String,
pub stack_trace: Vec<String>,
pub cause: Option<Box<ErrorBox>>,
id: u64,
}
impl ErrorBox {
pub fn new(message: &str) -> Self {
static mut COUNTER: u64 = 0;
let id = unsafe {
COUNTER += 1;
COUNTER
};
Self {
message: message.to_string(),
stack_trace: Vec::new(),
cause: None,
id,
}
}
pub fn with_cause(message: &str, cause: ErrorBox) -> Self {
static mut COUNTER: u64 = 0;
let id = unsafe {
COUNTER += 1;
COUNTER
};
Self {
message: message.to_string(),
stack_trace: Vec::new(),
cause: Some(Box::new(cause)),
id,
}
}
pub fn add_stack_frame(&mut self, frame: String) {
self.stack_trace.push(frame);
}
pub fn get_full_message(&self) -> String {
let mut msg = self.message.clone();
if let Some(ref cause) = self.cause {
msg.push_str(&format!("\nCaused by: {}", cause.get_full_message()));
}
msg
}
}
impl NyashBox for ErrorBox {
fn type_name(&self) -> &'static str {
"ErrorBox"
}
fn to_string_box(&self) -> StringBox {
StringBox::new(format!("ErrorBox({})", self.message))
}
fn box_id(&self) -> u64 {
self.id
}
fn equals(&self, other: &dyn NyashBox) -> BoolBox {
if let Some(other_error) = other.as_any().downcast_ref::<ErrorBox>() {
BoolBox::new(self.message == other_error.message)
} else {
BoolBox::new(false)
}
}
fn clone_box(&self) -> Box<dyn NyashBox> {
Box::new(self.clone())
}
fn as_any(&self) -> &dyn Any {
self
}
}
/// 例外タイプの判定ユーティリティ
pub fn is_exception_type(exception: &dyn NyashBox, type_name: &str) -> bool {
match type_name {
"Error" | "ErrorBox" => exception.as_any().downcast_ref::<ErrorBox>().is_some(),
_ => false,
}
}
/// 例外の作成ヘルパー
pub fn create_exception(_type_name: &str, message: &str, _extra_info: &HashMap<String, String>) -> Box<dyn NyashBox> {
// 現在はErrorBoxのみサポートシンプル実装
Box::new(ErrorBox::new(message))
}