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
use std::rc::Rc;
use sc2_proto::{raw, sc2api};
use data::{Ability, Point2, Tag, Unit};
use {FromProto, IntoProto, Result};
pub use services::action_service::ActionClient;
#[derive(Debug, Copy, Clone)]
pub enum ActionTarget {
Unit(Tag),
Location(Point2),
}
#[derive(Debug, Clone)]
pub struct Action {
ability: Ability,
units: Vec<Tag>,
target: Option<ActionTarget>,
}
impl Action {
pub fn new(ability: Ability) -> Self {
Self {
ability: ability,
units: vec![],
target: None,
}
}
pub fn units<'a, T>(self, units: T) -> Self
where
T: Iterator<Item = &'a Rc<Unit>>,
{
Self {
units: units.map(|u| u.get_tag()).collect(),
..self
}
}
pub fn unit_tags(self, units: Vec<Tag>) -> Self {
Self {
units: units,
..self
}
}
pub fn target(self, target: ActionTarget) -> Self {
Self {
target: Some(target),
..self
}
}
}
impl FromProto<raw::ActionRawUnitCommand> for Action {
fn from_proto(action: raw::ActionRawUnitCommand) -> Result<Self> {
Ok(Self {
ability: Ability::from_proto(action.get_ability_id() as u32)?,
units: {
let mut unit_tags = vec![];
for tag in action.get_unit_tags() {
unit_tags.push(*tag);
}
unit_tags
},
target: {
if action.has_target_unit_tag() {
Some(ActionTarget::Unit(action.get_target_unit_tag()))
} else if action.has_target_world_space_pos() {
let pos = action.get_target_world_space_pos();
Some(ActionTarget::Location(Point2::new(
pos.get_x(),
pos.get_y(),
)))
} else {
None
}
},
})
}
}
impl IntoProto<sc2api::Action> for Action {
fn into_proto(self) -> Result<sc2api::Action> {
let mut action = sc2api::Action::new();
{
let cmd = action.mut_action_raw().mut_unit_command();
cmd.set_ability_id(self.ability.into_proto()? as i32);
match self.target {
Some(ActionTarget::Unit(tag)) => {
cmd.set_target_unit_tag(tag);
},
Some(ActionTarget::Location(pos)) => {
let target = cmd.mut_target_world_space_pos();
target.set_x(pos.x);
target.set_y(pos.y);
},
None => (),
}
for tag in self.units {
cmd.mut_unit_tags().push(tag);
}
}
Ok(action)
}
}