1
/*
2
 * Hurl (https://hurl.dev)
3
 * Copyright (C) 2026 Orange
4
 *
5
 * Licensed under the Apache License, Version 2.0 (the "License");
6
 * you may not use this file except in compliance with the License.
7
 * You may obtain a copy of the License at
8
 *
9
 *          http://www.apache.org/licenses/LICENSE-2.0
10
 *
11
 * Unless required by applicable law or agreed to in writing, software
12
 * distributed under the License is distributed on an "AS IS" BASIS,
13
 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
14
 * See the License for the specific language governing permissions and
15
 * limitations under the License.
16
 *
17
 */
18
use base64::engine::general_purpose;
19
use base64::Engine;
20
use hurl_core::ast::{
21
    Assert, Base64, Body, BooleanOption, Bytes, Capture, CertificateAttributeName, Comment, Cookie,
22
    CountOption, DurationOption, Entry, EntryOption, File, FilenameParam, Filter, FilterValue, Hex,
23
    HurlFile, JsonListElement, JsonValue, KeyValue, MultilineString, MultilineStringKind,
24
    MultipartParam, NaturalOption, OptionKind, Placeholder, Predicate, PredicateFuncValue,
25
    PredicateValue, Query, QueryValue, Regex, RegexValue, Request, Response, StatusValue,
26
    VersionValue,
27
};
28
use hurl_core::types::{Count, Duration, ToSource};
29

            
30
use crate::format::serialize_json::JValue;
31

            
32
57
pub fn format(hurl_file: &HurlFile) -> String {
33
57
    hurl_file.to_json().format()
34
}
35

            
36
pub trait ToJson {
37
    fn to_json(&self) -> JValue;
38
}
39

            
40
impl ToJson for HurlFile {
41
57
    fn to_json(&self) -> JValue {
42
57
        JValue::Object(vec![(
43
57
            "entries".to_string(),
44
211
            JValue::List(self.entries.iter().map(|e| e.to_json()).collect()),
45
        )])
46
    }
47
}
48

            
49
impl ToJson for Entry {
50
192
    fn to_json(&self) -> JValue {
51
192
        let mut attributes = vec![("request".to_string(), self.request.to_json())];
52
192
        if let Some(response) = &self.response {
53
87
            attributes.push(("response".to_string(), response.to_json()));
54
        }
55
192
        JValue::Object(attributes)
56
    }
57
}
58

            
59
impl ToJson for Request {
60
192
    fn to_json(&self) -> JValue {
61
192
        let mut attributes = vec![
62
192
            (
63
192
                "method".to_string(),
64
192
                JValue::String(self.method.to_string()),
65
192
            ),
66
192
            ("url".to_string(), JValue::String(self.url.to_string())),
67
        ];
68
192
        add_headers(&mut attributes, &self.headers);
69

            
70
192
        if !self.querystring_params().is_empty() {
71
6
            let params = self
72
6
                .querystring_params()
73
6
                .iter()
74
17
                .map(|p| p.to_json())
75
6
                .collect();
76
6
            attributes.push(("query_string_params".to_string(), JValue::List(params)));
77
        }
78
192
        if !self.form_params().is_empty() {
79
13
            let params = self.form_params().iter().map(|p| p.to_json()).collect();
80
3
            attributes.push(("form_params".to_string(), JValue::List(params)));
81
        }
82
192
        if !self.multipart_form_data().is_empty() {
83
3
            let params = self
84
3
                .multipart_form_data()
85
3
                .iter()
86
10
                .map(|p| p.to_json())
87
3
                .collect();
88
3
            attributes.push(("multipart_form_data".to_string(), JValue::List(params)));
89
        }
90
192
        if !self.cookies().is_empty() {
91
7
            let cookies = self.cookies().iter().map(|c| c.to_json()).collect();
92
3
            attributes.push(("cookies".to_string(), JValue::List(cookies)));
93
        }
94
192
        if !self.options().is_empty() {
95
310
            let options = self.options().iter().map(|c| c.to_json()).collect();
96
12
            attributes.push(("options".to_string(), JValue::List(options)));
97
        }
98
192
        if let Some(body) = &self.body {
99
48
            attributes.push(("body".to_string(), body.to_json()));
100
        }
101

            
102
        // Request comments (can be used to check custom commands)
103
192
        let comments: Vec<_> = self
104
192
            .line_terminators
105
192
            .iter()
106
233
            .filter_map(|l| l.comment.as_ref())
107
192
            .collect();
108
192
        if !comments.is_empty() {
109
26
            let comments = comments.iter().map(|c| c.to_json()).collect();
110
15
            attributes.push(("comments".to_string(), JValue::List(comments)));
111
        }
112

            
113
192
        JValue::Object(attributes)
114
    }
115
}
116

            
117
impl ToJson for Response {
118
    /// Transforms this response to a JSON object.
119
87
    fn to_json(&self) -> JValue {
120
87
        let mut attributes = vec![];
121
87
        if let Some(v) = get_json_version(&self.version.value) {
122
12
            attributes.push(("version".to_string(), JValue::String(v)));
123
        }
124
87
        if let StatusValue::Specific(n) = self.status.value {
125
87
            attributes.push(("status".to_string(), JValue::Number(n.to_string())));
126
        }
127
87
        add_headers(&mut attributes, &self.headers);
128
87
        if !self.captures().is_empty() {
129
21
            let captures = self.captures().iter().map(|c| c.to_json()).collect();
130
9
            attributes.push(("captures".to_string(), JValue::List(captures)));
131
        }
132
87
        if !self.asserts().is_empty() {
133
387
            let asserts = self.asserts().iter().map(|a| a.to_json()).collect();
134
36
            attributes.push(("asserts".to_string(), JValue::List(asserts)));
135
        }
136
87
        if let Some(body) = &self.body {
137
24
            attributes.push(("body".to_string(), body.to_json()));
138
        }
139
87
        JValue::Object(attributes)
140
    }
141
}
142

            
143
279
fn add_headers(attributes: &mut Vec<(String, JValue)>, headers: &[KeyValue]) {
144
279
    if !headers.is_empty() {
145
62
        let headers = JValue::List(headers.iter().map(|h| h.to_json()).collect());
146
24
        attributes.push(("headers".to_string(), headers));
147
    }
148
}
149

            
150
impl ToJson for Body {
151
72
    fn to_json(&self) -> JValue {
152
72
        self.value.to_json()
153
    }
154
}
155

            
156
impl ToJson for Bytes {
157
72
    fn to_json(&self) -> JValue {
158
72
        match self {
159
6
            Bytes::Base64(value) => value.to_json(),
160
3
            Bytes::Hex(value) => value.to_json(),
161
3
            Bytes::File(value) => value.to_json(),
162
6
            Bytes::Json(value) => JValue::Object(vec![
163
6
                ("type".to_string(), JValue::String("json".to_string())),
164
6
                ("value".to_string(), value.to_json()),
165
6
            ]),
166
3
            Bytes::Xml(value) => JValue::Object(vec![
167
3
                ("type".to_string(), JValue::String("xml".to_string())),
168
3
                ("value".to_string(), JValue::String(value.clone())),
169
3
            ]),
170
9
            Bytes::OnelineString(value) => JValue::Object(vec![
171
9
                ("type".to_string(), JValue::String("text".to_string())),
172
9
                ("value".to_string(), JValue::String(value.to_string())),
173
9
            ]),
174
42
            Bytes::MultilineString(multi) => {
175
                // TODO: check these values. Maybe we want to have the same
176
                // export when using:
177
                //
178
                // ~~~
179
                // GET https://foo.com
180
                // ```base64
181
                // SGVsbG8gd29ybGQ=
182
                // ```
183
                //
184
                // or
185
                //
186
                // ~~~
187
                // GET https://foo.com
188
                // base64,SGVsbG8gd29ybGQ=;
189
                // ~~~
190
42
                let lang = match multi {
191
                    MultilineString {
192
                        kind: MultilineStringKind::Text(_),
193
                        ..
194
9
                    } => "text",
195
                    MultilineString {
196
                        kind: MultilineStringKind::Raw(_),
197
                        ..
198
9
                    } => "raw",
199
                    MultilineString {
200
                        kind: MultilineStringKind::Json(_),
201
                        ..
202
9
                    } => "json",
203
                    MultilineString {
204
                        kind: MultilineStringKind::Xml(_),
205
                        ..
206
6
                    } => "xml",
207
                    MultilineString {
208
                        kind: MultilineStringKind::GraphQl(_),
209
                        ..
210
9
                    } => "graphql",
211
                };
212
42
                JValue::Object(vec![
213
42
                    ("type".to_string(), JValue::String(lang.to_string())),
214
42
                    ("value".to_string(), JValue::String(multi.to_string())),
215
42
                ])
216
            }
217
        }
218
    }
219
}
220

            
221
impl ToJson for Base64 {
222
6
    fn to_json(&self) -> JValue {
223
6
        let value = general_purpose::STANDARD.encode(&self.value);
224
6
        JValue::Object(vec![
225
6
            ("encoding".to_string(), JValue::String("base64".to_string())),
226
6
            ("value".to_string(), JValue::String(value)),
227
6
        ])
228
    }
229
}
230

            
231
impl ToJson for Hex {
232
3
    fn to_json(&self) -> JValue {
233
3
        let value = general_purpose::STANDARD.encode(&self.value);
234
3
        JValue::Object(vec![
235
3
            ("encoding".to_string(), JValue::String("base64".to_string())),
236
3
            ("value".to_string(), JValue::String(value)),
237
3
        ])
238
    }
239
}
240

            
241
impl ToJson for File {
242
6
    fn to_json(&self) -> JValue {
243
6
        JValue::Object(vec![
244
6
            ("type".to_string(), JValue::String("file".to_string())),
245
6
            (
246
6
                "filename".to_string(),
247
6
                JValue::String(self.filename.to_string()),
248
6
            ),
249
6
        ])
250
    }
251
}
252

            
253
87
fn get_json_version(version_value: &VersionValue) -> Option<String> {
254
87
    match version_value {
255
3
        VersionValue::Version1 => Some("HTTP/1.0".to_string()),
256
3
        VersionValue::Version11 => Some("HTTP/1.1".to_string()),
257
3
        VersionValue::Version2 => Some("HTTP/2".to_string()),
258
3
        VersionValue::Version3 => Some("HTTP/3".to_string()),
259
75
        VersionValue::VersionAny => None,
260
    }
261
}
262

            
263
impl ToJson for KeyValue {
264
84
    fn to_json(&self) -> JValue {
265
84
        let attributes = vec![
266
84
            ("name".to_string(), JValue::String(self.key.to_string())),
267
84
            ("value".to_string(), JValue::String(self.value.to_string())),
268
        ];
269
84
        JValue::Object(attributes)
270
    }
271
}
272

            
273
impl ToJson for MultipartParam {
274
9
    fn to_json(&self) -> JValue {
275
9
        match self {
276
3
            MultipartParam::Param(param) => param.to_json(),
277
6
            MultipartParam::FilenameParam(param) => param.to_json(),
278
        }
279
    }
280
}
281

            
282
impl ToJson for FilenameParam {
283
6
    fn to_json(&self) -> JValue {
284
6
        let mut attributes = vec![
285
6
            ("name".to_string(), JValue::String(self.key.to_string())),
286
6
            (
287
6
                "filename".to_string(),
288
6
                JValue::String(self.value.filename.to_string()),
289
6
            ),
290
        ];
291
6
        if let Some(content_type) = &self.value.content_type {
292
3
            attributes.push((
293
3
                "content_type".to_string(),
294
3
                JValue::String(content_type.to_string()),
295
3
            ));
296
        }
297
6
        JValue::Object(attributes)
298
    }
299
}
300

            
301
impl ToJson for Cookie {
302
6
    fn to_json(&self) -> JValue {
303
6
        let attributes = vec![
304
6
            ("name".to_string(), JValue::String(self.name.to_string())),
305
6
            ("value".to_string(), JValue::String(self.value.to_string())),
306
        ];
307
6
        JValue::Object(attributes)
308
    }
309
}
310

            
311
impl ToJson for EntryOption {
312
306
    fn to_json(&self) -> JValue {
313
306
        let value = match &self.kind {
314
6
            OptionKind::AwsSigV4(value) => JValue::String(value.to_string()),
315
6
            OptionKind::CaCertificate(filename) => JValue::String(filename.to_string()),
316
9
            OptionKind::ClientCert(filename) => JValue::String(filename.to_string()),
317
6
            OptionKind::ClientKey(filename) => JValue::String(filename.to_string()),
318
6
            OptionKind::Compressed(value) => value.to_json(),
319
6
            OptionKind::ConnectTo(value) => JValue::String(value.to_string()),
320
6
            OptionKind::ConnectTimeout(value) => value.to_json(),
321
18
            OptionKind::Delay(value) => value.to_json(),
322
6
            OptionKind::Digest(value) => value.to_json(),
323
6
            OptionKind::FollowLocation(value) => value.to_json(),
324
6
            OptionKind::FollowLocationTrusted(value) => value.to_json(),
325
6
            OptionKind::Header(value) => JValue::String(value.to_string()),
326
6
            OptionKind::Http10(value) => value.to_json(),
327
6
            OptionKind::Http11(value) => value.to_json(),
328
6
            OptionKind::Http2(value) => value.to_json(),
329
6
            OptionKind::Http3(value) => value.to_json(),
330
6
            OptionKind::Insecure(value) => value.to_json(),
331
6
            OptionKind::IpV4(value) => value.to_json(),
332
6
            OptionKind::IpV6(value) => value.to_json(),
333
6
            OptionKind::LimitRate(value) => value.to_json(),
334
6
            OptionKind::MaxRedirect(value) => value.to_json(),
335
6
            OptionKind::MaxTime(value) => value.to_json(),
336
6
            OptionKind::Negotiate(value) => value.to_json(),
337
6
            OptionKind::NetRc(value) => value.to_json(),
338
6
            OptionKind::NetRcFile(filename) => JValue::String(filename.to_string()),
339
6
            OptionKind::NetRcOptional(value) => value.to_json(),
340
6
            OptionKind::Ntlm(value) => value.to_json(),
341
6
            OptionKind::Output(filename) => JValue::String(filename.to_string()),
342
6
            OptionKind::PathAsIs(value) => value.to_json(),
343
6
            OptionKind::PinnedPublicKey(value) => JValue::String(value.to_string()),
344
6
            OptionKind::Proxy(value) => JValue::String(value.to_string()),
345
9
            OptionKind::Repeat(value) => value.to_json(),
346
6
            OptionKind::Resolve(value) => JValue::String(value.to_string()),
347
12
            OptionKind::Retry(value) => value.to_json(),
348
12
            OptionKind::RetryInterval(value) => value.to_json(),
349
6
            OptionKind::Skip(value) => value.to_json(),
350
6
            OptionKind::UnixSocket(value) => JValue::String(value.to_string()),
351
6
            OptionKind::User(value) => JValue::String(value.to_string()),
352
27
            OptionKind::Variable(value) => {
353
27
                JValue::String(format!("{}={}", value.name, value.value.to_source()))
354
            }
355
9
            OptionKind::Verbose(value) => value.to_json(),
356
6
            OptionKind::Verbosity(value) => JValue::String(value.to_string()),
357
6
            OptionKind::VeryVerbose(value) => value.to_json(),
358
        };
359

            
360
        // If the value contains the unit such as `{ "value": 10, "unit": "second" }`
361
        // The JSON for this option should still have one level
362
        // for example: { "name": "delay", "value": 10, "unit", "second" }
363
306
        let attributes = if let JValue::Object(mut attributes) = value {
364
24
            attributes.push((
365
24
                "name".to_string(),
366
24
                JValue::String(self.kind.identifier().to_string()),
367
24
            ));
368
24
            attributes
369
        } else {
370
282
            vec![
371
282
                (
372
282
                    "name".to_string(),
373
282
                    JValue::String(self.kind.identifier().to_string()),
374
282
                ),
375
282
                ("value".to_string(), value),
376
            ]
377
        };
378
306
        JValue::Object(attributes)
379
    }
380
}
381

            
382
impl ToJson for BooleanOption {
383
117
    fn to_json(&self) -> JValue {
384
117
        match self {
385
60
            BooleanOption::Literal(value) => JValue::Boolean(*value),
386
57
            BooleanOption::Placeholder(placeholder) => placeholder.to_json(),
387
        }
388
    }
389
}
390

            
391
impl ToJson for CountOption {
392
27
    fn to_json(&self) -> JValue {
393
27
        match self {
394
18
            CountOption::Literal(value) => value.to_json(),
395
9
            CountOption::Placeholder(placeholder) => placeholder.to_json(),
396
        }
397
    }
398
}
399

            
400
impl ToJson for Count {
401
18
    fn to_json(&self) -> JValue {
402
18
        match self {
403
12
            Count::Finite(n) => JValue::Number(n.to_string()),
404
6
            Count::Infinite => JValue::Number("-1".to_string()),
405
        }
406
    }
407
}
408

            
409
impl ToJson for DurationOption {
410
42
    fn to_json(&self) -> JValue {
411
42
        match self {
412
30
            DurationOption::Literal(value) => value.to_json(),
413
12
            DurationOption::Placeholder(placeholder) => placeholder.to_json(),
414
        }
415
    }
416
}
417

            
418
impl ToJson for Duration {
419
30
    fn to_json(&self) -> JValue {
420
30
        if let Some(unit) = self.unit {
421
24
            let mut attributes =
422
24
                vec![("value".to_string(), JValue::Number(self.value.to_string()))];
423
24
            attributes.push(("unit".to_string(), JValue::String(unit.to_string())));
424
24
            JValue::Object(attributes)
425
        } else {
426
6
            JValue::Number(self.value.to_string())
427
        }
428
    }
429
}
430

            
431
impl ToJson for Capture {
432
18
    fn to_json(&self) -> JValue {
433
18
        let mut attributes = vec![
434
18
            ("name".to_string(), JValue::String(self.name.to_string())),
435
18
            ("query".to_string(), self.query.to_json()),
436
        ];
437
18
        if !self.filters.is_empty() {
438
4
            let filters = JValue::List(self.filters.iter().map(|(_, f)| f.to_json()).collect());
439
3
            attributes.push(("filters".to_string(), filters));
440
        }
441
18
        if self.redacted {
442
6
            attributes.push(("redact".to_string(), JValue::Boolean(true)));
443
        }
444
18
        JValue::Object(attributes)
445
    }
446
}
447

            
448
impl ToJson for Assert {
449
375
    fn to_json(&self) -> JValue {
450
375
        let mut attributes = vec![("query".to_string(), self.query.to_json())];
451
375
        if !self.filters.is_empty() {
452
183
            let filters = JValue::List(self.filters.iter().map(|(_, f)| f.to_json()).collect());
453
117
            attributes.push(("filters".to_string(), filters));
454
        }
455
375
        attributes.push(("predicate".to_string(), self.predicate.to_json()));
456
375
        JValue::Object(attributes)
457
    }
458
}
459

            
460
impl ToJson for Query {
461
393
    fn to_json(&self) -> JValue {
462
393
        let attributes = query_value_attributes(&self.value);
463
393
        JValue::Object(attributes)
464
    }
465
}
466

            
467
393
fn query_value_attributes(query_value: &QueryValue) -> Vec<(String, JValue)> {
468
393
    let mut attributes = vec![];
469
393
    let att_type = JValue::String(query_value.identifier().to_string());
470
393
    attributes.push(("type".to_string(), att_type));
471

            
472
393
    match query_value {
473
243
        QueryValue::Jsonpath { expr, .. } => {
474
243
            attributes.push(("expr".to_string(), JValue::String(expr.to_string())));
475
        }
476
6
        QueryValue::Header { name, .. } => {
477
6
            attributes.push(("name".to_string(), JValue::String(name.to_string())));
478
        }
479
9
        QueryValue::Cookie { expr, .. } => {
480
9
            attributes.push(("expr".to_string(), JValue::String(expr.to_string())));
481
        }
482
3
        QueryValue::Xpath { expr, .. } => {
483
3
            attributes.push(("expr".to_string(), JValue::String(expr.to_string())));
484
        }
485
3
        QueryValue::Regex { value, .. } => {
486
3
            attributes.push(("expr".to_string(), value.to_json()));
487
        }
488
9
        QueryValue::Variable { name, .. } => {
489
9
            attributes.push(("name".to_string(), JValue::String(name.to_string())));
490
        }
491
        QueryValue::Certificate {
492
33
            attribute_name: field,
493
            ..
494
33
        } => {
495
33
            attributes.push(("expr".to_string(), field.to_json()));
496
        }
497
87
        _ => {}
498
    };
499
393
    attributes
500
}
501

            
502
impl ToJson for RegexValue {
503
9
    fn to_json(&self) -> JValue {
504
9
        match self {
505
3
            RegexValue::Template(template) => JValue::String(template.to_string()),
506
6
            RegexValue::Regex(regex) => regex.to_json(),
507
        }
508
    }
509
}
510

            
511
impl ToJson for Regex {
512
6
    fn to_json(&self) -> JValue {
513
6
        let attributes = vec![
514
6
            ("type".to_string(), JValue::String("regex".to_string())),
515
6
            ("value".to_string(), JValue::String(self.to_string())),
516
        ];
517
6
        JValue::Object(attributes)
518
    }
519
}
520

            
521
impl ToJson for CertificateAttributeName {
522
33
    fn to_json(&self) -> JValue {
523
33
        JValue::String(self.identifier().to_string())
524
    }
525
}
526

            
527
impl ToJson for Predicate {
528
375
    fn to_json(&self) -> JValue {
529
375
        let mut attributes = vec![];
530
375
        if self.not {
531
3
            attributes.push(("not".to_string(), JValue::Boolean(true)));
532
        }
533
375
        let identifier = self.predicate_func.value.identifier();
534
375
        attributes.push(("type".to_string(), JValue::String(identifier.to_string())));
535

            
536
375
        match &self.predicate_func.value {
537
252
            PredicateFuncValue::Equal { value, .. } => add_predicate_value(&mut attributes, value),
538
9
            PredicateFuncValue::NotEqual { value, .. } => {
539
9
                add_predicate_value(&mut attributes, value);
540
            }
541
9
            PredicateFuncValue::GreaterThan { value, .. } => {
542
9
                add_predicate_value(&mut attributes, value);
543
            }
544
3
            PredicateFuncValue::GreaterThanOrEqual { value, .. } => {
545
3
                add_predicate_value(&mut attributes, value);
546
            }
547
9
            PredicateFuncValue::LessThan { value, .. } => {
548
9
                add_predicate_value(&mut attributes, value);
549
            }
550
3
            PredicateFuncValue::LessThanOrEqual { value, .. } => {
551
3
                add_predicate_value(&mut attributes, value);
552
            }
553
9
            PredicateFuncValue::StartWith { value, .. } => {
554
9
                add_predicate_value(&mut attributes, value);
555
            }
556
6
            PredicateFuncValue::EndWith { value, .. } => {
557
6
                add_predicate_value(&mut attributes, value);
558
            }
559
9
            PredicateFuncValue::Contain { value, .. } => {
560
9
                add_predicate_value(&mut attributes, value);
561
            }
562
3
            PredicateFuncValue::Include { value, .. } => {
563
3
                add_predicate_value(&mut attributes, value);
564
            }
565
9
            PredicateFuncValue::Match { value, .. } => {
566
9
                add_predicate_value(&mut attributes, value);
567
            }
568
            PredicateFuncValue::Exist
569
            | PredicateFuncValue::IsBoolean
570
            | PredicateFuncValue::IsCollection
571
            | PredicateFuncValue::IsDate
572
            | PredicateFuncValue::IsEmpty
573
            | PredicateFuncValue::IsFloat
574
            | PredicateFuncValue::IsInteger
575
            | PredicateFuncValue::IsIpv4
576
            | PredicateFuncValue::IsIpv6
577
            | PredicateFuncValue::IsIsoDate
578
            | PredicateFuncValue::IsList
579
            | PredicateFuncValue::IsNumber
580
            | PredicateFuncValue::IsObject
581
            | PredicateFuncValue::IsString
582
54
            | PredicateFuncValue::IsUuid => {}
583
        }
584
375
        JValue::Object(attributes)
585
    }
586
}
587

            
588
321
fn add_predicate_value(attributes: &mut Vec<(String, JValue)>, predicate_value: &PredicateValue) {
589
321
    let (value, encoding) = json_predicate_value(predicate_value);
590
321
    attributes.push(("value".to_string(), value));
591
321
    if let Some(encoding) = encoding {
592
36
        attributes.push(("encoding".to_string(), JValue::String(encoding)));
593
    }
594
}
595

            
596
321
fn json_predicate_value(predicate_value: &PredicateValue) -> (JValue, Option<String>) {
597
321
    match predicate_value {
598
150
        PredicateValue::String(value) => (JValue::String(value.to_string()), None),
599
18
        PredicateValue::MultilineString(value) => (JValue::String(value.value().to_string()), None),
600
3
        PredicateValue::Bool(value) => (JValue::Boolean(*value), None),
601
3
        PredicateValue::Null => (JValue::Null, None),
602
105
        PredicateValue::Number(value) => (JValue::Number(value.to_string()), None),
603
3
        PredicateValue::File(value) => (value.to_json(), None),
604
27
        PredicateValue::Hex(value) => {
605
27
            let base64_string = general_purpose::STANDARD.encode(value.value.clone());
606
27
            (JValue::String(base64_string), Some("base64".to_string()))
607
        }
608
3
        PredicateValue::Base64(value) => {
609
3
            let base64_string = general_purpose::STANDARD.encode(value.value.clone());
610
3
            (JValue::String(base64_string), Some("base64".to_string()))
611
        }
612
3
        PredicateValue::Placeholder(value) => (JValue::String(value.to_string()), None),
613
6
        PredicateValue::Regex(value) => {
614
6
            (JValue::String(value.to_string()), Some("regex".to_string()))
615
        }
616
    }
617
}
618

            
619
impl ToJson for JsonValue {
620
102
    fn to_json(&self) -> JValue {
621
102
        match self {
622
3
            JsonValue::Null => JValue::Null,
623
45
            JsonValue::Number(s) => JValue::Number(s.to_string()),
624
18
            JsonValue::String(s) => JValue::String(s.to_string()),
625
3
            JsonValue::Boolean(v) => JValue::Boolean(*v),
626
15
            JsonValue::List { elements, .. } => {
627
56
                JValue::List(elements.iter().map(|e| e.to_json()).collect())
628
            }
629
15
            JsonValue::Object { elements, .. } => JValue::Object(
630
15
                elements
631
15
                    .iter()
632
50
                    .map(|elem| (elem.name.to_string(), elem.value.to_json()))
633
15
                    .collect(),
634
            ),
635
3
            JsonValue::Placeholder(exp) => JValue::String(format!("{{{{{exp}}}}}")),
636
        }
637
    }
638
}
639

            
640
impl ToJson for JsonListElement {
641
51
    fn to_json(&self) -> JValue {
642
51
        self.value.to_json()
643
    }
644
}
645

            
646
impl ToJson for Filter {
647
147
    fn to_json(&self) -> JValue {
648
147
        self.value.to_json()
649
    }
650
}
651

            
652
impl ToJson for FilterValue {
653
147
    fn to_json(&self) -> JValue {
654
147
        let mut attributes = vec![];
655
147
        let att_name = "type".to_string();
656
147
        let att_value = JValue::String(self.identifier().to_string());
657
147
        attributes.push((att_name, att_value));
658

            
659
147
        match self {
660
3
            FilterValue::Decode { encoding, .. } => {
661
3
                attributes.push(("encoding".to_string(), JValue::String(encoding.to_string())));
662
            }
663
6
            FilterValue::Format { fmt, .. } => {
664
6
                attributes.push(("fmt".to_string(), JValue::String(fmt.to_string())));
665
            }
666
9
            FilterValue::DateFormat { fmt, .. } => {
667
9
                attributes.push(("fmt".to_string(), JValue::String(fmt.to_string())));
668
            }
669
9
            FilterValue::JsonPath { expr, .. } => {
670
9
                attributes.push(("expr".to_string(), JValue::String(expr.to_string())));
671
            }
672
3
            FilterValue::Nth { n, .. } => {
673
3
                attributes.push(("n".to_string(), JValue::Number(n.to_string())));
674
            }
675
3
            FilterValue::Regex { value, .. } => {
676
3
                attributes.push(("expr".to_string(), value.to_json()));
677
            }
678
            FilterValue::Replace {
679
15
                old_value,
680
15
                new_value,
681
                ..
682
15
            } => {
683
15
                attributes.push((
684
15
                    "old_value".to_string(),
685
15
                    JValue::String(old_value.to_string()),
686
15
                ));
687
15
                attributes.push((
688
15
                    "new_value".to_string(),
689
15
                    JValue::String(new_value.to_string()),
690
15
                ));
691
            }
692
            FilterValue::ReplaceRegex {
693
3
                pattern, new_value, ..
694
3
            } => {
695
3
                attributes.push(("pattern".to_string(), pattern.to_json()));
696
3
                attributes.push((
697
3
                    "new_value".to_string(),
698
3
                    JValue::String(new_value.to_string()),
699
3
                ));
700
            }
701
3
            FilterValue::Split { sep, .. } => {
702
3
                attributes.push(("sep".to_string(), JValue::String(sep.to_string())));
703
            }
704
3
            FilterValue::ToDate { fmt, .. } => {
705
3
                attributes.push(("fmt".to_string(), JValue::String(fmt.to_string())));
706
            }
707
3
            FilterValue::UrlQueryParam { param, .. } => {
708
3
                attributes.push(("param".to_string(), JValue::String(param.to_string())));
709
            }
710
3
            FilterValue::XPath { expr, .. } => {
711
3
                attributes.push(("expr".to_string(), JValue::String(expr.to_string())));
712
            }
713
84
            _ => {}
714
        }
715
147
        JValue::Object(attributes)
716
    }
717
}
718

            
719
impl ToJson for Placeholder {
720
81
    fn to_json(&self) -> JValue {
721
81
        JValue::String(format!("{{{{{self}}}}}"))
722
    }
723
}
724

            
725
impl ToJson for Comment {
726
21
    fn to_json(&self) -> JValue {
727
21
        JValue::String(self.value.to_string())
728
    }
729
}
730

            
731
impl ToJson for NaturalOption {
732
6
    fn to_json(&self) -> JValue {
733
6
        match self {
734
3
            NaturalOption::Literal(value) => JValue::Number(value.to_string()),
735
3
            NaturalOption::Placeholder(placeholder) => placeholder.to_json(),
736
        }
737
    }
738
}
739
#[cfg(test)]
740
pub mod tests {
741
    use hurl_core::ast::{
742
        LineTerminator, Method, Number, PredicateFunc, SourceInfo, Status, Template,
743
        TemplateElement, Version, Whitespace, I64,
744
    };
745
    use hurl_core::reader::Pos;
746
    use hurl_core::types::ToSource;
747

            
748
    use super::*;
749

            
750
    fn whitespace() -> Whitespace {
751
        Whitespace {
752
            value: String::new(),
753
            source_info: SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0)),
754
        }
755
    }
756

            
757
    fn line_terminator() -> LineTerminator {
758
        LineTerminator {
759
            space0: whitespace(),
760
            comment: None,
761
            newline: whitespace(),
762
        }
763
    }
764

            
765
    #[test]
766
    pub fn test_request() {
767
        assert_eq!(
768
            Request {
769
                line_terminators: vec![],
770
                space0: whitespace(),
771
                method: Method::new("GET"),
772
                space1: whitespace(),
773
                url: Template::new(
774
                    None,
775
                    vec![TemplateElement::String {
776
                        value: "http://example.com".to_string(),
777
                        source: "not_used".to_source(),
778
                    }],
779
                    SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0)),
780
                ),
781
                line_terminator0: line_terminator(),
782
                headers: vec![KeyValue {
783
                    line_terminators: vec![],
784
                    space0: whitespace(),
785
                    key: Template::new(
786
                        None,
787
                        vec![TemplateElement::String {
788
                            value: "Foo".to_string(),
789
                            source: "unused".to_source(),
790
                        }],
791
                        SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0))
792
                    ),
793
                    space1: whitespace(),
794
                    space2: whitespace(),
795
                    value: Template::new(
796
                        None,
797
                        vec![TemplateElement::String {
798
                            value: "Bar".to_string(),
799
                            source: "unused".to_source(),
800
                        }],
801
                        SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0))
802
                    ),
803
                    line_terminator0: line_terminator(),
804
                }],
805
                sections: vec![],
806
                body: None,
807
                source_info: SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0)),
808
            }
809
            .to_json(),
810
            JValue::Object(vec![
811
                ("method".to_string(), JValue::String("GET".to_string())),
812
                (
813
                    "url".to_string(),
814
                    JValue::String("http://example.com".to_string())
815
                ),
816
                (
817
                    "headers".to_string(),
818
                    JValue::List(vec![JValue::Object(vec![
819
                        ("name".to_string(), JValue::String("Foo".to_string())),
820
                        ("value".to_string(), JValue::String("Bar".to_string()))
821
                    ])])
822
                )
823
            ])
824
        );
825
    }
826

            
827
    #[test]
828
    pub fn test_response() {
829
        assert_eq!(
830
            Response {
831
                line_terminators: vec![],
832
                version: Version {
833
                    value: VersionValue::Version11,
834
                    source_info: SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0)),
835
                },
836
                space0: whitespace(),
837
                status: Status {
838
                    value: StatusValue::Specific(200),
839
                    source_info: SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0)),
840
                },
841
                space1: whitespace(),
842
                line_terminator0: line_terminator(),
843
                headers: vec![],
844
                sections: vec![],
845
                body: None,
846
                source_info: SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0)),
847
            }
848
            .to_json(),
849
            JValue::Object(vec![
850
                (
851
                    "version".to_string(),
852
                    JValue::String("HTTP/1.1".to_string())
853
                ),
854
                ("status".to_string(), JValue::Number("200".to_string()))
855
            ])
856
        );
857
        assert_eq!(
858
            Response {
859
                line_terminators: vec![],
860
                version: Version {
861
                    value: VersionValue::VersionAny,
862
                    source_info: SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0)),
863
                },
864
                space0: whitespace(),
865
                status: Status {
866
                    value: StatusValue::Any,
867
                    source_info: SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0)),
868
                },
869
                space1: whitespace(),
870
                line_terminator0: line_terminator(),
871
                headers: vec![],
872
                sections: vec![],
873
                body: None,
874
                source_info: SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0)),
875
            }
876
            .to_json(),
877
            JValue::Object(vec![])
878
        );
879
    }
880

            
881
    fn header_query() -> Query {
882
        Query {
883
            source_info: SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0)),
884
            value: QueryValue::Header {
885
                space0: whitespace(),
886
                name: Template::new(
887
                    None,
888
                    vec![TemplateElement::String {
889
                        value: "Content-Length".to_string(),
890
                        source: "Content-Length".to_source(),
891
                    }],
892
                    SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0)),
893
                ),
894
            },
895
        }
896
    }
897

            
898
    fn header_capture() -> Capture {
899
        Capture {
900
            line_terminators: vec![],
901
            space0: whitespace(),
902
            name: Template::new(
903
                None,
904
                vec![TemplateElement::String {
905
                    value: "size".to_string(),
906
                    source: "unused".to_source(),
907
                }],
908
                SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0)),
909
            ),
910
            space1: whitespace(),
911
            space2: whitespace(),
912
            query: header_query(),
913
            filters: vec![],
914
            space3: whitespace(),
915
            redacted: false,
916
            line_terminator0: line_terminator(),
917
        }
918
    }
919

            
920
    fn header_assert() -> Assert {
921
        Assert {
922
            line_terminators: vec![],
923
            space0: whitespace(),
924
            query: header_query(),
925
            filters: vec![],
926
            space1: whitespace(),
927
            predicate: equal_int_predicate(10),
928
            line_terminator0: line_terminator(),
929
        }
930
    }
931

            
932
    fn equal_int_predicate(value: i64) -> Predicate {
933
        Predicate {
934
            not: false,
935
            space0: whitespace(),
936
            predicate_func: PredicateFunc {
937
                source_info: SourceInfo::new(Pos::new(0, 0), Pos::new(0, 0)),
938
                value: PredicateFuncValue::Equal {
939
                    space0: whitespace(),
940
                    value: PredicateValue::Number(Number::Integer(I64::new(
941
                        value,
942
                        value.to_string().to_source(),
943
                    ))),
944
                },
945
            },
946
        }
947
    }
948

            
949
    #[test]
950
    pub fn test_query() {
951
        assert_eq!(
952
            header_query().to_json(),
953
            JValue::Object(vec![
954
                ("type".to_string(), JValue::String("header".to_string())),
955
                (
956
                    "name".to_string(),
957
                    JValue::String("Content-Length".to_string())
958
                ),
959
            ])
960
        );
961
    }
962

            
963
    #[test]
964
    pub fn test_capture() {
965
        assert_eq!(
966
            header_capture().to_json(),
967
            JValue::Object(vec![
968
                ("name".to_string(), JValue::String("size".to_string())),
969
                (
970
                    "query".to_string(),
971
                    JValue::Object(vec![
972
                        ("type".to_string(), JValue::String("header".to_string())),
973
                        (
974
                            "name".to_string(),
975
                            JValue::String("Content-Length".to_string())
976
                        ),
977
                    ])
978
                ),
979
            ])
980
        );
981
    }
982

            
983
    #[test]
984
    pub fn test_predicate() {
985
        assert_eq!(
986
            equal_int_predicate(10).to_json(),
987
            JValue::Object(vec![
988
                ("type".to_string(), JValue::String("==".to_string())),
989
                ("value".to_string(), JValue::Number("10".to_string()))
990
            ]),
991
        );
992
    }
993

            
994
    #[test]
995
    pub fn test_assert() {
996
        assert_eq!(
997
            header_assert().to_json(),
998
            JValue::Object(vec![
999
                (
                    "query".to_string(),
                    JValue::Object(vec![
                        ("type".to_string(), JValue::String("header".to_string())),
                        (
                            "name".to_string(),
                            JValue::String("Content-Length".to_string())
                        ),
                    ])
                ),
                (
                    "predicate".to_string(),
                    JValue::Object(vec![
                        ("type".to_string(), JValue::String("==".to_string())),
                        ("value".to_string(), JValue::Number("10".to_string()))
                    ])
                )
            ]),
        );
    }
}