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
//! Futures-enabled bindings to a tiny portion of the Steamworks API.
//!
//! You will probably want to keep the
//! [official Steamworks Documentation](https://partner.steamgames.com/doc/sdk/api) open while
//! reading these API docs, as it contains a lot of information which is not documented here.
//!
//! The [`Client::init`] function will initialize the Steamworks API, and provide the [`Client`]
//! object, which provides the Steamworks API functionality. Note that for initialization to
//! succeed, the Steam client needs to be running and you'll probably need to create a
//! `steam_appid.txt` file; see
//! [this section](https://partner.steamgames.com/doc/sdk/api#SteamAPI_Init) for the full details.
//!
//! # Example
//!
//! ```no_run
//! use steamworks::Client;
//!
//! let client = Client::init(Some(233610))?;
//!
//! // Gets the App ID of our application
//! let app_id = client.app_id();
//! # Ok::<(), Box<dyn std::error::Error>>(())
//! ```

#![warn(
    rust_2018_idioms,
    deprecated_in_future,
    macro_use_extern_crate,
    missing_debug_implementations,
    unused_qualifications
)]

use bytemuck::NoUninit;
pub use steam::*;

use crate::callbacks::CallbackDispatchers;
use atomic::Atomic;
use az::WrappingCast;
use derive_more::Deref;
use fnv::FnvHashMap;
use futures::future::BoxFuture;
use futures::{FutureExt, Stream};
use parking_lot::Mutex;
use snafu::ensure;
use static_assertions::assert_impl_all;
use std::convert::TryInto;
use std::ffi::{c_void, CStr};
use std::mem::{self, MaybeUninit};
use std::os::raw::c_char;
use std::sync::Arc;
use std::time::Duration;
use std::{env, ptr, thread};
use steamworks_sys as sys;
use tracing::{event, Level};

pub mod callbacks;

mod steam;
mod string_ext;

#[derive(Debug, Copy, Clone, Eq, PartialEq, NoUninit)]
#[repr(u8)]
enum SteamApiState {
    Stopped,
    Running,
    ShutdownStage1,
    ShutdownStage2,
}

static STEAM_API_STATE: Atomic<SteamApiState> = Atomic::new(SteamApiState::Stopped);

/// The core type of this crate, representing an initialized Steamworks API.
///
/// It's a handle that can be cheaply cloned.
#[derive(Debug, Clone)]
pub struct Client(Arc<ClientInner>);

assert_impl_all!(Client: Send, Sync);

#[derive(Debug)]
struct ClientInner {
    callback_dispatchers: CallbackDispatchers,
    call_result_handles:
        Mutex<FnvHashMap<sys::SteamAPICall_t, futures::channel::oneshot::Sender<Vec<u8>>>>,
    friends: SteamworksInterface<sys::ISteamFriends>,
    remote_storage: SteamworksInterface<sys::ISteamRemoteStorage>,
    ugc: SteamworksInterface<sys::ISteamUGC>,
    user: SteamworksInterface<sys::ISteamUser>,
    user_stats: SteamworksInterface<sys::ISteamUserStats>,
    utils: SteamworksInterface<sys::ISteamUtils>,
}

#[derive(Debug, Copy, Clone, Deref)]
struct SteamworksInterface<T>(*mut T);

unsafe impl<T> Send for SteamworksInterface<T> {}
unsafe impl<T> Sync for SteamworksInterface<T> {}

impl Client {
    /// Initializes the Steamworks API, yielding a `Client`.
    ///
    /// A Steam App ID can be provided, which functions as an alternative to using a
    /// `steam_appid.txt` file.
    ///
    /// Returns an error if there is already an initialized `Client`, or if `SteamAPI_Init()` fails
    /// for some other reason.
    pub fn init(steam_app_id: Option<u32>) -> Result<Self, InitError> {
        ensure!(
            STEAM_API_STATE
                .compare_exchange(
                    SteamApiState::Stopped,
                    SteamApiState::Running,
                    atomic::Ordering::AcqRel,
                    atomic::Ordering::Acquire
                )
                .is_ok(),
            AlreadyInitializedSnafu
        );

        if let Some(id) = steam_app_id {
            env::set_var("SteamAppId", id.to_string());
        }

        let success = unsafe { sys::SteamAPI_Init() };
        if !success {
            STEAM_API_STATE.store(SteamApiState::Stopped, atomic::Ordering::Release);
            return OtherSnafu.fail();
        }

        unsafe {
            sys::SteamAPI_ManualDispatch_Init();
        }

        let utils = unsafe { SteamworksInterface(sys::SteamAPI_SteamUtils_v010()) };
        unsafe {
            sys::SteamAPI_ISteamUtils_SetWarningMessageHook(*utils, Some(warning_message_hook));
        }

        let client = unsafe {
            Client(Arc::new(ClientInner {
                callback_dispatchers: CallbackDispatchers::new(),
                call_result_handles: Mutex::new(FnvHashMap::default()),
                friends: SteamworksInterface(sys::SteamAPI_SteamFriends_v017()),
                remote_storage: SteamworksInterface(sys::SteamAPI_SteamRemoteStorage_v014()),
                ugc: SteamworksInterface(sys::SteamAPI_SteamUGC_v014()),
                user: SteamworksInterface(sys::SteamAPI_SteamUser_v021()),
                user_stats: SteamworksInterface(sys::SteamAPI_SteamUserStats_v012()),
                utils,
            }))
        };

        start_worker_thread(client.clone());
        event!(Level::DEBUG, "Steamworks API initialized");

        Ok(client)
    }

    /// <https://partner.steamgames.com/doc/api/ISteamUserStats#FindLeaderboard>
    ///
    /// Returns an error if the leaderboard name contains nul bytes, is longer than 128 bytes, or if
    /// the leaderboard is not found.
    pub fn find_leaderboard(
        &self,
        leaderboard_name: impl Into<Vec<u8>>,
    ) -> BoxFuture<'_, Result<user_stats::LeaderboardHandle, user_stats::FindLeaderboardError>>
    {
        user_stats::find_leaderboard(self, leaderboard_name.into()).boxed()
    }

    /// Returns [`ugc::QueryAllUgc`], which follows the builder pattern, allowing you to configure
    /// a UGC query before running it.
    pub fn query_all_ugc(&self, matching_ugc_type: ugc::MatchingUgcType) -> ugc::QueryAllUgc {
        ugc::QueryAllUgc::new(self.clone(), matching_ugc_type)
    }

    /// <https://partner.steamgames.com/doc/api/ISteamUtils#GetAppID>
    pub fn app_id(&self) -> AppId {
        unsafe { sys::SteamAPI_ISteamUtils_GetAppID(*self.0.utils).into() }
    }

    /// <https://partner.steamgames.com/doc/api/ISteamUser#GetSteamID>
    pub fn steam_id(&self) -> SteamId {
        let id = unsafe { sys::SteamAPI_ISteamUser_GetSteamID(*self.0.user) };

        id.into()
    }

    /// <https://partner.steamgames.com/doc/api/ISteamFriends#PersonaStateChange_t>
    pub fn on_persona_state_changed(
        &self,
    ) -> impl Stream<Item = callbacks::PersonaStateChange> + Send {
        callbacks::register_to_receive_callback(&self.0.callback_dispatchers.persona_state_change)
    }

    /// <https://partner.steamgames.com/doc/api/ISteamUtils#SteamShutdown_t>
    pub fn on_steam_shutdown(&self) -> impl Stream<Item = ()> + Send {
        callbacks::register_to_receive_callback(&self.0.callback_dispatchers.steam_shutdown)
    }

    async unsafe fn register_for_call_result<CallResult: Copy>(
        &self,
        handle: sys::SteamAPICall_t,
    ) -> CallResult {
        let (tx, rx) = futures::channel::oneshot::channel::<Vec<u8>>();
        self.0.call_result_handles.lock().insert(handle, tx);
        rx.map(|result| {
            let bytes = result.unwrap();

            assert_eq!(bytes.len(), mem::size_of::<CallResult>());
            ptr::read_unaligned(bytes.as_ptr() as *const CallResult)
        })
        .await
    }
}

impl Drop for ClientInner {
    fn drop(&mut self) {
        STEAM_API_STATE.store(SteamApiState::ShutdownStage1, atomic::Ordering::Release);
        event!(
            Level::DEBUG,
            "Preparing to shutdown Steam API; waiting for worker thread to exit"
        );
        loop {
            thread::sleep(Duration::from_millis(1));

            if STEAM_API_STATE.load(atomic::Ordering::Acquire) == SteamApiState::ShutdownStage2 {
                break;
            }
        }

        event!(Level::DEBUG, "Shutting down Steam API");
        unsafe {
            sys::SteamAPI_Shutdown();
        }

        event!(Level::DEBUG, "Finished shutting down Steam API");
        STEAM_API_STATE.store(SteamApiState::Stopped, atomic::Ordering::Release);
    }
}

unsafe extern "C" fn warning_message_hook(severity: i32, debug_text: *const c_char) {
    let debug_text = CStr::from_ptr(debug_text);
    if severity == 1 {
        event!(Level::WARN, ?debug_text, "Steam API warning");
    } else {
        event!(Level::INFO, ?debug_text, "Steam API message");
    }
}

fn start_worker_thread(client: Client) {
    thread::Builder::new().name("Steam API Worker".into()).spawn(move || {
        unsafe {
            let steam_pipe = sys::SteamAPI_GetHSteamPipe();
            loop {
                sys::SteamAPI_ManualDispatch_RunFrame(steam_pipe);
                let mut callback_msg: MaybeUninit<sys::CallbackMsg_t> = MaybeUninit::uninit();
                while sys::SteamAPI_ManualDispatch_GetNextCallback(
                    steam_pipe,
                    callback_msg.as_mut_ptr(),
                ) {
                    let callback = callback_msg.assume_init();

                    // Check if we're dispatching a call result or a callback
                    if callback.m_iCallback
                        == sys::SteamAPICallCompleted_t_k_iCallback.wrapping_cast()
                    {
                        // It's a call result

                        assert!(!callback.m_pubParam.is_null());
                        assert_eq!(
                            callback
                                .m_pubParam
                                .align_offset(mem::align_of::<sys::SteamAPICallCompleted_t>()),
                            0
                        );
                        let call_completed =
                            &mut *(callback.m_pubParam as *mut sys::SteamAPICallCompleted_t);

                        let mut call_result_buf =
                            vec![0_u8; call_completed.m_cubParam.try_into().unwrap()];
                        let mut failed = true;
                        if sys::SteamAPI_ManualDispatch_GetAPICallResult(
                            steam_pipe,
                            call_completed.m_hAsyncCall,
                            call_result_buf.as_mut_ptr() as *mut c_void,
                            call_result_buf.len().try_into().unwrap(),
                            call_completed.m_iCallback,
                            &mut failed,
                        ) {
                            assert!(!failed, "'SteamAPI_ManualDispatch_GetAPICallResult' indicated failure by returning a value of 'true' for its 'pbFailed' parameter");

                            let call_id = call_completed.m_hAsyncCall;
                            match client.0.call_result_handles.lock().remove(&call_id) {
                                Some(tx) => {
                                    tx.send(call_result_buf).ok();
                                }
                                None => {
                                    event!(
                                        Level::WARN,
                                        SteamAPICallCompleted_t = ?call_completed,
                                        "a CallResult became available, but its recipient was not found"
                                    );
                                }
                            }
                        } else {
                            panic!("'SteamAPI_ManualDispatch_GetAPICallResult' returned false");
                        }
                    } else {
                        // It's a callback

                        callbacks::dispatch_callbacks(&client.0.callback_dispatchers, callback);
                    }

                    sys::SteamAPI_ManualDispatch_FreeLastCallback(steam_pipe);
                }

                if STEAM_API_STATE
                    .compare_exchange_weak(
                        SteamApiState::ShutdownStage1,
                        SteamApiState::ShutdownStage2,
                        atomic::Ordering::AcqRel,
                        atomic::Ordering::Acquire,
                    )
                    .is_ok()
                {
                    event!(
                        Level::DEBUG,
                        "worker thread shutting down due to receiving shutdown signal"
                    );

                    break;
                }

                thread::sleep(Duration::from_millis(1));
            }
        }
    }).unwrap();
}

#[derive(Debug, snafu::Snafu)]
pub enum InitError {
    /// Tried to initialize Steam API when it was already initialized
    #[snafu(display("Tried to initialize Steam API when it was already initialized"))]
    AlreadyInitialized,

    /// The Steamworks API failed to initialize (SteamAPI_Init() returned false)
    #[snafu(display("The Steamworks API failed to initialize (SteamAPI_Init() returned false)"))]
    Other,
}