-
Notifications
You must be signed in to change notification settings - Fork 552
/
server.rs
1594 lines (1467 loc) · 55.6 KB
/
server.rs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
// Copyright 2016 Mozilla Foundation
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
// For tokio_io::codec::length_delimited::Framed;
#![allow(deprecated)]
use crate::cache::{storage_from_config, Storage};
use crate::compiler::{
get_compiler_info, CacheControl, CompileResult, Compiler, CompilerArguments, CompilerHasher,
CompilerKind, DistType, MissType,
};
#[cfg(feature = "dist-client")]
use crate::config;
use crate::config::Config;
use crate::dist;
use crate::dist::Client as DistClient;
use crate::jobserver::Client;
use crate::mock_command::{CommandCreatorSync, ProcessCommandCreator};
use crate::protocol::{Compile, CompileFinished, CompileResponse, Request, Response};
use crate::util;
use filetime::FileTime;
use futures::sync::mpsc;
use futures::task::{self, Task};
use futures::{future, stream, Async, AsyncSink, Future, Poll, Sink, StartSend, Stream};
use futures_cpupool::CpuPool;
use number_prefix::{binary_prefix, Prefixed, Standalone};
use std::cell::RefCell;
use std::collections::HashMap;
use std::env;
use std::ffi::{OsStr, OsString};
use std::fs::metadata;
use std::io::{self, Write};
#[cfg(feature = "dist-client")]
use std::mem;
use std::net::{Ipv4Addr, SocketAddr, SocketAddrV4};
use std::path::PathBuf;
use std::process::{ExitStatus, Output};
use std::rc::Rc;
use std::sync::Arc;
#[cfg(feature = "dist-client")]
use std::sync::Mutex;
use std::time::Duration;
use std::time::Instant;
use std::u64;
use tokio::runtime::current_thread::Runtime;
use tokio_io::codec::length_delimited;
use tokio_io::codec::length_delimited::Framed;
use tokio_io::{AsyncRead, AsyncWrite};
use tokio_serde_bincode::{ReadBincode, WriteBincode};
use tokio_tcp::TcpListener;
use tokio_timer::{Delay, Timeout};
use tower::Service;
use crate::errors::*;
/// If the server is idle for this many seconds, shut down.
const DEFAULT_IDLE_TIMEOUT: u64 = 600;
/// If the dist client couldn't be created, retry creation at this number
/// of seconds from now (or later)
#[cfg(feature = "dist-client")]
const DIST_CLIENT_RECREATE_TIMEOUT: Duration = Duration::from_secs(30);
/// Result of background server startup.
#[derive(Debug, Serialize, Deserialize)]
pub enum ServerStartup {
/// Server started successfully on `port`.
Ok { port: u16 },
/// Timed out waiting for server startup.
TimedOut,
/// Server encountered an error.
Err { reason: String },
}
/// Get the time the server should idle for before shutting down.
fn get_idle_timeout() -> u64 {
// A value of 0 disables idle shutdown entirely.
env::var("SCCACHE_IDLE_TIMEOUT")
.ok()
.and_then(|s| s.parse().ok())
.unwrap_or(DEFAULT_IDLE_TIMEOUT)
}
fn notify_server_startup_internal<W: Write>(mut w: W, status: ServerStartup) -> Result<()> {
util::write_length_prefixed_bincode(&mut w, status)
}
#[cfg(unix)]
fn notify_server_startup(name: &Option<OsString>, status: ServerStartup) -> Result<()> {
use std::os::unix::net::UnixStream;
let name = match *name {
Some(ref s) => s,
None => return Ok(()),
};
debug!("notify_server_startup({:?})", status);
let stream = UnixStream::connect(name)?;
notify_server_startup_internal(stream, status)
}
#[cfg(windows)]
fn notify_server_startup(name: &Option<OsString>, status: ServerStartup) -> Result<()> {
use std::fs::OpenOptions;
let name = match *name {
Some(ref s) => s,
None => return Ok(()),
};
let pipe = OpenOptions::new().write(true).read(true).open(name)?;
notify_server_startup_internal(pipe, status)
}
#[cfg(unix)]
fn get_signal(status: ExitStatus) -> i32 {
use std::os::unix::prelude::*;
status.signal().expect("must have signal")
}
#[cfg(windows)]
fn get_signal(_status: ExitStatus) -> i32 {
panic!("no signals on windows")
}
pub struct DistClientContainer {
// The actual dist client state
#[cfg(feature = "dist-client")]
state: Mutex<DistClientState>,
}
#[cfg(feature = "dist-client")]
struct DistClientConfig {
// Reusable items tied to an SccacheServer instance
pool: CpuPool,
// From the static dist configuration
scheduler_url: Option<config::HTTPUrl>,
auth: config::DistAuth,
cache_dir: PathBuf,
toolchain_cache_size: u64,
toolchains: Vec<config::DistToolchainConfig>,
rewrite_includes_only: bool,
}
#[cfg(feature = "dist-client")]
enum DistClientState {
#[cfg(feature = "dist-client")]
Some(DistClientConfig, Arc<dyn dist::Client>),
#[cfg(feature = "dist-client")]
FailWithMessage(DistClientConfig, String),
#[cfg(feature = "dist-client")]
RetryCreateAt(DistClientConfig, Instant),
Disabled,
}
#[cfg(not(feature = "dist-client"))]
impl DistClientContainer {
#[cfg(not(feature = "dist-client"))]
fn new(config: &Config, _: &CpuPool) -> Self {
if let Some(_) = config.dist.scheduler_url {
warn!("Scheduler address configured but dist feature disabled, disabling distributed sccache")
}
Self {}
}
pub fn new_disabled() -> Self {
Self {}
}
pub fn reset_state(&self) {}
pub fn get_status(&self) -> DistInfo {
DistInfo::Disabled("dist-client feature not selected".to_string())
}
fn get_client(&self) -> Result<Option<Arc<dyn dist::Client>>> {
Ok(None)
}
}
#[cfg(feature = "dist-client")]
impl DistClientContainer {
fn new(config: &Config, pool: &CpuPool) -> Self {
let config = DistClientConfig {
pool: pool.clone(),
scheduler_url: config.dist.scheduler_url.clone(),
auth: config.dist.auth.clone(),
cache_dir: config.dist.cache_dir.clone(),
toolchain_cache_size: config.dist.toolchain_cache_size,
toolchains: config.dist.toolchains.clone(),
rewrite_includes_only: config.dist.rewrite_includes_only,
};
let state = Self::create_state(config);
Self {
state: Mutex::new(state),
}
}
pub fn new_disabled() -> Self {
Self {
state: Mutex::new(DistClientState::Disabled),
}
}
pub fn reset_state(&self) {
let mut guard = self.state.lock();
let state = guard.as_mut().unwrap();
let state: &mut DistClientState = &mut **state;
match mem::replace(state, DistClientState::Disabled) {
DistClientState::Some(cfg, _)
| DistClientState::FailWithMessage(cfg, _)
| DistClientState::RetryCreateAt(cfg, _) => {
warn!("State reset. Will recreate");
*state =
DistClientState::RetryCreateAt(cfg, Instant::now() - Duration::from_secs(1));
}
DistClientState::Disabled => (),
}
}
pub fn get_status(&self) -> DistInfo {
let mut guard = self.state.lock();
let state = guard.as_mut().unwrap();
let state: &mut DistClientState = &mut **state;
match state {
DistClientState::Disabled => DistInfo::Disabled("disabled".to_string()),
DistClientState::FailWithMessage(cfg, _) => DistInfo::NotConnected(
cfg.scheduler_url.clone(),
"enabled, auth not configured".to_string(),
),
DistClientState::RetryCreateAt(cfg, _) => DistInfo::NotConnected(
cfg.scheduler_url.clone(),
"enabled, not connected, will retry".to_string(),
),
DistClientState::Some(cfg, client) => match client.do_get_status().wait() {
Ok(res) => DistInfo::SchedulerStatus(cfg.scheduler_url.clone(), res),
Err(_) => DistInfo::NotConnected(
cfg.scheduler_url.clone(),
"could not communicate with scheduler".to_string(),
),
},
}
}
fn get_client(&self) -> Result<Option<Arc<dyn dist::Client>>> {
let mut guard = self.state.lock();
let state = guard.as_mut().unwrap();
let state: &mut DistClientState = &mut **state;
Self::maybe_recreate_state(state);
let res = match state {
DistClientState::Some(_, dc) => Ok(Some(dc.clone())),
DistClientState::Disabled | DistClientState::RetryCreateAt(_, _) => Ok(None),
DistClientState::FailWithMessage(_, msg) => Err(Error::from(msg.clone())),
};
match res {
Err(_) => {
let config = match mem::replace(state, DistClientState::Disabled) {
DistClientState::FailWithMessage(config, _) => config,
_ => unreachable!(),
};
// The client is most likely mis-configured, make sure we
// re-create on our next attempt.
*state =
DistClientState::RetryCreateAt(config, Instant::now() - Duration::from_secs(1));
}
_ => (),
};
res
}
fn maybe_recreate_state(state: &mut DistClientState) {
if let DistClientState::RetryCreateAt(_, instant) = *state {
if instant > Instant::now() {
return;
}
let config = match mem::replace(state, DistClientState::Disabled) {
DistClientState::RetryCreateAt(config, _) => config,
_ => unreachable!(),
};
info!("Attempting to recreate the dist client");
*state = Self::create_state(config)
}
}
// Attempt to recreate the dist client
fn create_state(config: DistClientConfig) -> DistClientState {
macro_rules! try_or_retry_later {
($v:expr) => {{
match $v {
Ok(v) => v,
Err(e) => {
use error_chain::ChainedError;
error!("{}", e.display_chain());
return DistClientState::RetryCreateAt(
config,
Instant::now() + DIST_CLIENT_RECREATE_TIMEOUT,
);
}
}
}};
}
macro_rules! try_or_fail_with_message {
($v:expr) => {{
match $v {
Ok(v) => v,
Err(e) => {
use error_chain::ChainedError;
let errmsg = e.display_chain();
error!("{}", errmsg);
return DistClientState::FailWithMessage(config, errmsg.to_string());
}
}
}};
}
// TODO: NLL would avoid this clone
match config.scheduler_url.clone() {
Some(addr) => {
let url = addr.to_url();
info!("Enabling distributed sccache to {}", url);
let auth_token = match &config.auth {
config::DistAuth::Token { token } => Ok(token.to_owned()),
config::DistAuth::Oauth2CodeGrantPKCE {
client_id: _,
auth_url,
token_url: _,
}
| config::DistAuth::Oauth2Implicit {
client_id: _,
auth_url,
} => Self::get_cached_config_auth_token(auth_url),
};
let auth_token = try_or_fail_with_message!(auth_token.chain_err(|| {
"could not load client auth token, run |sccache --dist-auth|"
}));
// TODO: NLL would let us move this inside the previous match
let dist_client = dist::http::Client::new(
&config.pool,
url,
&config.cache_dir.join("client"),
config.toolchain_cache_size,
&config.toolchains,
auth_token,
config.rewrite_includes_only,
);
let dist_client = try_or_retry_later!(
dist_client.chain_err(|| "failure during dist client creation")
);
match dist_client.do_get_status().wait() {
Ok(res) => {
info!(
"Successfully created dist client with {:?} cores across {:?} servers",
res.num_cpus, res.num_servers
);
DistClientState::Some(config, Arc::new(dist_client))
}
Err(_) => {
warn!("Scheduler address configured, but could not communicate with scheduler");
DistClientState::RetryCreateAt(
config,
Instant::now() + DIST_CLIENT_RECREATE_TIMEOUT,
)
}
}
}
None => {
info!("No scheduler address configured, disabling distributed sccache");
DistClientState::Disabled
}
}
}
fn get_cached_config_auth_token(auth_url: &str) -> Result<String> {
let cached_config = config::CachedConfig::reload()?;
cached_config
.with(|c| c.dist.auth_tokens.get(auth_url).map(String::to_owned))
.ok_or_else(|| {
Error::from(format!(
"token for url {} not present in cached config",
auth_url
))
})
}
}
/// Start an sccache server, listening on `port`.
///
/// Spins an event loop handling client connections until a client
/// requests a shutdown.
pub fn start_server(config: &Config, port: u16) -> Result<()> {
info!("start_server: port: {}", port);
let client = unsafe { Client::new() };
let runtime = Runtime::new()?;
let pool = CpuPool::new(std::cmp::max(20, 2 * num_cpus::get()));
let dist_client = DistClientContainer::new(config, &pool);
let storage = storage_from_config(config, &pool);
let res = SccacheServer::<ProcessCommandCreator>::new(
port,
pool,
runtime,
client,
dist_client,
storage,
);
let notify = env::var_os("SCCACHE_STARTUP_NOTIFY");
match res {
Ok(srv) => {
let port = srv.port();
info!("server started, listening on port {}", port);
notify_server_startup(¬ify, ServerStartup::Ok { port })?;
srv.run(future::empty::<(), ()>())?;
Ok(())
}
Err(e) => {
error!("failed to start server: {}", e);
let reason = e.to_string();
notify_server_startup(¬ify, ServerStartup::Err { reason })?;
Err(e)
}
}
}
pub struct SccacheServer<C: CommandCreatorSync> {
runtime: Runtime,
listener: TcpListener,
rx: mpsc::Receiver<ServerMessage>,
timeout: Duration,
service: SccacheService<C>,
wait: WaitUntilZero,
}
impl<C: CommandCreatorSync> SccacheServer<C> {
pub fn new(
port: u16,
pool: CpuPool,
runtime: Runtime,
client: Client,
dist_client: DistClientContainer,
storage: Arc<dyn Storage>,
) -> Result<SccacheServer<C>> {
let addr = SocketAddrV4::new(Ipv4Addr::new(127, 0, 0, 1), port);
let listener = TcpListener::bind(&SocketAddr::V4(addr))?;
// Prepare the service which we'll use to service all incoming TCP
// connections.
let (tx, rx) = mpsc::channel(1);
let (wait, info) = WaitUntilZero::new();
let service = SccacheService::new(dist_client, storage, &client, pool, tx, info);
Ok(SccacheServer {
runtime: runtime,
listener: listener,
rx: rx,
service: service,
timeout: Duration::from_secs(get_idle_timeout()),
wait: wait,
})
}
/// Configures how long this server will be idle before shutting down.
#[allow(dead_code)]
pub fn set_idle_timeout(&mut self, timeout: Duration) {
self.timeout = timeout;
}
/// Set the storage this server will use.
#[allow(dead_code)]
pub fn set_storage(&mut self, storage: Arc<dyn Storage>) {
self.service.storage = storage;
}
/// Returns a reference to a thread pool to run work on
#[allow(dead_code)]
pub fn pool(&self) -> &CpuPool {
&self.service.pool
}
/// Returns a reference to the command creator this server will use
#[allow(dead_code)]
pub fn command_creator(&self) -> &C {
&self.service.creator
}
/// Returns the port that this server is bound to
#[allow(dead_code)]
pub fn port(&self) -> u16 {
self.listener.local_addr().unwrap().port()
}
/// Runs this server to completion.
///
/// If the `shutdown` future resolves then the server will be shut down,
/// otherwise the server may naturally shut down if it becomes idle for too
/// long anyway.
pub fn run<F>(self, shutdown: F) -> io::Result<()>
where
F: Future,
{
self._run(Box::new(shutdown.then(|_| Ok(()))))
}
fn _run<'a>(self, shutdown: Box<dyn Future<Item = (), Error = ()> + 'a>) -> io::Result<()> {
let SccacheServer {
mut runtime,
listener,
rx,
service,
timeout,
wait,
} = self;
// Create our "server future" which will simply handle all incoming
// connections in separate tasks.
let server = listener.incoming().for_each(move |socket| {
trace!("incoming connection");
tokio::runtime::current_thread::TaskExecutor::current()
.spawn_local(Box::new(service.clone().bind(socket).map_err(|err| {
error!("{}", err);
})))
.unwrap();
Ok(())
});
// Right now there's a whole bunch of ways to shut down this server for
// various purposes. These include:
//
// 1. The `shutdown` future above.
// 2. An RPC indicating the server should shut down
// 3. A period of inactivity (no requests serviced)
//
// These are all encapsulated wih the future that we're creating below.
// The `ShutdownOrInactive` indicates the RPC or the period of
// inactivity, and this is then select'd with the `shutdown` future
// passed to this function.
let shutdown = shutdown.map(|a| {
info!("shutting down due to explicit signal");
a
});
let mut futures = vec![
Box::new(server) as Box<dyn Future<Item = _, Error = _>>,
Box::new(
shutdown
.map_err(|()| io::Error::new(io::ErrorKind::Other, "shutdown signal failed")),
),
];
let shutdown_idle = ShutdownOrInactive {
rx: rx,
timeout: if timeout != Duration::new(0, 0) {
Some(Delay::new(Instant::now() + timeout))
} else {
None
},
timeout_dur: timeout,
};
futures.push(Box::new(shutdown_idle.map(|a| {
info!("shutting down due to being idle or request");
a
})));
let server = future::select_all(futures);
runtime.block_on(server).map_err(|p| p.0)?;
info!(
"moving into the shutdown phase now, waiting at most 10 seconds \
for all client requests to complete"
);
// Once our server has shut down either due to inactivity or a manual
// request we still need to give a bit of time for all active
// connections to finish. This `wait` future will resolve once all
// instances of `SccacheService` have been dropped.
//
// Note that we cap the amount of time this can take, however, as we
// don't want to wait *too* long.
runtime
.block_on(Timeout::new(wait, Duration::new(10, 0)))
.map_err(|e| {
if e.is_inner() {
e.into_inner().unwrap()
} else {
io::Error::new(io::ErrorKind::Other, e)
}
})?;
info!("ok, fully shutting down now");
Ok(())
}
}
/// Service implementation for sccache
#[derive(Clone)]
struct SccacheService<C: CommandCreatorSync> {
/// Server statistics.
stats: Rc<RefCell<ServerStats>>,
/// Distributed sccache client
dist_client: Rc<DistClientContainer>,
/// Cache storage.
storage: Arc<dyn Storage>,
/// A cache of known compiler info.
compilers: Rc<RefCell<HashMap<PathBuf, Option<(Box<dyn Compiler<C>>, FileTime)>>>>,
/// Thread pool to execute work in
pool: CpuPool,
/// An object for creating commands.
///
/// This is mostly useful for unit testing, where we
/// can mock this out.
creator: C,
/// Message channel used to learn about requests received by this server.
///
/// Note that messages sent along this channel will keep the server alive
/// (reset the idle timer) and this channel can also be used to shut down
/// the entire server immediately via a message.
tx: mpsc::Sender<ServerMessage>,
/// Information tracking how many services (connected clients) are active.
info: ActiveInfo,
}
type SccacheRequest = Message<Request, Body<()>>;
type SccacheResponse = Message<Response, Body<Response>>;
/// Messages sent from all services to the main event loop indicating activity.
///
/// Whenever a request is receive a `Request` message is sent which will reset
/// the idle shutdown timer, and otherwise a `Shutdown` message indicates that
/// a server shutdown was requested via an RPC.
pub enum ServerMessage {
/// A message sent whenever a request is received.
Request,
/// Message sent whenever a shutdown request is received.
Shutdown,
}
impl<C> Service<SccacheRequest> for SccacheService<C>
where
C: CommandCreatorSync + 'static,
{
type Response = SccacheResponse;
type Error = Error;
type Future = SFuture<Self::Response>;
fn call(&mut self, req: SccacheRequest) -> Self::Future {
trace!("handle_client");
// Opportunistically let channel know that we've received a request. We
// ignore failures here as well as backpressure as it's not imperative
// that every message is received.
drop(self.tx.clone().start_send(ServerMessage::Request));
let res: SFuture<Response> = match req.into_inner() {
Request::Compile(compile) => {
debug!("handle_client: compile");
self.stats.borrow_mut().compile_requests += 1;
return self.handle_compile(compile);
}
Request::GetStats => {
debug!("handle_client: get_stats");
Box::new(self.get_info().map(Response::Stats))
}
Request::DistStatus => {
debug!("handle_client: dist_status");
Box::new(self.get_dist_status().map(Response::DistStatus))
}
Request::ZeroStats => {
debug!("handle_client: zero_stats");
self.zero_stats();
Box::new(self.get_info().map(Response::Stats))
}
Request::Shutdown => {
debug!("handle_client: shutdown");
let future = self
.tx
.clone()
.send(ServerMessage::Shutdown)
.then(|_| Ok(()));
let info_future = self.get_info();
return Box::new(
future
.join(info_future)
.map(move |(_, info)| Message::WithoutBody(Response::ShuttingDown(info))),
);
}
};
Box::new(res.map(Message::WithoutBody))
}
fn poll_ready(&mut self) -> Poll<(), Self::Error> {
Ok(Async::Ready(()))
}
}
impl<C> SccacheService<C>
where
C: CommandCreatorSync,
{
pub fn new(
dist_client: DistClientContainer,
storage: Arc<dyn Storage>,
client: &Client,
pool: CpuPool,
tx: mpsc::Sender<ServerMessage>,
info: ActiveInfo,
) -> SccacheService<C> {
SccacheService {
stats: Rc::new(RefCell::new(ServerStats::default())),
dist_client: Rc::new(dist_client),
storage,
compilers: Rc::new(RefCell::new(HashMap::new())),
pool,
creator: C::new(client),
tx,
info,
}
}
fn bind<T>(mut self, socket: T) -> impl Future<Item = (), Error = Error>
where
T: AsyncRead + AsyncWrite + 'static,
{
let mut builder = length_delimited::Builder::new();
if let Ok(max_frame_length_str) = env::var("SCCACHE_MAX_FRAME_LENGTH") {
if let Ok(max_frame_length) = max_frame_length_str.parse::<usize>() {
builder.max_frame_length(max_frame_length);
} else {
warn!("Content of SCCACHE_MAX_FRAME_LENGTH is not a valid number, using default");
}
}
let io = builder.new_framed(socket);
let (sink, stream) = SccacheTransport {
inner: WriteBincode::new(ReadBincode::new(io)),
}
.split();
let sink = sink.sink_from_err::<Error>();
stream
.from_err::<Error>()
.and_then(move |input| self.call(input))
.and_then(|message| {
let f: Box<dyn Stream<Item = _, Error = _>> = match message {
Message::WithoutBody(message) => Box::new(stream::once(Ok(Frame::Message {
message,
body: false,
}))),
Message::WithBody(message, body) => Box::new(
stream::once(Ok(Frame::Message {
message,
body: true,
}))
.chain(body.map(|chunk| Frame::Body { chunk: Some(chunk) }))
.chain(stream::once(Ok(Frame::Body { chunk: None }))),
),
};
Ok(f.from_err::<Error>())
})
.flatten()
.forward(sink)
.map(|_| ())
}
/// Get dist status.
fn get_dist_status(&self) -> SFuture<DistInfo> {
f_ok(self.dist_client.get_status())
}
/// Get info and stats about the cache.
fn get_info(&self) -> SFuture<ServerInfo> {
let stats = self.stats.borrow().clone();
let cache_location = self.storage.location();
Box::new(
self.storage
.current_size()
.join(self.storage.max_size())
.map(move |(cache_size, max_cache_size)| ServerInfo {
stats,
cache_location,
cache_size,
max_cache_size,
}),
)
}
/// Zero stats about the cache.
fn zero_stats(&self) {
*self.stats.borrow_mut() = ServerStats::default();
}
/// Handle a compile request from a client.
///
/// This will handle a compile request entirely, generating a response with
/// the inital information and an optional body which will eventually
/// contain the results of the compilation.
fn handle_compile(&self, compile: Compile) -> SFuture<SccacheResponse> {
let exe = compile.exe;
let cmd = compile.args;
let cwd = compile.cwd;
let env_vars = compile.env_vars;
let me = self.clone();
Box::new(
self.compiler_info(exe.into(), &env_vars)
.map(move |info| me.check_compiler(info, cmd, cwd.into(), env_vars)),
)
}
/// Look up compiler info from the cache for the compiler `path`.
/// If not cached, determine the compiler type and cache the result.
fn compiler_info(
&self,
path: PathBuf,
env: &[(OsString, OsString)],
) -> SFuture<Result<Box<dyn Compiler<C>>>> {
trace!("compiler_info");
let mtime = ftry!(metadata(&path).map(|attr| FileTime::from_last_modification_time(&attr)));
//TODO: properly handle rustup overrides. Currently this will
// cache based on the rustup rustc path, ignoring overrides.
// https://github.com/mozilla/sccache/issues/87
let result = match self.compilers.borrow().get(&path) {
// It's a hit only if the mtime matches.
Some(&Some((ref c, ref cached_mtime))) if *cached_mtime == mtime => Some(c.clone()),
_ => None,
};
match result {
Some(info) => {
trace!("compiler_info cache hit");
f_ok(Ok(info))
}
None => {
trace!("compiler_info cache miss");
// Check the compiler type and return the result when
// finished. This generally involves invoking the compiler,
// so do it asynchronously.
let me = self.clone();
let info = get_compiler_info(&self.creator, &path, env, &self.pool);
Box::new(info.then(move |info| {
let map_info = match info {
Ok(ref c) => Some((c.clone(), mtime)),
Err(_) => None,
};
me.compilers.borrow_mut().insert(path, map_info);
Ok(info)
}))
}
}
}
/// Check that we can handle and cache `cmd` when run with `compiler`.
/// If so, run `start_compile_task` to execute it.
fn check_compiler(
&self,
compiler: Result<Box<dyn Compiler<C>>>,
cmd: Vec<OsString>,
cwd: PathBuf,
env_vars: Vec<(OsString, OsString)>,
) -> SccacheResponse {
let mut stats = self.stats.borrow_mut();
match compiler {
Err(e) => {
debug!("check_compiler: Unsupported compiler: {}", e.to_string());
stats.requests_unsupported_compiler += 1;
return Message::WithoutBody(Response::Compile(
CompileResponse::UnsupportedCompiler(OsString::from(e.to_string())),
));
}
Ok(c) => {
debug!("check_compiler: Supported compiler");
// Now check that we can handle this compiler with
// the provided commandline.
match c.parse_arguments(&cmd, &cwd) {
CompilerArguments::Ok(hasher) => {
debug!("parse_arguments: Ok: {:?}", cmd);
stats.requests_executed += 1;
let (tx, rx) = Body::pair();
self.start_compile_task(c, hasher, cmd, cwd, env_vars, tx);
let res = CompileResponse::CompileStarted;
return Message::WithBody(Response::Compile(res), rx);
}
CompilerArguments::CannotCache(why, extra_info) => {
if let Some(extra_info) = extra_info {
debug!(
"parse_arguments: CannotCache({}, {}): {:?}",
why, extra_info, cmd
)
} else {
debug!("parse_arguments: CannotCache({}): {:?}", why, cmd)
}
stats.requests_not_cacheable += 1;
*stats.not_cached.entry(why.to_string()).or_insert(0) += 1;
}
CompilerArguments::NotCompilation => {
debug!("parse_arguments: NotCompilation: {:?}", cmd);
stats.requests_not_compile += 1;
}
}
}
}
let res = CompileResponse::UnhandledCompile;
Message::WithoutBody(Response::Compile(res))
}
/// Given compiler arguments `arguments`, look up
/// a compile result in the cache or execute the compilation and store
/// the result in the cache.
fn start_compile_task(
&self,
compiler: Box<dyn Compiler<C>>,
hasher: Box<dyn CompilerHasher<C>>,
arguments: Vec<OsString>,
cwd: PathBuf,
env_vars: Vec<(OsString, OsString)>,
tx: mpsc::Sender<Result<Response>>,
) {
let force_recache = env_vars
.iter()
.any(|&(ref k, ref _v)| k.as_os_str() == OsStr::new("SCCACHE_RECACHE"));
let cache_control = if force_recache {
CacheControl::ForceRecache
} else {
CacheControl::Default
};
let out_pretty = hasher.output_pretty().into_owned();
let color_mode = hasher.color_mode();
let result = hasher.get_cached_or_compile(
self.dist_client.get_client(),
self.creator.clone(),
self.storage.clone(),
arguments,
cwd,
env_vars,
cache_control,
self.pool.clone(),
);
let me = self.clone();
let kind = compiler.kind();
let task = result.then(move |result| {
let mut cache_write = None;
let mut stats = me.stats.borrow_mut();
let mut res = CompileFinished::default();
res.color_mode = color_mode;
match result {
Ok((compiled, out)) => {
match compiled {
CompileResult::Error => {
stats.cache_errors.increment(&kind);
}
CompileResult::CacheHit(duration) => {
stats.cache_hits.increment(&kind);
stats.cache_read_hit_duration += duration;
}
CompileResult::CacheMiss(miss_type, dist_type, duration, future) => {
match dist_type {
DistType::NoDist => {}
DistType::Ok(id) => {
let server = id.addr().to_string();
let server_count =
stats.dist_compiles.entry(server).or_insert(0);
*server_count += 1;
}
DistType::Error => stats.dist_errors += 1,
}
match miss_type {
MissType::Normal => {}
MissType::ForcedRecache => {
stats.forced_recaches += 1;
}
MissType::TimedOut => {
stats.cache_timeouts += 1;
}
MissType::CacheReadError => {
stats.cache_errors.increment(&kind);
}
}
stats.cache_misses.increment(&kind);
stats.cache_read_miss_duration += duration;
cache_write = Some(future);
}
CompileResult::NotCacheable => {
stats.cache_misses.increment(&kind);
stats.non_cacheable_compilations += 1;