Esempio n. 1
0
        static void Main(string[] args)
        {
            // Get the input filenames
            //string simulationInputFilePath = args[1];
            //string targetDeckFilePath = args[2];
            //string modelInputFileName = args[3];
            //string outputPath = args[4];
            var simulationInputFilePath = @"..\..\..\SimulationInput.XML"; // @"C:\Users\admin\Documents\Visual Studio 2015\Projects\Horizon-Simulation-Framework\Horizon_v2_3\io\SimulationInput.XML";
            var targetDeckFilePath      = @"..\..\..\v2.2-300targets.xml";
            var modelInputFilePath      = @"..\..\..\Model_Static.xml";

            var outputPath = String.Format("..\\..\\..\\output-{0:yyyy-MM-dd}-0", DateTime.Now);

            //Need to figure out output data versioning
            //if (File.Exists(outputPath + ".txt"))
            //{
            //    var version = outputPath[outputPath.Length - 1];
            //    int number = (int)Convert.ChangeType(version, typeof(int))+1;
            //    outputPath.Remove(outputPath.Length - 1);
            //    outputPath += number;
            //}
            outputPath += ".txt";
            // Find the main input node from the XML input files
            var XmlDoc = new XmlDocument();

            XmlDoc.Load(simulationInputFilePath);
            XmlNodeList simulationInputXMLNodeList = XmlDoc.GetElementsByTagName("SCENARIO");
            var         XmlEnum = simulationInputXMLNodeList.GetEnumerator();

            XmlEnum.MoveNext();
            var simulationInputXMLNode = (XmlNode)XmlEnum.Current;
            var scenarioName           = simulationInputXMLNode.Attributes["scenarioName"].InnerXml;

            Console.Write("EXECUITING SCENARIO: ");
            Console.WriteLine(scenarioName);

            // Load the simulation parameters from the XML simulation input file
            XmlNode simParametersXMLNode = simulationInputXMLNode["SIMULATION_PARAMETERS"];
            bool    simParamsLoaded      = SimParameters.LoadSimParameters(simParametersXMLNode, scenarioName);

            // Load the scheduler parameters defined in the XML simulation input file
            XmlNode schedParametersXMLNode = simulationInputXMLNode["SCHEDULER_PARAMETERS"];

            bool      paramsLoaded    = SchedParameters.LoadSchedParameters(schedParametersXMLNode);
            Scheduler systemScheduler = new Scheduler();

            //MultiThreadedScheduler systemScheduler = new MultiThreadedScheduler();

            // Load the target deck into the targets list from the XML target deck input file
            XmlDoc.Load(targetDeckFilePath);
            XmlNodeList targetDeckXMLNodeList = XmlDoc.GetElementsByTagName("TARGETDECK");
            int         numTargets            = XmlDoc.GetElementsByTagName("TARGET").Count;

            XmlEnum = targetDeckXMLNodeList.GetEnumerator();
            XmlEnum.MoveNext();
            var          targetDeckXMLNode = (XmlNode)XmlEnum.Current;
            Stack <Task> systemTasks       = new Stack <Task>();
            bool         targetsLoaded     = Task.loadTargetsIntoTaskList(targetDeckXMLNode, systemTasks);

            Console.WriteLine("Initial states set");

            // Find the main model node from the XML model input file
            XmlDoc.Load(modelInputFilePath);
            XmlNodeList modelXMLNodeList = XmlDoc.GetElementsByTagName("MODEL");

            XmlEnum = modelXMLNodeList.GetEnumerator();
            XmlEnum.MoveNext();
            var modelInputXMLNode = (XmlNode)XmlEnum.Current;

            // Load the environment. First check if there is an ENVIRONMENT XMLNode in the input file
            Universe SystemUniverse = null;

            foreach (XmlNode node in modelInputXMLNode.ChildNodes)
            {
                if (node.Attributes["ENVIRONMENT"] != null)
                {
                    // Create the Environment based on the XMLNode
                    SystemUniverse = new Universe(node);
                }
            }
            if (SystemUniverse == null)
            {
                SystemUniverse = new Universe();
            }

            //Create singleton dependency dictionary
            Dependencies dependencies = Dependencies.Instance;

            // Initialize List to hold assets and subsystem nodes
            List <Asset>     assetList = new List <Asset>();
            List <Subsystem> subList   = new List <Subsystem>();

            // Maps used to set up preceeding nodes
            Dictionary <ISubsystem, XmlNode>      subsystemXMLNodeMap = new Dictionary <ISubsystem, XmlNode>();
            Dictionary <string, Subsystem>        subsystemMap        = new Dictionary <string, Subsystem>();
            List <KeyValuePair <string, string> > dependencyMap       = new List <KeyValuePair <string, string> >();
            List <KeyValuePair <string, string> > dependencyFcnMap    = new List <KeyValuePair <string, string> >();
            // Dictionary<string, ScriptedSubsystem> scriptedSubNames = new Dictionary<string, ScriptedSubsystem>();

            // Create Constraint list
            List <Constraint> constraintsList = new List <Constraint>();

            //Create Lists to hold all the initial condition and dependency nodes to be parsed later
            List <XmlNode> ICNodes         = new List <XmlNode>();
            List <XmlNode> DepNodes        = new List <XmlNode>();
            SystemState    initialSysState = new SystemState();

            // Enable Python scripting support, add additional functions defined in input file
            bool enableScripting = false;

            // Set up Subsystem Nodes, first loop through the assets in the XML model input file
            foreach (XmlNode childNodeAsset in modelInputXMLNode.ChildNodes)
            {
                if (childNodeAsset.Name.Equals("PYTHON"))
                {
                    if (childNodeAsset.Attributes["enableScripting"] != null)
                    {
                        if (childNodeAsset.Attributes["enableScripting"].Value.ToString().ToLower().Equals("true"))
                        {
                            enableScripting = true;
                        }
                    }
                    // Loop through all the of the file nodes -- TODO (Morgan) What other types of things might be scripted
                    foreach (XmlNode fileXmlNode in childNodeAsset.ChildNodes)
                    {
                        // If scripting is enabled, parse the script file designated by the attribute
                        if (enableScripting)
                        {
                            // Parse script file if the attribute exists
                            if (fileXmlNode.ChildNodes[0].Name.Equals("EOMS_FILE"))
                            {
                                string       fileName = fileXmlNode.ChildNodes[0].Attributes["src"].Value.ToString();
                                ScriptedEOMS eoms     = new ScriptedEOMS(fileName);
                            }
                        }
                    }
                }
                if (childNodeAsset.Name.Equals("ASSET"))
                {
                    Asset asset = new Asset(childNodeAsset);
                    assetList.Add(asset);
                    // Loop through all the of the ChildNodess for this Asset
                    foreach (XmlNode childNode in childNodeAsset.ChildNodes)
                    {
                        // Get the current Subsystem XML Node, and create it using the SubsystemFactory
                        if (childNode.Name.Equals("SUBSYSTEM"))
                        {  //is this how we want to do this?
                            // Check if the type of the Subsystem is scripted, networked, or other
                            string subName = SubsystemFactory.GetSubsystem(childNode, enableScripting, dependencies, asset, subsystemMap);
                            foreach (XmlNode ICorDepNode in childNode.ChildNodes)
                            {
                                if (ICorDepNode.Name.Equals("IC"))
                                {
                                    ICNodes.Add(ICorDepNode);
                                }
                                if (ICorDepNode.Name.Equals("DEPENDENCY"))
                                {
                                    string depSubName = "", depFunc = "";
                                    depSubName = Subsystem.parseNameFromXmlNode(ICorDepNode, asset.Name);
                                    dependencyMap.Add(new KeyValuePair <string, string>(subName, depSubName));

                                    if (ICorDepNode.Attributes["fcnName"] != null)
                                    {
                                        depFunc = ICorDepNode.Attributes["fcnName"].Value.ToString();
                                        dependencyFcnMap.Add(new KeyValuePair <string, string>(subName, depFunc));
                                    }
                                }
                            }
                        }
                        //Create a new Constraint
                        if (childNode.Name.Equals("CONSTRAINT"))
                        {
                            constraintsList.Add(ConstraintFactory.getConstraint(childNode, subsystemMap, asset));
                        }
                    }
                    if (ICNodes.Count > 0)
                    {
                        initialSysState.Add(SystemState.setInitialSystemState(ICNodes, asset));
                    }
                    ICNodes.Clear();
                }
            }
            foreach (KeyValuePair <string, Subsystem> sub in subsystemMap)
            {
                subList.Add(sub.Value);
            }
            Console.WriteLine("Subsystems and Constraints Loaded");

            //Add all the dependent subsystems to the dependent subsystem list of the subsystems
            foreach (KeyValuePair <string, string> depSubPair in dependencyMap)
            {
                Subsystem subToAddDep, depSub;
                subsystemMap.TryGetValue(depSubPair.Key, out subToAddDep);
                subsystemMap.TryGetValue(depSubPair.Value, out depSub);
                subToAddDep.DependentSubsystems.Add(depSub);
            }

            //give the dependency functions to all the subsytems that need them
            foreach (KeyValuePair <string, string> depFunc in dependencyFcnMap)
            {
                Subsystem subToAddDep;
                subsystemMap.TryGetValue(depFunc.Key, out subToAddDep);
                subToAddDep.SubsystemDependencyFunctions.Add(depFunc.Value, dependencies.getDependencyFunc(depFunc.Value));
            }
            Console.WriteLine("Dependencies Loaded");

            //Need to make this parse Xml
            Evaluator schedEvaluator = new TargetValueEvaluator(dependencies);

            SystemClass simSystem = new SystemClass(assetList, subList, constraintsList, SystemUniverse);

            if (simSystem.checkForCircularDependencies())
            {
                throw new NotFiniteNumberException("System has circular dependencies! Please correct then try again.");
            }

            Scheduler             scheduler = new Scheduler();
            List <SystemSchedule> schedules = scheduler.GenerateSchedules(simSystem, systemTasks, initialSysState, schedEvaluator);

            double maxSched = 0;
            int    i        = 0;

            using (StreamWriter sw = File.CreateText(outputPath))
            {
                foreach (SystemSchedule sched in schedules)
                {
                    sw.WriteLine("Schedule Number: " + i);
                    foreach (var eit in sched.AllStates.Events)
                    {
                        if (eit.Tasks.Values.GetType().Equals(TaskType.COMM))
                        {
                            Console.WriteLine("Schedule {0} contains Comm task", i);
                        }
                        if (i < 5)
                        { //just compare the first 5 schedules for now
                            sw.WriteLine(eit.ToString());
                        }
                    }
                    if (sched.ScheduleValue > maxSched)
                    {
                        maxSched = sched.ScheduleValue;
                    }
                    i++;
                }
                Console.WriteLine(maxSched);
            }

            Console.ReadKey();

            // *********************************Output selected data*************************************
            //   bool schedOutput = dataOut.writeAll(schedules, simSystem);
            // ******************************************************************************************
        }
Esempio n. 2
0
        public void GenerateSchedulesUnitTest()
        {
            // Get the input filenames
            //string simulationInputFilePath = args[1];
            //string targetDeckFilePath = args[2];
            //string modelInputFileName = args[3];
            //string outputPath = args[4];
            var simulationInputFilePath = @"..\..\..\SimulationInput.XML"; // @"C:\Users\admin\Documents\Visual Studio 2015\Projects\Horizon-Simulation-Framework\Horizon_v2_3\io\SimulationInput.XML";
            var targetDeckFilePath      = @"..\..\..\v2.2-300targets.xml";
            var modelInputFilePath      = @"..\..\..\Model_Static.xml";
            // Initialize critical section for dependencies ??Morgan Doesn't know what this does
            // InitializeCriticalSection(&horizon::sub::dep::NodeDependencies::cs);


            // Find the main input node from the XML input files
            var XmlDoc = new XmlDocument();

            XmlDoc.Load(simulationInputFilePath);
            XmlNodeList simulationInputXMLNodeList = XmlDoc.GetElementsByTagName("SCENARIO");
            var         XmlEnum = simulationInputXMLNodeList.GetEnumerator();

            XmlEnum.MoveNext();
            var simulationInputXMLNode = (XmlNode)XmlEnum.Current;
            var scenarioName           = simulationInputXMLNode.Attributes["scenarioName"].InnerXml;

            Console.Write("EXECUITING SCENARIO: ");
            Console.WriteLine(scenarioName);

            // Load the simulation parameters from the XML simulation input file
            XmlNode simParametersXMLNode = simulationInputXMLNode["SIMULATION_PARAMETERS"];
            bool    simParamsLoaded      = SimParameters.LoadSimParameters(simParametersXMLNode, scenarioName);

            // Load the scheduler parameters defined in the XML simulation input file
            XmlNode schedParametersXMLNode = simulationInputXMLNode["SCHEDULER_PARAMETERS"];
            //Scheduler systemScheduler = new Scheduler();
            //bool schedParamsLoaded = loadSchedulerParams(schedParametersXMLNode, systemScheduler);

            bool      paramsLoaded    = SchedParameters.LoadSchedParameters(schedParametersXMLNode);
            Scheduler systemScheduler = new Scheduler();

            //MultiThreadedScheduler* systemScheduler = new MultiThreadedScheduler;



            // Load the target deck into the targets list from the XML target deck input file
            //var XmlDoc = new XmlDocument();
            XmlDoc.Load(targetDeckFilePath);
            XmlNodeList targetDeckXMLNodeList = XmlDoc.GetElementsByTagName("TARGETDECK");
            int         numTargets            = XmlDoc.GetElementsByTagName("TARGET").Count;

            XmlEnum = targetDeckXMLNodeList.GetEnumerator();
            XmlEnum.MoveNext();
            var          targetDeckXMLNode = (XmlNode)XmlEnum.Current;
            Stack <Task> systemTasks       = new Stack <Task>();
            bool         targetsLoaded     = Task.loadTargetsIntoTaskList(targetDeckXMLNode, systemTasks);

            Console.WriteLine("Initial states set");


            // Find the main model node from the XML model input file
            XmlDoc.Load(modelInputFilePath);
            XmlNodeList modelXMLNodeList = XmlDoc.GetElementsByTagName("MODEL");

            XmlEnum = modelXMLNodeList.GetEnumerator();
            XmlEnum.MoveNext();
            var modelInputXMLNode = (XmlNode)XmlEnum.Current;


            // Load the environment. First check if there is an ENVIRONMENT XMLNode in the input file
            Universe SystemUniverse = null;

            foreach (XmlNode node in modelInputXMLNode.ChildNodes)
            {
                if (node.Attributes["ENVIRONMENT"] != null)
                {
                    // Create the Environment based on the XMLNode
                    SystemUniverse = new Universe(node);
                }
            }
            if (SystemUniverse == null)
            {
                SystemUniverse = new Universe();
            }

            //Create singleton dependency dictionary
            Dependencies dependencies = Dependencies.Instance;

            // Initialize List to hold assets and subsystem nodes
            List <Asset>     assetList   = new List <Asset>();
            List <Subsystem> subNodeList = new List <Subsystem>();

            // Maps used to set up preceeding nodes
            Dictionary <ISubsystem, XmlNode>      subsystemXMLNodeMap = new Dictionary <ISubsystem, XmlNode>();
            Dictionary <string, Subsystem>        subsystemMap        = new Dictionary <string, Subsystem>();
            List <KeyValuePair <string, string> > dependencyMap       = new List <KeyValuePair <string, string> >();
            List <KeyValuePair <string, string> > dependencyFcnMap    = new List <KeyValuePair <string, string> >();
            // Dictionary<string, ScriptedSubsystem> scriptedSubNames = new Dictionary<string, ScriptedSubsystem>();

            // Create Constraint list
            List <Constraint> constraintsList = new List <Constraint>();

            //Create Lists to hold all the initial condition and dependency nodes to be parsed later
            List <XmlNode> ICNodes         = new List <XmlNode>();
            List <XmlNode> DepNodes        = new List <XmlNode>();
            SystemState    initialSysState = new SystemState();

            // Enable Python scripting support, add additional functions defined in input file
            bool enableScripting = false;

            // Set up Subsystem Nodes, first loop through the assets in the XML model input file
            foreach (XmlNode childNodeAsset in modelInputXMLNode.ChildNodes)
            {
                if (childNodeAsset.Name.Equals("PYTHON"))
                {
                    if (childNodeAsset.Attributes["enableScripting"] != null)
                    {
                        if (childNodeAsset.Attributes["enableScripting"].Value.ToString().ToLower().Equals("true"))
                        {
                            enableScripting = true;
                        }
                    }
                    // Loop through all the of the file nodes -- TODO (Morgan) What other types of things might be scripted
                    foreach (XmlNode fileXmlNode in childNodeAsset.ChildNodes)
                    {
                        // If scripting is enabled, parse the script file designated by the attribute
                        if (enableScripting)
                        {
                            // Parse script file if the attribute exists
                            if (fileXmlNode.ChildNodes[0].Name.Equals("EOMS_FILE"))
                            {
                                string       fileName = fileXmlNode.ChildNodes[0].Attributes["src"].Value.ToString();
                                ScriptedEOMS eoms     = new ScriptedEOMS(fileName);
                            }
                        }
                    }
                }
                if (childNodeAsset.Name.Equals("ASSET"))
                {
                    Asset asset = new Asset(childNodeAsset);
                    assetList.Add(asset);
                    // Loop through all the of the ChildNodess for this Asset
                    foreach (XmlNode childNode in childNodeAsset.ChildNodes)
                    {
                        // Get the current Subsystem XML Node, and create it using the SubsystemFactory
                        if (childNode.Name.Equals("SUBSYSTEM"))
                        {  //is this how we want to do this?
                            // Check if the type of the Subsystem is scripted, networked, or other
                            string subName = SubsystemFactory.GetSubsystem(childNode, enableScripting, dependencies, asset, subsystemMap);
                            foreach (XmlNode ICorDepNode in childNode.ChildNodes)
                            {
                                if (ICorDepNode.Name.Equals("IC"))
                                {
                                    ICNodes.Add(ICorDepNode);
                                }
                                if (ICorDepNode.Name.Equals("DEPENDENCY"))
                                {
                                    string depSubName = "", depFunc = "";
                                    if (ICorDepNode.Attributes["subsystemName"] != null)
                                    {
                                        depSubName = ICorDepNode.Attributes["subsystemName"].Value.ToString();
                                    }
                                    else
                                    {
                                        throw new MissingMemberException("Missing subsystem name in " + asset.Name);
                                    }
                                    dependencyMap.Add(new KeyValuePair <string, string>(subName, depSubName));

                                    if (ICorDepNode.Attributes["fcnName"] != null)
                                    {
                                        depFunc = ICorDepNode.Attributes["fcnName"].Value.ToString();
                                    }
                                    else
                                    {
                                        throw new MissingMemberException("Missing dependency function for subsystem" + subName);
                                    }
                                    dependencyFcnMap.Add(new KeyValuePair <string, string>(subName, depFunc));
                                }
                                //  if (ICorDepNode.Name.Equals("DEPENDENCY_FCN"))
                                //     dependencyFcnMap.Add(childNode.Attributes["subsystemName"].Value.ToString(), ICorDepNode.Attributes["fcnName"].Value.ToString());
                            }
                            //Parse the initial condition nodes
                        }
                        //Create a new Constraint
                        if (childNode.Name.Equals("CONSTRAINT"))
                        {
                            //Constraint factory isnt made yet
                            //constraintsList.Add(ConstraintFactory.getConstraint(childNode));
                            //Subsystem constrainedSub;
                            //subsystemMap.TryGetValue(childNode.Attributes["subsystemName"].Value.ToString(), out constrainedSub);
                            //constraintsList.Last().AddConstrainedSub(constrainedSub);
                        }
                    }
                    if (ICNodes.Count > 0)
                    {
                        initialSysState.Add(SystemState.setInitialSystemState(ICNodes, asset));
                    }
                    ICNodes.Clear();
                }
            }
            //Add all the dependent subsystems to tge dependent subsystem list of the subsystems
            foreach (KeyValuePair <string, string> depSubPair in dependencyMap)
            {
                Subsystem subToAddDep, depSub;
                subsystemMap.TryGetValue(depSubPair.Key, out subToAddDep);
                subsystemMap.TryGetValue(depSubPair.Value, out depSub);
                subToAddDep.DependentSubsystems.Add(depSub);
            }

            //give the dependency functions to all the subsytems that need them
            foreach (KeyValuePair <string, string> depFunc in dependencyFcnMap)
            {
                Subsystem subToAddDep;
                subsystemMap.TryGetValue(depFunc.Key, out subToAddDep);
                subToAddDep.SubsystemDependencyFunctions.Add(depFunc.Value, dependencies.getDependencyFunc(depFunc.Value));
            }
            Console.WriteLine("Dependencies Loaded");

            List <Constraint>    constraintList    = new List <Constraint>();
            SystemClass          system            = new SystemClass(assetList, subNodeList, constraintList, SystemUniverse);
            TargetValueEvaluator scheduleEvaluator = new TargetValueEvaluator(dependencies);

            systemScheduler.GenerateSchedules(system, systemTasks, initialSysState, scheduleEvaluator);
        }
Esempio n. 3
0
        static void Main(string[] args)
        {
            // Get the input filenames
            //string simulationInputFilePath = args[1];
            //string targetDeckFilePath = args[2];
            //string modelInputFileName = args[3];
            //string outputPath = args[4];
            var simulationInputFilePath = @"..\..\..\SimulationInput.XML"; // @"C:\Users\admin\Documents\Visual Studio 2015\Projects\Horizon-Simulation-Framework\Horizon_v2_3\io\SimulationInput.XML";
            var targetDeckFilePath      = @"..\..\..\v2.2-300targets.xml";
            // Initialize critical section for dependencies ??Morgan Doesn't know what this does
            // InitializeCriticalSection(&horizon::sub::dep::NodeDependencies::cs);


            // Find the main input node from the XML input files
            var XmlDoc = new XmlDocument();

            XmlDoc.Load(simulationInputFilePath);
            XmlNodeList simulationInputXMLNodeList = XmlDoc.GetElementsByTagName("SCENARIO");
            var         XmlEnum = simulationInputXMLNodeList.GetEnumerator();

            XmlEnum.MoveNext();
            var simulationInputXMLNode = (XmlNode)XmlEnum.Current;
            var scenarioName           = simulationInputXMLNode.Attributes["scenarioName"].InnerXml;

            Console.Write("EXECUITING SCENARIO: ");
            Console.WriteLine(scenarioName);

            // Load the simulation parameters from the XML simulation input file
            XmlNode simParametersXMLNode = simulationInputXMLNode["SIMULATION_PARAMETERS"];
            bool    simParamsLoaded      = SimParameters.LoadSimParameters(simParametersXMLNode, scenarioName);

            // Load the scheduler parameters defined in the XML simulation input file
            XmlNode schedParametersXMLNode = simulationInputXMLNode["SCHEDULER_PARAMETERS"];
            //Scheduler systemScheduler = new Scheduler();
            //bool schedParamsLoaded = loadSchedulerParams(schedParametersXMLNode, systemScheduler);

            bool      paramsLoaded    = SchedParameters.LoadSchedParameters(schedParametersXMLNode);
            Scheduler systemScheduler = new Scheduler();

            //MultiThreadedScheduler* systemScheduler = new MultiThreadedScheduler;



            // Load the target deck into the targets list from the XML target deck input file
            //  var XmlDoc = new XmlDocument();
            XmlDoc.Load(targetDeckFilePath);
            XmlNodeList targetDeckXMLNodeList = XmlDoc.GetElementsByTagName("TARGETDECK");

            XmlEnum = targetDeckXMLNodeList.GetEnumerator();
            XmlEnum.MoveNext();
            var         targetDeckXMLNode = (XmlNode)XmlEnum.Current;
            List <Task> systemTasks       = new List <Task>();

            //TODO:Morgan  bool targetsLoaded = loadTargetsIntoTaskList(targetDeckXMLNode, systemTasks);
            Console.WriteLine("  Initial states set");
            Console.ReadKey();

            /*
             * // Find the main model node from the XML model input file
             * XMLNode modelInputXMLNode = XMLNode::openFileHelper(modelInputFileName.c_str(), "MODEL");
             *
             * // Load the environment. First check if there is an ENVIRONMENT XMLNode in the input file
             * Environment* systemEnvironment;
             * int nEnv = modelInputXMLNode.nChildNode("ENVIRONMENT");
             * if (nEnv != 0)
             * {
             *  // Create the Environment based on the XMLNode
             *  XMLNode environmentNode = modelInputXMLNode.getChildNode("ENVIRONMENT");
             *  systemEnvironment = new Environment(environmentNode);
             * }
             * else
             *  systemEnvironment = new Environment();
             *
             * // Initialize NetworkDataClient
             * int nDataClient = modelInputXMLNode.nChildNode("NETWORK_DATA_CLIENT");
             * if (nDataClient != 0)
             * {
             *  XMLNode NetworkDataClientNode = modelInputXMLNode.getChildNode("NETWORK_DATA_CLIENT");
             *  if (NetworkDataClientNode.isAttributeSet("host"))
             *  {
             *      NetworkDataClient::setHost(NetworkDataClientNode.getAttribute("host"));
             *  }
             *  if (NetworkDataClientNode.isAttributeSet("port"))
             *  {
             *      NetworkDataClient::setPort(atoi(NetworkDataClientNode.getAttribute("port")));
             *  }
             *  if (NetworkDataClientNode.isAttributeSet("connect"))
             *  {
             *      if (atob(NetworkDataClientNode.getAttribute("connect")))
             *          NetworkDataClient::Connect();
             *  }
             * }
             *
             * // Initialize the SubsystemAdapter
             * SubsystemAdapter subAdapter;
             * subAdapter.initialize();
             *
             * // Initialize the ConstraintAdapter
             * ConstraintAdapter constraintAdapter;
             * constraintAdapter.initialize();
             *
             * // Initialize the Dependency Adapter (for static dependencies)
             * DependencyAdapter depAdapter;
             * depAdapter.addDoubleDependency("Asset1_COMMSUB_getDataRateProfile", &Dependencies::Asset1_COMMSUB_getDataRateProfile);
             * depAdapter.addDoubleDependency("Asset1_POWERSUB_getPowerProfile", &Dependencies::Asset1_POWERSUB_getPowerProfile);
             * depAdapter.addDoubleDependency("Asset1_SSDRSUB_getNewDataProfile", &Dependencies::Asset1_SSDRSUB_getNewDataProfile);
             * depAdapter.addDoubleDependency("Asset2_COMMSUB_getDataRateProfile", &Dependencies::Asset2_COMMSUB_getDataRateProfile);
             * depAdapter.addDoubleDependency("Asset2_POWERSUB_getPowerProfile", &Dependencies::Asset2_POWERSUB_getPowerProfile);
             * depAdapter.addDoubleDependency("Asset2_SSDRSUB_getNewDataProfile", &Dependencies::Asset2_SSDRSUB_getNewDataProfile);
             *
             * // Initialize vectors to hold assets and subsystem nodes
             * vector <const Asset*> assetList;
             * vector<SubsystemNode*> subNodeList;
             *
             * // Maps used to set up preceeding nodes
             * map<SubsystemNode*, XMLNode> subsystemNodeXMLNodeMap;
             * map<int, SubsystemNode*> subsystemNodeMap;
             *
             * // Create Constraint list here
             * vector <const Constraint*> constraintsList;
             *
             * // Enable Lua scripting support, add additional functions defined in input file
             * bool enableScripting = false;
             * int n = modelInputXMLNode.nChildNode("LUA");
             * if (n != 0)
             * {
             *  XMLNode luaXMLNode = modelInputXMLNode.getChildNode("LUA");
             *  if (luaXMLNode.isAttributeSet("enableScripting"))
             *  {
             *      if (_strcmpi(luaXMLNode.getAttribute("enableScripting"), "False") != 0)
             *          enableScripting = true;
             *  }
             *  // Loop through all the of the file nodes
             *  int m = luaXMLNode.nChildNode("LUA_FILE");
             *  for (int i = 0; i < m; i++)
             *  {
             *      XMLNode luaFileXMLNode = luaXMLNode.getChildNode("LUA_FILE", i);
             *      // If scripting is enabled, parse the script file designated by the src attribute
             *      if (enableScripting)
             *      {
             *          // Parse script file if the 'src' attribute exists
             *          if (luaFileXMLNode.isAttributeSet("src"))
             *          {
             *              string filename = luaFileXMLNode.getAttribute("src");
             *              bool loaded = loadLuaFunctionsFromFile(::lua::L, filename);
             *              horizon::script::addLuaFile(filename);
             *          }
             *          // Parse all lua functions in the body of the XML node
             *          int n = luaFileXMLNode.nText();
             *          if (n != 0)
             *          {
             *              string text = luaFileXMLNode.getText();
             *              bool loaded = loadLuaFunctionsFromString(lua::L, text);
             *          }
             *      }
             *  }
             * }
             *
             * // Set up Subsystem Nodes, first loop through the assets in the XML model input file
             * n = modelInputXMLNode.nChildNode("ASSET");
             * for (int i = 0; i < n; i++)
             * {
             *  // Get the current Asset XML Node and initialize a new Asset with it
             *  XMLNode currAssetXMLNode = modelInputXMLNode.getChildNode("ASSET", i);
             *  Asset* currAsset = new Asset(currAssetXMLNode);
             *  assetList.push_back(currAsset);
             *  // Loop through all the of the Subsystems for this Asset
             *  int m = currAssetXMLNode.nChildNode("SUBSYSTEM");
             *  for (int j = 0; j < m; j++)
             *  {
             *      // Get the current Subsystem XML Node, and create it using the SubsystemAdapter
             *      XMLNode currSubsystemXMLNode = currAssetXMLNode.getChildNode("SUBSYSTEM", j);
             *      Subsystem* currSubsystem = NULL;
             *      // Check if the type of the Subsystem is scripted, networked, or other
             *      if (_strcmpi(currSubsystemXMLNode.getAttribute("Type"), "scripted") == 0)
             *      {
             *          // Subsytem is a ScriptedSubsytem, get the LUA functions for the Subsytem
             *          string subName = currSubsystemXMLNode.getAttribute("Name");
             *          string initLUAFcn = currSubsystemXMLNode.getAttribute("initLUAFcn");
             *          string canPerformLUAFcn = currSubsystemXMLNode.getAttribute("canPerformLUAFcn");
             *          string canExtendLUAFcn = currSubsystemXMLNode.getAttribute("canExtendLUAFcn");
             *          currSubsystem = new ScriptedSubsystem(/*L, subName, initLUAFcn, canPerformLUAFcn, canExtendLUAFcn);
             *      }
             *      else if (_strcmpi(currSubsystemXMLNode.getAttribute("Type"), "networked") == 0)
             *      {
             *          // Subsytem is a NetworkedSubsytem, get the infor needed to connect to server
             *          string subName = currSubsystemXMLNode.getAttribute("Name");
             *          string host = currSubsystemXMLNode.getAttribute("host");
             *          int port = atoi(currSubsystemXMLNode.getAttribute("port"));
             *          try
             *          {
             *              currSubsystem = new NetworkedSubsystem(host, port, subName);
             *          }
             *          catch (SocketException&se) {
             *  cout << "Error connecting to subsystem " << subName;
             *  cout << " on subystem server at " << host << ":" << port << endl;
             *  cout << se.what() << endl;
             *  return -1;
             * }
             * int nKey = currSubsystemXMLNode.nChildNode("KEY");
             * for (int k = 0; k < nKey; k++)
             * {
             *  XMLNode icXMLNode = currSubsystemXMLNode.getChildNode("KEY", k);
             *  string type = icXMLNode.getAttribute("type");
             *  string key = icXMLNode.getAttribute("key");
             *  if (_strcmpi(type.c_str(), "Int") == 0)
             *  {
             *      currSubsystem->addKey(StateVarKey<int>(key));
             *  }
             *  else if (_strcmpi(type.c_str(), "Float") == 0)
             *  {
             *      currSubsystem->addKey(StateVarKey<float>(key));
             *  }
             *  else if (_strcmpi(type.c_str(), "Double") == 0)
             *  {
             *      currSubsystem->addKey(StateVarKey<double>(key));
             *  }
             *  else if (_strcmpi(type.c_str(), "Bool") == 0)
             *  {
             *      currSubsystem->addKey(StateVarKey<bool>(key));
             *  }
             *  else if (_strcmpi(type.c_str(), "Matrix") == 0)
             *  {
             *      currSubsystem->addKey(StateVarKey<Matrix>(key));
             *  }
             *  else if (_strcmpi(type.c_str(), "Quat") == 0)
             *  {
             *      currSubsystem->addKey(StateVarKey<Quat>(key));
             *  }
             * }
             * }
             *  else {
             * // Check if the XMLNode for this subsystem has attribute defaultConstructor="true".
             * // If it does, call the create method of the subsystemAdapter that will call the default
             * // constructor for the subsystem. Otherwise call the create method and pass in the XMLNode
             * // for the current subsystem
             * if (currSubsystemXMLNode.isAttributeSet("defaultConstructor"))
             * {
             *  if (atob(currSubsystemXMLNode.getAttribute("defaultConstructor")))
             *      currSubsystem = subAdapter.create(currSubsystemXMLNode.getAttribute("Type"));
             * }
             * else
             *  currSubsystem = subAdapter.create(currSubsystemXMLNode.getAttribute("Type"), currSubsystemXMLNode);
             * }
             * // Initialize the new SubsystemNode
             * SubsystemNode* currNode = new SubsystemNode(currSubsystem, currAsset);
             * if (enableScripting)
             * {
             * currNode->enableScriptingSupport();
             * currNode->setLuaState(lua::L);
             * }
             * subNodeList.push_back(currNode);
             * // Get the current Subsystem's SubId and set up the maps used to set up the preceeding nodes in each SubsystemNode
             * int subId = atoi(currSubsystemXMLNode.getAttribute("SubId"));
             * subsystemNodeXMLNodeMap.insert(make_pair(currNode, currSubsystemXMLNode));
             * subsystemNodeMap.insert(make_pair(subId, currNode));
             * }
             * // Loop through all the of the constraints for this Asset
             * m = currAssetXMLNode.nChildNode("CONSTRAINT");
             *  for(int j = 0; j<m; j++) {
             *          // Get the Constraint XMLNode and its corresponding StateVar Node
             *          XMLNode currConstraintXMLNode = currAssetXMLNode.getChildNode("CONSTRAINT", j);
             * XMLNode currStateVarXMLNode = currConstraintXMLNode.getChildNode("STATEVAR");
             * int subId = atoi(currConstraintXMLNode.getAttribute("SubId"));
             * // Determine the type of the Constraint, create the Generic Constraint
             * string type = currStateVarXMLNode.getAttribute("type");
             * string key = currStateVarXMLNode.getAttribute("key");
             * Constraint* constraint;
             *          // Integer Constraint
             *          if(_strcmpi(type.c_str(),"Int")==0) {
             *                  int val = atoi(currConstraintXMLNode.getAttribute("value"));
             * StateVarKey<int> svk(key);
             *                  if(currConstraintXMLNode.isAttributeSet("type"))
             *                          constraint = new SingleAssetGenericConstraint<int>(svk, val, currConstraintXMLNode.getAttribute("type"), "int", i+1);
             *                  else
             *                          constraint = new SingleAssetGenericConstraint<int>(svk, val, "int", i+1);
             *          }
             *          // Float Constraint
             *          else if(_strcmpi(type.c_str(),"Float")==0) {
             *                  float val = atof(currConstraintXMLNode.getAttribute("value"));
             * StateVarKey<float> svk(key);
             *                  if(currConstraintXMLNode.isAttributeSet("type"))
             *                          constraint = new SingleAssetGenericConstraint<float>(svk, val, currConstraintXMLNode.getAttribute("type"), "float", i+1);
             *                  else
             *                          constraint = new SingleAssetGenericConstraint<float>(svk, val, "float", i+1);
             *          }
             *          // Double Constraint
             *          else if(_strcmpi(type.c_str(),"Double")==0) {
             *                  double val = atof(currConstraintXMLNode.getAttribute("value"));
             * StateVarKey<double> svk(key);
             *                  if(currConstraintXMLNode.isAttributeSet("type"))
             *                          constraint = new SingleAssetGenericConstraint<double>(svk, val, currConstraintXMLNode.getAttribute("type"), "double", i+1);
             *                  else
             *                          constraint = new SingleAssetGenericConstraint<double>(svk, val, "double", i+1);
             *          }
             *          // Not a generic constriant, pass to ConstraintAdapter
             *          else {
             *                  constraint = constraintAdapter.create(type);
             *          }
             *          if(constraint != NULL) {
             *                  // Get the subsystem node that this constraint constrains and set it
             *                  SubsystemNode* constrainedNode = subsystemNodeMap.find(subId)->second;
             * constraint->addConstrianedSubNode(constrainedNode);
             * constraintsList.push_back(constraint);
             *          }
             *  }
             * }
             *
             * // Loop through each SubsystemNode so that the preceeding nodes can be added
             * for(map<SubsystemNode*, XMLNode>::iterator subNodeIt = subsystemNodeXMLNodeMap.begin(); subNodeIt != subsystemNodeXMLNodeMap.end(); subNodeIt++) {
             *  // Get the XML Node used to initialize the subsystem contained in the current SubsystemNode
             *  XMLNode currNode = subNodeIt->second;
             * // Loop through each dependency in the XML Node
             * int n = currNode.nChildNode("DEPENDENCY");
             *  for(int i = 0; i<n; i++) {
             *          // Get the subId of the preceeding node, look up that SubsystemNode in the map, and add it to the current SubsystemNode's preceeding nodes
             *          XMLNode currDepXMLNode = currNode.getChildNode("DEPENDENCY", i);
             * subNodeIt->first->addPreceedingNode(subsystemNodeMap.find(atoi(currDepXMLNode.getAttribute("subID")))->second);
             *  }
             *  // Loop through each dependency function in the XML Node
             *  n = currNode.nChildNode("DEPENDENCY_FCN");
             *  for(int i = 0; i<n; i++) {
             *          XMLNode currDepFcnXMLNode = currNode.getChildNode("DEPENDENCY_FCN", i);
             * bool scripted = atob(currDepFcnXMLNode.getAttribute("scripted"));
             * string key = currDepFcnXMLNode.getAttribute("key");
             * varType type = strToVarType(currDepFcnXMLNode.getAttribute("type"));
             * string callKey = currDepFcnXMLNode.getAttribute("callKey");
             *          if(!scripted){
             *                  switch(type) {
             *                          case varType::INT_:
             *                                  subNodeIt->first->addDependency(callKey, depAdapter.getIntDependency(key));
             *                                  break;
             *                          case DOUBLE_:
             *                                  subNodeIt->first->addDependency(callKey, depAdapter.getDoubleDependency(key));
             *                                  break;
             *                          case FLOAT_:
             *                                  subNodeIt->first->addDependency(callKey, depAdapter.getFloatDependency(key));
             *                                  break;
             *                          case BOOL_:
             *                                  subNodeIt->first->addDependency(callKey, depAdapter.getBoolDependency(key));
             *                                  break;
             *                          case MATRIX_:
             *                                  subNodeIt->first->addDependency(callKey, depAdapter.getMatrixDependency(key));
             *                                  break;
             *                          case QUAT_:
             *                                  subNodeIt->first->addDependency(callKey, depAdapter.getQuatDependency(key));
             *                                  break;
             *                  } // end switch
             *          } // end if
             *          else {
             *                  switch(type) {
             *                          case varType::INT_:
             *                                  subNodeIt->first->addIntScriptedDependency(callKey, key);
             *                                  break;
             *                          case DOUBLE_:
             *                                  subNodeIt->first->addDoubleScriptedDependency(callKey, key);
             *                                  break;
             *                          case FLOAT_:
             *                                  subNodeIt->first->addFloatScriptedDependency(callKey, key);
             *                                  break;
             *                          case BOOL_:
             *                                  subNodeIt->first->addBoolScriptedDependency(callKey, key);
             *                                  break;
             *                          case MATRIX_:
             *                                  subNodeIt->first->addMatrixScriptedDependency(callKey, key);
             *                                  break;
             *                          case QUAT_:
             *                                  subNodeIt->first->addQuatScriptedDependency(callKey, key);
             *                                  break;
             *                  }
             *          } // end else (scripted)
             *  } // end for
             * }
             *
             * // Finalize the subsystem adapter
             * subAdapter.finalize();
             *
             * // Finalize the constraint adapter
             * constraintAdapter.finalize();
             *
             * // Load the initial state as defined in the XML input file
             * vector<State*>* systemInitialStateList = new vector<State*>;
             * bool initialStateSet = setInitialSystemState(modelInputXMLNode, systemInitialStateList);
             *
             * // USER - Specify data output parameters
             * scheduleDataWriter dataOut(outputPath, true, 2);
             * cout << endl;
             *
             * // Setup schedule evaluator method
             * ScheduleEvaluator* systemEvaluator;
             * int nSchedEval = modelInputXMLNode.nChildNode("SCHEDULE_EVALUATOR");
             * if(nSchedEval != 0) {
             *  // Create the ScheduleEvaluator based on the XMLNode
             *  systemEvaluator = horizon::util::adapt::createScheduleEvaluator(lua::L, modelInputXMLNode.getChildNode("SCHEDULE_EVALUATOR"));
             * }
             * else {
             *  // If node doesnt exist, pass empty node in and the
             *  // default Schedule Evaluator will be used
             *  systemEvaluator = createScheduleEvaluator(lua::L, XMLNode::emptyXMLNode);
             * }
             *
             * // Load the environment, subsystems, and constraints into a system to simulate
             * System* simSystem = new System(assetList, subNodeList, constraintsList, systemEnvironment);
             *
             * //------------------------------ RUN THE MAIN ALGORITHM -------------------------------- //
             * list<systemSchedule*> schedules;
             * if(!simSystem->checkForCircularDependencies())
             *  schedules = systemScheduler->generateSchedules(*simSystem, * systemTasks, * systemInitialStateList, systemEvaluator);
             * else
             *  cout << "System model contains circular dependencies, cannot run simulation" << endl;
             * //-------------------------------------------------------------------------------------- //
             *
             * cout << endl << endl;
             * cout << "Total Time: " << systemScheduler->totalTimeMs << endl;
             * cout << "Pregen Time: " << systemScheduler->pregenTimeMs << endl;
             * cout << "Sched Time: " << systemScheduler->schedTimeMs << endl;
             * cout << "Accum Time: " << systemScheduler->accumSchedTimeMs << endl;
             *
             * // Delete critical section for dependencies
             * DeleteCriticalSection(&NodeDependencies::cs);
             *
             * // Write error log
             * Logger::write("SubFailures.log");
             * Logger::writeConstraint("ConFailures.log");
             *
             * // *********************************Output selected data*************************************
             * bool schedOutput = dataOut.writeAll(schedules, simSystem);
             * // ******************************************************************************************
             *
             * // Clean up memory
             * delete systemScheduler;
             * // Delete the initial state vector
             * delete systemInitialStateList;
             * // Delete the tasks
             * for(vector<const Task*>::iterator tIt = systemTasks->begin(); tIt != systemTasks->end(); tIt++) { delete* tIt; }
             * // Delete the task vector
             * delete systemTasks;
             * // Delete the Evaluator
             * delete systemEvaluator;
             * // Delete the System
             * delete simSystem;
             * // Delete the possible generated schedules
             * for(list<systemSchedule*>::iterator sIt = schedules.begin(); sIt != schedules.end();) {
             *  delete* sIt;
             * schedules.erase(sIt++);
             * }
             *
             * getchar();
             * return 0;
             */
        }
Esempio n. 4
0
        public void PregenAccessUnitTest()
        {
            XmlDocument scenarioDoc = new XmlDocument();

            scenarioDoc.Load("..\\..\\SimulationInput.xml");

            XmlNode scenarioNode       = scenarioDoc.FirstChild;
            string  scenarioName       = scenarioNode.Attributes["scenarioName"].Value;
            XmlNode simulationPramsXml = scenarioNode["SIMULATION_PARAMETERS"];
            XmlNode schedulerParamsXml = scenarioNode["SCHEDULER_PARAMETERS"];


            SimParameters.LoadSimParameters(simulationPramsXml, scenarioName);
            SchedParameters.LoadSchedParameters(schedulerParamsXml);

            XmlDocument systemDoc = new XmlDocument();

            systemDoc.Load("..\\..\\DSAC_Static.xml");

            XmlNodeList  assetXmlNodes = systemDoc.FirstChild.ChildNodes;
            List <Asset> assets        = new List <Asset>();

            foreach (XmlNode xmlNode in assetXmlNodes)
            {
                Asset newAsset = new Asset(xmlNode);
                newAsset.AssetDynamicState.Eoms = new Orbital_EOMS();
                assets.Add(newAsset);
            }

            SystemClass system = new SystemClass(assets);

            XmlDocument targetDeckDoc = new XmlDocument();

            targetDeckDoc.Load("..\\..\\v2.2-300targets.xml");
            Stack <Task> tasks = new Stack <Task>();

            XmlNodeList targetDeckXmlNodes = targetDeckDoc.FirstChild.ChildNodes;

            foreach (XmlNode xmlNode in targetDeckXmlNodes)
            {
                Target newTarget = new Target(xmlNode);
                Task   newTask   = new Task(taskType.EMPTY, newTarget, 1);
                tasks.Push(newTask);
            }



            // DOING THIS UNTIL SYSTEMCLASS CAN BE COMPLIED - EAM
            //Stack<Access> accesses = Access.pregenerateAccessesByAsset(system, tasks, startTime, endTime, stepTime);

            Stack <Access> accessesByAsset = new Stack <Access>();

            // For all assets...
            foreach (Asset asset in system.Assets)
            {
                // ...for all tasks...
                foreach (Task task in tasks)
                {
                    // ...for all time....
                    for (double accessTime = SimParameters.SimStartSeconds; accessTime <= SimParameters.SimEndSeconds; accessTime += SchedParameters.SimStepSeconds)
                    {
                        // create a new access, or extend the access endTime if this is an update to an existing access
                        bool hasAccess = Utilities.GeometryUtilities.hasLOS(asset.AssetDynamicState.PositionECI(accessTime), task.Target.DynamicState.PositionECI(accessTime));
                        if (hasAccess)
                        {
                            bool isNewAccess;
                            if (accessesByAsset.Count == 0 || accessTime == SimParameters.SimStartSeconds || accessesByAsset.Peek().Task.Target.Name != task.Target.Name)
                            {
                                isNewAccess = true;
                            }
                            else
                            {
                                isNewAccess = (accessTime - accessesByAsset.Peek().AccessEnd) > SchedParameters.SimStepSeconds;
                            }
                            if (isNewAccess)
                            {
                                Access newAccess = new Access(asset, task);
                                newAccess.AccessStart = accessTime;
                                newAccess.AccessEnd   = accessTime;
                                accessesByAsset.Push(newAccess);
                            }
                            else  // extend the access
                            {
                                accessesByAsset.Peek().AccessEnd = accessTime;
                            }
                        }
                    }
                }
            }

            double currentTime = 0;
            //public static Stack<Access> getCurrentAccessesForAsset(Stack<Access> accesses, Asset asset, double currentTime)
            Stack <Access> allCurrentAccesses = new Stack <Access>(accessesByAsset.Where(item => (item.AccessStart <= currentTime && item.AccessEnd >= currentTime)));



            //Stack<Stack<Access>> generateExhaustiveSystemSchedules(Stack<Access> currentAccess, SystemClass system, double currentTime)
            Stack <Stack <Access> > currentAccessesByAsset = new Stack <Stack <Access> >();

            foreach (Asset asset in system.Assets)
            {
                //public static Stack<Access> getCurrentAccessesForAsset(Stack<Access> accesses, Asset asset, double currentTime)
                currentAccessesByAsset.Push(new Stack <Access>(allCurrentAccesses.Where(item => item.Asset == asset)));
            }

            IEnumerable <IEnumerable <Access> > allScheduleCombos = currentAccessesByAsset.CartesianProduct();

            foreach (IEnumerable <Access> combo in allScheduleCombos)
            {
                combo.ToString();
            }

            Console.ReadLine();
        }