Compare commits

...

3 Commits

9 changed files with 529 additions and 418 deletions

View File

@ -17,7 +17,7 @@
<source path="src" /> <source path="src" />
<!-- Macro configuration --> <!-- Macro configuration -->
<haxeflag name="--macro" value="addGlobalMetadata('', '@:build(engine.macros.CCmdDecorator.build())')" /> <haxeflag name="--macro" value="addGlobalMetadata('', '@:build(engine.macros.ConVarDecorators.build())')" />
<assets path="./res/textures" rename="textures" /> <assets path="./res/textures" rename="textures" />
<assets path="./res/fonts" rename="fonts" /> <assets path="./res/fonts" rename="fonts" />

View File

@ -67,6 +67,10 @@ class ConVar{
} }
public static inline function setCVar(_name:String, _value:Dynamic):Void public static inline function setCVar(_name:String, _value:Dynamic):Void
{ {
if(CVarMap == null){
Console.devMsg("CVarMap is null");
return;
}
var cv = getCVar(_name); var cv = getCVar(_name);
if(cv != null){ if(cv != null){
switch(cv.type){ switch(cv.type){

View File

@ -6,14 +6,14 @@ import engine.typedefs.console.CVar;
import engine.typedefs.console.CCmd; import engine.typedefs.console.CCmd;
import engine.enums.console.CVarType; import engine.enums.console.CVarType;
import engine.enums.console.CVarFlag; import engine.enums.console.CVarFlag;
import engine.macros.CCmdDecorator; import engine.macros.ConVarDecorators;
import game.ui.console.Console; import game.ui.console.Console;
@:keep @:keep
// @:build(engine.macros.CCmdDecorator.build()) // No longer needed because we added the build macro to the project.xml // @:build(engine.macros.CCmdDecorator.build()) // No longer needed because we added the build macro to the project.xml
class ConVars_Engine { class ConVars_Engine {
@:command("list") @:concmd("list")
public static function listCommands(args:Array<String>) { public static function listCommands(args:Array<String>) {
var CVarMap:Map<String, CVar> = ConVar.getCVarMap(); var CVarMap:Map<String, CVar> = ConVar.getCVarMap();
var keys:Array<String> = ConVar.getCVarNames(); var keys:Array<String> = ConVar.getCVarNames();
@ -27,7 +27,7 @@ class ConVars_Engine {
} }
} }
@:command("test") @:concmd("test")
public static function testCommand() { public static function testCommand() {
// Command implementation // Command implementation
trace("Test Output"); trace("Test Output");

View File

@ -1,6 +1,7 @@
package engine.enums.console; package engine.enums.console;
enum CVarFlag{ enum CVarFlag{
FCVAR_NONE;
FCVAR_ARCHIVE; FCVAR_ARCHIVE;
FCVAR_CHEAT; FCVAR_CHEAT;
FVCAR_REPLICATED; FVCAR_REPLICATED;

View File

@ -1,46 +0,0 @@
package engine.macros;
import haxe.macro.Expr;
import haxe.macro.Context;
class CCmdDecorator {
public static macro function build():Array<Field> {
var fields = Context.getBuildFields();
var pos = Context.currentPos();
for (field in fields) {
var meta = field.meta != null ? Lambda.find(field.meta, function(m) return m.name == ":command") : null;
if (meta != null) {
trace(meta);
switch field.kind {
case FFun(f):
var name = meta.params.length > 0
? switch(meta.params[0].expr) {
case EConst(CString(s)): s;
case _: field.name;
}
: field.name;
// Create a static initializer field
var initField = {
name: "__init__" + name,
access: [AStatic, APrivate],
kind: FVar(null, macro {
engine.ConVar.registerCCmd($v{name}, function(args:Array<String>) {
${f.expr};
});
}),
pos: pos,
doc: null,
meta: []
};
// Add the initializer field
fields.push(initField);
case _:
}
}
}
return fields;
}
}

View File

@ -0,0 +1,136 @@
package engine.macros;
import haxe.macro.Expr;
import haxe.macro.Context;
import haxe.macro.Expr.Field;
private typedef CVarMetadata = {
name: Expr,
type: String,
value: Expr,
flags: Expr,
help: Expr,
?callback: Expr
}
class ConVarDecorators {
static function extractCVarMetadata(params:Array<Expr>):CVarMetadata {
var metadata:CVarMetadata = null;
switch (params[0].expr) {
case EObjectDecl(fields):
metadata = {
name: macro "",
type: "CString",
value: macro 0,
flags: macro "FCVAR_NONE",
help: macro "",
callback: macro null
};
for (field in fields) {
switch (field.field) {
case "name": metadata.name = field.expr;
case "type": metadata.type = switch(field.expr.expr) {
case EConst(CString(s)): s;
case _: "CString";
}
case "value": metadata.value = field.expr;
case "flags": metadata.flags = field.expr;
case "help": metadata.help = field.expr;
case "callback": metadata.callback = field.expr;
case _:
}
}
case _:
}
return metadata;
}
public static macro function build():Array<Field> {
var fields = Context.getBuildFields();
var pos = Context.currentPos();
for (field in fields) {
var cmdMeta = field.meta != null ? Lambda.find(field.meta, function(m) return m.name == ":concmd") : null;
var cvarMeta = field.meta != null ? Lambda.find(field.meta, function(m) return m.name == ":convar") : null;
if (cmdMeta != null) {
switch field.kind {
case FFun(f):
var name = cmdMeta.params.length > 0 ? switch (cmdMeta.params[0].expr) {
case EConst(CString(s)): s;
case _: field.name;
} : field.name;
var fnExpr = macro function(args:Array<String>) ${f.expr};
var initExpr = macro {
var cmd = engine.ConVar.registerCCmd($v{name}, $fnExpr);
cmd; // Return the command reference
};
// Generate a safe initialization field name
var initName = "__init__" + name;
fields.push({
name: initName,
access: [AStatic],
kind: FVar(null, initExpr),
pos: pos,
doc: null,
meta: [{
name: ":keep",
params: [],
pos: pos
}]
});
case _:
}
} else if (cvarMeta != null && cvarMeta.params.length > 0) {
switch (field.kind) {
case FVar(t, e):
var meta = extractCVarMetadata(cvarMeta.params);
if (meta == null) continue;
// Extract name from metadata expression
var cvarName = switch(meta.name.expr) {
case EConst(CString(s)): s;
case _: field.name;
};
var initExpr = macro {
var cvar = $i{field.name} = engine.ConVar.registerCVar(
${meta.name},
${Context.parse('engine.enums.console.CVarType.' + meta.type, pos)},
${meta.value},
${Context.parse('engine.enums.console.CVarFlag.' + switch(meta.flags.expr) {
case EConst(CString(s)): s;
case _: "FCVAR_NONE";
}, pos)},
${meta.help},
${meta.callback ?? macro null}
);
trace($v{"Registered CVar: "} + $e{meta.name});
cvar; // Return the CVar reference
};
fields.push({
name: "__init__" + cvarName,
access: [AStatic],
kind: FVar(null, initExpr),
pos: pos,
doc: null,
meta: [{
name: ":keep",
params: [],
pos: pos
}]
});
case _:
}
}
}
return fields;
}
}

View File

@ -18,7 +18,19 @@ class Input{
public static var keys:Map<Int,Bool> = []; public static var keys:Map<Int,Bool> = [];
public static var keysLast:Map<Int,Bool> = []; public static var keysLast:Map<Int,Bool> = [];
public static var bindMap:Map<String, String> = ["~" => "toggleconsole", "\\" => "toggleconsole", "1" => "echo kak", "2" => "+attack"]; public static var bindMap:Map<String, String> = ["~" => "toggleconsole", "\\" => "toggleconsole", "1" => "echo kak", "2" => "+attack"];
public static var cv_debugKeys = ConVar.registerCVar("cl_debuginput", CInt, 0, null, "print debug messages related to input to console", null, false, true, 0, 0, false); @:convar({
name: "cl_debuginput",
type: CVarType.CInt,
value: 0,
flags: CVarFlag.None,
help: "print debug messages related to input to console",
callback: function() {
trace("Debug input changed");
}
})
public static var cv_debugKeys:CVar;
// public static var cv_debugKeys = ConVar.registerCVar("cl_debuginput", CInt, 0, null, "print debug messages related to input to console", null, false, true, 0, 0, false);
public static var keyNameMap:Map<Int, String> = [ public static var keyNameMap:Map<Int, String> = [
Kb.HOME => "HOME", Kb.END => "END", Kb.INSERT => "INSERT", Kb.DELETE => "DELETE", Kb.PAGE_UP => "PGUP", Kb.PAGE_DOWN => "PGDN", Kb.HOME => "HOME", Kb.END => "END", Kb.INSERT => "INSERT", Kb.DELETE => "DELETE", Kb.PAGE_UP => "PGUP", Kb.PAGE_DOWN => "PGDN",
Kb.ESCAPE => "ESC", Kb.F1 => "F1", Kb.F2 => "F2", Kb.F3 => "F3", Kb.F4 => "F4", Kb.F5 => "F5", Kb.ESCAPE => "ESC", Kb.F1 => "F1", Kb.F2 => "F2", Kb.F3 => "F3", Kb.F4 => "F4", Kb.F5 => "F5",

View File

@ -3,6 +3,7 @@ package game.ui.console;
import game.ui.text.TextFormats; import game.ui.text.TextFormats;
import assets.Fonts; import assets.Fonts;
import openfl.Lib; import openfl.Lib;
import engine.ui.UIPane.PaneLayout;
import openfl.events.Event; import openfl.events.Event;
import openfl.text.TextFieldAutoSize; import openfl.text.TextFieldAutoSize;
import openfl.text.TextField; import openfl.text.TextField;
@ -17,66 +18,82 @@ import engine.typedefs.console.CCmd;
import game.ui.console.elements.ConsoleInput; import game.ui.console.elements.ConsoleInput;
import engine.ui.UIPane; import engine.ui.UIPane;
class Console extends Sprite {
class Console extends Sprite{
public var textFormat:TextFormat; public var textFormat:TextFormat;
public var cOut:TextField; public var cOut:TextField;
public var cIn:TextField; public var cIn:TextField;
public var cInput:ConsoleInput; public var cInput:ConsoleInput;
public var cAutoComp:TextField; public var cAutoComp:TextField;
public static var consoleInstance:Console; public static var consoleInstance:Console;
@:convar({
name: "mat_consolebg",
type: "CString",
value: "0x222222",
help: "console background color",
callback: () -> {
if (Console.consoleInstance != null){
Console.consoleInstance.cOut.backgroundColor = Std.parseInt(Console.consoleInstance.cvar_mat_consolebg.value);
Console.consoleInstance.cIn.backgroundColor = Std.parseInt(Console.consoleInstance.cvar_mat_consolebg.value);
}
}
})
public static var scvar_mat_consolebg:CVar;
public var cvar_mat_consolebg:CVar; public var cvar_mat_consolebg:CVar;
public var ccmd_visible:CCmd = ConVar.registerCCmd("toggleconsole",(cArgs:Array<String>)->{
public var ccmd_visible:CCmd = ConVar.registerCCmd("toggleconsole", (cArgs:Array<String>) -> {
toggle(); toggle();
}); });
public function new(){
public function new() {
super(); super();
cvar_mat_consolebg = scvar_mat_consolebg;
consoleInstance = this; consoleInstance = this;
var consolePane = new UIPane("yeeto", {width: 800, height: 600, minWidth: 400, minHeight: 300, maxWidth: 1200, maxHeight: 800});
var consolePane:UIPane = new UIPane("yeeto",{width:800, height:600}); consolePane.layout = VERTICAL;
this.addChild(consolePane.sprite);
consolePane.layout = VERTICAL; consolePane.layout = VERTICAL;
//graphics.beginFill(0x555555); // graphics.beginFill(0x555555);
//graphics.drawRect(0,0,800,600); // graphics.drawRect(0,0,800,600);
cInput = new ConsoleInput(); cInput = new ConsoleInput();
cIn = cInput.tf; cIn = cInput.tf;
//cIn.setTextFormat(textFormat); // cIn.setTextFormat(textFormat);
cInput.y = 600-cInput.height-12; cInput.y = 600 - cInput.height - 12;
cInput.x = 12; cInput.x = 12;
cvar_mat_consolebg = ConVar.registerCVar("mat_consolebg",CString,"0x222222",null,"console background color", ()->{
cOut.backgroundColor = Std.parseInt(cvar_mat_consolebg.value);
cIn.backgroundColor = Std.parseInt(cvar_mat_consolebg.value);
},false,false,0,0,false);
cOut = new TextField(); cOut = new TextField();
cAutoComp = new TextField(); cAutoComp = new TextField();
drawFields(cOut, cAutoComp); drawFields(cOut, cAutoComp);
cOut.addEventListener(Event.CHANGE, onOutputTextChange); cOut.addEventListener(Event.CHANGE, onOutputTextChange);
cIn.addEventListener(Event.CHANGE, onInputTextChange); cIn.addEventListener(Event.CHANGE, onInputTextChange);
this.addChild(cOut); this.addChild(cOut);
this.addChild(cInput); this.addChild(cInput);
this.addChild(cAutoComp); this.addChild(cAutoComp);
ConVar.registerCCmd("echo", (args:Array<String>) -> { Console.devMsg(args.join(" ").split('"').join(""));}); ConVar.registerCCmd("echo", (args:Array<String>) -> {
ConVar.registerCCmd("quit", (args:Array<String>) -> { Lib.application.window.close();}); Console.devMsg(args.join(" ").split('"').join(""));
});
ConVar.registerCCmd("quit", (args:Array<String>) -> {
Lib.application.window.close();
});
} }
public function drawFields(cOut:TextField, cAutoComp:TextField){
public function drawFields(cOut:TextField, cAutoComp:TextField) {
cOut.text = "hConsole Initialized\n"; cOut.text = "hConsole Initialized\n";
cOut.defaultTextFormat = TextFormats.getFormats().cOutputFmt; cOut.defaultTextFormat = TextFormats.getFormats().cOutputFmt;
cOut.wordWrap = true; cOut.wordWrap = true;
//cOut.autoSize = TextFieldAutoSize.LEFT; // cOut.autoSize = TextFieldAutoSize.LEFT;
cOut.multiline = true; cOut.multiline = true;
cOut.background = true; cOut.background = true;
trace(cvar_mat_consolebg);
cOut.backgroundColor = Std.parseInt(cvar_mat_consolebg.value); cOut.backgroundColor = Std.parseInt(cvar_mat_consolebg.value);
cOut.width = 800 - 24; cOut.width = 800 - 24;
cOut.height = 600 - cIn.height - 38; cOut.height = 600 - cIn.height - 38;
@ -93,64 +110,60 @@ class Console extends Sprite{
cAutoComp.borderColor = 0x55555500; cAutoComp.borderColor = 0x55555500;
cAutoComp.selectable = false; cAutoComp.selectable = false;
cAutoComp.width = 400; cAutoComp.width = 400;
cAutoComp.height = 32*5; cAutoComp.height = 32 * 5;
cAutoComp.visible = false; cAutoComp.visible = false;
cAutoComp.x = 0; cAutoComp.x = 0;
cAutoComp.y = 600; cAutoComp.y = 600;
} }
public function parseCmd(cmd:String, bNoHist:Bool = false) {
public function parseCmd(cmd:String, bNoHist:Bool = false){ if (!bNoHist)
if(!bNoHist)
history.push(cmd); history.push(cmd);
cmd = cmd.split(";").join(" ; "); cmd = cmd.split(";").join(" ; ");
var subStrings = []; var subStrings = [];
var startQuoteIndex:Int = cmd.indexOf('"'); var startQuoteIndex:Int = cmd.indexOf('"');
var endQuoteIndex:Int; var endQuoteIndex:Int;
if(startQuoteIndex != -1){ if (startQuoteIndex != -1) {
while((startQuoteIndex = cmd.indexOf('"')) > -1){ while ((startQuoteIndex = cmd.indexOf('"')) > -1) {
//push start of the cmd up until the quotes start // push start of the cmd up until the quotes start
subStrings.push(cmd.substring(0,startQuoteIndex)); subStrings.push(cmd.substring(0, startQuoteIndex));
//find next quote // find next quote
endQuoteIndex = cmd.indexOf('"',startQuoteIndex+1)+1; endQuoteIndex = cmd.indexOf('"', startQuoteIndex + 1) + 1;
if(endQuoteIndex == 0){ if (endQuoteIndex == 0) {
cmd+='"'; cmd += '"';
endQuoteIndex = cmd.length; endQuoteIndex = cmd.length;
} }
//push quote content // push quote content
subStrings.push(cmd.substring(startQuoteIndex,endQuoteIndex)); subStrings.push(cmd.substring(startQuoteIndex, endQuoteIndex));
cmd = cmd.substr(endQuoteIndex); cmd = cmd.substr(endQuoteIndex);
} }
} }
subStrings.push(cmd); subStrings.push(cmd);
//Split args // Split args
var newSubStrings = []; var newSubStrings = [];
for(subString in subStrings){ for (subString in subStrings) {
if(subString.indexOf('"') == -1){ if (subString.indexOf('"') == -1) {
// split spaced args // split spaced args
for(str in subString.split(" ")){ for (str in subString.split(" ")) {
//we want to discard empty strings // we want to discard empty strings
if(str != "") if (str != "")
newSubStrings.push(str); newSubStrings.push(str);
} }
} else {
}
else{
newSubStrings.push(subString); newSubStrings.push(subString);
} }
} }
var commands = []; var commands = [];
//split off additional commands // split off additional commands
while(newSubStrings.length > 0){ while (newSubStrings.length > 0) {
for(i in 0...newSubStrings.length){ for (i in 0...newSubStrings.length) {
if(newSubStrings[i] == ";"){ if (newSubStrings[i] == ";") {
commands.push(newSubStrings.splice(0,i)); commands.push(newSubStrings.splice(0, i));
newSubStrings.shift(); newSubStrings.shift();
break; break;
} }
if(newSubStrings.length-1 == i){ if (newSubStrings.length - 1 == i) {
commands.push(newSubStrings); commands.push(newSubStrings);
newSubStrings = []; newSubStrings = [];
} }
@ -159,232 +172,223 @@ class Console extends Sprite{
trace(commands); trace(commands);
execCommands(commands); execCommands(commands);
} }
public function execCommands(commands:Array<Array<String>>){
for(command in commands){ public function execCommands(commands:Array<Array<String>>) {
for (command in commands) {
// Store command name, value and args // Store command name, value and args
var cName:String = command[0]; var cName:String = command[0];
var cValue:String = command[1]; var cValue:String = command[1];
var cArgs:Array<String> = command.slice(1); var cArgs:Array<String> = command.slice(1);
//Check if convar with that name actually exists // Check if convar with that name actually exists
if(ConVar.isCVar(cName)){ if (ConVar.isCVar(cName)) {
//Get reference to convar object // Get reference to convar object
var cv:CVar = ConVar.getCVar(command[0]); var cv:CVar = ConVar.getCVar(command[0]);
//Check number of params // Check number of params
if(command.length == 1){ if (command.length == 1) {
//No params after the cmd, print help string // No params after the cmd, print help string
devMsg(cv.name+" - "+cv.helpString); devMsg(cv.name + " - " + cv.helpString);
devMsg(cv.name+" = "+cv.value); devMsg(cv.name + " = " + cv.value);
} } else {
else{ // Check for convar type and set value accordingly
//Check for convar type and set value accordingly switch (cv.type) {
switch(cv.type){
case CInt: case CInt:
ConVar.setCVar(cName,Std.parseInt(cValue)); ConVar.setCVar(cName, Std.parseInt(cValue));
trace(cValue); trace(cValue);
break; break;
case CFloat: case CFloat:
ConVar.setCVar(cName,Std.parseFloat(cValue)); ConVar.setCVar(cName, Std.parseFloat(cValue));
break; break;
case CBool: case CBool:
cValue = cValue.toLowerCase(); cValue = cValue.toLowerCase();
if(cValue == "1" || cValue == "true"){ if (cValue == "1" || cValue == "true") {
ConVar.setCVar(cName,true); ConVar.setCVar(cName, true);
} } else if (cValue == "0" || cValue == "false") {
else if(cValue == "0" || cValue == "false"){ ConVar.setCVar(cName, false);
ConVar.setCVar(cName,false);
} }
break; break;
case CString: case CString:
ConVar.setCVar(cName,cValue); ConVar.setCVar(cName, cValue);
break; break;
} }
}
}
// convar is actually a command, run it.
else if (ConVar.isCmd(cName)) {
ConVar.runCmd(cName, cArgs);
}
// convar doesn't exist
else {
devMsg("unkown command: " + command[0]);
}
}
} }
} public function submitInput() {
//convar is actually a command, run it. cOut.appendText(">" + cInput.getText() + "\n");
else if(ConVar.isCmd(cName)){
ConVar.runCmd(cName,cArgs);
}
//convar doesn't exist
else{
devMsg("unkown command: "+command[0]);
}
}
}
public function submitInput(){
cOut.appendText(">"+cInput.getText()+"\n");
parseCmd(cInput.getText()); parseCmd(cInput.getText());
cInput.setText(""); cInput.setText("");
cAutoComp.visible = false; cAutoComp.visible = false;
cOut.scrollV = cOut.maxScrollV; cOut.scrollV = cOut.maxScrollV;
histSelect = -1; histSelect = -1;
} }
public function onOutputTextChange(e:Event){
public function onOutputTextChange(e:Event) {
cOut.scrollV = cOut.maxScrollV; cOut.scrollV = cOut.maxScrollV;
} }
public function onInputTextChange(e:Event){
if(cInput.getText() != ""){ public function onInputTextChange(e:Event) {
if (cInput.getText() != "") {
cAutoComp.text = ""; cAutoComp.text = "";
for(string in (autocompleteList = getCompList())){ for (string in (autocompleteList = getCompList())) {
cAutoComp.text += string+"\n"; cAutoComp.text += string + "\n";
trace(string); trace(string);
} }
cAutoComp.visible = true; cAutoComp.visible = true;
} } else {
else{
cAutoComp.visible = false; cAutoComp.visible = false;
autocompleteList = history; autocompleteList = history;
} }
} }
public static function toggle():Void
{ public static function toggle():Void {
consoleInstance.visible = !consoleInstance.visible; consoleInstance.visible = !consoleInstance.visible;
if(!consoleInstance.visible){ if (!consoleInstance.visible) {
if(Lib.current.stage.focus == consoleInstance.cIn){ if (Lib.current.stage.focus == consoleInstance.cIn) {
Lib.current.stage.focus = null; Lib.current.stage.focus = null;
} }
} } else {
else{
Lib.current.stage.focus = consoleInstance.cIn; Lib.current.stage.focus = consoleInstance.cIn;
} }
} }
public static function devMsg(msg:String):Void
{ public static function devMsg(msg:String):Void {
consoleInstance.cOut.appendText(msg+"\n"); consoleInstance.cOut.appendText(msg + "\n");
consoleInstance.cOut.scrollV = consoleInstance.cOut.maxScrollV; consoleInstance.cOut.scrollV = consoleInstance.cOut.maxScrollV;
} }
public static var history:Array<String> = []; public static var history:Array<String> = [];
public static var histSelect:Int = -1; public static var histSelect:Int = -1;
public static var tmpInput:String = ""; public static var tmpInput:String = "";
public static var autocompleteList:Array<String> = []; public static var autocompleteList:Array<String> = [];
public static var compSelect:Int = -1; public static var compSelect:Int = -1;
public static function getCompList():Array<String>
{ public static function getCompList():Array<String> {
// Split words // Split words
var inp:Array<String> = consoleInstance.cInput.getText().split(" "); var inp:Array<String> = consoleInstance.cInput.getText().split(" ");
var inpStripped:Array<String> = [ var inpStripped:Array<String> = [
for(word in inp){ for (word in inp) {
if(word != "" && word != " "){ if (word != "" && word != " ") {
word; word;
} }
} }
]; ];
// Stop if input is empty // Stop if input is empty
if(inp.length == 0) return []; if (inp.length == 0)
return [];
var cVars:Array<String> = ConVar.getCVarNames(); var cVars:Array<String> = ConVar.getCVarNames();
var cVarFiltered:Array<String> = []; var cVarFiltered:Array<String> = [];
// Loop through convars // Loop through convars
for(cVar in cVars){ for (cVar in cVars) {
//if there's one word just check if the convar starts with the input string // if there's one word just check if the convar starts with the input string
if(inp.length == 1) if (inp.length == 1) {
{
// Check if the cvar starts with the input // Check if the cvar starts with the input
if(cVar.indexOf(inp[0]) == 0){ if (cVar.indexOf(inp[0]) == 0) {
cVarFiltered.push(cVar); cVarFiltered.push(cVar);
} }
} }
// User pressed space at least once but entered no other words. Check if first word occurs at any position // User pressed space at least once but entered no other words. Check if first word occurs at any position
else if(inpStripped.length == 1 && inp.length > 1){ else if (inpStripped.length == 1 && inp.length > 1) {
if(cVar.indexOf(inp[0]) > -1){ if (cVar.indexOf(inp[0]) > -1) {
cVarFiltered.push(cVar); cVarFiltered.push(cVar);
} }
} }
// Multiple words, check for cvars that contain all of them // Multiple words, check for cvars that contain all of them
else if(inpStripped.length > 1) else if (inpStripped.length > 1) {
{
var bWordNotPresent:Bool = false; var bWordNotPresent:Bool = false;
for(word in inpStripped){ for (word in inpStripped) {
if(cVar.indexOf(word) == -1){ if (cVar.indexOf(word) == -1) {
bWordNotPresent = true; bWordNotPresent = true;
} }
} }
if(!bWordNotPresent) if (!bWordNotPresent)
cVarFiltered.push(cVar); cVarFiltered.push(cVar);
} }
} }
return cVarFiltered; return cVarFiltered;
} }
public static function histPrev():Void
{ public static function histPrev():Void {
// Only complete if input field is empty or scrolling through hist // Only complete if input field is empty or scrolling through hist
if(consoleInstance.cInput.getText() == "" || histSelect != -1){ if (consoleInstance.cInput.getText() == "" || histSelect != -1) {
// Store current input in tmpInput // Store current input in tmpInput
if(histSelect == -1) tmpInput = consoleInstance.cInput.getText(); if (histSelect == -1)
tmpInput = consoleInstance.cInput.getText();
// Only go through history if history is not empty // Only go through history if history is not empty
if(history.length != 0){ if (history.length != 0) {
// Check if currently selecting a history entry // Check if currently selecting a history entry
if(histSelect >= 0){ if (histSelect >= 0) {
histSelect--; histSelect--;
} }
// Not currently selecting a history entry // Not currently selecting a history entry
else{ else {
// Put selector to the newest // Put selector to the newest
histSelect = history.length -1; histSelect = history.length - 1;
} }
if(histSelect != -1){ if (histSelect != -1) {
// Put correct history entry in the input field // Put correct history entry in the input field
consoleInstance.cInput.setText(history[histSelect]); consoleInstance.cInput.setText(history[histSelect]);
} } else {
else{
// Restore tmp input // Restore tmp input
consoleInstance.cInput.setText(tmpInput); consoleInstance.cInput.setText(tmpInput);
} }
} }
// History is empty // History is empty
else{ else {
// Do nothing // Do nothing
return; return;
} }
} }
// Now we need to descend through the autocomplete list // Now we need to descend through the autocomplete list
else{ else {
if(autocompleteList.length == 0){ if (autocompleteList.length == 0) {
return; return;
} } else {
else{
// Check if currently selecting an autocomplete entry // Check if currently selecting an autocomplete entry
if(compSelect > -1){ if (compSelect > -1) {}
}
// Not currently selecting an autocomplete entry // Not currently selecting an autocomplete entry
else{ else {}
}
} }
} }
public static function histNext():Void {
}
}
public static function histNext():Void
{
// Only complete if input field is empty or scrolling through hist // Only complete if input field is empty or scrolling through hist
if(consoleInstance.cIn.text == "" || histSelect != -1){ if (consoleInstance.cIn.text == "" || histSelect != -1) {
// Store current input in tmpInput // Store current input in tmpInput
if(histSelect == -1) tmpInput = consoleInstance.cIn.text; if (histSelect == -1)
tmpInput = consoleInstance.cIn.text;
// Only go through history if history is not empty // Only go through history if history is not empty
if(history.length != 0){ if (history.length != 0) {
// Check if currently selecting a history entry // Check if currently selecting a history entry
if(histSelect < history.length -1){ if (histSelect < history.length - 1) {
histSelect++; histSelect++;
} }
// Otherwise wrap around // Otherwise wrap around
else{ else {
// Put selector to no selection // Put selector to no selection
histSelect = -1; histSelect = -1;
} }
if(histSelect != -1){ if (histSelect != -1) {
// Put correct history entry in the input field // Put correct history entry in the input field
consoleInstance.cIn.text = history[histSelect]; consoleInstance.cIn.text = history[histSelect];
} } else {
else{
// Restore tmp input // Restore tmp input
consoleInstance.cIn.text = tmpInput; consoleInstance.cIn.text = tmpInput;
} }
} }
// History is empty // History is empty
else{ else {
// Do nothing // Do nothing
return; return;
} }

View File

@ -15,7 +15,7 @@ class Mode
public static function setVideoMode(width:Int, height:Int, fs:Int = null){ public static function setVideoMode(width:Int, height:Int, fs:Int = null){
getWindow().resize(width,height); getWindow().resize(width,height);
} }
@:command("mat_setvideomode") @:concmd("mat_setvideomode")
public static function cCmdMatSetVideoMode(args:Array<String>){ public static function cCmdMatSetVideoMode(args:Array<String>){
Mode.setVideoMode(Std.parseInt(args[0]), Std.parseInt(args[1]), Std.parseInt(args[2])); Mode.setVideoMode(Std.parseInt(args[0]), Std.parseInt(args[1]), Std.parseInt(args[2]));
} }