aboutsummaryrefslogtreecommitdiff
path: root/crates/ra_hir_def/src/body/lower.rs
diff options
context:
space:
mode:
Diffstat (limited to 'crates/ra_hir_def/src/body/lower.rs')
-rw-r--r--crates/ra_hir_def/src/body/lower.rs631
1 files changed, 631 insertions, 0 deletions
diff --git a/crates/ra_hir_def/src/body/lower.rs b/crates/ra_hir_def/src/body/lower.rs
new file mode 100644
index 000000000..2aa863c9e
--- /dev/null
+++ b/crates/ra_hir_def/src/body/lower.rs
@@ -0,0 +1,631 @@
1//! FIXME: write short doc here
2
3use hir_expand::{
4 either::Either,
5 hygiene::Hygiene,
6 name::{self, AsName, Name},
7 AstId, HirFileId, MacroCallLoc, MacroFileKind, Source,
8};
9use ra_arena::Arena;
10use ra_syntax::{
11 ast::{
12 self, ArgListOwner, ArrayExprKind, LiteralKind, LoopBodyOwner, NameOwner,
13 TypeAscriptionOwner,
14 },
15 AstNode, AstPtr,
16};
17
18use crate::{
19 body::{Body, BodySourceMap, MacroResolver, PatPtr},
20 builtin_type::{BuiltinFloat, BuiltinInt},
21 db::DefDatabase2,
22 expr::{
23 ArithOp, Array, BinaryOp, BindingAnnotation, CmpOp, Expr, ExprId, Literal, LogicOp,
24 MatchArm, Ordering, Pat, PatId, RecordFieldPat, RecordLitField, Statement,
25 },
26 path::GenericArgs,
27 path::Path,
28 type_ref::{Mutability, TypeRef},
29};
30
31pub(super) fn lower(
32 db: &impl DefDatabase2,
33 resolver: MacroResolver,
34 file_id: HirFileId,
35 params: Option<ast::ParamList>,
36 body: Option<ast::Expr>,
37) -> (Body, BodySourceMap) {
38 ExprCollector {
39 resolver,
40 db,
41 original_file_id: file_id,
42 current_file_id: file_id,
43 source_map: BodySourceMap::default(),
44 body: Body {
45 exprs: Arena::default(),
46 pats: Arena::default(),
47 params: Vec::new(),
48 body_expr: ExprId::dummy(),
49 },
50 }
51 .collect(params, body)
52}
53
54struct ExprCollector<DB> {
55 db: DB,
56 resolver: MacroResolver,
57 original_file_id: HirFileId,
58 current_file_id: HirFileId,
59
60 body: Body,
61 source_map: BodySourceMap,
62}
63
64impl<'a, DB> ExprCollector<&'a DB>
65where
66 DB: DefDatabase2,
67{
68 fn collect(
69 mut self,
70 param_list: Option<ast::ParamList>,
71 body: Option<ast::Expr>,
72 ) -> (Body, BodySourceMap) {
73 if let Some(param_list) = param_list {
74 if let Some(self_param) = param_list.self_param() {
75 let ptr = AstPtr::new(&self_param);
76 let param_pat = self.alloc_pat(
77 Pat::Bind {
78 name: name::SELF_PARAM,
79 mode: BindingAnnotation::Unannotated,
80 subpat: None,
81 },
82 Either::B(ptr),
83 );
84 self.body.params.push(param_pat);
85 }
86
87 for param in param_list.params() {
88 let pat = match param.pat() {
89 None => continue,
90 Some(pat) => pat,
91 };
92 let param_pat = self.collect_pat(pat);
93 self.body.params.push(param_pat);
94 }
95 };
96
97 self.body.body_expr = self.collect_expr_opt(body);
98 (self.body, self.source_map)
99 }
100
101 fn alloc_expr(&mut self, expr: Expr, ptr: AstPtr<ast::Expr>) -> ExprId {
102 let ptr = Either::A(ptr);
103 let id = self.body.exprs.alloc(expr);
104 if self.current_file_id == self.original_file_id {
105 self.source_map.expr_map.insert(ptr, id);
106 }
107 self.source_map
108 .expr_map_back
109 .insert(id, Source { file_id: self.current_file_id, ast: ptr });
110 id
111 }
112 // desugared exprs don't have ptr, that's wrong and should be fixed
113 // somehow.
114 fn alloc_expr_desugared(&mut self, expr: Expr) -> ExprId {
115 self.body.exprs.alloc(expr)
116 }
117 fn alloc_expr_field_shorthand(&mut self, expr: Expr, ptr: AstPtr<ast::RecordField>) -> ExprId {
118 let ptr = Either::B(ptr);
119 let id = self.body.exprs.alloc(expr);
120 if self.current_file_id == self.original_file_id {
121 self.source_map.expr_map.insert(ptr, id);
122 }
123 self.source_map
124 .expr_map_back
125 .insert(id, Source { file_id: self.current_file_id, ast: ptr });
126 id
127 }
128 fn alloc_pat(&mut self, pat: Pat, ptr: PatPtr) -> PatId {
129 let id = self.body.pats.alloc(pat);
130 if self.current_file_id == self.original_file_id {
131 self.source_map.pat_map.insert(ptr, id);
132 }
133 self.source_map.pat_map_back.insert(id, Source { file_id: self.current_file_id, ast: ptr });
134 id
135 }
136
137 fn empty_block(&mut self) -> ExprId {
138 let block = Expr::Block { statements: Vec::new(), tail: None };
139 self.body.exprs.alloc(block)
140 }
141
142 fn missing_expr(&mut self) -> ExprId {
143 self.body.exprs.alloc(Expr::Missing)
144 }
145
146 fn missing_pat(&mut self) -> PatId {
147 self.body.pats.alloc(Pat::Missing)
148 }
149
150 fn collect_expr(&mut self, expr: ast::Expr) -> ExprId {
151 let syntax_ptr = AstPtr::new(&expr);
152 match expr {
153 ast::Expr::IfExpr(e) => {
154 let then_branch = self.collect_block_opt(e.then_branch());
155
156 let else_branch = e.else_branch().map(|b| match b {
157 ast::ElseBranch::Block(it) => self.collect_block(it),
158 ast::ElseBranch::IfExpr(elif) => {
159 let expr: ast::Expr = ast::Expr::cast(elif.syntax().clone()).unwrap();
160 self.collect_expr(expr)
161 }
162 });
163
164 let condition = match e.condition() {
165 None => self.missing_expr(),
166 Some(condition) => match condition.pat() {
167 None => self.collect_expr_opt(condition.expr()),
168 // if let -- desugar to match
169 Some(pat) => {
170 let pat = self.collect_pat(pat);
171 let match_expr = self.collect_expr_opt(condition.expr());
172 let placeholder_pat = self.missing_pat();
173 let arms = vec![
174 MatchArm { pats: vec![pat], expr: then_branch, guard: None },
175 MatchArm {
176 pats: vec![placeholder_pat],
177 expr: else_branch.unwrap_or_else(|| self.empty_block()),
178 guard: None,
179 },
180 ];
181 return self
182 .alloc_expr(Expr::Match { expr: match_expr, arms }, syntax_ptr);
183 }
184 },
185 };
186
187 self.alloc_expr(Expr::If { condition, then_branch, else_branch }, syntax_ptr)
188 }
189 ast::Expr::TryBlockExpr(e) => {
190 let body = self.collect_block_opt(e.body());
191 self.alloc_expr(Expr::TryBlock { body }, syntax_ptr)
192 }
193 ast::Expr::BlockExpr(e) => self.collect_block(e),
194 ast::Expr::LoopExpr(e) => {
195 let body = self.collect_block_opt(e.loop_body());
196 self.alloc_expr(Expr::Loop { body }, syntax_ptr)
197 }
198 ast::Expr::WhileExpr(e) => {
199 let body = self.collect_block_opt(e.loop_body());
200
201 let condition = match e.condition() {
202 None => self.missing_expr(),
203 Some(condition) => match condition.pat() {
204 None => self.collect_expr_opt(condition.expr()),
205 // if let -- desugar to match
206 Some(pat) => {
207 let pat = self.collect_pat(pat);
208 let match_expr = self.collect_expr_opt(condition.expr());
209 let placeholder_pat = self.missing_pat();
210 let break_ = self.alloc_expr_desugared(Expr::Break { expr: None });
211 let arms = vec![
212 MatchArm { pats: vec![pat], expr: body, guard: None },
213 MatchArm { pats: vec![placeholder_pat], expr: break_, guard: None },
214 ];
215 let match_expr =
216 self.alloc_expr_desugared(Expr::Match { expr: match_expr, arms });
217 return self.alloc_expr(Expr::Loop { body: match_expr }, syntax_ptr);
218 }
219 },
220 };
221
222 self.alloc_expr(Expr::While { condition, body }, syntax_ptr)
223 }
224 ast::Expr::ForExpr(e) => {
225 let iterable = self.collect_expr_opt(e.iterable());
226 let pat = self.collect_pat_opt(e.pat());
227 let body = self.collect_block_opt(e.loop_body());
228 self.alloc_expr(Expr::For { iterable, pat, body }, syntax_ptr)
229 }
230 ast::Expr::CallExpr(e) => {
231 let callee = self.collect_expr_opt(e.expr());
232 let args = if let Some(arg_list) = e.arg_list() {
233 arg_list.args().map(|e| self.collect_expr(e)).collect()
234 } else {
235 Vec::new()
236 };
237 self.alloc_expr(Expr::Call { callee, args }, syntax_ptr)
238 }
239 ast::Expr::MethodCallExpr(e) => {
240 let receiver = self.collect_expr_opt(e.expr());
241 let args = if let Some(arg_list) = e.arg_list() {
242 arg_list.args().map(|e| self.collect_expr(e)).collect()
243 } else {
244 Vec::new()
245 };
246 let method_name = e.name_ref().map(|nr| nr.as_name()).unwrap_or_else(Name::missing);
247 let generic_args = e.type_arg_list().and_then(GenericArgs::from_ast);
248 self.alloc_expr(
249 Expr::MethodCall { receiver, method_name, args, generic_args },
250 syntax_ptr,
251 )
252 }
253 ast::Expr::MatchExpr(e) => {
254 let expr = self.collect_expr_opt(e.expr());
255 let arms = if let Some(match_arm_list) = e.match_arm_list() {
256 match_arm_list
257 .arms()
258 .map(|arm| MatchArm {
259 pats: arm.pats().map(|p| self.collect_pat(p)).collect(),
260 expr: self.collect_expr_opt(arm.expr()),
261 guard: arm
262 .guard()
263 .and_then(|guard| guard.expr())
264 .map(|e| self.collect_expr(e)),
265 })
266 .collect()
267 } else {
268 Vec::new()
269 };
270 self.alloc_expr(Expr::Match { expr, arms }, syntax_ptr)
271 }
272 ast::Expr::PathExpr(e) => {
273 let path = e
274 .path()
275 .and_then(|path| self.parse_path(path))
276 .map(Expr::Path)
277 .unwrap_or(Expr::Missing);
278 self.alloc_expr(path, syntax_ptr)
279 }
280 ast::Expr::ContinueExpr(_e) => {
281 // FIXME: labels
282 self.alloc_expr(Expr::Continue, syntax_ptr)
283 }
284 ast::Expr::BreakExpr(e) => {
285 let expr = e.expr().map(|e| self.collect_expr(e));
286 self.alloc_expr(Expr::Break { expr }, syntax_ptr)
287 }
288 ast::Expr::ParenExpr(e) => {
289 let inner = self.collect_expr_opt(e.expr());
290 // make the paren expr point to the inner expression as well
291 self.source_map.expr_map.insert(Either::A(syntax_ptr), inner);
292 inner
293 }
294 ast::Expr::ReturnExpr(e) => {
295 let expr = e.expr().map(|e| self.collect_expr(e));
296 self.alloc_expr(Expr::Return { expr }, syntax_ptr)
297 }
298 ast::Expr::RecordLit(e) => {
299 let path = e.path().and_then(|path| self.parse_path(path));
300 let mut field_ptrs = Vec::new();
301 let record_lit = if let Some(nfl) = e.record_field_list() {
302 let fields = nfl
303 .fields()
304 .inspect(|field| field_ptrs.push(AstPtr::new(field)))
305 .map(|field| RecordLitField {
306 name: field
307 .name_ref()
308 .map(|nr| nr.as_name())
309 .unwrap_or_else(Name::missing),
310 expr: if let Some(e) = field.expr() {
311 self.collect_expr(e)
312 } else if let Some(nr) = field.name_ref() {
313 // field shorthand
314 self.alloc_expr_field_shorthand(
315 Expr::Path(Path::from_name_ref(&nr)),
316 AstPtr::new(&field),
317 )
318 } else {
319 self.missing_expr()
320 },
321 })
322 .collect();
323 let spread = nfl.spread().map(|s| self.collect_expr(s));
324 Expr::RecordLit { path, fields, spread }
325 } else {
326 Expr::RecordLit { path, fields: Vec::new(), spread: None }
327 };
328
329 let res = self.alloc_expr(record_lit, syntax_ptr);
330 for (i, ptr) in field_ptrs.into_iter().enumerate() {
331 self.source_map.field_map.insert((res, i), ptr);
332 }
333 res
334 }
335 ast::Expr::FieldExpr(e) => {
336 let expr = self.collect_expr_opt(e.expr());
337 let name = match e.field_access() {
338 Some(kind) => kind.as_name(),
339 _ => Name::missing(),
340 };
341 self.alloc_expr(Expr::Field { expr, name }, syntax_ptr)
342 }
343 ast::Expr::AwaitExpr(e) => {
344 let expr = self.collect_expr_opt(e.expr());
345 self.alloc_expr(Expr::Await { expr }, syntax_ptr)
346 }
347 ast::Expr::TryExpr(e) => {
348 let expr = self.collect_expr_opt(e.expr());
349 self.alloc_expr(Expr::Try { expr }, syntax_ptr)
350 }
351 ast::Expr::CastExpr(e) => {
352 let expr = self.collect_expr_opt(e.expr());
353 let type_ref = TypeRef::from_ast_opt(e.type_ref());
354 self.alloc_expr(Expr::Cast { expr, type_ref }, syntax_ptr)
355 }
356 ast::Expr::RefExpr(e) => {
357 let expr = self.collect_expr_opt(e.expr());
358 let mutability = Mutability::from_mutable(e.is_mut());
359 self.alloc_expr(Expr::Ref { expr, mutability }, syntax_ptr)
360 }
361 ast::Expr::PrefixExpr(e) => {
362 let expr = self.collect_expr_opt(e.expr());
363 if let Some(op) = e.op_kind() {
364 self.alloc_expr(Expr::UnaryOp { expr, op }, syntax_ptr)
365 } else {
366 self.alloc_expr(Expr::Missing, syntax_ptr)
367 }
368 }
369 ast::Expr::LambdaExpr(e) => {
370 let mut args = Vec::new();
371 let mut arg_types = Vec::new();
372 if let Some(pl) = e.param_list() {
373 for param in pl.params() {
374 let pat = self.collect_pat_opt(param.pat());
375 let type_ref = param.ascribed_type().map(TypeRef::from_ast);
376 args.push(pat);
377 arg_types.push(type_ref);
378 }
379 }
380 let body = self.collect_expr_opt(e.body());
381 self.alloc_expr(Expr::Lambda { args, arg_types, body }, syntax_ptr)
382 }
383 ast::Expr::BinExpr(e) => {
384 let lhs = self.collect_expr_opt(e.lhs());
385 let rhs = self.collect_expr_opt(e.rhs());
386 let op = e.op_kind().map(BinaryOp::from);
387 self.alloc_expr(Expr::BinaryOp { lhs, rhs, op }, syntax_ptr)
388 }
389 ast::Expr::TupleExpr(e) => {
390 let exprs = e.exprs().map(|expr| self.collect_expr(expr)).collect();
391 self.alloc_expr(Expr::Tuple { exprs }, syntax_ptr)
392 }
393 ast::Expr::BoxExpr(e) => {
394 let expr = self.collect_expr_opt(e.expr());
395 self.alloc_expr(Expr::Box { expr }, syntax_ptr)
396 }
397
398 ast::Expr::ArrayExpr(e) => {
399 let kind = e.kind();
400
401 match kind {
402 ArrayExprKind::ElementList(e) => {
403 let exprs = e.map(|expr| self.collect_expr(expr)).collect();
404 self.alloc_expr(Expr::Array(Array::ElementList(exprs)), syntax_ptr)
405 }
406 ArrayExprKind::Repeat { initializer, repeat } => {
407 let initializer = self.collect_expr_opt(initializer);
408 let repeat = self.collect_expr_opt(repeat);
409 self.alloc_expr(
410 Expr::Array(Array::Repeat { initializer, repeat }),
411 syntax_ptr,
412 )
413 }
414 }
415 }
416
417 ast::Expr::Literal(e) => {
418 let lit = match e.kind() {
419 LiteralKind::IntNumber { suffix } => {
420 let known_name = suffix.and_then(|it| BuiltinInt::from_suffix(&it));
421
422 Literal::Int(Default::default(), known_name)
423 }
424 LiteralKind::FloatNumber { suffix } => {
425 let known_name = suffix.and_then(|it| BuiltinFloat::from_suffix(&it));
426
427 Literal::Float(Default::default(), known_name)
428 }
429 LiteralKind::ByteString => Literal::ByteString(Default::default()),
430 LiteralKind::String => Literal::String(Default::default()),
431 LiteralKind::Byte => Literal::Int(Default::default(), Some(BuiltinInt::U8)),
432 LiteralKind::Bool => Literal::Bool(Default::default()),
433 LiteralKind::Char => Literal::Char(Default::default()),
434 };
435 self.alloc_expr(Expr::Literal(lit), syntax_ptr)
436 }
437 ast::Expr::IndexExpr(e) => {
438 let base = self.collect_expr_opt(e.base());
439 let index = self.collect_expr_opt(e.index());
440 self.alloc_expr(Expr::Index { base, index }, syntax_ptr)
441 }
442
443 // FIXME implement HIR for these:
444 ast::Expr::Label(_e) => self.alloc_expr(Expr::Missing, syntax_ptr),
445 ast::Expr::RangeExpr(_e) => self.alloc_expr(Expr::Missing, syntax_ptr),
446 ast::Expr::MacroCall(e) => {
447 let ast_id = AstId::new(
448 self.current_file_id,
449 self.db.ast_id_map(self.current_file_id).ast_id(&e),
450 );
451
452 if let Some(path) = e.path().and_then(|path| self.parse_path(path)) {
453 if let Some(def) = self.resolver.resolve_path_as_macro(self.db, &path) {
454 let call_id = self.db.intern_macro(MacroCallLoc { def, ast_id });
455 let file_id = call_id.as_file(MacroFileKind::Expr);
456 if let Some(node) = self.db.parse_or_expand(file_id) {
457 if let Some(expr) = ast::Expr::cast(node) {
458 log::debug!("macro expansion {:#?}", expr.syntax());
459 let old_file_id =
460 std::mem::replace(&mut self.current_file_id, file_id);
461 let id = self.collect_expr(expr);
462 self.current_file_id = old_file_id;
463 return id;
464 }
465 }
466 }
467 }
468 // FIXME: Instead of just dropping the error from expansion
469 // report it
470 self.alloc_expr(Expr::Missing, syntax_ptr)
471 }
472 }
473 }
474
475 fn collect_expr_opt(&mut self, expr: Option<ast::Expr>) -> ExprId {
476 if let Some(expr) = expr {
477 self.collect_expr(expr)
478 } else {
479 self.missing_expr()
480 }
481 }
482
483 fn collect_block(&mut self, expr: ast::BlockExpr) -> ExprId {
484 let syntax_node_ptr = AstPtr::new(&expr.clone().into());
485 let block = match expr.block() {
486 Some(block) => block,
487 None => return self.alloc_expr(Expr::Missing, syntax_node_ptr),
488 };
489 let statements = block
490 .statements()
491 .map(|s| match s {
492 ast::Stmt::LetStmt(stmt) => {
493 let pat = self.collect_pat_opt(stmt.pat());
494 let type_ref = stmt.ascribed_type().map(TypeRef::from_ast);
495 let initializer = stmt.initializer().map(|e| self.collect_expr(e));
496 Statement::Let { pat, type_ref, initializer }
497 }
498 ast::Stmt::ExprStmt(stmt) => Statement::Expr(self.collect_expr_opt(stmt.expr())),
499 })
500 .collect();
501 let tail = block.expr().map(|e| self.collect_expr(e));
502 self.alloc_expr(Expr::Block { statements, tail }, syntax_node_ptr)
503 }
504
505 fn collect_block_opt(&mut self, expr: Option<ast::BlockExpr>) -> ExprId {
506 if let Some(block) = expr {
507 self.collect_block(block)
508 } else {
509 self.missing_expr()
510 }
511 }
512
513 fn collect_pat(&mut self, pat: ast::Pat) -> PatId {
514 let pattern = match &pat {
515 ast::Pat::BindPat(bp) => {
516 let name = bp.name().map(|nr| nr.as_name()).unwrap_or_else(Name::missing);
517 let annotation = BindingAnnotation::new(bp.is_mutable(), bp.is_ref());
518 let subpat = bp.pat().map(|subpat| self.collect_pat(subpat));
519 Pat::Bind { name, mode: annotation, subpat }
520 }
521 ast::Pat::TupleStructPat(p) => {
522 let path = p.path().and_then(|path| self.parse_path(path));
523 let args = p.args().map(|p| self.collect_pat(p)).collect();
524 Pat::TupleStruct { path, args }
525 }
526 ast::Pat::RefPat(p) => {
527 let pat = self.collect_pat_opt(p.pat());
528 let mutability = Mutability::from_mutable(p.is_mut());
529 Pat::Ref { pat, mutability }
530 }
531 ast::Pat::PathPat(p) => {
532 let path = p.path().and_then(|path| self.parse_path(path));
533 path.map(Pat::Path).unwrap_or(Pat::Missing)
534 }
535 ast::Pat::TuplePat(p) => {
536 let args = p.args().map(|p| self.collect_pat(p)).collect();
537 Pat::Tuple(args)
538 }
539 ast::Pat::PlaceholderPat(_) => Pat::Wild,
540 ast::Pat::RecordPat(p) => {
541 let path = p.path().and_then(|path| self.parse_path(path));
542 let record_field_pat_list =
543 p.record_field_pat_list().expect("every struct should have a field list");
544 let mut fields: Vec<_> = record_field_pat_list
545 .bind_pats()
546 .filter_map(|bind_pat| {
547 let ast_pat =
548 ast::Pat::cast(bind_pat.syntax().clone()).expect("bind pat is a pat");
549 let pat = self.collect_pat(ast_pat);
550 let name = bind_pat.name()?.as_name();
551 Some(RecordFieldPat { name, pat })
552 })
553 .collect();
554 let iter = record_field_pat_list.record_field_pats().filter_map(|f| {
555 let ast_pat = f.pat()?;
556 let pat = self.collect_pat(ast_pat);
557 let name = f.name()?.as_name();
558 Some(RecordFieldPat { name, pat })
559 });
560 fields.extend(iter);
561
562 Pat::Record { path, args: fields }
563 }
564
565 // FIXME: implement
566 ast::Pat::DotDotPat(_) => Pat::Missing,
567 ast::Pat::BoxPat(_) => Pat::Missing,
568 ast::Pat::LiteralPat(_) => Pat::Missing,
569 ast::Pat::SlicePat(_) | ast::Pat::RangePat(_) => Pat::Missing,
570 };
571 let ptr = AstPtr::new(&pat);
572 self.alloc_pat(pattern, Either::A(ptr))
573 }
574
575 fn collect_pat_opt(&mut self, pat: Option<ast::Pat>) -> PatId {
576 if let Some(pat) = pat {
577 self.collect_pat(pat)
578 } else {
579 self.missing_pat()
580 }
581 }
582
583 fn parse_path(&mut self, path: ast::Path) -> Option<Path> {
584 let hygiene = Hygiene::new(self.db, self.current_file_id);
585 Path::from_src(path, &hygiene)
586 }
587}
588
589impl From<ast::BinOp> for BinaryOp {
590 fn from(ast_op: ast::BinOp) -> Self {
591 match ast_op {
592 ast::BinOp::BooleanOr => BinaryOp::LogicOp(LogicOp::Or),
593 ast::BinOp::BooleanAnd => BinaryOp::LogicOp(LogicOp::And),
594 ast::BinOp::EqualityTest => BinaryOp::CmpOp(CmpOp::Eq { negated: false }),
595 ast::BinOp::NegatedEqualityTest => BinaryOp::CmpOp(CmpOp::Eq { negated: true }),
596 ast::BinOp::LesserEqualTest => {
597 BinaryOp::CmpOp(CmpOp::Ord { ordering: Ordering::Less, strict: false })
598 }
599 ast::BinOp::GreaterEqualTest => {
600 BinaryOp::CmpOp(CmpOp::Ord { ordering: Ordering::Greater, strict: false })
601 }
602 ast::BinOp::LesserTest => {
603 BinaryOp::CmpOp(CmpOp::Ord { ordering: Ordering::Less, strict: true })
604 }
605 ast::BinOp::GreaterTest => {
606 BinaryOp::CmpOp(CmpOp::Ord { ordering: Ordering::Greater, strict: true })
607 }
608 ast::BinOp::Addition => BinaryOp::ArithOp(ArithOp::Add),
609 ast::BinOp::Multiplication => BinaryOp::ArithOp(ArithOp::Mul),
610 ast::BinOp::Subtraction => BinaryOp::ArithOp(ArithOp::Sub),
611 ast::BinOp::Division => BinaryOp::ArithOp(ArithOp::Div),
612 ast::BinOp::Remainder => BinaryOp::ArithOp(ArithOp::Rem),
613 ast::BinOp::LeftShift => BinaryOp::ArithOp(ArithOp::Shl),
614 ast::BinOp::RightShift => BinaryOp::ArithOp(ArithOp::Shr),
615 ast::BinOp::BitwiseXor => BinaryOp::ArithOp(ArithOp::BitXor),
616 ast::BinOp::BitwiseOr => BinaryOp::ArithOp(ArithOp::BitOr),
617 ast::BinOp::BitwiseAnd => BinaryOp::ArithOp(ArithOp::BitAnd),
618 ast::BinOp::Assignment => BinaryOp::Assignment { op: None },
619 ast::BinOp::AddAssign => BinaryOp::Assignment { op: Some(ArithOp::Add) },
620 ast::BinOp::DivAssign => BinaryOp::Assignment { op: Some(ArithOp::Div) },
621 ast::BinOp::MulAssign => BinaryOp::Assignment { op: Some(ArithOp::Mul) },
622 ast::BinOp::RemAssign => BinaryOp::Assignment { op: Some(ArithOp::Rem) },
623 ast::BinOp::ShlAssign => BinaryOp::Assignment { op: Some(ArithOp::Shl) },
624 ast::BinOp::ShrAssign => BinaryOp::Assignment { op: Some(ArithOp::Shr) },
625 ast::BinOp::SubAssign => BinaryOp::Assignment { op: Some(ArithOp::Sub) },
626 ast::BinOp::BitOrAssign => BinaryOp::Assignment { op: Some(ArithOp::BitOr) },
627 ast::BinOp::BitAndAssign => BinaryOp::Assignment { op: Some(ArithOp::BitAnd) },
628 ast::BinOp::BitXorAssign => BinaryOp::Assignment { op: Some(ArithOp::BitXor) },
629 }
630 }
631}