rust/clippy_lints/src/future_not_send.rs

112 lines
4.7 KiB
Rust
Raw Normal View History

use clippy_utils::diagnostics::span_lint_and_then;
2021-03-16 17:06:34 +01:00
use clippy_utils::return_ty;
2020-04-07 15:39:07 +02:00
use rustc_hir::intravisit::FnKind;
use rustc_hir::{Body, FnDecl, HirId};
use rustc_infer::infer::TyCtxtInferExt;
use rustc_lint::{LateContext, LateLintPass};
2020-06-30 23:41:57 +02:00
use rustc_middle::ty::subst::Subst;
2021-01-07 17:20:28 +01:00
use rustc_middle::ty::{Opaque, PredicateKind::Trait};
2020-04-07 15:39:07 +02:00
use rustc_session::{declare_lint_pass, declare_tool_lint};
use rustc_span::{sym, Span};
use rustc_trait_selection::traits::error_reporting::suggestions::InferCtxtExt;
use rustc_trait_selection::traits::{self, FulfillmentError, TraitEngine};
declare_clippy_lint! {
/// ### What it does
/// This lint requires Future implementations returned from
2020-04-07 15:39:07 +02:00
/// functions and methods to implement the `Send` marker trait. It is mostly
/// used by library authors (public and internal) that target an audience where
/// multithreaded executors are likely to be used for running these Futures.
///
/// ### Why is this bad?
/// A Future implementation captures some state that it
2020-04-07 15:39:07 +02:00
/// needs to eventually produce its final value. When targeting a multithreaded
/// executor (which is the norm on non-embedded devices) this means that this
/// state may need to be transported to other threads, in other words the
/// whole Future needs to implement the `Send` marker trait. If it does not,
/// then the resulting Future cannot be submitted to a thread pool in the
/// end users code.
///
/// Especially for generic functions it can be confusing to leave the
/// discovery of this problem to the end user: the reported error location
/// will be far from its cause and can in many cases not even be fixed without
/// modifying the library where the offending Future implementation is
/// produced.
///
/// ### Example
2020-04-07 15:39:07 +02:00
/// ```rust
/// async fn not_send(bytes: std::rc::Rc<[u8]>) {}
/// ```
/// Use instead:
/// ```rust
/// async fn is_send(bytes: std::sync::Arc<[u8]>) {}
/// ```
pub FUTURE_NOT_SEND,
nursery,
"public Futures must be Send"
}
declare_lint_pass!(FutureNotSend => [FUTURE_NOT_SEND]);
impl<'tcx> LateLintPass<'tcx> for FutureNotSend {
2020-04-07 15:39:07 +02:00
fn check_fn(
&mut self,
cx: &LateContext<'tcx>,
2020-04-07 15:39:07 +02:00
kind: FnKind<'tcx>,
decl: &'tcx FnDecl<'tcx>,
_: &'tcx Body<'tcx>,
_: Span,
hir_id: HirId,
) {
2020-11-27 09:24:42 +01:00
if let FnKind::Closure = kind {
2020-04-07 15:39:07 +02:00
return;
}
2021-03-16 17:06:34 +01:00
let ret_ty = return_ty(cx, hir_id);
if let Opaque(id, subst) = *ret_ty.kind() {
2020-06-30 23:41:57 +02:00
let preds = cx.tcx.explicit_item_bounds(id);
2020-04-07 15:39:07 +02:00
let mut is_future = false;
2020-06-30 23:41:57 +02:00
for &(p, _span) in preds {
let p = p.subst(cx.tcx, subst);
2020-04-07 15:39:07 +02:00
if let Some(trait_ref) = p.to_opt_poly_trait_ref() {
2020-11-22 02:13:53 +01:00
if Some(trait_ref.value.def_id()) == cx.tcx.lang_items().future_trait() {
2020-04-07 15:39:07 +02:00
is_future = true;
break;
}
}
}
if is_future {
let send_trait = cx.tcx.get_diagnostic_item(sym::send_trait).unwrap();
let span = decl.output.span();
let send_result = cx.tcx.infer_ctxt().enter(|infcx| {
let cause = traits::ObligationCause::misc(span, hir_id);
let mut fulfillment_cx = traits::FulfillmentContext::new();
fulfillment_cx.register_bound(&infcx, cx.param_env, ret_ty, send_trait, cause);
fulfillment_cx.select_all_or_error(&infcx)
});
if let Err(send_errors) = send_result {
span_lint_and_then(
2020-04-07 15:39:07 +02:00
cx,
FUTURE_NOT_SEND,
span,
"future cannot be sent between threads safely",
|db| {
cx.tcx.infer_ctxt().enter(|infcx| {
for FulfillmentError { obligation, .. } in send_errors {
infcx.maybe_note_obligation_cause_for_async_await(db, &obligation);
if let Trait(trait_pred, _) = obligation.predicate.kind().skip_binder() {
2020-06-19 10:22:25 +02:00
db.note(&format!(
2020-04-07 15:39:07 +02:00
"`{}` doesn't implement `{}`",
2020-06-19 10:22:25 +02:00
trait_pred.self_ty(),
trait_pred.trait_ref.print_only_trait_path(),
2020-04-07 15:39:07 +02:00
));
}
}
});
2020-04-07 15:39:07 +02:00
},
);
}
}
}
}
}