claude_codes/io/
claude_input.rs1use serde::{Deserialize, Serialize};
2use serde_json::Value;
3use uuid::Uuid;
4
5use super::content_blocks::{ContentBlock, ImageBlock, ImageSource, TextBlock};
6use super::control::{ControlRequest, ControlResponse};
7use super::message_types::{MessageContent, UserMessage};
8
9#[derive(Debug, Clone, Serialize, Deserialize)]
11#[serde(tag = "type", rename_all = "snake_case")]
12pub enum ClaudeInput {
13 User(UserMessage),
15
16 ControlRequest(ControlRequest),
18
19 ControlResponse(ControlResponse),
21
22 #[serde(untagged)]
24 Raw(Value),
25}
26
27impl ClaudeInput {
28 pub fn user_message(text: impl Into<String>, session_id: Uuid) -> Self {
30 ClaudeInput::User(UserMessage {
31 message: MessageContent {
32 role: super::MessageRole::User,
33 content: vec![ContentBlock::Text(TextBlock { text: text.into() })],
34 },
35 session_id: Some(session_id),
36 })
37 }
38
39 pub fn user_message_blocks(blocks: Vec<ContentBlock>, session_id: Uuid) -> Self {
41 ClaudeInput::User(UserMessage {
42 message: MessageContent {
43 role: super::MessageRole::User,
44 content: blocks,
45 },
46 session_id: Some(session_id),
47 })
48 }
49
50 pub fn user_message_with_image(
53 image_data: String,
54 media_type: super::MediaType,
55 text: Option<String>,
56 session_id: Uuid,
57 ) -> Result<Self, String> {
58 match &media_type {
60 super::MediaType::Jpeg
61 | super::MediaType::Png
62 | super::MediaType::Gif
63 | super::MediaType::Webp => {}
64 other => {
65 return Err(format!(
66 "Invalid media type '{}'. Only JPEG, PNG, GIF, and WebP are supported.",
67 other
68 ));
69 }
70 }
71
72 let mut blocks = vec![ContentBlock::Image(ImageBlock {
73 source: ImageSource {
74 source_type: super::ImageSourceType::Base64,
75 media_type,
76 data: image_data,
77 },
78 })];
79
80 if let Some(text_content) = text {
81 blocks.push(ContentBlock::Text(TextBlock { text: text_content }));
82 }
83
84 Ok(Self::user_message_blocks(blocks, session_id))
85 }
86}
87
88#[cfg(test)]
89mod tests {
90 use super::*;
91
92 #[test]
93 fn test_serialize_user_message() {
94 let session_uuid = Uuid::parse_str("550e8400-e29b-41d4-a716-446655440000").unwrap();
95 let input = ClaudeInput::user_message("Hello, Claude!", session_uuid);
96 let json = serde_json::to_string(&input).unwrap();
97 assert!(json.contains("\"type\":\"user\""));
98 assert!(json.contains("\"role\":\"user\""));
99 assert!(json.contains("\"text\":\"Hello, Claude!\""));
100 assert!(json.contains("550e8400-e29b-41d4-a716-446655440000"));
101 }
102}