Versions Compared

Key

  • This line was added.
  • This line was removed.
  • Formatting was changed.

Иногда нам может потребоваться отобразить поле блоковой блочной модели, которое не было закодировано в исходной модели. Для этого в приложении присутствует опция пользовательских переменных, позволяющая написать любую более сложную логику в доступном для чтения и повторного использования видеформате, также доступную для объединения с другими формулами преобразования блоковой блочной модели.

Table of Contents

...

Создание пользовательских переменных

...

  1. Перейдите

    to

    вкладка Setup > шаг Block Model > кнопка Edit > окно Reservable Model Generator

    (Настройка > Блоковая модель > Редактировать > Генератор модели запаса)

    .

  2. Нажмите Custom Variables (Пользовательские переменные), чтобы открыть окно редактора сценариев.

  3. Удалите весь текст из окна редактора кода.

  4. Замените его на приведенный в примере ниже.

Image Removed

Блоковая модель с невыключной формулой

Image Removed

Окно редактора пользовательских настроек

Image Removed

Блоковая модель с пользовательской переменной

...

Тонн в сухом состоянии

Code Block
languagec#
titleТонн в сухом состоянии
linenumberstrue
using System; 
using System.Collections.Generic; 
using System.Text; 
using System.Linq; 
using Alastri.Scripting; 
using Alastri.BlockModel.Engine.CustomVariables;

public class DryTonnes : IDoubleCustomVariable
{
    public double GetNumber(CustomVariablesContext context)
    {
        double density = context.N("DENSITY");

        double volume = context.N("XINC")*context.N("YINC")*context.N("ZINC");
        
        return (density > 0 ? density * volume : 0);
        
    }
}

Бункеры сорта

Code Block
languagec#
titleТанкеры одной породы
linenumberstrue
using System;
using System.Collections.Generic;
using System.Text;
using System.Linq;
using Alastri.Scripting;
using Alastri.BlockModel.Engine.CustomVariables;

public class Parcel : ITextCustomVariable
{
    public string GetText(CustomVariablesContext context)
    {
        double fe = context.N("fe");
        
        if(fe > 60)        return "hg";
        else if(fe > 58)   return "mg";
        else if(fe > 57.5) return "lg1";
        else if(fe > 56)   return "lg2"; 
        else if(fe > 50)   return "minw";
        else               return "w";

    }
}

Бункеры нескольких сортов

Code Block
languagec#titleТанкеры нескольких пород
linenumberstrue
using System;
using System.Collections.Generic;
using System.Text;
using System.Linq;
using Alastri.Scripting;
using Alastri.BlockModel.Engine.CustomVariables;

public class Parcel : ITextCustomVariable
{
    public string GetText(CustomVariablesContext context)
    {
        double fe = context.N("fe");
        double al = context.N("al");
        string geology = context.T("geology");
        
        string fe_bin;
        
        if(fe > 60) 
        {
             fe_bin = "60";
        }
        else if(fe > 55) 
        {
            fe = Math.Floor(fe); 
            fe_bin = fe.ToString("#,##0");
        }
        else
        {
           fe_bin = "50";
        }

        string al_bin;

        if(al < 3)
        {
           al_bin = "3";
        }
        else if(al < 6)
        {
           al = Math.Ceil(al);
           al_bin = al.ToString("#,##0");
        }
        else
        {
          al_bin = "9";
        }

        string geoClass = "1";
        if(geology.Equals("detrital", StringComparison.OrdinalIgnoreCase))
        {
           geoClass = "2";
        }

        return fe_bin + "_" + al_bin + "_" + geoClass;
    }
}

Коэффициент содержания руды

Поля блоковой блочной модели Rapid Reserver не могут сообщать коэффициент вскрыши (Stripping Ratio), поскольку он не является полем типа суммы или веса. Вместо этого приложение может сообщать коэффициент содержания руды, который является отношение отношением среднего веса тонн руды к общим тоннам. 

Для этого сообщения коэффициента содержания руды нам потребуется настроить поле средневзвешенных единиц с именем OreRatio (Коэффициент руды) как дочернюю запись параметра «dryTonnes» или «wetTonnes» «dryTonnes» или «wetTonnes» (в зависимости от того, какие тонны (в сухом или во влажном состоянии) Вы хотите включить в отчет. В этом поле будет указано «1» «1» для руды и «0» «0» для вскрыши. Средневзвешенное значение единиц и нулей во взрывном блоке и будет являться соотношением руды.коэффициентом содержания руды.

Коэффициент содержания руды

Code Block
languagec#
titleКоэффициент руды
linenumberstrue
using System; 
using System.Collections.Generic; 
using System.Text; 
using System.Linq; 
using Alastri.Scripting; 
using Alastri.BlockModel.Engine.CustomVariables;

public class OreRatio : IDoubleCustomVariable
{
    List<string> ores = new List<string>(){ "hg", "mg", "lg" }; //all lower case
     
    public double GetNumber(CustomVariablesContext context)
    {
        string matType = context.T("mattype").ToLower(); //material type field from original block model

        bool isOre = ores.Any(ore => matType.StartsWith(ore)); 
        
        if(isOre) return 1;
        else return 0;
    }
}

Несколько пользовательских переменных

Для создания нескольких пользовательских переменных, для каждой переменной требуется создать классы, выполняющие интерфейс IDoubleCustomVariable или ITextCustomVariable. Такие классы должны быть перечислены друг под другом в окне редактора сценариев пользовательских переменных, как показано в примерах ниже.

Несколько пользовательских переменных

title
Code Block
languagec#
titleНесколько пользовательских переменных
linenumberstrue
using System;
using System.Collections.Generic;
using System.Text;
using System.Linq;
using Alastri.Scripting;
using Alastri.BlockModel.Engine.CustomVariables;

public class Parcel : ITextCustomVariable
{
    public string GetText(CustomVariablesContext context)
    {
        double fe = context.N("fe");
        
        if(fe > 60)        return "hg";
        else if(fe > 58)   return "mg";
        else if(fe > 57.5) return "lg1";
        else if(fe > 56)   return "lg2"; 
        else if(fe > 50)   return "minw";
        else               return "w";
    }
}

public class DryTonnes : IDoubleCustomVariable
{
    public double GetNumber(CustomVariablesContext context)
    {
        double density = context.N("DENSITY");

        double volume = context.N("XINC")*context.N("YINC")*context.N("ZINC");
        
        return (density > 0 ? density * volume : 0);
        
    }
}
Code Block
languagec#

Несколько пользовательских переменных с совместно используемой логикой

title
Code Block
linenumberslanguagetruec#
using System;
using System.Collections.Generic;
using System.Text;
using System.Linq;
using Alastri.Scripting;
using Alastri.BlockModel.Engine.CustomVariables;
 
//block model 1 has a "parcel1" variable
public class Parcel1 : ITextCustomVariable
{
    public string GetText(CustomVariablesContext context)
    {
        string parcel = context.T("mtype"); //block model 1 field
        return ParcelResolver.Parcel(parcel);
    }
}

//block model 2 has a "parcel2" variable
public class Parcel2 : ITextCustomVariable
{
    public string GetText(CustomVariablesContext context)
    {
        string parcel = context.T("ioretype"); // block model 2 field
        return ParcelResolver.Parcel(parcel);
    }
}

//parcel logic is wrapped up in the static ParcelResolver class
public static class ParcelResolver 
{
    private static List<string> _oreList = new List<string> 
    { 
        "hg", "hg1", "bl1", "mg", "lg", "lg1", "lg2", "mw"
    };
    
    public static string Parcel(string parcel) 
    {
        if(_oreList.Contains(parcel.ToLower())) return "ore"; 
        else return "waste";
    }
}
Code Block
languagec#

Доступ к пользовательской переменной из другой пользовательской переменной

linenumbers
Code Block
languagetruec#
using System;
using System.Collections.Generic;
using System.Text;
using System.Linq;
using Alastri.Scripting;
using Alastri.BlockModel.Engine.CustomVariables;

public class Parcel : ITextCustomVariable
{
       public string GetText(CustomVariablesContext context)
       {
              double fe = context.N("fe");              
              if(fe > 60) 
                 return "hg";
              else if(fe > 58) 
                 return "mg";
              else if(fe > 57.5) 
                 return "lg1";
              else if(fe > 56) 
                 return "lg2";
              else if(fe > 50) 
                 return "minw";
              else 
                 return "w";
       }
}

public class Recovery : IDoubleCustomVariable
{
     public double GetNumber(CustomVariablesContext context)
     {
           Parcel parcel = new Parcel(); //Create an instance of the Parcel object
           string p = parcel.GetText(context); //Call the GetText() method, store the result in variable 'p'

           double volume = context.N("XINC")*context.N("YINC")*context.N("ZINC");

           if(p == "hglp" ) 
               return volume * 1.20;
           else if(p == "hg")
               return volume * 1.20;
           else if(p == "mg")
               return volume * 1.20;
           else if(p == "lg1")
               return volume * 1.20;
           else if(p == "lg2")
               return volume * 0.85;
           else 
               return 0;
      }
}


Если в процессе не было допущено никаких ошибок, то пользовательские переменные должны быть перечислены в панели Variables.

Image Removed

...