2
private string getLngLat(string strLAC, string strCID)
    {
        string str;
        try
        {
            HttpWebRequest length = (HttpWebRequest)WebRequest.Create(new Uri("http://www.google.com/glm/mmap"));
            length.Method = "POST";
            int num = Convert.ToInt32(strLAC);
            byte[] numArray = AjaxFrm.PostData(num, Convert.ToInt32(strCID));
            length.ContentLength = (long)((int)numArray.Length);
            length.ContentType = "application/binary";
            length.GetRequestStream().Write(numArray, 0, (int)numArray.Length);
            HttpWebResponse response = (HttpWebResponse)length.GetResponse();
            byte[] numArray1 = new byte[checked((IntPtr)response.ContentLength)]; // ERROR AT HERE
            response.GetResponseStream().Read(numArray1, 0, (int)numArray1.Length);
            if (response.StatusCode != HttpStatusCode.OK)
            {
                str = string.Format("Error {0}", response.StatusCode);
            }
            else
            {
                byte num1 = numArray1[0];
                byte num2 = numArray1[1];
                byte num3 = numArray1[2];
                if ((numArray1[3] << 24 | numArray1[4] << 16 | numArray1[5] << 8 | numArray1[6]) != 0)
                {
                    str = "";
                }
                else
                {
                    double num4 = (double)(numArray1[7] << 24 | numArray1[8] << 16 | numArray1[9] << 8 | numArray1[10]) / 1000000;
                    double num5 = (double)(numArray1[11] << 24 | numArray1[12] << 16 | numArray1[13] << 8 | numArray1[14]) / 1000000;
                    str = string.Format("{0}&{1}", num5, num4);
                }
            }
        }
        catch (Exception exception)
        {
            str = string.Format("Error {0}", exception.Message);
        }
        return str;
    }

byte[] numArray1 = new byte[checked((IntPtr)response.ContentLength)];

在这里我得到了错误

Error 3 Cannot implicitly convert type 'System.IntPtr' to 'int'. An explicit conversion exists (are you missing a cast?)

怎么会出现这个错误?如何解决?

4

2 回答 2

2

直接指定数组长度即可,无需先尝试转换为IntPtr

byte[] numArray1 = new byte[response.ContentLength];

IntPtr是一种仅用于保存指针值的类型,因此不适用整数类型的通常规则。指针值不是合理的数组长度,因此语言设计者不允许使用IntPtr来指定数组长度。

于 2013-08-14T06:00:17.843 回答
0

如果您的目标是转换为int,您只需要这样做:

byte[] numArray1 = new byte[checked((int)response.ContentLength)];

这将避免您尝试为numArray1. 不过,您不需要从编译器long的角度执行此操作 - 您可以使用长度值来分配数组。只是如果大小足够大,它会在执行时倒下。(在 .NET 4.5 中,您可以使用应用程序配置设置来允许总大小超过 2GB 的数组,但我不确定这是否允许元素数量超过int.MaxValue.)

所以实际上,你最好把检查留给 CLR:

byte[] numArray1 = new byte[response.ContentLength];

...或者如果您确实想施加一些最大尺寸,请明确执行。(我也建议最大小于 2GB...)

您还应该考虑ContentLength为 -1 的可能性,这表明客户端尚未在响应标头中指定它。

于 2013-08-14T06:16:21.863 回答