1use std::fmt;
2use std::str::FromStr;
3
4use serde::{Deserialize, Serialize};
5
6#[derive(Debug, Clone, Copy, PartialEq, Eq, Serialize, Deserialize)]
22#[serde(rename_all = "lowercase")]
23pub enum Transport {
24 Stdio,
26 Http,
28 Sse,
30}
31
32impl fmt::Display for Transport {
33 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
34 match self {
35 Self::Stdio => write!(f, "stdio"),
36 Self::Http => write!(f, "http"),
37 Self::Sse => write!(f, "sse"),
38 }
39 }
40}
41
42#[derive(Debug, Clone, thiserror::Error)]
44#[error("unknown transport: {0}")]
45pub struct TransportParseError(pub String);
46
47impl FromStr for Transport {
48 type Err = TransportParseError;
49
50 fn from_str(s: &str) -> Result<Self, Self::Err> {
51 match s {
52 "stdio" => Ok(Self::Stdio),
53 "http" => Ok(Self::Http),
54 "sse" => Ok(Self::Sse),
55 other => Err(TransportParseError(other.to_string())),
56 }
57 }
58}
59
60impl TryFrom<&str> for Transport {
61 type Error = TransportParseError;
62
63 fn try_from(s: &str) -> Result<Self, Self::Error> {
64 s.parse()
65 }
66}
67
68#[cfg(test)]
69mod transport_tests {
70 use super::*;
71
72 #[test]
73 fn from_str_accepts_known_variants() {
74 assert_eq!("stdio".parse::<Transport>().unwrap(), Transport::Stdio);
75 assert_eq!("http".parse::<Transport>().unwrap(), Transport::Http);
76 assert_eq!("sse".parse::<Transport>().unwrap(), Transport::Sse);
77 }
78
79 #[test]
80 fn from_str_returns_error_for_unknown() {
81 let err = "websocket".parse::<Transport>().unwrap_err();
82 assert!(err.to_string().contains("websocket"));
83 }
84
85 #[test]
86 fn try_from_str_returns_error_for_unknown() {
87 assert!(Transport::try_from("bogus").is_err());
88 }
89}
90
91#[derive(Debug, Clone, Copy, Default)]
93pub enum OutputFormat {
94 #[default]
96 Text,
97 Json,
99 StreamJson,
101}
102
103impl OutputFormat {
104 pub(crate) fn as_arg(&self) -> &'static str {
105 match self {
106 Self::Text => "text",
107 Self::Json => "json",
108 Self::StreamJson => "stream-json",
109 }
110 }
111}
112
113#[derive(Debug, Clone, Copy, Default, PartialEq, Eq, Serialize, Deserialize)]
115#[serde(rename_all = "camelCase")]
116pub enum PermissionMode {
117 #[default]
119 Default,
120 AcceptEdits,
122 #[deprecated(
134 since = "0.5.1",
135 note = "use claude_wrapper::dangerous::DangerousClient instead; \
136 direct BypassPermissions usage is a footgun and will go \
137 away in a future major release"
138 )]
139 BypassPermissions,
140 DontAsk,
142 Plan,
144 Auto,
146}
147
148impl PermissionMode {
149 pub(crate) fn as_arg(&self) -> &'static str {
150 match self {
151 Self::Default => "default",
152 Self::AcceptEdits => "acceptEdits",
153 #[allow(deprecated)]
154 Self::BypassPermissions => "bypassPermissions",
155 Self::DontAsk => "dontAsk",
156 Self::Plan => "plan",
157 Self::Auto => "auto",
158 }
159 }
160}
161
162#[derive(Debug, Clone, Copy, Default)]
164pub enum InputFormat {
165 #[default]
167 Text,
168 StreamJson,
170}
171
172impl InputFormat {
173 pub(crate) fn as_arg(&self) -> &'static str {
174 match self {
175 Self::Text => "text",
176 Self::StreamJson => "stream-json",
177 }
178 }
179}
180
181#[derive(Debug, Clone, Copy, PartialEq, Eq, Serialize, Deserialize)]
183#[serde(rename_all = "lowercase")]
184pub enum Effort {
185 Low,
187 Medium,
189 High,
191 Max,
193}
194
195impl Effort {
196 pub(crate) fn as_arg(&self) -> &'static str {
197 match self {
198 Self::Low => "low",
199 Self::Medium => "medium",
200 Self::High => "high",
201 Self::Max => "max",
202 }
203 }
204}
205
206#[derive(Debug, Clone, Copy, Default)]
208pub enum Scope {
209 #[default]
211 Local,
212 User,
214 Project,
216}
217
218impl Scope {
219 pub(crate) fn as_arg(&self) -> &'static str {
220 match self {
221 Self::Local => "local",
222 Self::User => "user",
223 Self::Project => "project",
224 }
225 }
226}
227
228#[cfg(feature = "json")]
245#[derive(Debug, Clone, Deserialize, Serialize)]
246#[serde(rename_all = "camelCase")]
247pub struct AuthStatus {
248 #[serde(default)]
250 pub logged_in: bool,
251 #[serde(default)]
253 pub auth_method: Option<String>,
254 #[serde(default)]
256 pub api_provider: Option<String>,
257 #[serde(default)]
259 pub email: Option<String>,
260 #[serde(default)]
262 pub org_id: Option<String>,
263 #[serde(default)]
265 pub org_name: Option<String>,
266 #[serde(default)]
268 pub subscription_type: Option<String>,
269 #[serde(flatten)]
271 pub extra: std::collections::HashMap<String, serde_json::Value>,
272}
273
274#[cfg(feature = "json")]
276#[derive(Debug, Clone, Deserialize, Serialize)]
277pub struct QueryMessage {
278 #[serde(default)]
280 pub role: String,
281 #[serde(default)]
283 pub content: serde_json::Value,
284 #[serde(flatten)]
286 pub extra: std::collections::HashMap<String, serde_json::Value>,
287}
288
289#[cfg(feature = "json")]
291#[derive(Debug, Clone, Deserialize, Serialize)]
292pub struct QueryResult {
293 #[serde(default)]
295 pub result: String,
296 #[serde(default)]
298 pub session_id: String,
299 #[serde(default, rename = "total_cost_usd", alias = "cost_usd")]
301 pub cost_usd: Option<f64>,
302 #[serde(default)]
304 pub duration_ms: Option<u64>,
305 #[serde(default)]
307 pub num_turns: Option<u32>,
308 #[serde(default)]
310 pub is_error: bool,
311 #[serde(flatten)]
313 pub extra: std::collections::HashMap<String, serde_json::Value>,
314}
315
316#[cfg(all(test, feature = "json"))]
317mod tests {
318 use super::*;
319
320 #[test]
321 fn query_result_deserializes_total_cost_usd() {
322 let json =
323 r#"{"result":"hello","session_id":"s1","total_cost_usd":0.042,"is_error":false}"#;
324 let qr: QueryResult = serde_json::from_str(json).unwrap();
325 assert_eq!(qr.cost_usd, Some(0.042));
326 }
327
328 #[test]
329 fn query_result_deserializes_cost_usd_alias() {
330 let json = r#"{"result":"hello","session_id":"s1","cost_usd":0.01,"is_error":false}"#;
331 let qr: QueryResult = serde_json::from_str(json).unwrap();
332 assert_eq!(qr.cost_usd, Some(0.01));
333 }
334
335 #[test]
336 fn query_result_missing_cost_defaults_to_none() {
337 let json = r#"{"result":"hello","session_id":"s1","is_error":false}"#;
338 let qr: QueryResult = serde_json::from_str(json).unwrap();
339 assert_eq!(qr.cost_usd, None);
340 }
341
342 #[test]
343 fn query_result_from_stream_result_event() {
344 let json = r#"{"type":"result","subtype":"success","result":"streamed","session_id":"sess-1","total_cost_usd":0.03,"num_turns":1,"is_error":false}"#;
348 let qr: QueryResult = serde_json::from_str(json).unwrap();
349 assert_eq!(qr.cost_usd, Some(0.03));
350 assert_eq!(qr.num_turns, Some(1));
351 assert_eq!(qr.session_id, "sess-1");
352 assert_eq!(qr.result, "streamed");
353 assert_eq!(
354 qr.extra.get("type").and_then(|v| v.as_str()),
355 Some("result")
356 );
357 }
358
359 #[test]
360 fn query_result_deserializes_num_turns() {
361 let json = r#"{"result":"done","session_id":"s2","total_cost_usd":0.1,"num_turns":5,"is_error":false}"#;
362 let qr: QueryResult = serde_json::from_str(json).unwrap();
363 assert_eq!(qr.num_turns, Some(5));
364 assert_eq!(qr.cost_usd, Some(0.1));
365 }
366
367 #[test]
368 fn query_result_serializes_as_total_cost_usd() {
369 let qr = QueryResult {
370 result: "ok".into(),
371 session_id: "s1".into(),
372 cost_usd: Some(0.05),
373 duration_ms: None,
374 num_turns: Some(3),
375 is_error: false,
376 extra: Default::default(),
377 };
378 let json = serde_json::to_string(&qr).unwrap();
379 assert!(json.contains("\"total_cost_usd\""));
380 assert!(json.contains("\"num_turns\""));
381 }
382}