llm-sdk-rs 0.3.0

A Rust library that enables the development of applications that can interact with different language models through a unified interface.
Documentation
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
#![allow(clippy::enum_variant_names)]
#![allow(clippy::struct_field_names)]
#![allow(clippy::doc_markdown)]
#![allow(clippy::too_many_lines)]

use serde::{Deserialize, Serialize};
use serde_json::Value;
use std::collections::HashMap;

#[derive(Serialize, Deserialize)]
pub struct CreateChatCompletionRequestAllOf2 {
    /// Parameters for audio output. Required when audio output is requested
    /// with `modalities: ["audio"]`. [Learn more](/docs/guides/audio).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub audio: Option<CreateChatCompletionRequestAllOf2Audio>,
    /// Number between -2.0 and 2.0. Positive values penalize new tokens based
    /// on their existing frequency in the text so far, decreasing the
    /// model's likelihood to repeat the same line verbatim.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub frequency_penalty: Option<f64>,
    /// Deprecated in favor of `tool_choice`.
    ///
    /// Controls which (if any) function is called by the model.
    ///
    /// `none` means the model will not call a function and instead generates a
    /// message.
    ///
    /// `auto` means the model can pick between generating a message or calling
    /// a function.
    ///
    /// Specifying a particular function via `{"name": "my_function"}` forces
    /// the model to call that function.
    ///
    /// `none` is the default when no functions are present. `auto` is the
    /// default if functions are present.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub function_call: Option<CreateChatCompletionRequestAllOf2FunctionCall>,
    /// Deprecated in favor of `tools`.
    ///
    /// A list of functions the model may generate JSON inputs for.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub functions: Option<Vec<ChatCompletionFunctions>>,
    /// Modify the likelihood of specified tokens appearing in the completion.
    ///
    /// Accepts a JSON object that maps tokens (specified by their token ID in
    /// the tokenizer) to an associated bias value from -100 to 100.
    /// Mathematically, the bias is added to the logits generated by the
    /// model prior to sampling. The exact effect will vary per model, but
    /// values between -1 and 1 should decrease or increase likelihood of
    /// selection; values like -100 or 100 should result in a ban or
    /// exclusive selection of the relevant token.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub logit_bias: Option<HashMap<String, i64>>,
    /// Whether to return log probabilities of the output tokens or not. If
    /// true, returns the log probabilities of each output token returned in
    /// the `content` of `message`.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub logprobs: Option<bool>,
    /// An upper bound for the number of tokens that can be generated for a
    /// completion, including visible output tokens and [reasoning
    /// tokens](/docs/guides/reasoning).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub max_completion_tokens: Option<i64>,
    /// The maximum number of [tokens](/tokenizer) that can be generated in the
    /// chat completion. This value can be used to control
    /// [costs](https://openai.com/api/pricing/) for text generated via API.
    ///
    /// This value is now deprecated in favor of `max_completion_tokens`, and is
    /// not compatible with [o-series models](/docs/guides/reasoning).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub max_tokens: Option<i64>,
    /// A list of messages comprising the conversation so far. Depending on the
    /// [model](/docs/models) you use, different message types (modalities) are
    /// supported, like [text](/docs/guides/text-generation),
    /// [images](/docs/guides/vision), and [audio](/docs/guides/audio).
    pub messages: Vec<ChatCompletionRequestMessage>,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub modalities: Option<ResponseModalities>,
    /// Model ID used to generate the response, like `gpt-4o` or `o3`. OpenAI
    /// offers a wide range of models with different capabilities, performance
    /// characteristics, and price points. Refer to the [model
    /// guide](/docs/models) to browse and compare available models.
    pub model: ModelIdsShared,
    /// How many chat completion choices to generate for each input message.
    /// Note that you will be charged based on the number of generated tokens
    /// across all of the choices. Keep `n` as `1` to minimize costs.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub n: Option<i64>,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub parallel_tool_calls: Option<ParallelToolCalls>,
    /// Configuration for a [Predicted Output](/docs/guides/predicted-outputs),
    /// which can greatly improve response times when large parts of the model
    /// response are known ahead of time. This is most common when you are
    /// regenerating a file with only minor changes to most of the content.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub prediction: Option<CreateChatCompletionRequestAllOf2Prediction>,
    /// Number between -2.0 and 2.0. Positive values penalize new tokens based
    /// on whether they appear in the text so far, increasing the model's
    /// likelihood to talk about new topics.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub presence_penalty: Option<f64>,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub reasoning_effort: Option<ReasoningEffort>,
    /// An object specifying the format that the model must output.
    ///
    /// Setting to `{ "type": "json_schema", "json_schema": {...} }` enables
    /// Structured Outputs which ensures the model will match your supplied JSON
    /// schema. Learn more in the [Structured Outputs
    /// guide](/docs/guides/structured-outputs).
    ///
    /// Setting to `{ "type": "json_object" }` enables the older JSON mode,
    /// which ensures the message the model generates is valid JSON. Using
    /// `json_schema` is preferred for models that support it.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub response_format: Option<CreateChatCompletionRequestAllOf2ResponseFormat>,
    /// This feature is in Beta.
    /// If specified, our system will make a best effort to sample
    /// deterministically, such that repeated requests with the same `seed` and
    /// parameters should return the same result. Determinism is not
    /// guaranteed, and you should refer to the `system_fingerprint` response
    /// parameter to monitor changes in the backend.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub seed: Option<i64>,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub stop: Option<StopConfiguration>,
    /// Whether or not to store the output of this chat completion request for
    /// use in our [model distillation](/docs/guides/distillation) or
    /// [evals](/docs/guides/evals) products.
    ///
    /// Supports text and image inputs. Note: image inputs over 8MB will be
    /// dropped.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub store: Option<bool>,
    /// If set to true, the model response data will be streamed to the client
    /// as it is generated using [server-sent events](https://developer.mozilla.org/en-US/docs/Web/API/Server-sent_events/Using_server-sent_events#Event_stream_format).
    /// See the [Streaming section below](/docs/api-reference/chat/streaming)
    /// for more information, along with the [streaming
    /// responses](/docs/guides/streaming-responses) guide for more
    /// information on how to handle the streaming events.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub stream: Option<bool>,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub stream_options: Option<ChatCompletionStreamOptions>,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub tool_choice: Option<ChatCompletionToolChoiceOption>,
    /// A list of tools the model may call. You can provide either
    /// [custom tools](/docs/guides/function-calling#custom-tools) or
    /// [function tools](/docs/guides/function-calling).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub tools: Option<Vec<CreateChatCompletionRequestAllOf2ToolsItem>>,
    /// An integer between 0 and 20 specifying the number of most likely tokens
    /// to return at each token position, each with an associated log
    /// probability. `logprobs` must be set to `true` if this parameter is
    /// used.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub top_logprobs: Option<i64>,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub verbosity: Option<Verbosity>,
    /// This tool searches the web for relevant results to use in a response.
    /// Learn more about the [web search
    /// tool](/docs/guides/tools-web-search?api-mode=chat).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub web_search_options: Option<CreateChatCompletionRequestAllOf2WebSearchOptions>,
}

/// Parameters for audio output. Required when audio output is requested with
/// `modalities: ["audio"]`. [Learn more](/docs/guides/audio).
#[derive(Serialize, Deserialize)]
pub struct CreateChatCompletionRequestAllOf2Audio {
    /// Specifies the output audio format. Must be one of `wav`, `mp3`, `flac`,
    /// `opus`, or `pcm16`.
    pub format: CreateChatCompletionRequestAllOf2AudioFormat,
    /// The voice the model uses to respond. Supported built-in voices are
    /// `alloy`, `ash`, `ballad`, `coral`, `echo`, `fable`, `nova`, `onyx`,
    /// `sage`, `shimmer`, `marin`, and `cedar`. You may also provide a
    /// custom voice object with an `id`, for example `{ "id": "voice_1234" }`.
    pub voice: VoiceIdsOrCustomVoice,
}

/// Specifies the output audio format. Must be one of `wav`, `mp3`, `flac`,
/// `opus`, or `pcm16`.
#[derive(Serialize, Deserialize)]
pub enum CreateChatCompletionRequestAllOf2AudioFormat {
    #[serde(rename = "wav")]
    Wav,
    #[serde(rename = "aac")]
    Aac,
    #[serde(rename = "mp3")]
    Mp3,
    #[serde(rename = "flac")]
    Flac,
    #[serde(rename = "opus")]
    Opus,
    #[serde(rename = "pcm16")]
    Pcm16,
}

/// `none` means the model will not call a function and instead generates a
/// message. `auto` means the model can pick between generating a message or
/// calling a function.
pub type CreateChatCompletionRequestAllOf2FunctionCallString = Option<String>;

/// Deprecated in favor of `tool_choice`.
///
/// Controls which (if any) function is called by the model.
///
/// `none` means the model will not call a function and instead generates a
/// message.
///
/// `auto` means the model can pick between generating a message or calling a
/// function.
///
/// Specifying a particular function via `{"name": "my_function"}` forces the
/// model to call that function.
///
/// `none` is the default when no functions are present. `auto` is the default
/// if functions are present.
#[derive(Serialize, Deserialize)]
#[serde(untagged)]
pub enum CreateChatCompletionRequestAllOf2FunctionCall {
    CreateChatCompletionRequestAllOf2FunctionCallString(
        CreateChatCompletionRequestAllOf2FunctionCallString,
    ),
    ChatCompletionFunctionCallOption(ChatCompletionFunctionCallOption),
}

/// Configuration for a [Predicted Output](/docs/guides/predicted-outputs),
/// which can greatly improve response times when large parts of the model
/// response are known ahead of time. This is most common when you are
/// regenerating a file with only minor changes to most of the content.
#[derive(Serialize, Deserialize)]
#[serde(tag = "type")]
pub enum CreateChatCompletionRequestAllOf2Prediction {
    #[serde(rename = "content")]
    Content(PredictionContent),
}

/// An object specifying the format that the model must output.
///
/// Setting to `{ "type": "json_schema", "json_schema": {...} }` enables
/// Structured Outputs which ensures the model will match your supplied JSON
/// schema. Learn more in the [Structured Outputs
/// guide](/docs/guides/structured-outputs).
///
/// Setting to `{ "type": "json_object" }` enables the older JSON mode, which
/// ensures the message the model generates is valid JSON. Using `json_schema`
/// is preferred for models that support it.
#[derive(Serialize, Deserialize)]
#[serde(tag = "type")]
pub enum CreateChatCompletionRequestAllOf2ResponseFormat {
    #[serde(rename = "text")]
    Text(ResponseFormatText),
    #[serde(rename = "json_schema")]
    JsonSchema(ResponseFormatJsonSchema),
    #[serde(rename = "json_object")]
    JsonObject(ResponseFormatJsonObject),
}

#[derive(Serialize, Deserialize)]
#[serde(tag = "type")]
pub enum CreateChatCompletionRequestAllOf2ToolsItem {
    #[serde(rename = "function")]
    Function(ChatCompletionTool),
    #[serde(rename = "custom")]
    Custom(CustomToolChatCompletions),
}

/// This tool searches the web for relevant results to use in a response.
/// Learn more about the [web search
/// tool](/docs/guides/tools-web-search?api-mode=chat).
#[derive(Serialize, Deserialize)]
pub struct CreateChatCompletionRequestAllOf2WebSearchOptions {
    #[serde(skip_serializing_if = "Option::is_none")]
    pub search_context_size: Option<WebSearchContextSize>,
    /// Approximate location parameters for the search.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub user_location: Option<CreateChatCompletionRequestAllOf2WebSearchOptionsUserLocation>,
}

/// Approximate location parameters for the search.
#[derive(Serialize, Deserialize)]
pub struct CreateChatCompletionRequestAllOf2WebSearchOptionsUserLocation {
    pub approximate: WebSearchLocation,
    /// The type of location approximation. Always `approximate`.
    pub r#type: CreateChatCompletionRequestAllOf2WebSearchOptionsUserLocationType,
}

/// The type of location approximation. Always `approximate`.
#[derive(Serialize, Deserialize)]
pub enum CreateChatCompletionRequestAllOf2WebSearchOptionsUserLocationType {
    #[serde(rename = "approximate")]
    Approximate,
}

#[derive(Serialize, Deserialize)]
pub struct CreateChatCompletionRequest {
    #[serde(flatten)]
    pub create_model_response_properties: CreateModelResponseProperties,
    #[serde(flatten)]
    pub create_chat_completion_request_all_of_2: CreateChatCompletionRequestAllOf2,
}

/// Represents a chat completion response returned by model, based on the
/// provided input.
#[derive(Serialize, Deserialize)]
pub struct CreateChatCompletionResponse {
    /// A list of chat completion choices. Can be more than one if `n` is
    /// greater than 1.
    pub choices: Vec<CreateChatCompletionResponseChoicesItem>,
    /// The Unix timestamp (in seconds) of when the chat completion was created.
    pub created: i64,
    /// A unique identifier for the chat completion.
    pub id: String,
    /// The model used for the chat completion.
    pub model: String,
    /// The object type, which is always `chat.completion`.
    pub object: CreateChatCompletionResponseObject,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub service_tier: Option<ServiceTier>,
    /// This fingerprint represents the backend configuration that the model
    /// runs with.
    ///
    /// Can be used in conjunction with the `seed` request parameter to
    /// understand when backend changes have been made that might impact
    /// determinism.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub system_fingerprint: Option<String>,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub usage: Option<CompletionUsage>,
}

#[derive(Serialize, Deserialize)]
pub struct CreateChatCompletionResponseChoicesItem {
    /// The reason the model stopped generating tokens. This will be `stop` if
    /// the model hit a natural stop point or a provided stop sequence,
    /// `length` if the maximum number of tokens specified in the request was
    /// reached, `content_filter` if content was omitted due to a flag from
    /// our content filters, `tool_calls` if the model called a tool, or
    /// `function_call` (deprecated) if the model called a function.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub finish_reason: Option<CreateChatCompletionResponseChoicesItemFinishReason>,
    /// The index of the choice in the list of choices.
    pub index: i64,
    /// Log probability information for the choice.
    pub logprobs: Option<CreateChatCompletionResponseChoicesItemLogprobs>,
    pub message: ChatCompletionResponseMessage,
}

/// The reason the model stopped generating tokens. This will be `stop` if the
/// model hit a natural stop point or a provided stop sequence, `length` if the
/// maximum number of tokens specified in the request was reached,
/// `content_filter` if content was omitted due to a flag from our content
/// filters, `tool_calls` if the model called a tool, or `function_call`
/// (deprecated) if the model called a function.
#[derive(Serialize, Deserialize)]
pub enum CreateChatCompletionResponseChoicesItemFinishReason {
    #[serde(rename = "stop")]
    Stop,
    #[serde(rename = "length")]
    Length,
    #[serde(rename = "tool_calls")]
    ToolCalls,
    #[serde(rename = "content_filter")]
    ContentFilter,
    #[serde(rename = "function_call")]
    FunctionCall,
}

/// Log probability information for the choice.
#[derive(Serialize, Deserialize)]
pub struct CreateChatCompletionResponseChoicesItemLogprobs {
    /// A list of message content tokens with log probability information.
    pub content: Option<Vec<ChatCompletionTokenLogprob>>,
    /// A list of message refusal tokens with log probability information.
    pub refusal: Option<Vec<ChatCompletionTokenLogprob>>,
}

/// The object type, which is always `chat.completion`.
#[derive(Serialize, Deserialize)]
pub enum CreateChatCompletionResponseObject {
    #[serde(rename = "chat.completion")]
    ChatCompletion,
}

/// Represents a streamed chunk of a chat completion response returned
/// by the model, based on the provided input.
/// [Learn more](/docs/guides/streaming-responses).
#[derive(Serialize, Deserialize)]
pub struct CreateChatCompletionStreamResponse {
    /// A list of chat completion choices. Can contain more than one elements if
    /// `n` is greater than 1. Can also be empty for the last chunk if you
    /// set `stream_options: {"include_usage": true}`.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub choices: Option<Vec<CreateChatCompletionStreamResponseChoicesItem>>,
    /// The Unix timestamp (in seconds) of when the chat completion was created.
    /// Each chunk has the same timestamp.
    pub created: i64,
    /// A unique identifier for the chat completion. Each chunk has the same ID.
    pub id: String,
    /// The model to generate the completion.
    pub model: String,
    /// The object type, which is always `chat.completion.chunk`.
    pub object: CreateChatCompletionStreamResponseObject,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub service_tier: Option<ServiceTier>,
    /// This fingerprint represents the backend configuration that the model
    /// runs with. Can be used in conjunction with the `seed` request
    /// parameter to understand when backend changes have been made that might
    /// impact determinism.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub system_fingerprint: Option<String>,
    /// An optional field that will only be present when you set
    /// `stream_options: {"include_usage": true}` in your request. When present,
    /// it contains a null value **except for the last chunk** which
    /// contains the token usage statistics for the entire request.
    ///
    /// **NOTE:** If the stream is interrupted or cancelled, you may not
    /// receive the final usage chunk which contains the total token usage for
    /// the request.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub usage: Option<CompletionUsage>,
}

#[derive(Serialize, Deserialize)]
pub struct CreateChatCompletionStreamResponseChoicesItem {
    pub delta: ChatCompletionStreamResponseDelta,
    /// The reason the model stopped generating tokens. This will be `stop` if
    /// the model hit a natural stop point or a provided stop sequence,
    /// `length` if the maximum number of tokens specified in the request was
    /// reached, `content_filter` if content was omitted due to a flag from
    /// our content filters, `tool_calls` if the model called a tool, or
    /// `function_call` (deprecated) if the model called a function.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub finish_reason: Option<CreateChatCompletionStreamResponseChoicesItemFinishReason>,
    /// The index of the choice in the list of choices.
    pub index: i64,
    /// Log probability information for the choice.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub logprobs: Option<CreateChatCompletionStreamResponseChoicesItemLogprobs>,
}

/// The reason the model stopped generating tokens. This will be `stop` if the
/// model hit a natural stop point or a provided stop sequence, `length` if the
/// maximum number of tokens specified in the request was reached,
/// `content_filter` if content was omitted due to a flag from our content
/// filters, `tool_calls` if the model called a tool, or `function_call`
/// (deprecated) if the model called a function.
#[derive(Serialize, Deserialize)]
pub enum CreateChatCompletionStreamResponseChoicesItemFinishReason {
    #[serde(rename = "stop")]
    Stop,
    #[serde(rename = "length")]
    Length,
    #[serde(rename = "tool_calls")]
    ToolCalls,
    #[serde(rename = "content_filter")]
    ContentFilter,
    #[serde(rename = "function_call")]
    FunctionCall,
}

/// Log probability information for the choice.
#[derive(Serialize, Deserialize)]
pub struct CreateChatCompletionStreamResponseChoicesItemLogprobs {
    /// A list of message content tokens with log probability information.
    pub content: Vec<ChatCompletionTokenLogprob>,
    /// A list of message refusal tokens with log probability information.
    pub refusal: Vec<ChatCompletionTokenLogprob>,
}

/// The object type, which is always `chat.completion.chunk`.
#[derive(Serialize, Deserialize)]
pub enum CreateChatCompletionStreamResponseObject {
    #[serde(rename = "chat.completion.chunk")]
    ChatCompletionChunk,
}

#[derive(Serialize, Deserialize)]
pub struct CreateModelResponsePropertiesAllOf2 {
    /// An integer between 0 and 20 specifying the number of most likely tokens
    /// to return at each token position, each with an associated log
    /// probability.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub top_logprobs: Option<i64>,
}

#[derive(Serialize, Deserialize)]
pub struct CreateModelResponseProperties {
    #[serde(flatten)]
    pub model_response_properties: ModelResponseProperties,
    #[serde(flatten)]
    pub create_model_response_properties_all_of_2: CreateModelResponsePropertiesAllOf2,
}

/// Custom voice reference.
#[derive(Serialize, Deserialize)]
pub struct VoiceIdsOrCustomVoiceVariant2 {
    /// The custom voice ID, e.g. `voice_1234`.
    pub id: String,
}

/// A built-in voice name or a custom voice reference.
#[derive(Serialize, Deserialize)]
#[serde(untagged)]
pub enum VoiceIdsOrCustomVoice {
    VoiceIdsShared(VoiceIdsShared),
    VoiceIdsOrCustomVoiceVariant2(VoiceIdsOrCustomVoiceVariant2),
}

/// Specifying a particular function via `{"name": "my_function"}` forces the
/// model to call that function.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionFunctionCallOption {
    /// The name of the function to call.
    pub name: String,
}

#[derive(Serialize, Deserialize)]
pub struct ChatCompletionFunctions {
    /// A description of what the function does, used by the model to choose
    /// when and how to call the function.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub description: Option<String>,
    /// The name of the function to be called. Must be a-z, A-Z, 0-9, or contain
    /// underscores and dashes, with a maximum length of 64.
    pub name: String,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub parameters: Option<FunctionParameters>,
}

#[derive(Serialize, Deserialize)]
#[serde(tag = "role")]
pub enum ChatCompletionRequestMessage {
    #[serde(rename = "developer")]
    Developer(ChatCompletionRequestDeveloperMessage),
    #[serde(rename = "system")]
    System(ChatCompletionRequestSystemMessage),
    #[serde(rename = "user")]
    User(ChatCompletionRequestUserMessage),
    #[serde(rename = "assistant")]
    Assistant(ChatCompletionRequestAssistantMessage),
    #[serde(rename = "tool")]
    Tool(ChatCompletionRequestToolMessage),
    #[serde(rename = "function")]
    Function(ChatCompletionRequestFunctionMessage),
}

#[derive(Serialize, Deserialize)]
pub enum ResponseModalitiesValueItem {
    #[serde(rename = "text")]
    Text,
    #[serde(rename = "audio")]
    Audio,
}

pub type ResponseModalities = Option<Option<Vec<ResponseModalitiesValueItem>>>;

pub type ModelIdsShared = Option<String>;

pub type ParallelToolCalls = Option<bool>;

/// Static predicted output content, such as the content of a text file that is
/// being regenerated.
#[derive(Serialize, Deserialize)]
pub struct PredictionContent {
    /// The content that should be matched when generating a model response.
    /// If generated tokens would match this content, the entire model response
    /// can be returned much more quickly.
    pub content: PredictionContentContent,
}

/// The content used for a Predicted Output. This is often the
/// text of a file you are regenerating with minor changes.
pub type PredictionContentContentString = Option<String>;

/// An array of content parts with a defined type. Supported options differ
/// based on the [model](/docs/models) being used to generate the response. Can
/// contain text inputs.
pub type PredictionContentContentArray = Option<Vec<ChatCompletionRequestMessageContentPartText>>;

/// The content that should be matched when generating a model response.
/// If generated tokens would match this content, the entire model response
/// can be returned much more quickly.
#[derive(Serialize, Deserialize)]
#[serde(untagged)]
pub enum PredictionContentContent {
    PredictionContentContentString(PredictionContentContentString),
    PredictionContentContentArray(PredictionContentContentArray),
}

/// Constrains effort on reasoning for
/// [reasoning models](https://platform.openai.com/docs/guides/reasoning).
/// Currently supported values are `none`, `minimal`, `low`, `medium`, `high`,
/// and `xhigh`. Reducing reasoning effort can result in faster responses and
/// fewer tokens used on reasoning in a response.
///
/// - `gpt-5.1` defaults to `none`, which does not perform reasoning. The
///   supported reasoning values for `gpt-5.1` are `none`, `low`, `medium`, and
///   `high`. Tool calls are supported for all reasoning values in gpt-5.1.
/// - All models before `gpt-5.1` default to `medium` reasoning effort, and do
///   not support `none`.
/// - The `gpt-5-pro` model defaults to (and only supports) `high` reasoning
///   effort.
/// - `xhigh` is supported for all models after `gpt-5.1-codex-max`.
#[derive(Serialize, Deserialize)]
pub enum ReasoningEffortValue {
    #[serde(rename = "none")]
    None,
    #[serde(rename = "minimal")]
    Minimal,
    #[serde(rename = "low")]
    Low,
    #[serde(rename = "medium")]
    Medium,
    #[serde(rename = "high")]
    High,
    #[serde(rename = "xhigh")]
    Xhigh,
}

pub type ReasoningEffort = Option<Option<ReasoningEffortValue>>;

/// Default response format. Used to generate text responses.
#[derive(Serialize, Deserialize)]
pub struct ResponseFormatText {}

/// JSON Schema response format. Used to generate structured JSON responses.
/// Learn more about [Structured Outputs](/docs/guides/structured-outputs).
#[derive(Serialize, Deserialize)]
pub struct ResponseFormatJsonSchema {
    /// Structured Outputs configuration options, including a JSON Schema.
    pub json_schema: ResponseFormatJsonSchemaJsonSchema,
}

/// Structured Outputs configuration options, including a JSON Schema.
#[derive(Serialize, Deserialize)]
pub struct ResponseFormatJsonSchemaJsonSchema {
    /// A description of what the response format is for, used by the model to
    /// determine how to respond in the format.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub description: Option<String>,
    /// The name of the response format. Must be a-z, A-Z, 0-9, or contain
    /// underscores and dashes, with a maximum length of 64.
    pub name: String,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub schema: Option<ResponseFormatJsonSchemaSchema>,
    /// Whether to enable strict schema adherence when generating the output.
    /// If set to true, the model will always follow the exact schema defined
    /// in the `schema` field. Only a subset of JSON Schema is supported when
    /// `strict` is `true`. To learn more, read the [Structured Outputs
    /// guide](/docs/guides/structured-outputs).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub strict: Option<bool>,
}

/// JSON object response format. An older method of generating JSON responses.
/// Using `json_schema` is recommended for models that support it. Note that the
/// model will not generate JSON without a system or user message instructing it
/// to do so.
#[derive(Serialize, Deserialize)]
pub struct ResponseFormatJsonObject {}

pub type StopConfigurationString = Option<String>;

pub type StopConfigurationArray = Option<Vec<String>>;

/// Not supported with latest reasoning models `o3` and `o4-mini`.
///
/// Up to 4 sequences where the API will stop generating further tokens. The
/// returned text will not contain the stop sequence.
#[derive(Serialize, Deserialize)]
#[serde(untagged)]
pub enum StopConfiguration {
    StopConfigurationString(StopConfigurationString),
    StopConfigurationArray(StopConfigurationArray),
}

/// Options for streaming response. Only set this when you set `stream: true`.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionStreamOptionsValue {
    /// When true, stream obfuscation will be enabled. Stream obfuscation adds
    /// random characters to an `obfuscation` field on streaming delta events to
    /// normalize payload sizes as a mitigation to certain side-channel attacks.
    /// These obfuscation fields are included by default, but add a small amount
    /// of overhead to the data stream. You can set `include_obfuscation` to
    /// false to optimize for bandwidth if you trust the network links between
    /// your application and the OpenAI API.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub include_obfuscation: Option<bool>,
    /// If set, an additional chunk will be streamed before the `data: [DONE]`
    /// message. The `usage` field on this chunk shows the token usage
    /// statistics for the entire request, and the `choices` field will
    /// always be an empty array.
    ///
    /// All other chunks will also include a `usage` field, but with a null
    /// value. **NOTE:** If the stream is interrupted, you may not receive the
    /// final usage chunk which contains the total token usage for the request.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub include_usage: Option<bool>,
}

pub type ChatCompletionStreamOptions = Option<Option<ChatCompletionStreamOptionsValue>>;

/// `none` means the model will not call any tool and instead generates a
/// message. `auto` means the model can pick between generating a message or
/// calling one or more tools. `required` means the model must call one or more
/// tools.
pub type ChatCompletionToolChoiceOptionString = Option<String>;

/// Controls which (if any) tool is called by the model.
/// `none` means the model will not call any tool and instead generates a
/// message. `auto` means the model can pick between generating a message or
/// calling one or more tools. `required` means the model must call one or more
/// tools. Specifying a particular tool via `{"type": "function", "function":
/// {"name": "my_function"}}` forces the model to call that tool.
///
/// `none` is the default when no tools are present. `auto` is the default if
/// tools are present.
#[derive(Serialize, Deserialize)]
#[serde(untagged)]
pub enum ChatCompletionToolChoiceOption {
    ChatCompletionToolChoiceOptionString(ChatCompletionToolChoiceOptionString),
    ChatCompletionAllowedToolsChoice(ChatCompletionAllowedToolsChoice),
    ChatCompletionNamedToolChoice(ChatCompletionNamedToolChoice),
    ChatCompletionNamedToolChoiceCustom(ChatCompletionNamedToolChoiceCustom),
}

/// A function tool that can be used to generate a response.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionTool {
    pub function: FunctionObject,
}

/// A custom tool that processes input using a specified format.
#[derive(Serialize, Deserialize)]
pub struct CustomToolChatCompletions {
    /// Properties of the custom tool.
    pub custom: CustomToolChatCompletionsCustom,
}

/// Properties of the custom tool.
#[derive(Serialize, Deserialize)]
pub struct CustomToolChatCompletionsCustom {
    /// Optional description of the custom tool, used to provide more context.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub description: Option<String>,
    /// The input format for the custom tool. Default is unconstrained text.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub format: Option<CustomToolChatCompletionsCustomFormat>,
    /// The name of the custom tool, used to identify it in tool calls.
    pub name: String,
}

/// Unconstrained free-form text.
#[derive(Serialize, Deserialize)]
pub struct CustomToolChatCompletionsCustomFormatText {
    /// Unconstrained text format. Always `text`.
    pub r#type: CustomToolChatCompletionsCustomFormatTextType,
}

/// Unconstrained text format. Always `text`.
#[derive(Serialize, Deserialize)]
pub enum CustomToolChatCompletionsCustomFormatTextType {
    #[serde(rename = "text")]
    Text,
}

/// A grammar defined by the user.
#[derive(Serialize, Deserialize)]
pub struct CustomToolChatCompletionsCustomFormatGrammar {
    /// Your chosen grammar.
    pub grammar: CustomToolChatCompletionsCustomFormatGrammarGrammar,
    /// Grammar format. Always `grammar`.
    pub r#type: CustomToolChatCompletionsCustomFormatGrammarType,
}

/// Your chosen grammar.
#[derive(Serialize, Deserialize)]
pub struct CustomToolChatCompletionsCustomFormatGrammarGrammar {
    /// The grammar definition.
    pub definition: String,
    /// The syntax of the grammar definition. One of `lark` or `regex`.
    pub syntax: CustomToolChatCompletionsCustomFormatGrammarGrammarSyntax,
}

/// The syntax of the grammar definition. One of `lark` or `regex`.
#[derive(Serialize, Deserialize)]
pub enum CustomToolChatCompletionsCustomFormatGrammarGrammarSyntax {
    #[serde(rename = "lark")]
    Lark,
    #[serde(rename = "regex")]
    Regex,
}

/// Grammar format. Always `grammar`.
#[derive(Serialize, Deserialize)]
pub enum CustomToolChatCompletionsCustomFormatGrammarType {
    #[serde(rename = "grammar")]
    Grammar,
}

/// The input format for the custom tool. Default is unconstrained text.
#[derive(Serialize, Deserialize)]
#[serde(tag = "type")]
pub enum CustomToolChatCompletionsCustomFormat {
    #[serde(rename = "text")]
    Text(CustomToolChatCompletionsCustomFormatText),
    #[serde(rename = "grammar")]
    Grammar(CustomToolChatCompletionsCustomFormatGrammar),
}

/// Constrains the verbosity of the model's response. Lower values will result
/// in more concise responses, while higher values will result in more verbose
/// responses. Currently supported values are `low`, `medium`, and `high`.
#[derive(Serialize, Deserialize)]
pub enum VerbosityValue {
    #[serde(rename = "low")]
    Low,
    #[serde(rename = "medium")]
    Medium,
    #[serde(rename = "high")]
    High,
}

pub type Verbosity = Option<Option<VerbosityValue>>;

/// High level guidance for the amount of context window space to use for the
/// search. One of `low`, `medium`, or `high`. `medium` is the default.
#[derive(Serialize, Deserialize)]
pub enum WebSearchContextSize {
    #[serde(rename = "low")]
    Low,
    #[serde(rename = "medium")]
    Medium,
    #[serde(rename = "high")]
    High,
}

/// Approximate location parameters for the search.
#[derive(Serialize, Deserialize)]
pub struct WebSearchLocation {
    /// Free text input for the city of the user, e.g. `San Francisco`.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub city: Option<String>,
    /// The two-letter
    /// [ISO country code](https://en.wikipedia.org/wiki/ISO_3166-1) of the user,
    /// e.g. `US`.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub country: Option<String>,
    /// Free text input for the region of the user, e.g. `California`.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub region: Option<String>,
    /// The [IANA timezone](https://timeapi.io/documentation/iana-timezones)
    /// of the user, e.g. `America/Los_Angeles`.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub timezone: Option<String>,
}

#[derive(Serialize, Deserialize)]
pub struct ChatCompletionTokenLogprob {
    /// A list of integers representing the UTF-8 bytes representation of the
    /// token. Useful in instances where characters are represented by multiple
    /// tokens and their byte representations must be combined to generate the
    /// correct text representation. Can be `null` if there is no bytes
    /// representation for the token.
    pub bytes: Option<Vec<i64>>,
    /// The log probability of this token, if it is within the top 20 most
    /// likely tokens. Otherwise, the value `-9999.0` is used to signify that
    /// the token is very unlikely.
    pub logprob: f64,
    /// The token.
    pub token: String,
    /// List of the most likely tokens and their log probability, at this token
    /// position. In rare cases, there may be fewer than the number of requested
    /// `top_logprobs` returned.
    pub top_logprobs: Vec<ChatCompletionTokenLogprobTopLogprobsItem>,
}

#[derive(Serialize, Deserialize)]
pub struct ChatCompletionTokenLogprobTopLogprobsItem {
    /// A list of integers representing the UTF-8 bytes representation of the
    /// token. Useful in instances where characters are represented by multiple
    /// tokens and their byte representations must be combined to generate the
    /// correct text representation. Can be `null` if there is no bytes
    /// representation for the token.
    pub bytes: Option<Vec<i64>>,
    /// The log probability of this token, if it is within the top 20 most
    /// likely tokens. Otherwise, the value `-9999.0` is used to signify that
    /// the token is very unlikely.
    pub logprob: f64,
    /// The token.
    pub token: String,
}

/// A chat completion message generated by the model.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionResponseMessage {
    /// Annotations for the message, when applicable, as when using the
    /// [web search tool](/docs/guides/tools-web-search?api-mode=chat).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub annotations: Option<Vec<ChatCompletionResponseMessageAnnotationsItem>>,
    /// If the audio output modality is requested, this object contains data
    /// about the audio response from the model. [Learn
    /// more](/docs/guides/audio).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub audio: Option<ChatCompletionResponseMessageAudio>,
    /// The contents of the message.
    pub content: Option<String>,
    /// Deprecated and replaced by `tool_calls`. The name and arguments of a
    /// function that should be called, as generated by the model.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub function_call: Option<ChatCompletionResponseMessageFunctionCall>,
    /// The refusal message generated by the model.
    pub refusal: Option<String>,
    /// The role of the author of this message.
    pub role: ChatCompletionResponseMessageRole,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub tool_calls: Option<ChatCompletionMessageToolCalls>,
}

/// A URL citation when using web search.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionResponseMessageAnnotationsItem {
    /// The type of the URL citation. Always `url_citation`.
    pub r#type: ChatCompletionResponseMessageAnnotationsItemType,
    /// A URL citation when using web search.
    pub url_citation: ChatCompletionResponseMessageAnnotationsItemUrlCitation,
}

/// The type of the URL citation. Always `url_citation`.
#[derive(Serialize, Deserialize)]
pub enum ChatCompletionResponseMessageAnnotationsItemType {
    #[serde(rename = "url_citation")]
    UrlCitation,
}

/// A URL citation when using web search.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionResponseMessageAnnotationsItemUrlCitation {
    /// The index of the last character of the URL citation in the message.
    pub end_index: i64,
    /// The index of the first character of the URL citation in the message.
    pub start_index: i64,
    /// The title of the web resource.
    pub title: String,
    /// The URL of the web resource.
    pub url: String,
}

/// If the audio output modality is requested, this object contains data
/// about the audio response from the model. [Learn more](/docs/guides/audio).
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionResponseMessageAudio {
    /// Base64 encoded audio bytes generated by the model, in the format
    /// specified in the request.
    pub data: String,
    /// The Unix timestamp (in seconds) for when this audio response will
    /// no longer be accessible on the server for use in multi-turn
    /// conversations.
    pub expires_at: i64,
    /// Unique identifier for this audio response.
    pub id: String,
    /// Transcript of the audio generated by the model.
    pub transcript: String,
}

/// Deprecated and replaced by `tool_calls`. The name and arguments of a
/// function that should be called, as generated by the model.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionResponseMessageFunctionCall {
    /// The arguments to call the function with, as generated by the model in
    /// JSON format. Note that the model does not always generate valid JSON,
    /// and may hallucinate parameters not defined by your function schema.
    /// Validate the arguments in your code before calling your function.
    pub arguments: String,
    /// The name of the function to call.
    pub name: String,
}

/// The role of the author of this message.
#[derive(Serialize, Deserialize)]
pub enum ChatCompletionResponseMessageRole {
    #[serde(rename = "assistant")]
    Assistant,
}

/// Specifies the processing type used for serving the request.
///   - If set to 'auto', then the request will be processed with the service
///     tier configured in the Project settings. Unless otherwise configured,
///     the Project will use 'default'.
///   - If set to 'default', then the request will be processed with the
///     standard pricing and performance for the selected model.
///   - If set to '[flex](/docs/guides/flex-processing)' or '[priority](https://openai.com/api-priority-processing/)',
///     then the request will be processed with the corresponding service tier.
///   - When not set, the default behavior is 'auto'.
///
///   When the `service_tier` parameter is set, the response body will include
/// the `service_tier` value based on the processing mode actually used to serve
/// the request. This response value may be different from the value set in the
/// parameter.
#[derive(Serialize, Deserialize)]
pub enum ServiceTierValue {
    #[serde(rename = "auto")]
    Auto,
    #[serde(rename = "default")]
    Default,
    #[serde(rename = "flex")]
    Flex,
    #[serde(rename = "scale")]
    Scale,
    #[serde(rename = "priority")]
    Priority,
}

pub type ServiceTier = Option<Option<ServiceTierValue>>;

/// Usage statistics for the completion request.
#[derive(Serialize, Deserialize)]
pub struct CompletionUsage {
    /// Number of tokens in the generated completion.
    pub completion_tokens: i64,
    /// Breakdown of tokens used in a completion.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub completion_tokens_details: Option<CompletionUsageCompletionTokensDetails>,
    /// Number of tokens in the prompt.
    pub prompt_tokens: i64,
    /// Breakdown of tokens used in the prompt.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub prompt_tokens_details: Option<CompletionUsagePromptTokensDetails>,
    /// Total number of tokens used in the request (prompt + completion).
    pub total_tokens: i64,
}

/// Breakdown of tokens used in a completion.
#[derive(Serialize, Deserialize)]
pub struct CompletionUsageCompletionTokensDetails {
    /// When using Predicted Outputs, the number of tokens in the
    /// prediction that appeared in the completion.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub accepted_prediction_tokens: Option<i64>,
    /// Audio input tokens generated by the model.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub audio_tokens: Option<i64>,
    /// Tokens generated by the model for reasoning.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub reasoning_tokens: Option<i64>,
    /// When using Predicted Outputs, the number of tokens in the
    /// prediction that did not appear in the completion. However, like
    /// reasoning tokens, these tokens are still counted in the total
    /// completion tokens for purposes of billing, output, and context window
    /// limits.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub rejected_prediction_tokens: Option<i64>,
}

/// Breakdown of tokens used in the prompt.
#[derive(Serialize, Deserialize)]
pub struct CompletionUsagePromptTokensDetails {
    /// Audio input tokens present in the prompt.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub audio_tokens: Option<i64>,
    /// Cached tokens present in the prompt.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub cached_tokens: Option<i64>,
}

/// A chat completion delta generated by streamed model responses.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionStreamResponseDelta {
    #[serde(skip_serializing_if = "Option::is_none")]
    pub audio: Option<ChatCompletionStreamResponseDeltaAudio>,
    /// The contents of the chunk message.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub content: Option<String>,
    /// Deprecated and replaced by `tool_calls`. The name and arguments of a
    /// function that should be called, as generated by the model.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub function_call: Option<ChatCompletionStreamResponseDeltaFunctionCall>,
    /// The refusal message generated by the model.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub refusal: Option<String>,
    /// The role of the author of this message.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub role: Option<ChatCompletionStreamResponseDeltaRole>,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub tool_calls: Option<Vec<ChatCompletionMessageToolCallChunk>>,
}

/// Deprecated and replaced by `tool_calls`. The name and arguments of a
/// function that should be called, as generated by the model.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionStreamResponseDeltaFunctionCall {
    /// The arguments to call the function with, as generated by the model in
    /// JSON format. Note that the model does not always generate valid JSON,
    /// and may hallucinate parameters not defined by your function schema.
    /// Validate the arguments in your code before calling your function.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub arguments: Option<String>,
    /// The name of the function to call.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub name: Option<String>,
}

/// The role of the author of this message.
#[derive(Serialize, Deserialize)]
pub enum ChatCompletionStreamResponseDeltaRole {
    #[serde(rename = "developer")]
    Developer,
    #[serde(rename = "system")]
    System,
    #[serde(rename = "user")]
    User,
    #[serde(rename = "assistant")]
    Assistant,
    #[serde(rename = "tool")]
    Tool,
}

/// Partial audio metadata emitted in streamed chat completion deltas.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionStreamResponseDeltaAudio {
    /// Base64 encoded audio bytes generated by the model, in the format
    /// specified in the request.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub data: Option<String>,
    /// The Unix timestamp (in seconds) for when this audio response will
    /// no longer be accessible on the server for use in multi-turn
    /// conversations.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub expires_at: Option<i64>,
    /// Unique identifier for this audio response.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub id: Option<String>,
    /// Transcript of the audio generated by the model.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub transcript: Option<String>,
}

#[derive(Serialize, Deserialize)]
pub struct ModelResponseProperties {
    #[serde(skip_serializing_if = "Option::is_none")]
    pub metadata: Option<Metadata>,
    /// Used by OpenAI to cache responses for similar requests to optimize your
    /// cache hit rates. Replaces the `user` field. [Learn
    /// more](/docs/guides/prompt-caching).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub prompt_cache_key: Option<String>,
    /// The retention policy for the prompt cache. Set to `24h` to enable
    /// extended prompt caching, which keeps cached prefixes active for longer,
    /// up to a maximum of 24 hours. [Learn
    /// more](/docs/guides/prompt-caching#prompt-cache-retention).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub prompt_cache_retention: Option<ModelResponsePropertiesPromptCacheRetention>,
    /// A stable identifier used to help detect users of your application that
    /// may be violating OpenAI's usage policies. The IDs should be a string
    /// that uniquely identifies each user, with a maximum length of 64
    /// characters. We recommend hashing their username or email address, in
    /// order to avoid sending us any identifying information. [Learn
    /// more](/docs/guides/safety-best-practices#safety-identifiers).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub safety_identifier: Option<String>,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub service_tier: Option<ServiceTier>,
    /// What sampling temperature to use, between 0 and 2. Higher values like
    /// 0.8 will make the output more random, while lower values like 0.2 will
    /// make it more focused and deterministic. We generally recommend
    /// altering this or `top_p` but not both.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub temperature: Option<f64>,
    /// An integer between 0 and 20 specifying the number of most likely tokens
    /// to return at each token position, each with an associated log
    /// probability.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub top_logprobs: Option<i64>,
    /// An alternative to sampling with temperature, called nucleus sampling,
    /// where the model considers the results of the tokens with top_p
    /// probability mass. So 0.1 means only the tokens comprising the top
    /// 10% probability mass are considered.
    ///
    /// We generally recommend altering this or `temperature` but not both.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub top_p: Option<f64>,
    /// This field is being replaced by `safety_identifier` and
    /// `prompt_cache_key`. Use `prompt_cache_key` instead to maintain caching
    /// optimizations. A stable identifier for your end-users.
    /// Used to boost cache hit rates by better bucketing similar requests and
    /// to help OpenAI detect and prevent abuse. [Learn
    /// more](/docs/guides/safety-best-practices#safety-identifiers).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub user: Option<String>,
}

/// The retention policy for the prompt cache. Set to `24h` to enable extended
/// prompt caching, which keeps cached prefixes active for longer, up to a
/// maximum of 24 hours. [Learn
/// more](/docs/guides/prompt-caching#prompt-cache-retention).
#[derive(Serialize, Deserialize)]
pub enum ModelResponsePropertiesPromptCacheRetention {
    #[serde(rename = "in-memory")]
    InMemory,
    #[serde(rename = "24h")]
    N24H,
}

pub type VoiceIdsShared = Option<String>;

/// The parameters the functions accepts, described as a JSON Schema object. See the [guide](/docs/guides/function-calling) for examples, and the [JSON Schema reference](https://json-schema.org/understanding-json-schema/) for documentation about the format.
///
/// Omitting `parameters` defines a function with an empty parameter list.
pub type FunctionParameters = Option<Value>;

/// Developer-provided instructions that the model should follow, regardless of
/// messages sent by the user. With o1 models and newer, `developer` messages
/// replace the previous `system` messages.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestDeveloperMessage {
    /// The contents of the developer message.
    pub content: ChatCompletionRequestDeveloperMessageContent,
    /// An optional name for the participant. Provides the model information to
    /// differentiate between participants of the same role.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub name: Option<String>,
}

/// The contents of the developer message.
pub type ChatCompletionRequestDeveloperMessageContentString = Option<String>;

/// An array of content parts with a defined type. For developer messages, only
/// type `text` is supported.
pub type ChatCompletionRequestDeveloperMessageContentArray =
    Option<Vec<ChatCompletionRequestMessageContentPartText>>;

/// The contents of the developer message.
#[derive(Serialize, Deserialize)]
#[serde(untagged)]
pub enum ChatCompletionRequestDeveloperMessageContent {
    ChatCompletionRequestDeveloperMessageContentString(
        ChatCompletionRequestDeveloperMessageContentString,
    ),
    ChatCompletionRequestDeveloperMessageContentArray(
        ChatCompletionRequestDeveloperMessageContentArray,
    ),
}

/// Developer-provided instructions that the model should follow, regardless of
/// messages sent by the user. With o1 models and newer, use `developer`
/// messages for this purpose instead.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestSystemMessage {
    /// The contents of the system message.
    pub content: ChatCompletionRequestSystemMessageContent,
    /// An optional name for the participant. Provides the model information to
    /// differentiate between participants of the same role.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub name: Option<String>,
}

/// The contents of the system message.
pub type ChatCompletionRequestSystemMessageContentString = Option<String>;

/// An array of content parts with a defined type. For system messages, only
/// type `text` is supported.
pub type ChatCompletionRequestSystemMessageContentArray =
    Option<Vec<ChatCompletionRequestSystemMessageContentPart>>;

/// The contents of the system message.
#[derive(Serialize, Deserialize)]
#[serde(untagged)]
pub enum ChatCompletionRequestSystemMessageContent {
    ChatCompletionRequestSystemMessageContentString(
        ChatCompletionRequestSystemMessageContentString,
    ),
    ChatCompletionRequestSystemMessageContentArray(ChatCompletionRequestSystemMessageContentArray),
}

/// Messages sent by an end user, containing prompts or additional context
/// information.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestUserMessage {
    /// The contents of the user message.
    pub content: ChatCompletionRequestUserMessageContent,
    /// An optional name for the participant. Provides the model information to
    /// differentiate between participants of the same role.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub name: Option<String>,
}

/// The text contents of the message.
pub type ChatCompletionRequestUserMessageContentString = Option<String>;

/// An array of content parts with a defined type. Supported options differ
/// based on the [model](/docs/models) being used to generate the response. Can
/// contain text, image, or audio inputs.
pub type ChatCompletionRequestUserMessageContentArray =
    Option<Vec<ChatCompletionRequestUserMessageContentPart>>;

/// The contents of the user message.
#[derive(Serialize, Deserialize)]
#[serde(untagged)]
pub enum ChatCompletionRequestUserMessageContent {
    ChatCompletionRequestUserMessageContentString(ChatCompletionRequestUserMessageContentString),
    ChatCompletionRequestUserMessageContentArray(ChatCompletionRequestUserMessageContentArray),
}

/// Messages sent by the model in response to user messages.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestAssistantMessage {
    /// Data about a previous audio response from the model.
    /// [Learn more](/docs/guides/audio).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub audio: Option<ChatCompletionRequestAssistantMessageAudio>,
    /// The contents of the assistant message. Required unless `tool_calls` or
    /// `function_call` is specified.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub content: Option<ChatCompletionRequestAssistantMessageContent>,
    /// Deprecated and replaced by `tool_calls`. The name and arguments of a
    /// function that should be called, as generated by the model.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub function_call: Option<ChatCompletionRequestAssistantMessageFunctionCall>,
    /// An optional name for the participant. Provides the model information to
    /// differentiate between participants of the same role.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub name: Option<String>,
    /// The refusal message by the assistant.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub refusal: Option<String>,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub tool_calls: Option<ChatCompletionMessageToolCalls>,
}

/// Data about a previous audio response from the model.
/// [Learn more](/docs/guides/audio).
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestAssistantMessageAudio {
    /// Unique identifier for a previous audio response from the model.
    pub id: String,
}

/// The contents of the assistant message.
pub type ChatCompletionRequestAssistantMessageContentString = Option<String>;

/// An array of content parts with a defined type. Can be one or more of type
/// `text`, or exactly one of type `refusal`.
pub type ChatCompletionRequestAssistantMessageContentArray =
    Option<Vec<ChatCompletionRequestAssistantMessageContentPart>>;

/// The contents of the assistant message. Required unless `tool_calls` or
/// `function_call` is specified.
#[derive(Serialize, Deserialize)]
#[serde(untagged)]
pub enum ChatCompletionRequestAssistantMessageContent {
    ChatCompletionRequestAssistantMessageContentString(
        ChatCompletionRequestAssistantMessageContentString,
    ),
    ChatCompletionRequestAssistantMessageContentArray(
        ChatCompletionRequestAssistantMessageContentArray,
    ),
}

/// Deprecated and replaced by `tool_calls`. The name and arguments of a
/// function that should be called, as generated by the model.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestAssistantMessageFunctionCall {
    /// The arguments to call the function with, as generated by the model in
    /// JSON format. Note that the model does not always generate valid JSON,
    /// and may hallucinate parameters not defined by your function schema.
    /// Validate the arguments in your code before calling your function.
    pub arguments: String,
    /// The name of the function to call.
    pub name: String,
}

#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestToolMessage {
    /// The contents of the tool message.
    pub content: ChatCompletionRequestToolMessageContent,
    /// Tool call that this message is responding to.
    pub tool_call_id: String,
}

/// The contents of the tool message.
pub type ChatCompletionRequestToolMessageContentString = Option<String>;

/// An array of content parts with a defined type. For tool messages, only type
/// `text` is supported.
pub type ChatCompletionRequestToolMessageContentArray =
    Option<Vec<ChatCompletionRequestToolMessageContentPart>>;

/// The contents of the tool message.
#[derive(Serialize, Deserialize)]
#[serde(untagged)]
pub enum ChatCompletionRequestToolMessageContent {
    ChatCompletionRequestToolMessageContentString(ChatCompletionRequestToolMessageContentString),
    ChatCompletionRequestToolMessageContentArray(ChatCompletionRequestToolMessageContentArray),
}

#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestFunctionMessage {
    /// The contents of the function message.
    pub content: Option<String>,
    /// The name of the function to call.
    pub name: String,
}

/// Learn about [text inputs](/docs/guides/text-generation).
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestMessageContentPartText {
    /// The text content.
    pub text: String,
    /// The type of the content part.
    pub r#type: ChatCompletionRequestMessageContentPartTextType,
}

/// The type of the content part.
#[derive(Serialize, Deserialize)]
pub enum ChatCompletionRequestMessageContentPartTextType {
    #[serde(rename = "text")]
    Text,
}

/// The schema for the response format, described as a JSON Schema object.
/// Learn how to build JSON schemas [here](https://json-schema.org/).
pub type ResponseFormatJsonSchemaSchema = Option<Value>;

/// Constrains the tools available to the model to a pre-defined set.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionAllowedToolsChoice {
    pub allowed_tools: ChatCompletionAllowedTools,
    /// Allowed tool configuration type. Always `allowed_tools`.
    pub r#type: ChatCompletionAllowedToolsChoiceType,
}

/// Allowed tool configuration type. Always `allowed_tools`.
#[derive(Serialize, Deserialize)]
pub enum ChatCompletionAllowedToolsChoiceType {
    #[serde(rename = "allowed_tools")]
    AllowedTools,
}

/// Specifies a tool the model should use. Use to force the model to call a
/// specific function.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionNamedToolChoice {
    pub function: ChatCompletionNamedToolChoiceFunction,
    /// For function calling, the type is always `function`.
    pub r#type: ChatCompletionNamedToolChoiceType,
}

#[derive(Serialize, Deserialize)]
pub struct ChatCompletionNamedToolChoiceFunction {
    /// The name of the function to call.
    pub name: String,
}

/// For function calling, the type is always `function`.
#[derive(Serialize, Deserialize)]
pub enum ChatCompletionNamedToolChoiceType {
    #[serde(rename = "function")]
    Function,
}

/// Specifies a tool the model should use. Use to force the model to call a
/// specific custom tool.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionNamedToolChoiceCustom {
    pub custom: ChatCompletionNamedToolChoiceCustomCustom,
    /// For custom tool calling, the type is always `custom`.
    pub r#type: ChatCompletionNamedToolChoiceCustomType,
}

#[derive(Serialize, Deserialize)]
pub struct ChatCompletionNamedToolChoiceCustomCustom {
    /// The name of the custom tool to call.
    pub name: String,
}

/// For custom tool calling, the type is always `custom`.
#[derive(Serialize, Deserialize)]
pub enum ChatCompletionNamedToolChoiceCustomType {
    #[serde(rename = "custom")]
    Custom,
}

#[derive(Serialize, Deserialize)]
pub struct FunctionObject {
    /// A description of what the function does, used by the model to choose
    /// when and how to call the function.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub description: Option<String>,
    /// The name of the function to be called. Must be a-z, A-Z, 0-9, or contain
    /// underscores and dashes, with a maximum length of 64.
    pub name: String,
    #[serde(skip_serializing_if = "Option::is_none")]
    pub parameters: Option<FunctionParameters>,
    /// Whether to enable strict schema adherence when generating the function
    /// call. If set to true, the model will follow the exact schema defined in
    /// the `parameters` field. Only a subset of JSON Schema is supported when
    /// `strict` is `true`. Learn more about Structured Outputs in the [function
    /// calling guide](/docs/guides/function-calling).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub strict: Option<bool>,
}

#[derive(Serialize, Deserialize)]
#[serde(tag = "type")]
pub enum ChatCompletionMessageToolCallsItem {
    #[serde(rename = "function")]
    Function(ChatCompletionMessageToolCall),
    #[serde(rename = "custom")]
    Custom(ChatCompletionMessageCustomToolCall),
}

/// The tool calls generated by the model, such as function calls.
pub type ChatCompletionMessageToolCalls = Option<Vec<ChatCompletionMessageToolCallsItem>>;

#[derive(Serialize, Deserialize)]
pub struct ChatCompletionMessageToolCallChunk {
    #[serde(skip_serializing_if = "Option::is_none")]
    pub function: Option<ChatCompletionMessageToolCallChunkFunction>,
    /// The ID of the tool call.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub id: Option<String>,
    pub index: i64,
    /// The type of the tool. Currently, only `function` is supported.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub r#type: Option<ChatCompletionMessageToolCallChunkType>,
}

#[derive(Serialize, Deserialize)]
pub struct ChatCompletionMessageToolCallChunkFunction {
    /// The arguments to call the function with, as generated by the model in
    /// JSON format. Note that the model does not always generate valid JSON,
    /// and may hallucinate parameters not defined by your function schema.
    /// Validate the arguments in your code before calling your function.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub arguments: Option<String>,
    /// The name of the function to call.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub name: Option<String>,
}

/// The type of the tool. Currently, only `function` is supported.
#[derive(Serialize, Deserialize)]
pub enum ChatCompletionMessageToolCallChunkType {
    #[serde(rename = "function")]
    Function,
}

pub type Metadata = Option<Option<HashMap<String, String>>>;

#[derive(Serialize, Deserialize)]
#[serde(tag = "type")]
pub enum ChatCompletionRequestSystemMessageContentPart {
    #[serde(rename = "text")]
    Text(ChatCompletionRequestMessageContentPartText),
}

#[derive(Serialize, Deserialize)]
#[serde(tag = "type")]
pub enum ChatCompletionRequestUserMessageContentPart {
    #[serde(rename = "text")]
    Text(ChatCompletionRequestMessageContentPartText),
    #[serde(rename = "image_url")]
    ImageUrl(ChatCompletionRequestMessageContentPartImage),
    #[serde(rename = "input_audio")]
    InputAudio(ChatCompletionRequestMessageContentPartAudio),
    #[serde(rename = "file")]
    File(ChatCompletionRequestMessageContentPartFile),
}

#[derive(Serialize, Deserialize)]
#[serde(tag = "type")]
pub enum ChatCompletionRequestAssistantMessageContentPart {
    #[serde(rename = "text")]
    Text(ChatCompletionRequestMessageContentPartText),
    #[serde(rename = "refusal")]
    Refusal(ChatCompletionRequestMessageContentPartRefusal),
}

#[derive(Serialize, Deserialize)]
#[serde(tag = "type")]
pub enum ChatCompletionRequestToolMessageContentPart {
    #[serde(rename = "text")]
    Text(ChatCompletionRequestMessageContentPartText),
}

/// Constrains the tools available to the model to a pre-defined set.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionAllowedTools {
    /// Constrains the tools available to the model to a pre-defined set.
    ///
    /// `auto` allows the model to pick from among the allowed tools and
    /// generate a message.
    ///
    /// `required` requires the model to call one or more of the allowed tools.
    pub mode: ChatCompletionAllowedToolsMode,
    /// A list of tool definitions that the model should be allowed to call.
    ///
    /// For the Chat Completions API, the list of tool definitions might look
    /// like:
    /// ```json
    /// [
    ///   { "type": "function", "function": { "name": "get_weather" } },
    ///   { "type": "function", "function": { "name": "get_time" } }
    /// ]
    /// ```
    pub tools: Vec<Value>,
}

/// Constrains the tools available to the model to a pre-defined set.
///
/// `auto` allows the model to pick from among the allowed tools and generate a
/// message.
///
/// `required` requires the model to call one or more of the allowed tools.
#[derive(Serialize, Deserialize)]
pub enum ChatCompletionAllowedToolsMode {
    #[serde(rename = "auto")]
    Auto,
    #[serde(rename = "required")]
    Required,
}

/// A call to a function tool created by the model.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionMessageToolCall {
    /// The function that the model called.
    pub function: ChatCompletionMessageToolCallFunction,
    /// The ID of the tool call.
    pub id: String,
}

/// The function that the model called.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionMessageToolCallFunction {
    /// The arguments to call the function with, as generated by the model in
    /// JSON format. Note that the model does not always generate valid JSON,
    /// and may hallucinate parameters not defined by your function schema.
    /// Validate the arguments in your code before calling your function.
    pub arguments: String,
    /// The name of the function to call.
    pub name: String,
}

/// A call to a custom tool created by the model.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionMessageCustomToolCall {
    /// The custom tool that the model called.
    pub custom: ChatCompletionMessageCustomToolCallCustom,
    /// The ID of the tool call.
    pub id: String,
}

/// The custom tool that the model called.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionMessageCustomToolCallCustom {
    /// The input for the custom tool call generated by the model.
    pub input: String,
    /// The name of the custom tool to call.
    pub name: String,
}

/// Learn about [image inputs](/docs/guides/vision).
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestMessageContentPartImage {
    pub image_url: ChatCompletionRequestMessageContentPartImageImageUrl,
}

#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestMessageContentPartImageImageUrl {
    /// Specifies the detail level of the image. Learn more in the [Vision
    /// guide](/docs/guides/vision#low-or-high-fidelity-image-understanding).
    #[serde(skip_serializing_if = "Option::is_none")]
    pub detail: Option<ChatCompletionRequestMessageContentPartImageImageUrlDetail>,
    /// Either a URL of the image or the base64 encoded image data.
    pub url: String,
}

/// Specifies the detail level of the image. Learn more in the [Vision
/// guide](/docs/guides/vision#low-or-high-fidelity-image-understanding).
#[derive(Serialize, Deserialize)]
pub enum ChatCompletionRequestMessageContentPartImageImageUrlDetail {
    #[serde(rename = "auto")]
    Auto,
    #[serde(rename = "low")]
    Low,
    #[serde(rename = "high")]
    High,
}

/// Learn about [audio inputs](/docs/guides/audio).
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestMessageContentPartAudio {
    pub input_audio: ChatCompletionRequestMessageContentPartAudioInputAudio,
}

#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestMessageContentPartAudioInputAudio {
    /// Base64 encoded audio data.
    pub data: String,
    /// The format of the encoded audio data. Currently supports "wav" and
    /// "mp3".
    pub format: ChatCompletionRequestMessageContentPartAudioInputAudioFormat,
}

/// The format of the encoded audio data. Currently supports "wav" and "mp3".
#[derive(Serialize, Deserialize)]
pub enum ChatCompletionRequestMessageContentPartAudioInputAudioFormat {
    #[serde(rename = "wav")]
    Wav,
    #[serde(rename = "mp3")]
    Mp3,
}

/// Learn about [file inputs](/docs/guides/text) for text generation.
#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestMessageContentPartFile {
    pub file: ChatCompletionRequestMessageContentPartFileFile,
}

#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestMessageContentPartFileFile {
    /// The base64 encoded file data, used when passing the file to the model
    /// as a string.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub file_data: Option<String>,
    /// The ID of an uploaded file to use as input.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub file_id: Option<String>,
    /// The name of the file, used when passing the file to the model as a
    /// string.
    #[serde(skip_serializing_if = "Option::is_none")]
    pub filename: Option<String>,
}

#[derive(Serialize, Deserialize)]
pub struct ChatCompletionRequestMessageContentPartRefusal {
    /// The refusal message generated by the model.
    pub refusal: String,
}