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
|
use crate::core::game_version::Rule;
use std::env;
pub fn is_library_allowed(rules: &Option<Vec<Rule>>) -> bool {
// If no rules, it's allowed by default
let Some(rules) = rules else {
return true;
};
if rules.is_empty() {
return true;
}
// Default depends on the first rule theoretically, but usually "allow" if no "disallow" matches?
// Actually MC logic: implicit disallow? No, implicit allow usually?
// Official launcher Rule logic:
// "Libraries are allowed unless restricted by a rule."
// Actually detailed logic:
// Check all rules. if action is "allow" and condition matches, allowed = true.
// if action is "disallow" and condition matches, allowed = false.
// Typically base state is false if rules exist? No.
// Let's check common pattern.
// Usually: [ {action: allow}, {action: disallow, os: "osx"} ]
// This implies base allowed, but OS X disallowed.
// Pattern 2: [ {action: allow, os: "osx"} ]
// This implies ONLY osx allowed?
// Correct logic:
// If rules are present, start with result = false (deny all).
// Loop through rules. If a rule applies (os matches), update result to (action == "allow").
// Wait, let's verify.
// If the list is [ {action: allow} ], result becomes true.
// If list is [ {action: allow}, {action: disallow, os: "osx"} ].
// On Linux: Rule 1 matches -> true. Rule 2 (osx) doesn't match -> ignore. Final: true.
// On OSX: Rule 1 matches -> true. Rule 2 matches -> false. Final: false.
// So: Start false. Apply rules in order.
let mut allowed = false;
for rule in rules {
if rule_matches(rule) {
allowed = (rule.action == "allow");
}
}
allowed
}
fn rule_matches(rule: &Rule) -> bool {
match &rule.os {
None => true, // No OS condition means it applies to all
Some(os_rule) => {
if let Some(os_name) = &os_rule.name {
match os_name.as_str() {
"osx" | "macos" => env::consts::OS == "macos",
"linux" => env::consts::OS == "linux",
"windows" => env::consts::OS == "windows",
_ => false, // Unknown OS name in rule
}
} else {
// OS rule exists but name is None? Maybe checking version/arch only.
// For simplicity, mostly name is used.
true
}
}
}
}
|