STR()函数VFP C#等效

时间:2017-09-15 08:48:41

标签: c# visual-foxpro

C#中的等效函数是否与...相同 在vfp中的STR() https://msdn.microsoft.com/en-us/library/texae2db(v=vs.80).aspx

? str(111.666666,3,3) - > 112

? str(111.666666,2,3) - > **错误

? str(11.666666,2,3) - > 12

? str(0.666666,4,3) - > 0.667

? str(0.666666,8,3) - > 0.667(即左起3个空格加上结果)

2 个答案:

答案 0 :(得分:2)

如评论中所述,您可以使用.ToString()将数字转换为字符串。您可以在ToString中使用标准格式或自定义格式。例如,根据您的区域设置,ToString(“C”)为您提供类似$ 123.46或€123.46的字符串,值为“123.46”。

或者您可以使用“0:#。##”等自定义格式。您可以将自定义格式用于不同的长度或小数位。对于2个小数位“0:#。##”或3个小数位“0:#。###”。

有关详细说明,您可以查看文档。

标准数字格式字符串:https://docs.microsoft.com/en-us/dotnet/standard/base-types/standard-numeric-format-strings

自定义数字格式字符串:https://docs.microsoft.com/en-us/dotnet/standard/base-types/custom-numeric-format-strings

STR的自定义方法

link的帮助下,我写了一个快速的样本。它适用于您的输入,但我没有完全测试。

public static string STR(double d, int totalLen, int decimalPlaces)
{
    int floor = (int) Math.Floor(d);
    int length = floor.ToString().Length;
    if (length > totalLen)
        throw new NotImplementedException();
    if (totalLen - length < decimalPlaces)
        decimalPlaces =  totalLen - length;
    if (decimalPlaces < 0)
        decimalPlaces = 0;
    string str = Math.Round(d, decimalPlaces).ToString();
    if (str.StartsWith("0") && str.Length > 1 && totalLen - decimalPlaces - 1 <= 0)
        str = str.Remove(0,1);

    return str.Substring(0, str.Length >= totalLen ? totalLen : str.Length);
}

答案 1 :(得分:0)

public static string STR(object value, long totalLen = 0, long decimals = 0) {
  string result = string.Empty;
  try {

    if (value is string) {
      return (string)value;
    }

    var originalDecimals = decimals;
    int currentLen = (int)totalLen + 1;

    while (currentLen > totalLen) {
      string formatString = "{0:N";
      formatString += decimals.ToString();
      formatString += "}";

      result = string.Format(formatString, value);

      if (result.StartsWith("0") && result.Length > 1 && totalLen - decimals <= 1) {
        // STR(0.5, 3, 2) --> ".50"
        result = result.Remove(0, 1);
      }
      else if (result.StartsWith("-0") && result.Length > 2 && totalLen - decimals <= 2) {
        // STR(-0.5, 3, 2) --> "-.5"
        result = result.Remove(1, 1);
      }
      if (totalLen > 0&& result.Length < totalLen && (decimals == originalDecimals || decimals == 0)) {
        // STR(20, 3, 2) --> " 20"
        result = result.PadLeft((int)totalLen);
      }

      currentLen = result.Length;
      if (currentLen > totalLen) {
        decimals--;
        if (decimals < 0) {
          result = string.Empty.PadRight((int)totalLen, '*');
          break;
        }
      }
    }

    return result;
  }
  catch {
    result = "***";
  }

  return result;
}