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
|
use super::*;
use std::error;
use std::ffi::{CStr, CString};
use std::fmt;
use std::marker;
use std::mem;
use std::path::Path;
use std::os::raw::c_char;
pub const RESULTS_PER_PAGE: u32 = sys::kNumUGCResultsPerPage as u32;
pub struct UGC<Manager> {
pub(crate) ugc: *mut sys::ISteamUGC,
pub(crate) inner: Arc<Inner<Manager>>,
}
const CALLBACK_BASE_ID: i32 = 3400;
const CALLBACK_REMOTE_STORAGE_BASE_ID: i32 = 1300;
// TODO: should come from sys, but I don't think its generated.
#[allow(non_upper_case_globals)]
const UGCQueryHandleInvalid: u64 = 0xffffffffffffffff;
/// Worshop item ID
#[derive(Clone, Copy, Debug, Ord, PartialOrd, Eq, PartialEq, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
pub struct PublishedFileId(pub u64);
impl From<u64> for PublishedFileId {
fn from(id: u64) -> Self {
PublishedFileId(id)
}
}
/// Workshop item types to search for
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum UGCType {
Items,
ItemsMtx,
ItemsReadyToUse,
Collections,
Artwork,
Videos,
Screenshots,
AllGuides,
WebGuides,
IntegratedGuides,
UsableInGame,
ControllerBindings,
GameManagedItems,
All,
}
impl Into<sys::EUGCMatchingUGCType> for UGCType {
fn into(self) -> sys::EUGCMatchingUGCType {
match self {
UGCType::Items => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_Items,
UGCType::ItemsMtx => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_Items_Mtx,
UGCType::ItemsReadyToUse => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_Items_ReadyToUse,
UGCType::Collections => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_Collections,
UGCType::Artwork => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_Artwork,
UGCType::Videos => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_Videos,
UGCType::Screenshots => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_Screenshots,
UGCType::AllGuides => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_AllGuides,
UGCType::WebGuides => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_WebGuides,
UGCType::IntegratedGuides => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_IntegratedGuides,
UGCType::UsableInGame => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_UsableInGame,
UGCType::ControllerBindings => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_ControllerBindings,
UGCType::GameManagedItems => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_GameManagedItems,
UGCType::All => sys::EUGCMatchingUGCType::k_EUGCMatchingUGCType_All,
}
}
}
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum FileType {
Community,
Microtransaction,
Collection,
Art,
Video,
Screenshot,
Game,
Software,
Concept,
WebGuide,
IntegratedGuide,
Merch,
ControllerBinding,
SteamworksAccessInvite,
SteamVideo,
GameManagedItem,
}
impl Into<sys::EWorkshopFileType> for FileType {
fn into(self) -> sys::EWorkshopFileType {
match self {
FileType::Community => sys::EWorkshopFileType::k_EWorkshopFileTypeCommunity,
FileType::Microtransaction => sys::EWorkshopFileType::k_EWorkshopFileTypeMicrotransaction,
FileType::Collection => sys::EWorkshopFileType::k_EWorkshopFileTypeCollection,
FileType::Art => sys::EWorkshopFileType::k_EWorkshopFileTypeArt,
FileType::Video => sys::EWorkshopFileType::k_EWorkshopFileTypeVideo,
FileType::Screenshot => sys::EWorkshopFileType::k_EWorkshopFileTypeScreenshot,
FileType::Game => sys::EWorkshopFileType::k_EWorkshopFileTypeGame,
FileType::Software => sys::EWorkshopFileType::k_EWorkshopFileTypeSoftware,
FileType::Concept => sys::EWorkshopFileType::k_EWorkshopFileTypeConcept,
FileType::WebGuide => sys::EWorkshopFileType::k_EWorkshopFileTypeWebGuide,
FileType::IntegratedGuide => sys::EWorkshopFileType::k_EWorkshopFileTypeIntegratedGuide,
FileType::Merch => sys::EWorkshopFileType::k_EWorkshopFileTypeMerch,
FileType::ControllerBinding => sys::EWorkshopFileType::k_EWorkshopFileTypeControllerBinding,
FileType::SteamworksAccessInvite => sys::EWorkshopFileType::k_EWorkshopFileTypeSteamworksAccessInvite,
FileType::SteamVideo => sys::EWorkshopFileType::k_EWorkshopFileTypeSteamVideo,
FileType::GameManagedItem => sys::EWorkshopFileType::k_EWorkshopFileTypeGameManagedItem,
}
}
}
impl From<sys::EWorkshopFileType> for FileType {
fn from(file_type: sys::EWorkshopFileType) -> FileType {
match file_type {
sys::EWorkshopFileType::k_EWorkshopFileTypeCommunity => FileType::Community,
sys::EWorkshopFileType::k_EWorkshopFileTypeMicrotransaction => FileType::Microtransaction,
sys::EWorkshopFileType::k_EWorkshopFileTypeCollection => FileType::Collection,
sys::EWorkshopFileType::k_EWorkshopFileTypeArt => FileType::Art,
sys::EWorkshopFileType::k_EWorkshopFileTypeVideo => FileType::Video,
sys::EWorkshopFileType::k_EWorkshopFileTypeScreenshot => FileType::Screenshot,
sys::EWorkshopFileType::k_EWorkshopFileTypeGame => FileType::Game,
sys::EWorkshopFileType::k_EWorkshopFileTypeSoftware => FileType::Software,
sys::EWorkshopFileType::k_EWorkshopFileTypeConcept => FileType::Concept,
sys::EWorkshopFileType::k_EWorkshopFileTypeWebGuide => FileType::WebGuide,
sys::EWorkshopFileType::k_EWorkshopFileTypeIntegratedGuide => FileType::IntegratedGuide,
sys::EWorkshopFileType::k_EWorkshopFileTypeMerch => FileType::Merch,
sys::EWorkshopFileType::k_EWorkshopFileTypeControllerBinding => FileType::ControllerBinding,
sys::EWorkshopFileType::k_EWorkshopFileTypeSteamworksAccessInvite => FileType::SteamworksAccessInvite,
sys::EWorkshopFileType::k_EWorkshopFileTypeSteamVideo => FileType::SteamVideo,
sys::EWorkshopFileType::k_EWorkshopFileTypeGameManagedItem => FileType::GameManagedItem,
_ => unreachable!()
}
}
}
/// AppID filter for queries.
/// The "consumer" app is the app that the content is for.
/// The "creator" app is a separate editor to create the content in, if applicable.
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum AppIDs {
CreatorAppId(AppId),
ConsumerAppId(AppId),
Both { creator: AppId, consumer: AppId },
}
impl AppIDs {
pub fn creator_app_id(&self) -> Option<AppId> {
match self {
AppIDs::CreatorAppId(v) => Some(*v),
AppIDs::ConsumerAppId(_) => None,
AppIDs::Both { creator, .. } => Some(*creator),
}
}
pub fn consumer_app_id(&self) -> Option<AppId> {
match self {
AppIDs::CreatorAppId(_) => None,
AppIDs::ConsumerAppId(v) => Some(*v),
AppIDs::Both { consumer, .. } => Some(*consumer),
}
}
}
/// Query result sorting
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum UserListOrder {
CreationOrderAsc,
CreationOrderDesc,
TitleAsc,
LastUpdatedDesc,
SubscriptionDateDesc,
VoteScoreDesc,
ForModeration,
}
impl Into<sys::EUserUGCListSortOrder> for UserListOrder {
fn into(self) -> sys::EUserUGCListSortOrder {
match self {
UserListOrder::CreationOrderAsc => sys::EUserUGCListSortOrder::k_EUserUGCListSortOrder_CreationOrderAsc,
UserListOrder::CreationOrderDesc => sys::EUserUGCListSortOrder::k_EUserUGCListSortOrder_CreationOrderDesc,
UserListOrder::TitleAsc => sys::EUserUGCListSortOrder::k_EUserUGCListSortOrder_TitleAsc,
UserListOrder::LastUpdatedDesc => sys::EUserUGCListSortOrder::k_EUserUGCListSortOrder_LastUpdatedDesc,
UserListOrder::SubscriptionDateDesc => sys::EUserUGCListSortOrder::k_EUserUGCListSortOrder_SubscriptionDateDesc,
UserListOrder::VoteScoreDesc => sys::EUserUGCListSortOrder::k_EUserUGCListSortOrder_VoteScoreDesc,
UserListOrder::ForModeration => sys::EUserUGCListSortOrder::k_EUserUGCListSortOrder_ForModeration,
}
}
}
/// Available user-specific lists.
/// Certain ones are only available to the currently logged in user.
#[derive(Debug,Clone,Copy,PartialEq,Eq)]
pub enum UserList {
/// Files user has published
Published,
/// Files user has voted on
VotedOn,
/// Files user has voted up (current user only)
VotedUp,
/// Files user has voted down (current user only)
VotedDown,
/// Deprecated
#[deprecated(note="Deprecated in Steam API")]
WillVoteLater,
/// Files user has favorited
Favorited,
/// Files user has subscribed to (current user only)
Subscribed,
/// Files user has spent in-game time with
UsedOrPlayed,
/// Files user is following updates for
Followed,
}
impl Into<sys::EUserUGCList> for UserList {
#[allow(deprecated)]
fn into(self) -> sys::EUserUGCList {
match self {
UserList::Published => sys::EUserUGCList::k_EUserUGCList_Published,
UserList::VotedOn => sys::EUserUGCList::k_EUserUGCList_VotedOn,
UserList::VotedUp => sys::EUserUGCList::k_EUserUGCList_VotedUp,
UserList::VotedDown => sys::EUserUGCList::k_EUserUGCList_VotedDown,
UserList::WillVoteLater => sys::EUserUGCList::k_EUserUGCList_WillVoteLater,
UserList::Favorited => sys::EUserUGCList::k_EUserUGCList_Favorited,
UserList::Subscribed => sys::EUserUGCList::k_EUserUGCList_Subscribed,
UserList::UsedOrPlayed => sys::EUserUGCList::k_EUserUGCList_UsedOrPlayed,
UserList::Followed => sys::EUserUGCList::k_EUserUGCList_Followed,
}
}
}
/// Available published item statistic types.
#[derive(Debug,Clone,Copy,PartialEq,Eq)]
pub enum UGCStatisticType {
/// The number of subscriptions.
Subscriptions,
/// The number of favorites.
Favorites,
/// The number of followers.
Followers,
/// The number of unique subscriptions.
UniqueSubscriptions,
/// The number of unique favorites.
UniqueFavorites,
/// The number of unique followers.
UniqueFollowers,
/// The number of unique views the item has on its Steam Workshop page.
UniqueWebsiteViews,
/// The number of times the item has been reported.
Reports,
/// The total number of seconds this item has been used across all players.
SecondsPlayed,
/// The total number of play sessions this item has been used in.
PlaytimeSessions,
/// The number of comments on the items steam has on its Steam Workshop page.
Comments,
/// The number of seconds this item has been used over the given time period.
SecondsPlayedDuringTimePeriod,
/// The number of sessions this item has been used in over the given time period.
PlaytimeSessionsDuringTimePeriod,
}
impl Into<sys::EItemStatistic> for UGCStatisticType {
fn into(self) -> sys::EItemStatistic {
match self {
UGCStatisticType::Subscriptions => sys::EItemStatistic::k_EItemStatistic_NumSubscriptions,
UGCStatisticType::Favorites => sys::EItemStatistic::k_EItemStatistic_NumFavorites,
UGCStatisticType::Followers => sys::EItemStatistic::k_EItemStatistic_NumFollowers,
UGCStatisticType::UniqueSubscriptions => sys::EItemStatistic::k_EItemStatistic_NumUniqueSubscriptions,
UGCStatisticType::UniqueFavorites => sys::EItemStatistic::k_EItemStatistic_NumUniqueFavorites,
UGCStatisticType::UniqueFollowers => sys::EItemStatistic::k_EItemStatistic_NumUniqueFollowers,
UGCStatisticType::UniqueWebsiteViews => sys::EItemStatistic::k_EItemStatistic_NumUniqueWebsiteViews,
UGCStatisticType::Reports => sys::EItemStatistic::k_EItemStatistic_ReportScore,
UGCStatisticType::SecondsPlayed => sys::EItemStatistic::k_EItemStatistic_NumSecondsPlayed,
UGCStatisticType::PlaytimeSessions => sys::EItemStatistic::k_EItemStatistic_NumPlaytimeSessions,
UGCStatisticType::Comments => sys::EItemStatistic::k_EItemStatistic_NumComments,
UGCStatisticType::SecondsPlayedDuringTimePeriod => sys::EItemStatistic::k_EItemStatistic_NumSecondsPlayedDuringTimePeriod,
UGCStatisticType::PlaytimeSessionsDuringTimePeriod => sys::EItemStatistic::k_EItemStatistic_NumPlaytimeSessionsDuringTimePeriod,
}
}
}
bitflags! {
pub struct ItemState: u32 {
const NONE = 0;
const SUBSCRIBED = 1;
const LEGACY_ITEM = 2;
const INSTALLED = 4;
const NEEDS_UPDATE = 8;
const DOWNLOADING = 16;
const DOWNLOAD_PENDING = 32;
}
}
#[derive(Clone, Debug)]
#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
pub struct DownloadItemResult {
pub app_id: AppId,
pub published_file_id: PublishedFileId,
pub error: Option<SteamError>,
}
unsafe impl Callback for DownloadItemResult {
const ID: i32 = CALLBACK_BASE_ID + 6;
const SIZE: i32 = ::std::mem::size_of::<sys::DownloadItemResult_t>() as i32;
unsafe fn from_raw(raw: *mut c_void) -> Self {
let val = &mut *(raw as *mut sys::DownloadItemResult_t);
DownloadItemResult {
app_id: AppId(val.m_unAppID),
published_file_id: PublishedFileId(val.m_nPublishedFileId),
error: match val.m_eResult {
sys::EResult::k_EResultOK => None,
error => Some(error.into())
}
}
}
}
#[derive(Clone, Debug)]
#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
pub struct InstallInfo {
pub folder: String,
pub size_on_disk: u64,
pub timestamp: u32,
}
impl <Manager> UGC<Manager> {
/// Suspends or resumes all workshop downloads
pub fn suspend_downloads(&self, suspend: bool) {
unsafe {
sys::SteamAPI_ISteamUGC_SuspendDownloads(self.ugc, suspend);
}
}
/// Creates a workshop item
pub fn create_item<F>(&self, app_id: AppId, file_type: FileType, cb: F)
where F: FnOnce(Result<(PublishedFileId, bool), SteamError>) + 'static + Send
{
unsafe {
let api_call = sys::SteamAPI_ISteamUGC_CreateItem(self.ugc, app_id.0, file_type.into());
register_call_result::<sys::CreateItemResult_t, _, _>(
&self.inner, api_call, CALLBACK_BASE_ID + 3,
move |v, io_error| {
cb(if io_error {
Err(SteamError::IOFailure)
} else if v.m_eResult != sys::EResult::k_EResultOK {
Err(v.m_eResult.into())
} else {
Ok((
PublishedFileId(v.m_nPublishedFileId),
v.m_bUserNeedsToAcceptWorkshopLegalAgreement,
))
})
});
}
}
/// Starts an item update process
#[must_use]
pub fn start_item_update(&self, app_id: AppId, file_id: PublishedFileId) -> UpdateHandle<Manager> {
unsafe {
let handle = sys::SteamAPI_ISteamUGC_StartItemUpdate(self.ugc, app_id.0, file_id.0);
UpdateHandle {
ugc: self.ugc,
inner: self.inner.clone(),
handle,
}
}
}
/// Subscribes to a workshop item
pub fn subscribe_item<F>(&self, published_file_id: PublishedFileId, cb: F)
where F: FnOnce(Result<(), SteamError>) + 'static + Send
{
unsafe {
let api_call = sys::SteamAPI_ISteamUGC_SubscribeItem(self.ugc, published_file_id.0);
register_call_result::<sys::RemoteStorageSubscribePublishedFileResult_t, _, _>(
&self.inner, api_call, CALLBACK_REMOTE_STORAGE_BASE_ID + 13,
move |v, io_error| {
cb(if io_error {
Err(SteamError::IOFailure)
} else if v.m_eResult != sys::EResult::k_EResultOK {
Err(v.m_eResult.into())
} else {
Ok(())
})
});
}
}
pub fn unsubscribe_item<F>(&self, published_file_id: PublishedFileId, cb: F)
where F: FnOnce(Result<(), SteamError>) + 'static + Send
{
unsafe {
let api_call = sys::SteamAPI_ISteamUGC_UnsubscribeItem(self.ugc, published_file_id.0);
register_call_result::<sys::RemoteStorageUnsubscribePublishedFileResult_t, _, _>(
&self.inner, api_call, CALLBACK_REMOTE_STORAGE_BASE_ID + 15,
move |v, io_error| {
cb(if io_error {
Err(SteamError::IOFailure)
} else if v.m_eResult != sys::EResult::k_EResultOK {
Err(v.m_eResult.into())
} else {
Ok(())
})
});
}
}
/// Gets the publisher file IDs of all currently subscribed items.
pub fn subscribed_items(&self) -> Vec<PublishedFileId> {
unsafe {
let count = sys::SteamAPI_ISteamUGC_GetNumSubscribedItems(self.ugc);
let mut data: Vec<sys::PublishedFileId_t> = vec![0; count as usize];
let gotten_count = sys::SteamAPI_ISteamUGC_GetSubscribedItems(self.ugc, data.as_mut_ptr(), count);
debug_assert!(count == gotten_count);
data.into_iter()
.map(|v| PublishedFileId(v))
.collect()
}
}
pub fn item_state(&self, item: PublishedFileId) -> ItemState {
unsafe {
let state = sys::SteamAPI_ISteamUGC_GetItemState(self.ugc, item.0);
ItemState::from_bits_truncate(state)
}
}
pub fn item_download_info(&self, item: PublishedFileId) -> Option<(u64, u64)> {
unsafe {
let mut current = 0u64;
let mut total = 0u64;
if sys::SteamAPI_ISteamUGC_GetItemDownloadInfo(self.ugc, item.0, &mut current, &mut total) {
Some((current, total))
} else {
None
}
}
}
pub fn item_install_info(&self, item: PublishedFileId) -> Option<InstallInfo> {
unsafe {
let mut size_on_disk = 0u64;
let mut folder = [0 as c_char; 4096];
let mut timestamp = 0u32;
if sys::SteamAPI_ISteamUGC_GetItemInstallInfo(self.ugc, item.0, &mut size_on_disk, folder.as_mut_ptr(), folder.len() as _, &mut timestamp) {
Some(InstallInfo {
folder: CStr::from_ptr(folder.as_ptr() as *const _)
.to_string_lossy()
.into_owned(),
size_on_disk,
timestamp,
})
} else {
None
}
}
}
pub fn download_item(&self, item: PublishedFileId, high_priority: bool) -> bool {
unsafe {
sys::SteamAPI_ISteamUGC_DownloadItem(self.ugc, item.0, high_priority)
}
}
/// Queries a list of workshop itmes, related to a user in some way (Ex. user's subscriptions, favorites, upvoted, ...)
pub fn query_user(&self,
account: AccountId,
list_type: UserList,
item_type: UGCType,
sort_order: UserListOrder,
appids: AppIDs,
page: u32
) -> Result<UserListQuery<Manager>, CreateQueryError> {
let res = unsafe {
sys::SteamAPI_ISteamUGC_CreateQueryUserUGCRequest(
self.ugc,
account.0,
list_type.into(),
item_type.into(),
sort_order.into(),
appids.creator_app_id().unwrap_or(AppId(0)).0,
appids.consumer_app_id().unwrap_or(AppId(0)).0,
page,
)
};
if res == UGCQueryHandleInvalid {
return Err(CreateQueryError);
}
Ok(UserListQuery {
ugc: self.ugc,
inner: Arc::clone(&self.inner),
handle: Some(res),
})
}
pub fn query_items(&self, mut items: Vec<PublishedFileId>) -> Result<ItemListDetailsQuery<Manager>, CreateQueryError> {
debug_assert!(items.len() > 0);
let res = unsafe {
sys::SteamAPI_ISteamUGC_CreateQueryUGCDetailsRequest(
self.ugc,
items.as_mut_ptr() as _,
items.len() as _
)
};
if res == UGCQueryHandleInvalid {
return Err(CreateQueryError);
}
Ok(ItemListDetailsQuery {
ugc: self.ugc,
inner: Arc::clone(&self.inner),
handle: Some(res),
})
}
pub fn query_item(&self, item: PublishedFileId) -> Result<ItemDetailsQuery<Manager>, CreateQueryError> {
let mut items = vec![item];
let res = unsafe {
sys::SteamAPI_ISteamUGC_CreateQueryUGCDetailsRequest(
self.ugc,
items.as_mut_ptr() as _,
1 as _
)
};
if res == UGCQueryHandleInvalid {
return Err(CreateQueryError);
}
Ok(ItemDetailsQuery {
ugc: self.ugc,
inner: Arc::clone(&self.inner),
handle: Some(res),
})
}
/// **DELETES** the item from the Steam Workshop.
pub fn delete_item<F>(&self, published_file_id: PublishedFileId, cb: F)
where F: FnOnce(Result<(), SteamError>) + 'static + Send
{
unsafe {
let api_call = sys::SteamAPI_ISteamUGC_DeleteItem(self.ugc, published_file_id.0);
register_call_result::<sys::DownloadItemResult_t, _, _>(
&self.inner, api_call, CALLBACK_REMOTE_STORAGE_BASE_ID + 17,
move |v, io_error| {
cb(if io_error {
Err(SteamError::IOFailure)
} else if v.m_eResult != sys::EResult::k_EResultNone && v.m_eResult != sys::EResult::k_EResultOK {
Err(v.m_eResult.into())
} else {
Ok(())
})
});
}
}
}
/// A handle to update a published item
pub struct UpdateHandle<Manager> {
ugc: *mut sys::ISteamUGC,
inner: Arc<Inner<Manager>>,
handle: sys::UGCUpdateHandle_t,
}
impl <Manager> UpdateHandle<Manager> {
#[must_use]
pub fn title(self, title: &str) -> Self {
unsafe {
let title = CString::new(title).unwrap();
assert!(sys::SteamAPI_ISteamUGC_SetItemTitle(self.ugc, self.handle, title.as_ptr()));
}
self
}
#[must_use]
pub fn description(self, description: &str) -> Self {
unsafe {
let description = CString::new(description).unwrap();
assert!(sys::SteamAPI_ISteamUGC_SetItemDescription(self.ugc, self.handle, description.as_ptr()));
}
self
}
#[must_use]
pub fn preview_path(self, path: &Path) -> Self {
unsafe {
let path = path.canonicalize().unwrap();
let preview_path = CString::new(&*path.to_string_lossy()).unwrap();
assert!(sys::SteamAPI_ISteamUGC_SetItemPreview(self.ugc, self.handle, preview_path.as_ptr()));
}
self
}
#[must_use]
pub fn content_path(self, path: &Path) -> Self {
unsafe {
let path = path.canonicalize().unwrap();
let content_path = CString::new(&*path.to_string_lossy()).unwrap();
assert!(sys::SteamAPI_ISteamUGC_SetItemContent(self.ugc, self.handle, content_path.as_ptr()));
}
self
}
pub fn tags<S: AsRef<str>>(self, tags: Vec<S>) -> Self {
unsafe {
let mut tags = SteamParamStringArray::new(&tags);
assert!(sys::SteamAPI_ISteamUGC_SetItemTags(self.ugc, self.handle, &tags.as_raw()));
}
self
}
pub fn submit<F>(self, change_note: Option<&str>, cb: F) -> UpdateWatchHandle<Manager>
where F: FnOnce(Result<(PublishedFileId, bool), SteamError>) + 'static + Send
{
use std::ptr;
unsafe {
let change_note = change_note.and_then(|v| CString::new(v).ok());
let note = change_note.as_ref().map_or(ptr::null(), |v| v.as_ptr());
let api_call = sys::SteamAPI_ISteamUGC_SubmitItemUpdate(self.ugc, self.handle, note);
register_call_result::<sys::SubmitItemUpdateResult_t, _, _>(
&self.inner, api_call, CALLBACK_BASE_ID + 4,
move |v, io_error| {
cb(if io_error {
Err(SteamError::IOFailure)
} else if v.m_eResult != sys::EResult::k_EResultOK {
Err(v.m_eResult.into())
} else {
Ok((
PublishedFileId(v.m_nPublishedFileId),
v.m_bUserNeedsToAcceptWorkshopLegalAgreement,
))
})
});
}
UpdateWatchHandle {
ugc: self.ugc,
_inner: self.inner,
handle: self.handle,
}
}
}
/// A handle to watch an update of a published item
pub struct UpdateWatchHandle<Manager> {
ugc: *mut sys::ISteamUGC,
_inner: Arc<Inner<Manager>>,
handle: sys::UGCUpdateHandle_t,
}
unsafe impl <Manager> Send for UpdateWatchHandle<Manager> {}
unsafe impl <Manager> Sync for UpdateWatchHandle<Manager> {}
impl <Manager> UpdateWatchHandle<Manager> {
pub fn progress(&self) -> (UpdateStatus, u64, u64) {
unsafe {
let mut progress = 0;
let mut total = 0;
let status = sys::SteamAPI_ISteamUGC_GetItemUpdateProgress(self.ugc, self.handle, &mut progress, &mut total);
let status = match status {
sys::EItemUpdateStatus::k_EItemUpdateStatusInvalid => UpdateStatus::Invalid,
sys::EItemUpdateStatus::k_EItemUpdateStatusPreparingConfig => UpdateStatus::PreparingConfig,
sys::EItemUpdateStatus::k_EItemUpdateStatusPreparingContent => UpdateStatus::PreparingContent,
sys::EItemUpdateStatus::k_EItemUpdateStatusUploadingContent => UpdateStatus::UploadingContent,
sys::EItemUpdateStatus::k_EItemUpdateStatusUploadingPreviewFile => UpdateStatus::UploadingPreviewFile,
sys::EItemUpdateStatus::k_EItemUpdateStatusCommittingChanges => UpdateStatus::CommittingChanges,
_ => unreachable!(),
};
(status, progress, total)
}
}
}
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum UpdateStatus {
Invalid,
PreparingConfig,
PreparingContent,
UploadingContent,
UploadingPreviewFile,
CommittingChanges,
}
/// Query object from `query_user`, to allow for more filtering.
pub struct UserListQuery<Manager> {
ugc: *mut sys::ISteamUGC,
inner: Arc<Inner<Manager>>,
// Note: this is always filled except in `fetch`, where it must be taken
// to prevent the handle from being dropped when this query is dropped.
handle: Option<sys::UGCQueryHandle_t>,
}
impl <Manager> Drop for UserListQuery<Manager> {
fn drop(&mut self) {
if let Some(handle) = self.handle.as_mut() {
unsafe {
sys::SteamAPI_ISteamUGC_ReleaseQueryUGCRequest(self.ugc, *handle);
}
}
}
}
impl <Manager> UserListQuery<Manager> {
/// Excludes items with a specific tag.
///
/// Panics if `tag` could not be converted to a `CString`.
pub fn exclude_tag(self, tag: &str) -> Self {
let cstr = CString::new(tag).expect("String passed to exclude_tag could not be converted to a c string");
let ok = unsafe {
sys::SteamAPI_ISteamUGC_AddExcludedTag(self.ugc, self.handle.unwrap(), cstr.as_ptr())
};
debug_assert!(ok);
self
}
/// Only include items with a specific tag.
///
/// Panics if `tag` could not be converted to a `CString`.
pub fn require_tag(self, tag: &str) -> Self {
let cstr = CString::new(tag).expect("String passed to require_tag could not be converted to a c string");
let ok = unsafe {
sys::SteamAPI_ISteamUGC_AddRequiredTag(self.ugc, self.handle.unwrap(), cstr.as_ptr())
};
debug_assert!(ok);
self
}
/// Sets how to match tags added by `require_tag`. If `true`, then any tag may match. If `false`, all required tags must match.
pub fn any_required(self, any: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetMatchAnyTag(self.ugc, self.handle.unwrap(), any)
};
debug_assert!(ok);
self
}
/// Sets the language to return the title and description in for the items on a pending UGC Query.
///
/// Defaults to "english"
pub fn language(self, language: &str) -> Self {
let cstr = CString::new(language).expect("String passed to language could not be converted to a c string");
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetLanguage(self.ugc, self.handle.unwrap(), cstr.as_ptr())
};
debug_assert!(ok);
self
}
/// Sets whether results will be returned from the cache for the specific period of time on a pending UGC Query.
///
/// Age is in seconds.
pub fn allow_cached_response(self, max_age_s: u32) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetAllowCachedResponse(self.ugc, self.handle.unwrap(), max_age_s)
};
debug_assert!(ok);
self
}
/// Include the full description in results
pub fn include_long_desc(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnLongDescription(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Include children in results
pub fn include_children(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnChildren(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Include metadata in results
pub fn include_metadata(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnMetadata(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Include additional previews in results
pub fn include_additional_previews(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnAdditionalPreviews(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Include key value tags in results
pub fn include_key_value_tags(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnKeyValueTags(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Runs the query
pub fn fetch<F>(mut self, cb: F)
where F: for<'a> FnOnce(Result<QueryResults<'a>,SteamError>) + 'static + Send
{
let ugc = self.ugc;
let inner = Arc::clone(&self.inner);
let handle = self.handle.take().unwrap();
mem::drop(self);
unsafe {
let api_call = sys::SteamAPI_ISteamUGC_SendQueryUGCRequest(ugc, handle);
register_call_result::<sys::SteamUGCQueryCompleted_t, _, _>(
&inner, api_call, CALLBACK_BASE_ID + 1,
move |v, io_error| {
let ugc = sys::SteamAPI_SteamUGC_v015();
if io_error {
sys::SteamAPI_ISteamUGC_ReleaseQueryUGCRequest(ugc, handle);
cb(Err(SteamError::IOFailure));
return;
} else if v.m_eResult != sys::EResult::k_EResultOK {
sys::SteamAPI_ISteamUGC_ReleaseQueryUGCRequest(ugc, handle);
cb(Err(v.m_eResult.into()));
return;
}
let result = QueryResults {
ugc,
handle,
num_results_returned: v.m_unNumResultsReturned,
num_results_total: v.m_unTotalMatchingResults,
was_cached: v.m_bCachedData,
_phantom: Default::default(),
};
cb(Ok(result));
});
}
}
/// Runs the query, only fetching the total number of results.
pub fn fetch_total<F>(self, cb: F)
where F: Fn(Result<u32, SteamError>) + 'static + Send
{
unsafe {
let ok = sys::SteamAPI_ISteamUGC_SetReturnTotalOnly(self.ugc, self.handle.unwrap(), true);
debug_assert!(ok);
}
self.fetch(move |res| cb(res.map(|qr| qr.total_results())))
}
/// Runs the query, only fetching the IDs.
pub fn fetch_ids<F>(self, cb: F)
where F: Fn(Result<Vec<PublishedFileId>, SteamError>) + 'static + Send
{
unsafe {
let ok = sys::SteamAPI_ISteamUGC_SetReturnOnlyIDs(self.ugc, self.handle.unwrap(), true);
debug_assert!(ok);
}
self.fetch(move |res|
cb(res.map(|qr| qr.iter().filter_map(|v| v.map(|v| PublishedFileId(v.published_file_id.0))).collect::<Vec<_>>())))
}
}
/// Query object from `query_items`, to allow for more filtering.
pub struct ItemListDetailsQuery<Manager> {
ugc: *mut sys::ISteamUGC,
inner: Arc<Inner<Manager>>,
// Note: this is always filled except in `fetch`, where it must be taken
// to prevent the handle from being dropped when this query is dropped.
handle: Option<sys::UGCQueryHandle_t>,
}
impl <Manager> Drop for ItemListDetailsQuery<Manager> {
fn drop(&mut self) {
if let Some(handle) = self.handle.as_mut() {
unsafe {
sys::SteamAPI_ISteamUGC_ReleaseQueryUGCRequest(self.ugc, *handle);
}
}
}
}
impl <Manager> ItemListDetailsQuery<Manager> {
/// Sets how to match tags added by `require_tag`. If `true`, then any tag may match. If `false`, all required tags must match.
pub fn any_required(self, any: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetMatchAnyTag(self.ugc, self.handle.unwrap(), any)
};
debug_assert!(ok);
self
}
/// Sets the language to return the title and description in for the items on a pending UGC Query.
///
/// Defaults to "english"
pub fn language(self, language: &str) -> Self {
let cstr = CString::new(language).expect("String passed to language could not be converted to a c string");
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetLanguage(self.ugc, self.handle.unwrap(), cstr.as_ptr())
};
debug_assert!(ok);
self
}
/// Sets whether results will be returned from the cache for the specific period of time on a pending UGC Query.
///
/// Age is in seconds.
pub fn allow_cached_response(self, max_age_s: u32) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetAllowCachedResponse(self.ugc, self.handle.unwrap(), max_age_s)
};
debug_assert!(ok);
self
}
/// Include the full description in results
pub fn include_long_desc(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnLongDescription(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Include children in results
pub fn include_children(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnChildren(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Include metadata in results
pub fn include_metadata(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnMetadata(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Include additional previews in results
pub fn include_additional_previews(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnAdditionalPreviews(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Include key value tags in results
pub fn include_key_value_tags(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnKeyValueTags(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Runs the query
pub fn fetch<F>(mut self, cb: F)
where F: for<'a> FnOnce(Result<QueryResults<'a>,SteamError>) + 'static + Send
{
let ugc = self.ugc;
let inner = Arc::clone(&self.inner);
let handle = self.handle.take().unwrap();
mem::drop(self);
unsafe {
let api_call = sys::SteamAPI_ISteamUGC_SendQueryUGCRequest(ugc, handle);
register_call_result::<sys::SteamUGCQueryCompleted_t, _, _>(
&inner, api_call, CALLBACK_BASE_ID + 1,
move |v, io_error| {
let ugc = sys::SteamAPI_SteamUGC_v015();
if io_error {
sys::SteamAPI_ISteamUGC_ReleaseQueryUGCRequest(ugc, handle);
cb(Err(SteamError::IOFailure));
return;
} else if v.m_eResult != sys::EResult::k_EResultOK {
sys::SteamAPI_ISteamUGC_ReleaseQueryUGCRequest(ugc, handle);
cb(Err(v.m_eResult.into()));
return;
}
let result = QueryResults {
ugc,
handle,
num_results_returned: v.m_unNumResultsReturned,
num_results_total: v.m_unTotalMatchingResults,
was_cached: v.m_bCachedData,
_phantom: Default::default(),
};
cb(Ok(result));
});
}
}
/// Runs the query, only fetching the total number of results.
pub fn fetch_total<F>(self, cb: F)
where F: Fn(Result<u32, SteamError>) + 'static + Send
{
unsafe {
let ok = sys::SteamAPI_ISteamUGC_SetReturnTotalOnly(self.ugc, self.handle.unwrap(), true);
debug_assert!(ok);
}
self.fetch(move |res| cb(res.map(|qr| qr.total_results())))
}
}
/// Query object from `query_item`, to allow for more filtering.
pub struct ItemDetailsQuery<Manager> {
ugc: *mut sys::ISteamUGC,
inner: Arc<Inner<Manager>>,
// Note: this is always filled except in `fetch`, where it must be taken
// to prevent the handle from being dropped when this query is dropped.
handle: Option<sys::UGCQueryHandle_t>,
}
impl <Manager> Drop for ItemDetailsQuery<Manager> {
fn drop(&mut self) {
if let Some(handle) = self.handle.as_mut() {
unsafe {
sys::SteamAPI_ISteamUGC_ReleaseQueryUGCRequest(self.ugc, *handle);
}
}
}
}
impl <Manager> ItemDetailsQuery<Manager> {
/// Sets the language to return the title and description in for the items on a pending UGC Query.
///
/// Defaults to "english"
pub fn language(self, language: &str) -> Self {
let cstr = CString::new(language).expect("String passed to language could not be converted to a c string");
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetLanguage(self.ugc, self.handle.unwrap(), cstr.as_ptr())
};
debug_assert!(ok);
self
}
/// Sets whether results will be returned from the cache for the specific period of time on a pending UGC Query.
///
/// Age is in seconds.
pub fn allow_cached_response(self, max_age_s: u32) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetAllowCachedResponse(self.ugc, self.handle.unwrap(), max_age_s)
};
debug_assert!(ok);
self
}
/// Include the full description in results
pub fn include_long_desc(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnLongDescription(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Include children in results
pub fn include_children(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnChildren(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Include metadata in results
pub fn include_metadata(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnMetadata(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Include additional previews in results
pub fn include_additional_previews(self, include: bool) -> Self {
let ok = unsafe {
sys::SteamAPI_ISteamUGC_SetReturnAdditionalPreviews(self.ugc, self.handle.unwrap(), include)
};
debug_assert!(ok);
self
}
/// Runs the query
pub fn fetch<F>(mut self, cb: F)
where F: for<'a> FnOnce(Result<QueryResults<'a>,SteamError>) + 'static + Send
{
let ugc = self.ugc;
let inner = Arc::clone(&self.inner);
let handle = self.handle.take().unwrap();
mem::drop(self);
unsafe {
let api_call = sys::SteamAPI_ISteamUGC_SendQueryUGCRequest(ugc, handle);
register_call_result::<sys::SteamUGCQueryCompleted_t, _, _>(
&inner, api_call, CALLBACK_BASE_ID + 1,
move |v, io_error| {
let ugc = sys::SteamAPI_SteamUGC_v015();
if io_error {
sys::SteamAPI_ISteamUGC_ReleaseQueryUGCRequest(ugc, handle);
cb(Err(SteamError::IOFailure));
return;
} else if v.m_eResult != sys::EResult::k_EResultOK {
sys::SteamAPI_ISteamUGC_ReleaseQueryUGCRequest(ugc, handle);
cb(Err(v.m_eResult.into()));
return;
}
let result = QueryResults {
ugc,
handle,
num_results_returned: v.m_unNumResultsReturned,
num_results_total: v.m_unTotalMatchingResults,
was_cached: v.m_bCachedData,
_phantom: Default::default(),
};
cb(Ok(result));
});
}
}
}
/// Query results
pub struct QueryResults<'a> {
ugc: *mut sys::ISteamUGC,
handle: sys::UGCQueryHandle_t,
num_results_returned: u32,
num_results_total: u32,
was_cached: bool,
_phantom: marker::PhantomData<&'a sys::ISteamUGC>,
}
impl<'a> Drop for QueryResults<'a> {
fn drop(&mut self) {
unsafe {
sys::SteamAPI_ISteamUGC_ReleaseQueryUGCRequest(self.ugc, self.handle);
}
}
}
impl<'a> QueryResults<'a> {
/// Were these results retreived from a cache?
pub fn was_cached(&self) -> bool {
self.was_cached
}
/// Gets the total number of results in this query, not just the current page
pub fn total_results(&self) -> u32 {
self.num_results_total
}
/// Gets the number of results in this page.
pub fn returned_results(&self) -> u32 {
self.num_results_returned
}
/// Gets the preview URL of the published file at the specified index.
pub fn preview_url(&self, index: u32) -> Option<String> {
let mut url = [0 as c_char; 4096];
let ok = unsafe {
sys::SteamAPI_ISteamUGC_GetQueryUGCPreviewURL(self.ugc, self.handle, index, url.as_mut_ptr(), url.len() as _)
};
if ok {
Some(unsafe {
CStr::from_ptr(url.as_ptr() as *const _)
.to_string_lossy()
.into_owned()
})
} else {
None
}
}
/// Gets a UGC statistic about the published file at the specified index.
pub fn statistic(&self, index: u32, stat_type: UGCStatisticType) -> Option<u64> {
let mut value = 0u64;
let ok = unsafe {
sys::SteamAPI_ISteamUGC_GetQueryUGCStatistic(self.ugc, self.handle, index, stat_type.into(), &mut value)
};
debug_assert!(ok);
if ok {
Some(value)
} else {
None
}
}
/// Gets a result.
///
/// Returns None if index was out of bounds.
pub fn get(&self, index: u32) -> Option<QueryResult> {
if index >= self.num_results_returned {
return None;
}
unsafe {
let mut raw_details: sys::SteamUGCDetails_t = mem::zeroed();
let ok = sys::SteamAPI_ISteamUGC_GetQueryUGCResult(self.ugc, self.handle, index, &mut raw_details);
debug_assert!(ok);
if raw_details.m_eResult != sys::EResult::k_EResultOK { return None }
let tags = CStr::from_ptr(raw_details.m_rgchTags.as_ptr())
.to_string_lossy()
.split(',')
.map(|s| String::from(s))
.collect::<Vec<_>>();
Some(QueryResult {
published_file_id: PublishedFileId(raw_details.m_nPublishedFileId),
creator_app_id: if raw_details.m_nCreatorAppID != 0 { Some(AppId(raw_details.m_nCreatorAppID)) } else { None },
consumer_app_id: if raw_details.m_nConsumerAppID != 0 { Some(AppId(raw_details.m_nConsumerAppID)) } else { None },
title: CStr::from_ptr(raw_details.m_rgchTitle.as_ptr())
.to_string_lossy()
.into_owned(),
description: CStr::from_ptr(raw_details.m_rgchDescription.as_ptr())
.to_string_lossy()
.into_owned(),
owner: SteamId(raw_details.m_ulSteamIDOwner),
time_created: raw_details.m_rtimeCreated,
time_updated: raw_details.m_rtimeUpdated,
banned: raw_details.m_bBanned,
accepted_for_use: raw_details.m_bAcceptedForUse,
url: CStr::from_ptr(raw_details.m_rgchURL.as_ptr())
.to_string_lossy()
.into_owned(),
num_upvotes: raw_details.m_unVotesUp,
num_downvotes: raw_details.m_unVotesDown,
score: raw_details.m_flScore,
num_children: raw_details.m_unNumChildren,
tags,
tags_truncated: raw_details.m_bTagsTruncated,
file_type: raw_details.m_eFileType.into(),
file_size: raw_details.m_nFileSize.max(0) as u32,
})
}
}
/// Returns an iterator that runs over all the fetched results
pub fn iter<'b>(&'b self) -> impl Iterator<Item=Option<QueryResult>> + 'b {
(0..self.returned_results())
.map(move |i| self.get(i))
}
/// Returns the given index's children as a list of PublishedFileId.
///
/// You must call `include_children(true)` before fetching the query for this to work.
///
/// Returns None if the index was out of bounds.
pub fn get_children(&self, index: u32) -> Option<Vec<PublishedFileId>> {
let num_children = self.get(index)?.num_children;
let mut children: Vec<sys::PublishedFileId_t> = vec![0; num_children as usize];
let ok = unsafe {
sys::SteamAPI_ISteamUGC_GetQueryUGCChildren(self.ugc, self.handle, index, children.as_mut_ptr(), num_children)
};
if ok {
Some(children.into_iter().map(Into::into).collect())
} else {
None
}
}
/// Returns the number of key value tags associated with the item at the specified index.
pub fn key_value_tags(&self, index: u32) -> u32 {
unsafe { sys::SteamAPI_ISteamUGC_GetQueryUGCNumKeyValueTags(self.ugc, self.handle, index) }
}
/// Gets the key value pair of a specified key value tag associated with the item at the specified index.
pub fn get_key_value_tag(&self, index: u32, kv_tag_index: u32) -> Option<(String, String)> {
let mut key = [0 as c_char; 256];
let mut value = [0 as c_char; 256];
let ok = unsafe {
sys::SteamAPI_ISteamUGC_GetQueryUGCKeyValueTag(self.ugc, self.handle, index, kv_tag_index, key.as_mut_ptr(), 256, value.as_mut_ptr(), 256)
};
if ok {
Some(unsafe {(
CStr::from_ptr(key.as_ptr() as *const _)
.to_string_lossy()
.into_owned(),
CStr::from_ptr(value.as_ptr() as *const _)
.to_string_lossy()
.into_owned()
)})
} else {
None
}
}
/// Gets the developer-set metadata associated with the item at the specified index.
///
/// This is returned as a vector of raw bytes.
pub fn get_metadata(&self, index: u32) -> Option<Vec<u8>> {
let mut metadata = [0 as c_char; sys::k_cchDeveloperMetadataMax as usize];
let ok = unsafe {
sys::SteamAPI_ISteamUGC_GetQueryUGCMetadata(self.ugc, self.handle, index, metadata.as_mut_ptr(), sys::k_cchDeveloperMetadataMax)
};
if ok {
let metadata = unsafe { CStr::from_ptr(metadata.as_ptr() as *const _).to_bytes() };
if metadata.is_empty() {
None
} else {
Some(metadata.to_vec())
}
} else {
None
}
}
}
/// Query result
#[derive(Debug,Clone)]
pub struct QueryResult {
pub published_file_id: PublishedFileId,
pub creator_app_id: Option<AppId>,
pub consumer_app_id: Option<AppId>,
pub title: String,
pub description: String,
pub owner: SteamId,
/// Time created in unix epoch seconds format
pub time_created: u32,
/// Time updated in unix epoch seconds format
pub time_updated: u32,
pub banned: bool,
pub accepted_for_use: bool,
pub tags: Vec<String>,
pub tags_truncated: bool,
pub file_type: FileType,
pub file_size: u32,
pub url: String,
pub num_upvotes: u32,
pub num_downvotes: u32,
/// The bayesian average for up votes / total votes, between [0,1].
pub score: f32,
pub num_children: u32,
// TODO: Add missing fields as needed
}
#[derive(Debug,Clone,Copy)]
pub struct CreateQueryError;
impl fmt::Display for CreateQueryError {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
write!(f, "Could not create workshop query")
}
}
impl error::Error for CreateQueryError {}
|