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
// This file is @generated by prost-build.
/// Container for enum describing possible header errors.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct HeaderErrorEnum {}
/// Nested message and enum types in `HeaderErrorEnum`.
pub mod header_error_enum {
/// Enum describing possible header errors.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum HeaderError {
/// Enum unspecified.
Unspecified = 0,
/// The received error code is not known in this version.
Unknown = 1,
/// The user selected customer ID could not be validated.
InvalidUserSelectedCustomerId = 2,
/// The login customer ID could not be validated.
InvalidLoginCustomerId = 3,
}
impl HeaderError {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
HeaderError::Unspecified => "UNSPECIFIED",
HeaderError::Unknown => "UNKNOWN",
HeaderError::InvalidUserSelectedCustomerId => {
"INVALID_USER_SELECTED_CUSTOMER_ID"
}
HeaderError::InvalidLoginCustomerId => "INVALID_LOGIN_CUSTOMER_ID",
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"INVALID_USER_SELECTED_CUSTOMER_ID" => {
Some(Self::InvalidUserSelectedCustomerId)
}
"INVALID_LOGIN_CUSTOMER_ID" => Some(Self::InvalidLoginCustomerId),
_ => None,
}
}
}
}
/// Container for enum describing possible internal errors.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct InternalErrorEnum {}
/// Nested message and enum types in `InternalErrorEnum`.
pub mod internal_error_enum {
/// Enum describing possible internal errors.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum InternalError {
/// Enum unspecified.
Unspecified = 0,
/// The received error code is not known in this version.
Unknown = 1,
/// API encountered unexpected internal error.
InternalError = 2,
/// The intended error code doesn't exist in specified API version. It will
/// be released in a future API version.
ErrorCodeNotPublished = 3,
/// API encountered an unexpected transient error. The user
/// should retry their request in these cases.
TransientError = 4,
/// The request took longer than a deadline.
DeadlineExceeded = 5,
}
impl InternalError {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
InternalError::Unspecified => "UNSPECIFIED",
InternalError::Unknown => "UNKNOWN",
InternalError::InternalError => "INTERNAL_ERROR",
InternalError::ErrorCodeNotPublished => "ERROR_CODE_NOT_PUBLISHED",
InternalError::TransientError => "TRANSIENT_ERROR",
InternalError::DeadlineExceeded => "DEADLINE_EXCEEDED",
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"INTERNAL_ERROR" => Some(Self::InternalError),
"ERROR_CODE_NOT_PUBLISHED" => Some(Self::ErrorCodeNotPublished),
"TRANSIENT_ERROR" => Some(Self::TransientError),
"DEADLINE_EXCEEDED" => Some(Self::DeadlineExceeded),
_ => None,
}
}
}
}
/// Container for enum describing possible size limit errors.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct SizeLimitErrorEnum {}
/// Nested message and enum types in `SizeLimitErrorEnum`.
pub mod size_limit_error_enum {
/// Enum describing possible size limit errors.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum SizeLimitError {
/// Enum unspecified.
Unspecified = 0,
/// The received error code is not known in this version.
Unknown = 1,
/// The number of entries in the request exceeds the system limit, or the
/// contents of the operations exceed transaction limits due to their size
/// or complexity. Try reducing the number of entries per request.
RequestSizeLimitExceeded = 2,
/// The number of entries in the response exceeds the system limit.
ResponseSizeLimitExceeded = 3,
}
impl SizeLimitError {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
SizeLimitError::Unspecified => "UNSPECIFIED",
SizeLimitError::Unknown => "UNKNOWN",
SizeLimitError::RequestSizeLimitExceeded => "REQUEST_SIZE_LIMIT_EXCEEDED",
SizeLimitError::ResponseSizeLimitExceeded => {
"RESPONSE_SIZE_LIMIT_EXCEEDED"
}
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"REQUEST_SIZE_LIMIT_EXCEEDED" => Some(Self::RequestSizeLimitExceeded),
"RESPONSE_SIZE_LIMIT_EXCEEDED" => Some(Self::ResponseSizeLimitExceeded),
_ => None,
}
}
}
}
/// Container for enum describing possible distinct errors.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct DistinctErrorEnum {}
/// Nested message and enum types in `DistinctErrorEnum`.
pub mod distinct_error_enum {
/// Enum describing possible distinct errors.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum DistinctError {
/// Enum unspecified.
Unspecified = 0,
/// The received error code is not known in this version.
Unknown = 1,
/// Duplicate element.
DuplicateElement = 2,
/// Duplicate type.
DuplicateType = 3,
}
impl DistinctError {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
DistinctError::Unspecified => "UNSPECIFIED",
DistinctError::Unknown => "UNKNOWN",
DistinctError::DuplicateElement => "DUPLICATE_ELEMENT",
DistinctError::DuplicateType => "DUPLICATE_TYPE",
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"DUPLICATE_ELEMENT" => Some(Self::DuplicateElement),
"DUPLICATE_TYPE" => Some(Self::DuplicateType),
_ => None,
}
}
}
}
/// Container for enum describing possible date errors.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct DateErrorEnum {}
/// Nested message and enum types in `DateErrorEnum`.
pub mod date_error_enum {
/// Enum describing possible date errors.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum DateError {
/// Enum unspecified.
Unspecified = 0,
/// The received error code is not known in this version.
Unknown = 1,
/// Given field values do not correspond to a valid date.
InvalidFieldValuesInDate = 2,
/// Given field values do not correspond to a valid date time.
InvalidFieldValuesInDateTime = 3,
/// The string date's format should be yyyy-mm-dd.
InvalidStringDate = 4,
/// The string date time's format should be yyyy-mm-dd hh:mm:ss.ssssss.
InvalidStringDateTimeMicros = 6,
/// The string date time's format should be yyyy-mm-dd hh:mm:ss.
InvalidStringDateTimeSeconds = 11,
/// The string date time's format should be yyyy-mm-dd hh:mm:ss+|-hh:mm.
InvalidStringDateTimeSecondsWithOffset = 12,
/// Date is before allowed minimum.
EarlierThanMinimumDate = 7,
/// Date is after allowed maximum.
LaterThanMaximumDate = 8,
/// Date range bounds are not in order.
DateRangeMinimumDateLaterThanMaximumDate = 9,
/// Both dates in range are null.
DateRangeMinimumAndMaximumDatesBothNull = 10,
}
impl DateError {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
DateError::Unspecified => "UNSPECIFIED",
DateError::Unknown => "UNKNOWN",
DateError::InvalidFieldValuesInDate => "INVALID_FIELD_VALUES_IN_DATE",
DateError::InvalidFieldValuesInDateTime => {
"INVALID_FIELD_VALUES_IN_DATE_TIME"
}
DateError::InvalidStringDate => "INVALID_STRING_DATE",
DateError::InvalidStringDateTimeMicros => {
"INVALID_STRING_DATE_TIME_MICROS"
}
DateError::InvalidStringDateTimeSeconds => {
"INVALID_STRING_DATE_TIME_SECONDS"
}
DateError::InvalidStringDateTimeSecondsWithOffset => {
"INVALID_STRING_DATE_TIME_SECONDS_WITH_OFFSET"
}
DateError::EarlierThanMinimumDate => "EARLIER_THAN_MINIMUM_DATE",
DateError::LaterThanMaximumDate => "LATER_THAN_MAXIMUM_DATE",
DateError::DateRangeMinimumDateLaterThanMaximumDate => {
"DATE_RANGE_MINIMUM_DATE_LATER_THAN_MAXIMUM_DATE"
}
DateError::DateRangeMinimumAndMaximumDatesBothNull => {
"DATE_RANGE_MINIMUM_AND_MAXIMUM_DATES_BOTH_NULL"
}
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"INVALID_FIELD_VALUES_IN_DATE" => Some(Self::InvalidFieldValuesInDate),
"INVALID_FIELD_VALUES_IN_DATE_TIME" => {
Some(Self::InvalidFieldValuesInDateTime)
}
"INVALID_STRING_DATE" => Some(Self::InvalidStringDate),
"INVALID_STRING_DATE_TIME_MICROS" => {
Some(Self::InvalidStringDateTimeMicros)
}
"INVALID_STRING_DATE_TIME_SECONDS" => {
Some(Self::InvalidStringDateTimeSeconds)
}
"INVALID_STRING_DATE_TIME_SECONDS_WITH_OFFSET" => {
Some(Self::InvalidStringDateTimeSecondsWithOffset)
}
"EARLIER_THAN_MINIMUM_DATE" => Some(Self::EarlierThanMinimumDate),
"LATER_THAN_MAXIMUM_DATE" => Some(Self::LaterThanMaximumDate),
"DATE_RANGE_MINIMUM_DATE_LATER_THAN_MAXIMUM_DATE" => {
Some(Self::DateRangeMinimumDateLaterThanMaximumDate)
}
"DATE_RANGE_MINIMUM_AND_MAXIMUM_DATES_BOTH_NULL" => {
Some(Self::DateRangeMinimumAndMaximumDatesBothNull)
}
_ => None,
}
}
}
}
/// Container for enum describing possible custom column errors.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct CustomColumnErrorEnum {}
/// Nested message and enum types in `CustomColumnErrorEnum`.
pub mod custom_column_error_enum {
/// Enum describing possible custom column errors.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum CustomColumnError {
/// Enum unspecified.
Unspecified = 0,
/// The received error code is not known in this version.
Unknown = 1,
/// The custom column has not been found.
CustomColumnNotFound = 2,
/// The custom column is not available.
CustomColumnNotAvailable = 3,
}
impl CustomColumnError {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
CustomColumnError::Unspecified => "UNSPECIFIED",
CustomColumnError::Unknown => "UNKNOWN",
CustomColumnError::CustomColumnNotFound => "CUSTOM_COLUMN_NOT_FOUND",
CustomColumnError::CustomColumnNotAvailable => {
"CUSTOM_COLUMN_NOT_AVAILABLE"
}
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"CUSTOM_COLUMN_NOT_FOUND" => Some(Self::CustomColumnNotFound),
"CUSTOM_COLUMN_NOT_AVAILABLE" => Some(Self::CustomColumnNotAvailable),
_ => None,
}
}
}
}
/// Container for enum describing possible date range errors.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct DateRangeErrorEnum {}
/// Nested message and enum types in `DateRangeErrorEnum`.
pub mod date_range_error_enum {
/// Enum describing possible date range errors.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum DateRangeError {
/// Enum unspecified.
Unspecified = 0,
/// The received error code is not known in this version.
Unknown = 1,
/// Invalid date.
InvalidDate = 2,
/// The start date was after the end date.
StartDateAfterEndDate = 3,
/// Cannot set date to past time
CannotSetDateToPast = 4,
/// A date was used that is past the system "last" date.
AfterMaximumAllowableDate = 5,
/// Trying to change start date on a resource that has started.
CannotModifyStartDateIfAlreadyStarted = 6,
}
impl DateRangeError {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
DateRangeError::Unspecified => "UNSPECIFIED",
DateRangeError::Unknown => "UNKNOWN",
DateRangeError::InvalidDate => "INVALID_DATE",
DateRangeError::StartDateAfterEndDate => "START_DATE_AFTER_END_DATE",
DateRangeError::CannotSetDateToPast => "CANNOT_SET_DATE_TO_PAST",
DateRangeError::AfterMaximumAllowableDate => {
"AFTER_MAXIMUM_ALLOWABLE_DATE"
}
DateRangeError::CannotModifyStartDateIfAlreadyStarted => {
"CANNOT_MODIFY_START_DATE_IF_ALREADY_STARTED"
}
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"INVALID_DATE" => Some(Self::InvalidDate),
"START_DATE_AFTER_END_DATE" => Some(Self::StartDateAfterEndDate),
"CANNOT_SET_DATE_TO_PAST" => Some(Self::CannotSetDateToPast),
"AFTER_MAXIMUM_ALLOWABLE_DATE" => Some(Self::AfterMaximumAllowableDate),
"CANNOT_MODIFY_START_DATE_IF_ALREADY_STARTED" => {
Some(Self::CannotModifyStartDateIfAlreadyStarted)
}
_ => None,
}
}
}
}
/// Container for enum describing possible request errors.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct RequestErrorEnum {}
/// Nested message and enum types in `RequestErrorEnum`.
pub mod request_error_enum {
/// Enum describing possible request errors.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum RequestError {
/// Enum unspecified.
Unspecified = 0,
/// The received error code is not known in this version.
Unknown = 1,
/// Resource name is required for this request.
ResourceNameMissing = 3,
/// Resource name provided is malformed.
ResourceNameMalformed = 4,
/// Resource name provided is malformed.
BadResourceId = 17,
/// Product name is invalid.
InvalidProductName = 35,
/// Customer ID is invalid.
InvalidCustomerId = 16,
/// Mutate operation should have either create, update, or remove specified.
OperationRequired = 5,
/// Requested resource not found.
ResourceNotFound = 6,
/// Next page token specified in user request is invalid.
InvalidPageToken = 7,
/// Next page token specified in user request has expired.
ExpiredPageToken = 8,
/// Page size specified in user request is invalid.
InvalidPageSize = 22,
/// Required field is missing.
RequiredFieldMissing = 9,
/// The field cannot be modified because it's immutable. It's also possible
/// that the field can be modified using 'create' operation but not 'update'.
ImmutableField = 11,
/// Received too many entries in request.
TooManyMutateOperations = 13,
/// Request cannot be executed by a manager account.
CannotBeExecutedByManagerAccount = 14,
/// Mutate request was attempting to modify a readonly field.
/// For instance, Budget fields can be requested for Ad Group,
/// but are read-only for adGroups:mutate.
CannotModifyForeignField = 15,
/// Enum value is not permitted.
InvalidEnumValue = 18,
/// The login-customer-id parameter is required for this request.
LoginCustomerIdParameterMissing = 20,
/// Either login-customer-id or linked-customer-id parameter is required for
/// this request.
LoginOrLinkedCustomerIdParameterRequired = 34,
/// page_token is set in the validate only request
ValidateOnlyRequestHasPageToken = 21,
/// return_summary_row cannot be enabled if request did not select any
/// metrics field.
CannotReturnSummaryRowForRequestWithoutMetrics = 29,
/// return_summary_row should not be enabled for validate only requests.
CannotReturnSummaryRowForValidateOnlyRequests = 30,
/// return_summary_row parameter value should be the same between requests
/// with page_token field set and their original request.
InconsistentReturnSummaryRowValue = 31,
/// The total results count cannot be returned if it was not requested in the
/// original request.
TotalResultsCountNotOriginallyRequested = 32,
/// Deadline specified by the client was too short.
RpcDeadlineTooShort = 33,
/// The product associated with the request is not supported for the current
/// request.
ProductNotSupported = 37,
}
impl RequestError {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
RequestError::Unspecified => "UNSPECIFIED",
RequestError::Unknown => "UNKNOWN",
RequestError::ResourceNameMissing => "RESOURCE_NAME_MISSING",
RequestError::ResourceNameMalformed => "RESOURCE_NAME_MALFORMED",
RequestError::BadResourceId => "BAD_RESOURCE_ID",
RequestError::InvalidProductName => "INVALID_PRODUCT_NAME",
RequestError::InvalidCustomerId => "INVALID_CUSTOMER_ID",
RequestError::OperationRequired => "OPERATION_REQUIRED",
RequestError::ResourceNotFound => "RESOURCE_NOT_FOUND",
RequestError::InvalidPageToken => "INVALID_PAGE_TOKEN",
RequestError::ExpiredPageToken => "EXPIRED_PAGE_TOKEN",
RequestError::InvalidPageSize => "INVALID_PAGE_SIZE",
RequestError::RequiredFieldMissing => "REQUIRED_FIELD_MISSING",
RequestError::ImmutableField => "IMMUTABLE_FIELD",
RequestError::TooManyMutateOperations => "TOO_MANY_MUTATE_OPERATIONS",
RequestError::CannotBeExecutedByManagerAccount => {
"CANNOT_BE_EXECUTED_BY_MANAGER_ACCOUNT"
}
RequestError::CannotModifyForeignField => "CANNOT_MODIFY_FOREIGN_FIELD",
RequestError::InvalidEnumValue => "INVALID_ENUM_VALUE",
RequestError::LoginCustomerIdParameterMissing => {
"LOGIN_CUSTOMER_ID_PARAMETER_MISSING"
}
RequestError::LoginOrLinkedCustomerIdParameterRequired => {
"LOGIN_OR_LINKED_CUSTOMER_ID_PARAMETER_REQUIRED"
}
RequestError::ValidateOnlyRequestHasPageToken => {
"VALIDATE_ONLY_REQUEST_HAS_PAGE_TOKEN"
}
RequestError::CannotReturnSummaryRowForRequestWithoutMetrics => {
"CANNOT_RETURN_SUMMARY_ROW_FOR_REQUEST_WITHOUT_METRICS"
}
RequestError::CannotReturnSummaryRowForValidateOnlyRequests => {
"CANNOT_RETURN_SUMMARY_ROW_FOR_VALIDATE_ONLY_REQUESTS"
}
RequestError::InconsistentReturnSummaryRowValue => {
"INCONSISTENT_RETURN_SUMMARY_ROW_VALUE"
}
RequestError::TotalResultsCountNotOriginallyRequested => {
"TOTAL_RESULTS_COUNT_NOT_ORIGINALLY_REQUESTED"
}
RequestError::RpcDeadlineTooShort => "RPC_DEADLINE_TOO_SHORT",
RequestError::ProductNotSupported => "PRODUCT_NOT_SUPPORTED",
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"RESOURCE_NAME_MISSING" => Some(Self::ResourceNameMissing),
"RESOURCE_NAME_MALFORMED" => Some(Self::ResourceNameMalformed),
"BAD_RESOURCE_ID" => Some(Self::BadResourceId),
"INVALID_PRODUCT_NAME" => Some(Self::InvalidProductName),
"INVALID_CUSTOMER_ID" => Some(Self::InvalidCustomerId),
"OPERATION_REQUIRED" => Some(Self::OperationRequired),
"RESOURCE_NOT_FOUND" => Some(Self::ResourceNotFound),
"INVALID_PAGE_TOKEN" => Some(Self::InvalidPageToken),
"EXPIRED_PAGE_TOKEN" => Some(Self::ExpiredPageToken),
"INVALID_PAGE_SIZE" => Some(Self::InvalidPageSize),
"REQUIRED_FIELD_MISSING" => Some(Self::RequiredFieldMissing),
"IMMUTABLE_FIELD" => Some(Self::ImmutableField),
"TOO_MANY_MUTATE_OPERATIONS" => Some(Self::TooManyMutateOperations),
"CANNOT_BE_EXECUTED_BY_MANAGER_ACCOUNT" => {
Some(Self::CannotBeExecutedByManagerAccount)
}
"CANNOT_MODIFY_FOREIGN_FIELD" => Some(Self::CannotModifyForeignField),
"INVALID_ENUM_VALUE" => Some(Self::InvalidEnumValue),
"LOGIN_CUSTOMER_ID_PARAMETER_MISSING" => {
Some(Self::LoginCustomerIdParameterMissing)
}
"LOGIN_OR_LINKED_CUSTOMER_ID_PARAMETER_REQUIRED" => {
Some(Self::LoginOrLinkedCustomerIdParameterRequired)
}
"VALIDATE_ONLY_REQUEST_HAS_PAGE_TOKEN" => {
Some(Self::ValidateOnlyRequestHasPageToken)
}
"CANNOT_RETURN_SUMMARY_ROW_FOR_REQUEST_WITHOUT_METRICS" => {
Some(Self::CannotReturnSummaryRowForRequestWithoutMetrics)
}
"CANNOT_RETURN_SUMMARY_ROW_FOR_VALIDATE_ONLY_REQUESTS" => {
Some(Self::CannotReturnSummaryRowForValidateOnlyRequests)
}
"INCONSISTENT_RETURN_SUMMARY_ROW_VALUE" => {
Some(Self::InconsistentReturnSummaryRowValue)
}
"TOTAL_RESULTS_COUNT_NOT_ORIGINALLY_REQUESTED" => {
Some(Self::TotalResultsCountNotOriginallyRequested)
}
"RPC_DEADLINE_TOO_SHORT" => Some(Self::RpcDeadlineTooShort),
"PRODUCT_NOT_SUPPORTED" => Some(Self::ProductNotSupported),
_ => None,
}
}
}
}
/// Container for enum describing possible quota errors.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct QuotaErrorEnum {}
/// Nested message and enum types in `QuotaErrorEnum`.
pub mod quota_error_enum {
/// Enum describing possible quota errors.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum QuotaError {
/// Enum unspecified.
Unspecified = 0,
/// The received error code is not known in this version.
Unknown = 1,
/// Too many requests.
ResourceExhausted = 2,
/// Too many requests in a short amount of time.
ResourceTemporarilyExhausted = 4,
}
impl QuotaError {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
QuotaError::Unspecified => "UNSPECIFIED",
QuotaError::Unknown => "UNKNOWN",
QuotaError::ResourceExhausted => "RESOURCE_EXHAUSTED",
QuotaError::ResourceTemporarilyExhausted => {
"RESOURCE_TEMPORARILY_EXHAUSTED"
}
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"RESOURCE_EXHAUSTED" => Some(Self::ResourceExhausted),
"RESOURCE_TEMPORARILY_EXHAUSTED" => {
Some(Self::ResourceTemporarilyExhausted)
}
_ => None,
}
}
}
}
/// Container for enum describing possible authentication errors.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct AuthenticationErrorEnum {}
/// Nested message and enum types in `AuthenticationErrorEnum`.
pub mod authentication_error_enum {
/// Enum describing possible authentication errors.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum AuthenticationError {
/// Enum unspecified.
Unspecified = 0,
/// The received error code is not known in this version.
Unknown = 1,
/// Authentication of the request failed.
AuthenticationError = 2,
/// Client customer ID is not a number.
ClientCustomerIdInvalid = 5,
/// No customer found for the provided customer ID.
CustomerNotFound = 8,
/// Client's Google account is deleted.
GoogleAccountDeleted = 9,
/// Account login token in the cookie is invalid.
GoogleAccountCookieInvalid = 10,
/// A problem occurred during Google account authentication.
GoogleAccountAuthenticationFailed = 25,
/// The user in the Google account login token does not match the user ID in
/// the cookie.
GoogleAccountUserAndAdsUserMismatch = 12,
/// Login cookie is required for authentication.
LoginCookieRequired = 13,
/// The Google account that generated the OAuth access
/// token is not associated with a Search Ads 360 account. Create a new
/// account, or add the Google account to an existing Search Ads 360 account.
NotAdsUser = 14,
/// OAuth token in the header is not valid.
OauthTokenInvalid = 15,
/// OAuth token in the header has expired.
OauthTokenExpired = 16,
/// OAuth token in the header has been disabled.
OauthTokenDisabled = 17,
/// OAuth token in the header has been revoked.
OauthTokenRevoked = 18,
/// OAuth token HTTP header is malformed.
OauthTokenHeaderInvalid = 19,
/// Login cookie is not valid.
LoginCookieInvalid = 20,
/// User ID in the header is not a valid ID.
UserIdInvalid = 22,
/// An account administrator changed this account's authentication settings.
/// To access this account, enable 2-Step Verification in your
/// Google account at <https://www.google.com/landing/2step.>
TwoStepVerificationNotEnrolled = 23,
/// An account administrator changed this account's authentication settings.
/// To access this account, enable Advanced Protection in your
/// Google account at <https://landing.google.com/advancedprotection.>
AdvancedProtectionNotEnrolled = 24,
}
impl AuthenticationError {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
AuthenticationError::Unspecified => "UNSPECIFIED",
AuthenticationError::Unknown => "UNKNOWN",
AuthenticationError::AuthenticationError => "AUTHENTICATION_ERROR",
AuthenticationError::ClientCustomerIdInvalid => {
"CLIENT_CUSTOMER_ID_INVALID"
}
AuthenticationError::CustomerNotFound => "CUSTOMER_NOT_FOUND",
AuthenticationError::GoogleAccountDeleted => "GOOGLE_ACCOUNT_DELETED",
AuthenticationError::GoogleAccountCookieInvalid => {
"GOOGLE_ACCOUNT_COOKIE_INVALID"
}
AuthenticationError::GoogleAccountAuthenticationFailed => {
"GOOGLE_ACCOUNT_AUTHENTICATION_FAILED"
}
AuthenticationError::GoogleAccountUserAndAdsUserMismatch => {
"GOOGLE_ACCOUNT_USER_AND_ADS_USER_MISMATCH"
}
AuthenticationError::LoginCookieRequired => "LOGIN_COOKIE_REQUIRED",
AuthenticationError::NotAdsUser => "NOT_ADS_USER",
AuthenticationError::OauthTokenInvalid => "OAUTH_TOKEN_INVALID",
AuthenticationError::OauthTokenExpired => "OAUTH_TOKEN_EXPIRED",
AuthenticationError::OauthTokenDisabled => "OAUTH_TOKEN_DISABLED",
AuthenticationError::OauthTokenRevoked => "OAUTH_TOKEN_REVOKED",
AuthenticationError::OauthTokenHeaderInvalid => {
"OAUTH_TOKEN_HEADER_INVALID"
}
AuthenticationError::LoginCookieInvalid => "LOGIN_COOKIE_INVALID",
AuthenticationError::UserIdInvalid => "USER_ID_INVALID",
AuthenticationError::TwoStepVerificationNotEnrolled => {
"TWO_STEP_VERIFICATION_NOT_ENROLLED"
}
AuthenticationError::AdvancedProtectionNotEnrolled => {
"ADVANCED_PROTECTION_NOT_ENROLLED"
}
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"AUTHENTICATION_ERROR" => Some(Self::AuthenticationError),
"CLIENT_CUSTOMER_ID_INVALID" => Some(Self::ClientCustomerIdInvalid),
"CUSTOMER_NOT_FOUND" => Some(Self::CustomerNotFound),
"GOOGLE_ACCOUNT_DELETED" => Some(Self::GoogleAccountDeleted),
"GOOGLE_ACCOUNT_COOKIE_INVALID" => Some(Self::GoogleAccountCookieInvalid),
"GOOGLE_ACCOUNT_AUTHENTICATION_FAILED" => {
Some(Self::GoogleAccountAuthenticationFailed)
}
"GOOGLE_ACCOUNT_USER_AND_ADS_USER_MISMATCH" => {
Some(Self::GoogleAccountUserAndAdsUserMismatch)
}
"LOGIN_COOKIE_REQUIRED" => Some(Self::LoginCookieRequired),
"NOT_ADS_USER" => Some(Self::NotAdsUser),
"OAUTH_TOKEN_INVALID" => Some(Self::OauthTokenInvalid),
"OAUTH_TOKEN_EXPIRED" => Some(Self::OauthTokenExpired),
"OAUTH_TOKEN_DISABLED" => Some(Self::OauthTokenDisabled),
"OAUTH_TOKEN_REVOKED" => Some(Self::OauthTokenRevoked),
"OAUTH_TOKEN_HEADER_INVALID" => Some(Self::OauthTokenHeaderInvalid),
"LOGIN_COOKIE_INVALID" => Some(Self::LoginCookieInvalid),
"USER_ID_INVALID" => Some(Self::UserIdInvalid),
"TWO_STEP_VERIFICATION_NOT_ENROLLED" => {
Some(Self::TwoStepVerificationNotEnrolled)
}
"ADVANCED_PROTECTION_NOT_ENROLLED" => {
Some(Self::AdvancedProtectionNotEnrolled)
}
_ => None,
}
}
}
}
/// Container for enum describing possible authorization errors.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct AuthorizationErrorEnum {}
/// Nested message and enum types in `AuthorizationErrorEnum`.
pub mod authorization_error_enum {
/// Enum describing possible authorization errors.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum AuthorizationError {
/// Enum unspecified.
Unspecified = 0,
/// The received error code is not known in this version.
Unknown = 1,
/// User doesn't have permission to access customer. Note: If you're
/// accessing a client customer, the manager's customer ID must be set in the
/// `login-customer-id` header. Learn more at
/// <https://developers.google.com/search-ads/reporting/concepts/call-structure#login_customer_id_header>
UserPermissionDenied = 2,
/// The Google Cloud project sent in the request does not have permission to
/// access the api.
ProjectDisabled = 5,
/// Authorization of the client failed.
AuthorizationError = 6,
/// The user does not have permission to perform this action
/// (for example, ADD, UPDATE, REMOVE) on the resource or call a method.
ActionNotPermitted = 7,
/// Signup not complete.
IncompleteSignup = 8,
/// The customer account can't be accessed because it is not yet enabled or
/// has been deactivated.
CustomerNotEnabled = 24,
/// The developer must sign the terms of service. They can be found here:
/// <https://developers.google.com/terms>
MissingTos = 9,
/// The login customer specified does not have access to the account
/// specified, so the request is invalid.
InvalidLoginCustomerIdServingCustomerIdCombination = 11,
/// The developer specified does not have access to the service.
ServiceAccessDenied = 12,
/// The customer (or login customer) isn't allowed in Search Ads 360 API. It
/// belongs to another ads system.
AccessDeniedForAccountType = 25,
/// The developer does not have access to the metrics queried.
MetricAccessDenied = 26,
}
impl AuthorizationError {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
AuthorizationError::Unspecified => "UNSPECIFIED",
AuthorizationError::Unknown => "UNKNOWN",
AuthorizationError::UserPermissionDenied => "USER_PERMISSION_DENIED",
AuthorizationError::ProjectDisabled => "PROJECT_DISABLED",
AuthorizationError::AuthorizationError => "AUTHORIZATION_ERROR",
AuthorizationError::ActionNotPermitted => "ACTION_NOT_PERMITTED",
AuthorizationError::IncompleteSignup => "INCOMPLETE_SIGNUP",
AuthorizationError::CustomerNotEnabled => "CUSTOMER_NOT_ENABLED",
AuthorizationError::MissingTos => "MISSING_TOS",
AuthorizationError::InvalidLoginCustomerIdServingCustomerIdCombination => {
"INVALID_LOGIN_CUSTOMER_ID_SERVING_CUSTOMER_ID_COMBINATION"
}
AuthorizationError::ServiceAccessDenied => "SERVICE_ACCESS_DENIED",
AuthorizationError::AccessDeniedForAccountType => {
"ACCESS_DENIED_FOR_ACCOUNT_TYPE"
}
AuthorizationError::MetricAccessDenied => "METRIC_ACCESS_DENIED",
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"USER_PERMISSION_DENIED" => Some(Self::UserPermissionDenied),
"PROJECT_DISABLED" => Some(Self::ProjectDisabled),
"AUTHORIZATION_ERROR" => Some(Self::AuthorizationError),
"ACTION_NOT_PERMITTED" => Some(Self::ActionNotPermitted),
"INCOMPLETE_SIGNUP" => Some(Self::IncompleteSignup),
"CUSTOMER_NOT_ENABLED" => Some(Self::CustomerNotEnabled),
"MISSING_TOS" => Some(Self::MissingTos),
"INVALID_LOGIN_CUSTOMER_ID_SERVING_CUSTOMER_ID_COMBINATION" => {
Some(Self::InvalidLoginCustomerIdServingCustomerIdCombination)
}
"SERVICE_ACCESS_DENIED" => Some(Self::ServiceAccessDenied),
"ACCESS_DENIED_FOR_ACCOUNT_TYPE" => {
Some(Self::AccessDeniedForAccountType)
}
"METRIC_ACCESS_DENIED" => Some(Self::MetricAccessDenied),
_ => None,
}
}
}
}
/// Container for enum describing possible errors from an invalid parameter.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct InvalidParameterErrorEnum {}
/// Nested message and enum types in `InvalidParameterErrorEnum`.
pub mod invalid_parameter_error_enum {
/// Enum describing possible parameter errors.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum InvalidParameterError {
/// Enum unspecified.
Unspecified = 0,
/// The received error code is not known in this version.
Unknown = 1,
/// The specified currency code is invalid.
InvalidCurrencyCode = 2,
}
impl InvalidParameterError {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
InvalidParameterError::Unspecified => "UNSPECIFIED",
InvalidParameterError::Unknown => "UNKNOWN",
InvalidParameterError::InvalidCurrencyCode => "INVALID_CURRENCY_CODE",
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"INVALID_CURRENCY_CODE" => Some(Self::InvalidCurrencyCode),
_ => None,
}
}
}
}
/// Container for enum describing possible query errors.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct QueryErrorEnum {}
/// Nested message and enum types in `QueryErrorEnum`.
pub mod query_error_enum {
/// Enum describing possible query errors.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum QueryError {
/// Name unspecified.
Unspecified = 0,
/// The received error code is not known in this version.
Unknown = 1,
/// Returned if all other query error reasons are not applicable.
QueryError = 50,
/// A condition used in the query references an invalid enum constant.
BadEnumConstant = 18,
/// Query contains an invalid escape sequence.
BadEscapeSequence = 7,
/// Field name is invalid.
BadFieldName = 12,
/// Limit value is invalid (for example, not a number)
BadLimitValue = 15,
/// Encountered number can not be parsed.
BadNumber = 5,
/// Invalid operator encountered.
BadOperator = 3,
/// Parameter unknown or not supported.
BadParameterName = 61,
/// Parameter have invalid value.
BadParameterValue = 62,
/// Invalid resource type was specified in the FROM clause.
BadResourceTypeInFromClause = 45,
/// Non-ASCII symbol encountered outside of strings.
BadSymbol = 2,
/// Value is invalid.
BadValue = 4,
/// Date filters fail to restrict date to a range smaller than 31 days.
/// Applicable if the query is segmented by date.
DateRangeTooWide = 36,
/// Filters on date/week/month/quarter have a start date after
/// end date.
DateRangeTooNarrow = 60,
/// Expected AND between values with BETWEEN operator.
ExpectedAnd = 30,
/// Expecting ORDER BY to have BY.
ExpectedBy = 14,
/// There was no dimension field selected.
ExpectedDimensionFieldInSelectClause = 37,
/// Missing filters on date related fields.
ExpectedFiltersOnDateRange = 55,
/// Missing FROM clause.
ExpectedFrom = 44,
/// The operator used in the conditions requires the value to be a list.
ExpectedList = 41,
/// Fields used in WHERE or ORDER BY clauses are missing from the SELECT
/// clause.
ExpectedReferencedFieldInSelectClause = 16,
/// SELECT is missing at the beginning of query.
ExpectedSelect = 13,
/// A list was passed as a value to a condition whose operator expects a
/// single value.
ExpectedSingleValue = 42,
/// Missing one or both values with BETWEEN operator.
ExpectedValueWithBetweenOperator = 29,
/// Invalid date format. Expected 'YYYY-MM-DD'.
InvalidDateFormat = 38,
/// Misaligned date value for the filter. The date should be the start of a
/// week/month/quarter if the filtered field is
/// segments.week/segments.month/segments.quarter.
MisalignedDateForFilter = 64,
/// Value passed was not a string when it should have been. For example, it
/// was a number or unquoted literal.
InvalidStringValue = 57,
/// A String value passed to the BETWEEN operator does not parse as a date.
InvalidValueWithBetweenOperator = 26,
/// The value passed to the DURING operator is not a Date range literal
InvalidValueWithDuringOperator = 22,
/// A value was passed to the LIKE operator.
InvalidValueWithLikeOperator = 56,
/// An operator was provided that is inapplicable to the field being
/// filtered.
OperatorFieldMismatch = 35,
/// A Condition was found with an empty list.
ProhibitedEmptyListInCondition = 28,
/// A condition used in the query references an unsupported enum constant.
ProhibitedEnumConstant = 54,
/// Fields that are not allowed to be selected together were included in
/// the SELECT clause.
ProhibitedFieldCombinationInSelectClause = 31,
/// A field that is not orderable was included in the ORDER BY clause.
ProhibitedFieldInOrderByClause = 40,
/// A field that is not selectable was included in the SELECT clause.
ProhibitedFieldInSelectClause = 23,
/// A field that is not filterable was included in the WHERE clause.
ProhibitedFieldInWhereClause = 24,
/// Resource type specified in the FROM clause is not supported by this
/// service.
ProhibitedResourceTypeInFromClause = 43,
/// A field that comes from an incompatible resource was included in the
/// SELECT clause.
ProhibitedResourceTypeInSelectClause = 48,
/// A field that comes from an incompatible resource was included in the
/// WHERE clause.
ProhibitedResourceTypeInWhereClause = 58,
/// A metric incompatible with the main resource or other selected
/// segmenting resources was included in the SELECT or WHERE clause.
ProhibitedMetricInSelectOrWhereClause = 49,
/// A segment incompatible with the main resource or other selected
/// segmenting resources was included in the SELECT or WHERE clause.
ProhibitedSegmentInSelectOrWhereClause = 51,
/// A segment in the SELECT clause is incompatible with a metric in the
/// SELECT or WHERE clause.
ProhibitedSegmentWithMetricInSelectOrWhereClause = 53,
/// The value passed to the limit clause is too low.
LimitValueTooLow = 25,
/// Query has a string containing a newline character.
ProhibitedNewlineInString = 8,
/// List contains values of different types.
ProhibitedValueCombinationInList = 10,
/// The values passed to the BETWEEN operator are not of the same type.
ProhibitedValueCombinationWithBetweenOperator = 21,
/// Query contains unterminated string.
StringNotTerminated = 6,
/// Too many segments are specified in SELECT clause.
TooManySegments = 34,
/// Query is incomplete and cannot be parsed.
UnexpectedEndOfQuery = 9,
/// FROM clause cannot be specified in this query.
UnexpectedFromClause = 47,
/// Query contains one or more unrecognized fields.
UnrecognizedField = 32,
/// Query has an unexpected extra part.
UnexpectedInput = 11,
/// Metrics cannot be requested for a manager account. To retrieve metrics,
/// issue separate requests against each client account under the manager
/// account.
RequestedMetricsForManager = 59,
/// The number of values (right-hand-side operands) in a filter exceeds the
/// limit.
FilterHasTooManyValues = 63,
}
impl QueryError {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
QueryError::Unspecified => "UNSPECIFIED",
QueryError::Unknown => "UNKNOWN",
QueryError::QueryError => "QUERY_ERROR",
QueryError::BadEnumConstant => "BAD_ENUM_CONSTANT",
QueryError::BadEscapeSequence => "BAD_ESCAPE_SEQUENCE",
QueryError::BadFieldName => "BAD_FIELD_NAME",
QueryError::BadLimitValue => "BAD_LIMIT_VALUE",
QueryError::BadNumber => "BAD_NUMBER",
QueryError::BadOperator => "BAD_OPERATOR",
QueryError::BadParameterName => "BAD_PARAMETER_NAME",
QueryError::BadParameterValue => "BAD_PARAMETER_VALUE",
QueryError::BadResourceTypeInFromClause => {
"BAD_RESOURCE_TYPE_IN_FROM_CLAUSE"
}
QueryError::BadSymbol => "BAD_SYMBOL",
QueryError::BadValue => "BAD_VALUE",
QueryError::DateRangeTooWide => "DATE_RANGE_TOO_WIDE",
QueryError::DateRangeTooNarrow => "DATE_RANGE_TOO_NARROW",
QueryError::ExpectedAnd => "EXPECTED_AND",
QueryError::ExpectedBy => "EXPECTED_BY",
QueryError::ExpectedDimensionFieldInSelectClause => {
"EXPECTED_DIMENSION_FIELD_IN_SELECT_CLAUSE"
}
QueryError::ExpectedFiltersOnDateRange => {
"EXPECTED_FILTERS_ON_DATE_RANGE"
}
QueryError::ExpectedFrom => "EXPECTED_FROM",
QueryError::ExpectedList => "EXPECTED_LIST",
QueryError::ExpectedReferencedFieldInSelectClause => {
"EXPECTED_REFERENCED_FIELD_IN_SELECT_CLAUSE"
}
QueryError::ExpectedSelect => "EXPECTED_SELECT",
QueryError::ExpectedSingleValue => "EXPECTED_SINGLE_VALUE",
QueryError::ExpectedValueWithBetweenOperator => {
"EXPECTED_VALUE_WITH_BETWEEN_OPERATOR"
}
QueryError::InvalidDateFormat => "INVALID_DATE_FORMAT",
QueryError::MisalignedDateForFilter => "MISALIGNED_DATE_FOR_FILTER",
QueryError::InvalidStringValue => "INVALID_STRING_VALUE",
QueryError::InvalidValueWithBetweenOperator => {
"INVALID_VALUE_WITH_BETWEEN_OPERATOR"
}
QueryError::InvalidValueWithDuringOperator => {
"INVALID_VALUE_WITH_DURING_OPERATOR"
}
QueryError::InvalidValueWithLikeOperator => {
"INVALID_VALUE_WITH_LIKE_OPERATOR"
}
QueryError::OperatorFieldMismatch => "OPERATOR_FIELD_MISMATCH",
QueryError::ProhibitedEmptyListInCondition => {
"PROHIBITED_EMPTY_LIST_IN_CONDITION"
}
QueryError::ProhibitedEnumConstant => "PROHIBITED_ENUM_CONSTANT",
QueryError::ProhibitedFieldCombinationInSelectClause => {
"PROHIBITED_FIELD_COMBINATION_IN_SELECT_CLAUSE"
}
QueryError::ProhibitedFieldInOrderByClause => {
"PROHIBITED_FIELD_IN_ORDER_BY_CLAUSE"
}
QueryError::ProhibitedFieldInSelectClause => {
"PROHIBITED_FIELD_IN_SELECT_CLAUSE"
}
QueryError::ProhibitedFieldInWhereClause => {
"PROHIBITED_FIELD_IN_WHERE_CLAUSE"
}
QueryError::ProhibitedResourceTypeInFromClause => {
"PROHIBITED_RESOURCE_TYPE_IN_FROM_CLAUSE"
}
QueryError::ProhibitedResourceTypeInSelectClause => {
"PROHIBITED_RESOURCE_TYPE_IN_SELECT_CLAUSE"
}
QueryError::ProhibitedResourceTypeInWhereClause => {
"PROHIBITED_RESOURCE_TYPE_IN_WHERE_CLAUSE"
}
QueryError::ProhibitedMetricInSelectOrWhereClause => {
"PROHIBITED_METRIC_IN_SELECT_OR_WHERE_CLAUSE"
}
QueryError::ProhibitedSegmentInSelectOrWhereClause => {
"PROHIBITED_SEGMENT_IN_SELECT_OR_WHERE_CLAUSE"
}
QueryError::ProhibitedSegmentWithMetricInSelectOrWhereClause => {
"PROHIBITED_SEGMENT_WITH_METRIC_IN_SELECT_OR_WHERE_CLAUSE"
}
QueryError::LimitValueTooLow => "LIMIT_VALUE_TOO_LOW",
QueryError::ProhibitedNewlineInString => "PROHIBITED_NEWLINE_IN_STRING",
QueryError::ProhibitedValueCombinationInList => {
"PROHIBITED_VALUE_COMBINATION_IN_LIST"
}
QueryError::ProhibitedValueCombinationWithBetweenOperator => {
"PROHIBITED_VALUE_COMBINATION_WITH_BETWEEN_OPERATOR"
}
QueryError::StringNotTerminated => "STRING_NOT_TERMINATED",
QueryError::TooManySegments => "TOO_MANY_SEGMENTS",
QueryError::UnexpectedEndOfQuery => "UNEXPECTED_END_OF_QUERY",
QueryError::UnexpectedFromClause => "UNEXPECTED_FROM_CLAUSE",
QueryError::UnrecognizedField => "UNRECOGNIZED_FIELD",
QueryError::UnexpectedInput => "UNEXPECTED_INPUT",
QueryError::RequestedMetricsForManager => "REQUESTED_METRICS_FOR_MANAGER",
QueryError::FilterHasTooManyValues => "FILTER_HAS_TOO_MANY_VALUES",
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"QUERY_ERROR" => Some(Self::QueryError),
"BAD_ENUM_CONSTANT" => Some(Self::BadEnumConstant),
"BAD_ESCAPE_SEQUENCE" => Some(Self::BadEscapeSequence),
"BAD_FIELD_NAME" => Some(Self::BadFieldName),
"BAD_LIMIT_VALUE" => Some(Self::BadLimitValue),
"BAD_NUMBER" => Some(Self::BadNumber),
"BAD_OPERATOR" => Some(Self::BadOperator),
"BAD_PARAMETER_NAME" => Some(Self::BadParameterName),
"BAD_PARAMETER_VALUE" => Some(Self::BadParameterValue),
"BAD_RESOURCE_TYPE_IN_FROM_CLAUSE" => {
Some(Self::BadResourceTypeInFromClause)
}
"BAD_SYMBOL" => Some(Self::BadSymbol),
"BAD_VALUE" => Some(Self::BadValue),
"DATE_RANGE_TOO_WIDE" => Some(Self::DateRangeTooWide),
"DATE_RANGE_TOO_NARROW" => Some(Self::DateRangeTooNarrow),
"EXPECTED_AND" => Some(Self::ExpectedAnd),
"EXPECTED_BY" => Some(Self::ExpectedBy),
"EXPECTED_DIMENSION_FIELD_IN_SELECT_CLAUSE" => {
Some(Self::ExpectedDimensionFieldInSelectClause)
}
"EXPECTED_FILTERS_ON_DATE_RANGE" => {
Some(Self::ExpectedFiltersOnDateRange)
}
"EXPECTED_FROM" => Some(Self::ExpectedFrom),
"EXPECTED_LIST" => Some(Self::ExpectedList),
"EXPECTED_REFERENCED_FIELD_IN_SELECT_CLAUSE" => {
Some(Self::ExpectedReferencedFieldInSelectClause)
}
"EXPECTED_SELECT" => Some(Self::ExpectedSelect),
"EXPECTED_SINGLE_VALUE" => Some(Self::ExpectedSingleValue),
"EXPECTED_VALUE_WITH_BETWEEN_OPERATOR" => {
Some(Self::ExpectedValueWithBetweenOperator)
}
"INVALID_DATE_FORMAT" => Some(Self::InvalidDateFormat),
"MISALIGNED_DATE_FOR_FILTER" => Some(Self::MisalignedDateForFilter),
"INVALID_STRING_VALUE" => Some(Self::InvalidStringValue),
"INVALID_VALUE_WITH_BETWEEN_OPERATOR" => {
Some(Self::InvalidValueWithBetweenOperator)
}
"INVALID_VALUE_WITH_DURING_OPERATOR" => {
Some(Self::InvalidValueWithDuringOperator)
}
"INVALID_VALUE_WITH_LIKE_OPERATOR" => {
Some(Self::InvalidValueWithLikeOperator)
}
"OPERATOR_FIELD_MISMATCH" => Some(Self::OperatorFieldMismatch),
"PROHIBITED_EMPTY_LIST_IN_CONDITION" => {
Some(Self::ProhibitedEmptyListInCondition)
}
"PROHIBITED_ENUM_CONSTANT" => Some(Self::ProhibitedEnumConstant),
"PROHIBITED_FIELD_COMBINATION_IN_SELECT_CLAUSE" => {
Some(Self::ProhibitedFieldCombinationInSelectClause)
}
"PROHIBITED_FIELD_IN_ORDER_BY_CLAUSE" => {
Some(Self::ProhibitedFieldInOrderByClause)
}
"PROHIBITED_FIELD_IN_SELECT_CLAUSE" => {
Some(Self::ProhibitedFieldInSelectClause)
}
"PROHIBITED_FIELD_IN_WHERE_CLAUSE" => {
Some(Self::ProhibitedFieldInWhereClause)
}
"PROHIBITED_RESOURCE_TYPE_IN_FROM_CLAUSE" => {
Some(Self::ProhibitedResourceTypeInFromClause)
}
"PROHIBITED_RESOURCE_TYPE_IN_SELECT_CLAUSE" => {
Some(Self::ProhibitedResourceTypeInSelectClause)
}
"PROHIBITED_RESOURCE_TYPE_IN_WHERE_CLAUSE" => {
Some(Self::ProhibitedResourceTypeInWhereClause)
}
"PROHIBITED_METRIC_IN_SELECT_OR_WHERE_CLAUSE" => {
Some(Self::ProhibitedMetricInSelectOrWhereClause)
}
"PROHIBITED_SEGMENT_IN_SELECT_OR_WHERE_CLAUSE" => {
Some(Self::ProhibitedSegmentInSelectOrWhereClause)
}
"PROHIBITED_SEGMENT_WITH_METRIC_IN_SELECT_OR_WHERE_CLAUSE" => {
Some(Self::ProhibitedSegmentWithMetricInSelectOrWhereClause)
}
"LIMIT_VALUE_TOO_LOW" => Some(Self::LimitValueTooLow),
"PROHIBITED_NEWLINE_IN_STRING" => Some(Self::ProhibitedNewlineInString),
"PROHIBITED_VALUE_COMBINATION_IN_LIST" => {
Some(Self::ProhibitedValueCombinationInList)
}
"PROHIBITED_VALUE_COMBINATION_WITH_BETWEEN_OPERATOR" => {
Some(Self::ProhibitedValueCombinationWithBetweenOperator)
}
"STRING_NOT_TERMINATED" => Some(Self::StringNotTerminated),
"TOO_MANY_SEGMENTS" => Some(Self::TooManySegments),
"UNEXPECTED_END_OF_QUERY" => Some(Self::UnexpectedEndOfQuery),
"UNEXPECTED_FROM_CLAUSE" => Some(Self::UnexpectedFromClause),
"UNRECOGNIZED_FIELD" => Some(Self::UnrecognizedField),
"UNEXPECTED_INPUT" => Some(Self::UnexpectedInput),
"REQUESTED_METRICS_FOR_MANAGER" => Some(Self::RequestedMetricsForManager),
"FILTER_HAS_TOO_MANY_VALUES" => Some(Self::FilterHasTooManyValues),
_ => None,
}
}
}
}
/// Describes how a Search Ads 360 API call failed. It's returned inside
/// google.rpc.Status.details when a call fails.
#[derive(Clone, PartialEq, ::prost::Message)]
pub struct SearchAds360Failure {
/// The list of errors that occurred.
#[prost(message, repeated, tag = "1")]
pub errors: ::prost::alloc::vec::Vec<SearchAds360Error>,
/// The unique ID of the request that is used for debugging purposes.
#[prost(string, tag = "2")]
pub request_id: ::prost::alloc::string::String,
}
/// Search Ads 360-specific error.
#[derive(Clone, PartialEq, ::prost::Message)]
pub struct SearchAds360Error {
/// An enum value that indicates which error occurred.
#[prost(message, optional, tag = "1")]
pub error_code: ::core::option::Option<ErrorCode>,
/// A human-readable description of the error.
#[prost(string, tag = "2")]
pub message: ::prost::alloc::string::String,
/// The value that triggered the error.
#[prost(message, optional, tag = "3")]
pub trigger: ::core::option::Option<super::common::Value>,
/// Describes the part of the request proto that caused the error.
#[prost(message, optional, tag = "4")]
pub location: ::core::option::Option<ErrorLocation>,
/// Additional error details, which are returned by certain error codes. Most
/// error codes do not include details.
#[prost(message, optional, tag = "5")]
pub details: ::core::option::Option<ErrorDetails>,
}
/// The error reason represented by type and enum.
#[derive(Clone, Copy, PartialEq, ::prost::Message)]
pub struct ErrorCode {
/// The list of error enums
#[prost(
oneof = "error_code::ErrorCode",
tags = "1, 5, 9, 10, 11, 17, 33, 34, 35, 66, 118, 144, 175"
)]
pub error_code: ::core::option::Option<error_code::ErrorCode>,
}
/// Nested message and enum types in `ErrorCode`.
pub mod error_code {
/// The list of error enums
#[derive(Clone, Copy, PartialEq, ::prost::Oneof)]
pub enum ErrorCode {
/// An error caused by the request
#[prost(enumeration = "super::request_error_enum::RequestError", tag = "1")]
RequestError(i32),
/// An error with the query
#[prost(enumeration = "super::query_error_enum::QueryError", tag = "5")]
QueryError(i32),
/// An error encountered when trying to authorize a user.
#[prost(
enumeration = "super::authorization_error_enum::AuthorizationError",
tag = "9"
)]
AuthorizationError(i32),
/// An unexpected server-side error.
#[prost(enumeration = "super::internal_error_enum::InternalError", tag = "10")]
InternalError(i32),
/// An error with the amount of quota remaining.
#[prost(enumeration = "super::quota_error_enum::QuotaError", tag = "11")]
QuotaError(i32),
/// Indicates failure to properly authenticate user.
#[prost(
enumeration = "super::authentication_error_enum::AuthenticationError",
tag = "17"
)]
AuthenticationError(i32),
/// The reasons for the date error
#[prost(enumeration = "super::date_error_enum::DateError", tag = "33")]
DateError(i32),
/// The reasons for the date range error
#[prost(
enumeration = "super::date_range_error_enum::DateRangeError",
tag = "34"
)]
DateRangeError(i32),
/// The reasons for the distinct error
#[prost(enumeration = "super::distinct_error_enum::DistinctError", tag = "35")]
DistinctError(i32),
/// The reasons for the header error.
#[prost(enumeration = "super::header_error_enum::HeaderError", tag = "66")]
HeaderError(i32),
/// The reasons for the size limit error
#[prost(
enumeration = "super::size_limit_error_enum::SizeLimitError",
tag = "118"
)]
SizeLimitError(i32),
/// The reasons for the custom column error
#[prost(
enumeration = "super::custom_column_error_enum::CustomColumnError",
tag = "144"
)]
CustomColumnError(i32),
/// The reasons for invalid parameter errors.
#[prost(
enumeration = "super::invalid_parameter_error_enum::InvalidParameterError",
tag = "175"
)]
InvalidParameterError(i32),
}
}
/// Describes the part of the request proto that caused the error.
#[derive(Clone, PartialEq, ::prost::Message)]
pub struct ErrorLocation {
/// A field path that indicates which field was invalid in the request.
#[prost(message, repeated, tag = "2")]
pub field_path_elements: ::prost::alloc::vec::Vec<error_location::FieldPathElement>,
}
/// Nested message and enum types in `ErrorLocation`.
pub mod error_location {
/// A part of a field path.
#[derive(Clone, PartialEq, ::prost::Message)]
pub struct FieldPathElement {
/// The name of a field or a oneof
#[prost(string, tag = "1")]
pub field_name: ::prost::alloc::string::String,
/// If field_name is a repeated field, this is the element that failed
#[prost(int32, optional, tag = "3")]
pub index: ::core::option::Option<i32>,
}
}
/// Additional error details.
#[derive(Clone, PartialEq, ::prost::Message)]
pub struct ErrorDetails {
/// The error code that should have been returned, but wasn't. This is used
/// when the error code is not published in the client specified version.
#[prost(string, tag = "1")]
pub unpublished_error_code: ::prost::alloc::string::String,
/// Details on the quota error, including the scope (account or developer), the
/// rate bucket name and the retry delay.
#[prost(message, optional, tag = "4")]
pub quota_error_details: ::core::option::Option<QuotaErrorDetails>,
}
/// Additional quota error details when there is QuotaError.
#[derive(Clone, PartialEq, ::prost::Message)]
pub struct QuotaErrorDetails {
/// The rate scope of the quota limit.
#[prost(enumeration = "quota_error_details::QuotaRateScope", tag = "1")]
pub rate_scope: i32,
/// The high level description of the quota bucket.
/// Examples are "Get requests for standard access" or "Requests per account".
#[prost(string, tag = "2")]
pub rate_name: ::prost::alloc::string::String,
/// Backoff period that customers should wait before sending next request.
#[prost(message, optional, tag = "3")]
pub retry_delay: ::core::option::Option<::prost_types::Duration>,
}
/// Nested message and enum types in `QuotaErrorDetails`.
pub mod quota_error_details {
/// Enum of possible scopes that quota buckets belong to.
#[derive(
Clone,
Copy,
Debug,
PartialEq,
Eq,
Hash,
PartialOrd,
Ord,
::prost::Enumeration
)]
#[repr(i32)]
pub enum QuotaRateScope {
/// Unspecified enum
Unspecified = 0,
/// Used for return value only. Represents value unknown in this version.
Unknown = 1,
/// Per customer account quota
Account = 2,
/// Per project quota
Developer = 3,
}
impl QuotaRateScope {
/// String value of the enum field names used in the ProtoBuf definition.
///
/// The values are not transformed in any way and thus are considered stable
/// (if the ProtoBuf definition does not change) and safe for programmatic use.
pub fn as_str_name(&self) -> &'static str {
match self {
QuotaRateScope::Unspecified => "UNSPECIFIED",
QuotaRateScope::Unknown => "UNKNOWN",
QuotaRateScope::Account => "ACCOUNT",
QuotaRateScope::Developer => "DEVELOPER",
}
}
/// Creates an enum from field names used in the ProtoBuf definition.
pub fn from_str_name(value: &str) -> ::core::option::Option<Self> {
match value {
"UNSPECIFIED" => Some(Self::Unspecified),
"UNKNOWN" => Some(Self::Unknown),
"ACCOUNT" => Some(Self::Account),
"DEVELOPER" => Some(Self::Developer),
_ => None,
}
}
}
}