-
Notifications
You must be signed in to change notification settings - Fork 4k
/
Copy pathapi.dart
1030 lines (867 loc) · 32.5 KB
/
api.dart
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
// Copyright 2024 Google LLC
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
import 'content.dart';
import 'error.dart';
import 'schema.dart';
/// Response for Count Tokens
final class CountTokensResponse {
// ignore: public_member_api_docs
CountTokensResponse(this.totalTokens,
{this.totalBillableCharacters, this.promptTokensDetails});
/// The number of tokens that the `model` tokenizes the `prompt` into.
///
/// Always non-negative.
final int totalTokens;
/// The number of characters that the `model` could bill at.
///
/// Always non-negative.
final int? totalBillableCharacters;
/// List of modalities that were processed in the request input.
final List<ModalityTokenCount>? promptTokensDetails;
}
/// Response from the model; supports multiple candidates.
final class GenerateContentResponse {
// ignore: public_member_api_docs
GenerateContentResponse(this.candidates, this.promptFeedback,
{this.usageMetadata});
/// Candidate responses from the model.
final List<Candidate> candidates;
/// Returns the prompt's feedback related to the content filters.
final PromptFeedback? promptFeedback;
/// Meta data for the response
final UsageMetadata? usageMetadata;
/// The text content of the first part of the first of [candidates], if any.
///
/// If the prompt was blocked, or the first candidate was finished for a reason
/// of [FinishReason.recitation] or [FinishReason.safety], accessing this text
/// will throw a [VertexAIException].
///
/// If the first candidate's content contains any text parts, this value is
/// the concatenation of the text.
///
/// If there are no candidates, or if the first candidate does not contain any
/// text parts, this value is `null`.
String? get text {
return switch (candidates) {
[] => switch (promptFeedback) {
PromptFeedback(
:final blockReason,
:final blockReasonMessage,
) =>
// TODO: Add a specific subtype for this exception?
throw VertexAIException('Response was blocked'
'${blockReason != null ? ' due to $blockReason' : ''}'
'${blockReasonMessage != null ? ': $blockReasonMessage' : ''}'),
_ => null,
},
[
Candidate(
finishReason: (FinishReason.recitation || FinishReason.safety) &&
final finishReason,
:final finishMessage,
),
...
] =>
throw VertexAIException(
// ignore: prefer_interpolation_to_compose_strings
'Candidate was blocked due to $finishReason' +
(finishMessage != null && finishMessage.isNotEmpty
? ': $finishMessage'
: ''),
),
// Special case for a single TextPart to avoid iterable chain.
[Candidate(content: Content(parts: [TextPart(:final text)])), ...] =>
text,
[Candidate(content: Content(:final parts)), ...]
when parts.any((p) => p is TextPart) =>
parts.whereType<TextPart>().map((p) => p.text).join(),
[Candidate(), ...] => null,
};
}
/// The function call parts of the first candidate in [candidates], if any.
///
/// Returns an empty list if there are no candidates, or if the first
/// candidate has no [FunctionCall] parts. There is no error thrown if the
/// prompt or response were blocked.
Iterable<FunctionCall> get functionCalls =>
candidates.firstOrNull?.content.parts.whereType<FunctionCall>() ??
const [];
}
/// Feedback metadata of a prompt specified in a [GenerativeModel] request.
final class PromptFeedback {
// ignore: public_member_api_docs
PromptFeedback(this.blockReason, this.blockReasonMessage, this.safetyRatings);
/// If set, the prompt was blocked and no candidates are returned.
///
/// Rephrase your prompt.
final BlockReason? blockReason;
/// Message for the block reason.
final String? blockReasonMessage;
/// Ratings for safety of the prompt.
///
/// There is at most one rating per category.
final List<SafetyRating> safetyRatings;
}
/// Metadata on the generation request's token usage.
final class UsageMetadata {
// ignore: public_member_api_docs
UsageMetadata._(
{this.promptTokenCount,
this.candidatesTokenCount,
this.totalTokenCount,
this.promptTokensDetails,
this.candidatesTokensDetails});
/// Number of tokens in the prompt.
final int? promptTokenCount;
/// Total number of tokens across the generated candidates.
final int? candidatesTokenCount;
/// Total token count for the generation request (prompt + candidates).
final int? totalTokenCount;
/// List of modalities that were processed in the request input.
final List<ModalityTokenCount>? promptTokensDetails;
/// List of modalities that were returned in the response.
final List<ModalityTokenCount>? candidatesTokensDetails;
}
/// Response candidate generated from a [GenerativeModel].
final class Candidate {
// TODO: token count?
// ignore: public_member_api_docs
Candidate(this.content, this.safetyRatings, this.citationMetadata,
this.finishReason, this.finishMessage);
/// Generated content returned from the model.
final Content content;
/// List of ratings for the safety of a response candidate.
///
/// There is at most one rating per category.
final List<SafetyRating>? safetyRatings;
/// Citation information for model-generated candidate.
///
/// This field may be populated with recitation information for any text
/// included in the [content]. These are passages that are "recited" from
/// copyrighted material in the foundational LLM's training data.
final CitationMetadata? citationMetadata;
/// The reason why the model stopped generating tokens.
///
/// If empty, the model has not stopped generating the tokens.
final FinishReason? finishReason;
/// Message for finish reason.
final String? finishMessage;
/// The concatenation of the text parts of [content], if any.
///
/// If this candidate was finished for a reason of [FinishReason.recitation]
/// or [FinishReason.safety], accessing this text will throw a
/// [GenerativeAIException].
///
/// If [content] contains any text parts, this value is the concatenation of
/// the text.
///
/// If [content] does not contain any text parts, this value is `null`.
String? get text {
if (finishReason case FinishReason.recitation || FinishReason.safety) {
final String suffix;
if (finishMessage case final message? when message.isNotEmpty) {
suffix = ': $message';
} else {
suffix = '';
}
throw VertexAIException(
'Candidate was blocked due to $finishReason$suffix');
}
return switch (content.parts) {
// Special case for a single TextPart to avoid iterable chain.
[TextPart(:final text)] => text,
final parts when parts.any((p) => p is TextPart) =>
parts.whereType<TextPart>().map((p) => p.text).join(),
_ => null,
};
}
}
/// Safety rating for a piece of content.
///
/// The safety rating contains the category of harm and the harm probability
/// level in that category for a piece of content. Content is classified for
/// safety across a number of harm categories and the probability of the harm
/// classification is included here.
final class SafetyRating {
// ignore: public_member_api_docs
SafetyRating(this.category, this.probability,
{this.probabilityScore,
this.isBlocked,
this.severity,
this.severityScore});
/// The category for this rating.
final HarmCategory category;
/// The probability of harm for this content.
final HarmProbability probability;
/// The score for harm probability
final double? probabilityScore;
/// Whether it's blocked
final bool? isBlocked;
/// The severity of harm for this content.
final HarmSeverity? severity;
/// The score for harm severity
final double? severityScore;
}
/// The reason why a prompt was blocked.
enum BlockReason {
/// Default value to use when a blocking reason isn't set.
///
/// Never used as the reason for blocking a prompt.
unknown('UNKNOWN'),
/// Prompt was blocked due to safety reasons.
///
/// You can inspect `safetyRatings` to see which safety category blocked the
/// prompt.
safety('SAFETY'),
/// Prompt was blocked due to other unspecified reasons.
other('OTHER');
const BlockReason(this._jsonString);
// ignore: unused_element
static BlockReason _parseValue(String jsonObject) {
return switch (jsonObject) {
'BLOCK_REASON_UNSPECIFIED' => BlockReason.unknown,
'SAFETY' => BlockReason.safety,
'OTHER' => BlockReason.other,
_ => throw FormatException('Unhandled BlockReason format', jsonObject),
};
}
final String _jsonString;
/// Convert to json format
String toJson() => _jsonString;
@override
String toString() => name;
}
/// The category of a rating.
///
/// These categories cover various kinds of harms that developers may wish to
/// adjust.
enum HarmCategory {
/// Harm category is not specified.
unknown('UNKNOWN'),
/// Malicious, intimidating, bullying, or abusive comments targeting another
/// individual.
harassment('HARM_CATEGORY_HARASSMENT'),
/// Negative or harmful comments targeting identity and/or protected
/// attributes.
hateSpeech('HARM_CATEGORY_HATE_SPEECH'),
/// Contains references to sexual acts or other lewd content.
sexuallyExplicit('HARM_CATEGORY_SEXUALLY_EXPLICIT'),
/// Promotes or enables access to harmful goods, services, and activities.
dangerousContent('HARM_CATEGORY_DANGEROUS_CONTENT');
const HarmCategory(this._jsonString);
// ignore: unused_element
static HarmCategory _parseValue(Object jsonObject) {
return switch (jsonObject) {
'HARM_CATEGORY_UNSPECIFIED' => HarmCategory.unknown,
'HARM_CATEGORY_HARASSMENT' => HarmCategory.harassment,
'HARM_CATEGORY_HATE_SPEECH' => HarmCategory.hateSpeech,
'HARM_CATEGORY_SEXUALLY_EXPLICIT' => HarmCategory.sexuallyExplicit,
'HARM_CATEGORY_DANGEROUS_CONTENT' => HarmCategory.dangerousContent,
_ => throw FormatException('Unhandled HarmCategory format', jsonObject),
};
}
@override
String toString() => name;
final String _jsonString;
/// Convert to json format.
String toJson() => _jsonString;
}
/// The probability that a piece of content is harmful.
///
/// The classification system gives the probability of the content being unsafe.
/// This does not indicate the severity of harm for a piece of content.
enum HarmProbability {
/// A new and not yet supported value.
unknown('UNKNOWN'),
/// Content has a negligible probability of being unsafe.
negligible('NEGLIGIBLE'),
/// Content has a low probability of being unsafe.
low('LOW'),
/// Content has a medium probability of being unsafe.
medium('MEDIUM'),
/// Content has a high probability of being unsafe.
high('HIGH');
const HarmProbability(this._jsonString);
// ignore: unused_element
static HarmProbability _parseValue(Object jsonObject) {
return switch (jsonObject) {
'UNSPECIFIED' => HarmProbability.unknown,
'NEGLIGIBLE' => HarmProbability.negligible,
'LOW' => HarmProbability.low,
'MEDIUM' => HarmProbability.medium,
'HIGH' => HarmProbability.high,
_ =>
throw FormatException('Unhandled HarmProbability format', jsonObject),
};
}
final String _jsonString;
/// Convert to json format.
String toJson() => _jsonString;
@override
String toString() => name;
}
/// The severity that a piece of content is harmful.
///
/// Represents the severity of a [HarmCategory] being applicable in a [SafetyRating].
enum HarmSeverity {
/// A new and not yet supported value.
unknown('UNKNOWN'),
/// Severity for harm is negligible..
negligible('NEGLIGIBLE'),
/// Low level of harm severity..
low('LOW'),
/// Medium level of harm severity.
medium('MEDIUM'),
/// High level of harm severity.
high('HIGH');
const HarmSeverity(this._jsonString);
// ignore: unused_element
static HarmSeverity _parseValue(Object jsonObject) {
return switch (jsonObject) {
'HARM_SEVERITY_UNSPECIFIED' => HarmSeverity.unknown,
'HARM_SEVERITY_NEGLIGIBLE' => HarmSeverity.negligible,
'HARM_SEVERITY_LOW' => HarmSeverity.low,
'HARM_SEVERITY_MEDIUM' => HarmSeverity.medium,
'HARM_SEVERITY_HIGH' => HarmSeverity.high,
_ => throw FormatException('Unhandled HarmSeverity format', jsonObject),
};
}
final String _jsonString;
/// Convert to json format.
String toJson() => _jsonString;
@override
String toString() => name;
}
/// Source attributions for a piece of content.
final class CitationMetadata {
// ignore: public_member_api_docs
CitationMetadata(this.citations);
/// Citations to sources for a specific response.
final List<Citation> citations;
}
/// Citation to a source for a portion of a specific response.
final class Citation {
// ignore: public_member_api_docs
Citation(this.startIndex, this.endIndex, this.uri, this.license);
/// Start of segment of the response that is attributed to this source.
///
/// Index indicates the start of the segment, measured in bytes.
final int? startIndex;
/// End of the attributed segment, exclusive.
final int? endIndex;
/// URI that is attributed as a source for a portion of the text.
final Uri? uri;
/// License for the GitHub project that is attributed as a source for segment.
///
/// License info is required for code citations.
final String? license;
}
/// Reason why a model stopped generating tokens.
enum FinishReason {
/// Default value to use when a finish reason isn't set.
///
/// Never used as the reason for finishing.
unknown('UNKNOWN'),
/// Natural stop point of the model or provided stop sequence.
stop('STOP'),
/// The maximum number of tokens as specified in the request was reached.
maxTokens('MAX_TOKENS'),
/// The candidate content was flagged for safety reasons.
safety('SAFETY'),
/// The candidate content was flagged for recitation reasons.
recitation('RECITATION'),
/// Unknown reason.
other('OTHER');
const FinishReason(this._jsonString);
final String _jsonString;
/// Convert to json format
String toJson() => _jsonString;
// ignore: unused_element
static FinishReason _parseValue(Object jsonObject) {
return switch (jsonObject) {
'UNSPECIFIED' => FinishReason.unknown,
'STOP' => FinishReason.stop,
'MAX_TOKENS' => FinishReason.maxTokens,
'SAFETY' => FinishReason.safety,
'RECITATION' => FinishReason.recitation,
'OTHER' => FinishReason.other,
_ => throw FormatException('Unhandled FinishReason format', jsonObject),
};
}
@override
String toString() => name;
}
/// Represents token counting info for a single modality.
final class ModalityTokenCount {
/// Constructor
ModalityTokenCount(this.modality, this.tokenCount);
/// The modality associated with this token count.
final ContentModality modality;
/// The number of tokens counted.
final int tokenCount;
}
/// Content part modality.
enum ContentModality {
/// Unspecified modality.
unspecified('MODALITY_UNSPECIFIED'),
/// Plain text.
text('TEXT'),
/// Image.
image('IMAGE'),
/// Video.
video('VIDEO'),
/// Audio.
audio('AUDIO'),
/// Document, e.g. PDF.
document('DOCUMENT');
const ContentModality(this._jsonString);
static ContentModality _parseValue(Object jsonObject) {
return switch (jsonObject) {
'MODALITY_UNSPECIFIED' => ContentModality.unspecified,
'TEXT' => ContentModality.text,
'IMAGE' => ContentModality.image,
'video' => ContentModality.video,
'audio' => ContentModality.audio,
'document' => ContentModality.document,
_ =>
throw FormatException('Unhandled ContentModality format', jsonObject),
};
}
final String _jsonString;
@override
String toString() => name;
/// Convert to json format.
Object toJson() => _jsonString;
}
/// Safety setting, affecting the safety-blocking behavior.
///
/// Passing a safety setting for a category changes the allowed probability that
/// content is blocked.
final class SafetySetting {
// ignore: public_member_api_docs
SafetySetting(this.category, this.threshold);
/// The category for this setting.
final HarmCategory category;
/// Controls the probability threshold at which harm is blocked.
final HarmBlockThreshold threshold;
/// Convert to json format.
Object toJson() =>
{'category': category.toJson(), 'threshold': threshold.toJson()};
}
/// Probability of harm which causes content to be blocked.
///
/// When provided in [SafetySetting.threshold], a predicted harm probability at
/// or above this level will block content from being returned.
enum HarmBlockThreshold {
/// Block when medium or high probability of unsafe content.
low('BLOCK_LOW_AND_ABOVE'),
/// Block when medium or high probability of unsafe content.
medium('BLOCK_MEDIUM_AND_ABOVE'),
/// Block when high probability of unsafe content.
high('BLOCK_ONLY_HIGH'),
/// Always show regardless of probability of unsafe content.
none('BLOCK_NONE');
const HarmBlockThreshold(this._jsonString);
// ignore: unused_element
static HarmBlockThreshold _parseValue(Object jsonObject) {
return switch (jsonObject) {
'BLOCK_LOW_AND_ABOVE' => HarmBlockThreshold.low,
'BLOCK_MEDIUM_AND_ABOVE' => HarmBlockThreshold.medium,
'BLOCK_ONLY_HIGH' => HarmBlockThreshold.high,
'BLOCK_NONE' => HarmBlockThreshold.none,
_ => throw FormatException(
'Unhandled HarmBlockThreshold format', jsonObject),
};
}
final String _jsonString;
@override
String toString() => name;
/// Convert to json format.
Object toJson() => _jsonString;
}
abstract class BaseGenerationConfig {
// ignore: public_member_api_docs
BaseGenerationConfig({
this.candidateCount,
this.maxOutputTokens,
this.temperature,
this.topP,
this.topK,
});
/// Number of generated responses to return.
///
/// This value must be between [1, 8], inclusive. If unset, this will default
/// to 1.
final int? candidateCount;
/// The maximum number of tokens to include in a candidate.
///
/// If unset, this will default to output_token_limit specified in the `Model`
/// specification.
final int? maxOutputTokens;
/// Controls the randomness of the output.
///
/// Note: The default value varies by model.
///
/// Values can range from `[0.0, infinity]`, inclusive. A value temperature
/// must be greater than 0.0.
final double? temperature;
/// The maximum cumulative probability of tokens to consider when sampling.
///
/// The model uses combined Top-k and nucleus sampling. Tokens are sorted
/// based on their assigned probabilities so that only the most likely tokens
/// are considered. Top-k sampling directly limits the maximum number of
/// tokens to consider, while Nucleus sampling limits number of tokens based
/// on the cumulative probability.
///
/// Note: The default value varies by model.
final double? topP;
/// The maximum number of tokens to consider when sampling.
///
/// The model uses combined Top-k and nucleus sampling. Top-k sampling
/// considers the set of `top_k` most probable tokens. Defaults to 40.
///
/// Note: The default value varies by model.
final int? topK;
// ignore: public_member_api_docs
Map<String, Object?> toJson() => {
if (candidateCount case final candidateCount?)
'candidateCount': candidateCount,
if (maxOutputTokens case final maxOutputTokens?)
'maxOutputTokens': maxOutputTokens,
if (temperature case final temperature?) 'temperature': temperature,
if (topP case final topP?) 'topP': topP,
if (topK case final topK?) 'topK': topK,
};
}
/// Configuration options for model generation and outputs.
final class GenerationConfig extends BaseGenerationConfig {
// ignore: public_member_api_docs
GenerationConfig({
super.candidateCount,
this.stopSequences,
super.maxOutputTokens,
super.temperature,
super.topP,
super.topK,
this.responseMimeType,
this.responseSchema,
});
/// The set of character sequences (up to 5) that will stop output generation.
///
/// If specified, the API will stop at the first appearance of a stop
/// sequence. The stop sequence will not be included as part of the response.
final List<String>? stopSequences;
/// Output response mimetype of the generated candidate text.
///
/// Supported mimetype:
/// - `text/plain`: (default) Text output.
/// - `application/json`: JSON response in the candidates.
final String? responseMimeType;
/// Output response schema of the generated candidate text.
///
/// - Note: This only applies when the [responseMimeType] supports
/// a schema; currently this is limited to `application/json`.
final Schema? responseSchema;
@override
Map<String, Object?> toJson() => {
...super.toJson(),
if (stopSequences case final stopSequences?
when stopSequences.isNotEmpty)
'stopSequences': stopSequences,
if (responseMimeType case final responseMimeType?)
'responseMimeType': responseMimeType,
if (responseSchema case final responseSchema?)
'responseSchema': responseSchema,
};
}
/// Configuration options for model generation and outputs.
// final class GenerationConfig {
// // ignore: public_member_api_docs
// GenerationConfig(
// {this.candidateCount,
// this.stopSequences,
// this.maxOutputTokens,
// this.temperature,
// this.topP,
// this.topK,
// this.responseMimeType,
// this.responseSchema});
// /// Number of generated responses to return.
// ///
// /// This value must be between [1, 8], inclusive. If unset, this will default
// /// to 1.
// final int? candidateCount;
// /// The set of character sequences (up to 5) that will stop output generation.
// ///
// /// If specified, the API will stop at the first appearance of a stop
// /// sequence. The stop sequence will not be included as part of the response.
// final List<String>? stopSequences;
// /// The maximum number of tokens to include in a candidate.
// ///
// /// If unset, this will default to output_token_limit specified in the `Model`
// /// specification.
// final int? maxOutputTokens;
// /// Controls the randomness of the output.
// ///
// /// Note: The default value varies by model.
// ///
// /// Values can range from `[0.0, infinity]`, inclusive. A value temperature
// /// must be greater than 0.0.
// final double? temperature;
// /// The maximum cumulative probability of tokens to consider when sampling.
// ///
// /// The model uses combined Top-k and nucleus sampling. Tokens are sorted
// /// based on their assigned probabilities so that only the most likely tokens
// /// are considered. Top-k sampling directly limits the maximum number of
// /// tokens to consider, while Nucleus sampling limits number of tokens based
// /// on the cumulative probability.
// ///
// /// Note: The default value varies by model.
// final double? topP;
// /// The maximum number of tokens to consider when sampling.
// ///
// /// The model uses combined Top-k and nucleus sampling. Top-k sampling
// /// considers the set of `top_k` most probable tokens. Defaults to 40.
// ///
// /// Note: The default value varies by model.
// final int? topK;
// /// Output response mimetype of the generated candidate text.
// ///
// /// Supported mimetype:
// /// - `text/plain`: (default) Text output.
// /// - `application/json`: JSON response in the candidates.
// final String? responseMimeType;
// /// Output response schema of the generated candidate text.
// ///
// /// - Note: This only applies when the [responseMimeType] supports
// /// a schema; currently this is limited to `application/json`.
// final Schema? responseSchema;
// /// Convert to json format
// Map<String, Object?> toJson() => {
// if (candidateCount case final candidateCount?)
// 'candidateCount': candidateCount,
// if (stopSequences case final stopSequences?
// when stopSequences.isNotEmpty)
// 'stopSequences': stopSequences,
// if (maxOutputTokens case final maxOutputTokens?)
// 'maxOutputTokens': maxOutputTokens,
// if (temperature case final temperature?) 'temperature': temperature,
// if (topP case final topP?) 'topP': topP,
// if (topK case final topK?) 'topK': topK,
// if (responseMimeType case final responseMimeType?)
// 'responseMimeType': responseMimeType,
// if (responseSchema case final responseSchema?)
// 'responseSchema': responseSchema,
// };
// }
/// Type of task for which the embedding will be used.
enum TaskType {
/// Unset value, which will default to one of the other enum values.
unspecified('TASK_TYPE_UNSPECIFIED'),
/// Specifies the given text is a query in a search/retrieval setting.
retrievalQuery('RETRIEVAL_QUERY'),
/// Specifies the given text is a document from the corpus being searched.
retrievalDocument('RETRIEVAL_DOCUMENT'),
/// Specifies the given text will be used for STS.
semanticSimilarity('SEMANTIC_SIMILARITY'),
/// Specifies that the given text will be classified.
classification('CLASSIFICATION'),
/// Specifies that the embeddings will be used for clustering.
clustering('CLUSTERING');
const TaskType(this._jsonString);
// ignore: unused_element
static TaskType _parseValue(Object jsonObject) {
return switch (jsonObject) {
'TASK_TYPE_UNSPECIFIED' => TaskType.unspecified,
'RETRIEVAL_QUERY' => TaskType.retrievalQuery,
'RETRIEVAL_DOCUMENT' => TaskType.retrievalDocument,
'SEMANTIC_SIMILARITY' => TaskType.semanticSimilarity,
'CLASSIFICATION' => TaskType.classification,
'CLUSTERING' => TaskType.clustering,
_ => throw FormatException('Unhandled TaskType format', jsonObject),
};
}
final String _jsonString;
/// Convert to json format
Object toJson() => _jsonString;
}
/// Parse the json to [GenerateContentResponse]
GenerateContentResponse parseGenerateContentResponse(Object jsonObject) {
if (jsonObject case {'error': final Object error}) throw parseError(error);
final candidates = switch (jsonObject) {
{'candidates': final List<Object?> candidates} =>
candidates.map(_parseCandidate).toList(),
_ => <Candidate>[]
};
final promptFeedback = switch (jsonObject) {
{'promptFeedback': final promptFeedback?} =>
_parsePromptFeedback(promptFeedback),
_ => null,
};
final usageMedata = switch (jsonObject) {
{'usageMetadata': final usageMetadata?} =>
_parseUsageMetadata(usageMetadata),
_ => null,
};
return GenerateContentResponse(candidates, promptFeedback,
usageMetadata: usageMedata);
}
/// Parse the json to [CountTokensResponse]
CountTokensResponse parseCountTokensResponse(Object jsonObject) {
if (jsonObject case {'error': final Object error}) throw parseError(error);
if (jsonObject is! Map) {
throw unhandledFormat('CountTokensResponse', jsonObject);
}
final totalTokens = jsonObject['totalTokens'] as int;
final totalBillableCharacters = switch (jsonObject) {
{'totalBillableCharacters': final int totalBillableCharacters} =>
totalBillableCharacters,
_ => null,
};
final promptTokensDetails = switch (jsonObject) {
{'promptTokensDetails': final List<Object?> promptTokensDetails} =>
promptTokensDetails.map(_parseModalityTokenCount).toList(),
_ => null,
};
return CountTokensResponse(
totalTokens,
totalBillableCharacters: totalBillableCharacters,
promptTokensDetails: promptTokensDetails,
);
}
Candidate _parseCandidate(Object? jsonObject) {
if (jsonObject is! Map) {
throw unhandledFormat('Candidate', jsonObject);
}
return Candidate(
jsonObject.containsKey('content')
? parseContent(jsonObject['content'] as Object)
: Content(null, []),
switch (jsonObject) {
{'safetyRatings': final List<Object?> safetyRatings} =>
safetyRatings.map(_parseSafetyRating).toList(),
_ => null
},
switch (jsonObject) {
{'citationMetadata': final Object citationMetadata} =>
_parseCitationMetadata(citationMetadata),
_ => null
},
switch (jsonObject) {
{'finishReason': final Object finishReason} =>
FinishReason._parseValue(finishReason),
_ => null
},
switch (jsonObject) {
{'finishMessage': final String finishMessage} => finishMessage,
_ => null
},
);
}
PromptFeedback _parsePromptFeedback(Object jsonObject) {
return switch (jsonObject) {
{
'safetyRatings': final List<Object?> safetyRatings,
} =>
PromptFeedback(
switch (jsonObject) {
{'blockReason': final String blockReason} =>
BlockReason._parseValue(blockReason),
_ => null,
},
switch (jsonObject) {
{'blockReasonMessage': final String blockReasonMessage} =>
blockReasonMessage,
_ => null,
},
safetyRatings.map(_parseSafetyRating).toList()),
_ => throw unhandledFormat('PromptFeedback', jsonObject),
};
}
UsageMetadata _parseUsageMetadata(Object jsonObject) {
if (jsonObject is! Map<String, Object?>) {
throw unhandledFormat('UsageMetadata', jsonObject);
}
final promptTokenCount = switch (jsonObject) {
{'promptTokenCount': final int promptTokenCount} => promptTokenCount,
_ => null,
};
final candidatesTokenCount = switch (jsonObject) {
{'candidatesTokenCount': final int candidatesTokenCount} =>
candidatesTokenCount,
_ => null,
};
final totalTokenCount = switch (jsonObject) {
{'totalTokenCount': final int totalTokenCount} => totalTokenCount,
_ => null,
};
final promptTokensDetails = switch (jsonObject) {
{'promptTokensDetails': final List<Object?> promptTokensDetails} =>
promptTokensDetails.map(_parseModalityTokenCount).toList(),
_ => null,
};
final candidatesTokensDetails = switch (jsonObject) {
{'candidatesTokensDetails': final List<Object?> candidatesTokensDetails} =>
candidatesTokensDetails.map(_parseModalityTokenCount).toList(),
_ => null,
};
return UsageMetadata._(
promptTokenCount: promptTokenCount,
candidatesTokenCount: candidatesTokenCount,
totalTokenCount: totalTokenCount,
promptTokensDetails: promptTokensDetails,
candidatesTokensDetails: candidatesTokensDetails);
}
ModalityTokenCount _parseModalityTokenCount(Object? jsonObject) {
if (jsonObject is! Map) {
throw unhandledFormat('ModalityTokenCount', jsonObject);
}
return ModalityTokenCount(ContentModality._parseValue(jsonObject['modality']),
jsonObject['tokenCount'] as int);
}
SafetyRating _parseSafetyRating(Object? jsonObject) {
if (jsonObject is! Map) {
throw unhandledFormat('SafetyRating', jsonObject);
}
return SafetyRating(HarmCategory._parseValue(jsonObject['category']),
HarmProbability._parseValue(jsonObject['probability']),
probabilityScore: jsonObject['probabilityScore'] as double?,
isBlocked: jsonObject['blocked'] as bool?,
severity: jsonObject['severity'] != null