Не можете понять непрерывный цикл? - PullRequest
0 голосов
/ 17 марта 2012

По сути, я получаю данные геолокации зрителя и создаю текстовое поле для отображения этих данных (город, штат).После того, как данные извлечены, текст измеряется, чтобы поместиться в текстовое поле, и если длина города слишком велика, текст корректируется по размеру, чтобы заполнить текстовое поле.

Когда я отслеживаю конечный результатокончательный размер текста, я продолжаю получать (один и тот же) результат трассировки, выводимый бесконечно.

// Sets text size to fit the largest it can in a specified textfield w/h
TextField.prototype.shrinkToFit = function(iMinFontSize){

    var oFormat = this.getTextFormat();
    var iSize = oFormat.size;

    /* add an extra few pixels to text height to be sure (there seem to be some inherent margins)*/
    while(this.textHeight > this._height || this.textWidth + oFormat.leftMargin + oFormat.rightMargin + 4 > this._width){

        //Decrease fontsize on TextFormat and apply it to TextField again
        oFormat.size = --iSize;
        this.setTextFormat(oFormat);

        // break the loop if we've reached a specified minimum font size
        if(iMinFontSize != null && iSize == iMinFontSize) {
            break;
        }
    }
return iSize;
};

// Geolocation
var info_xml = new XML();
info_xml.ignoreWhite = true;
info_xml.onData = function(raw:String)
   {
      if (raw == undefined)
         {
            this.onLoad(false);
         }
      else
         {
            // Normally onData would just do this:
            // this.parseXML(raw);
            // But we need to replace that with our own parsing:

            // This is the start of the fake XML string we are going to be making up.
            var parsed:String = "<maxmind>\n";        

            // Split each of the "function" lines into it's own string.  
            var lines:Array = raw.split("\n");

            // Remove the last one because that is a blank line.
            lines.pop();

            // Replace all the Regex functions from the external class since the Regex class does not exist in AS2.
            // All we're doing is chopping out two parts of each string and creating a fake XML node.
            // We cut the function name and make that into the XML node name, then we cut the returned value and set that to be the nodes "value".
            for(var i:Number = 0; i < lines.length; i++)
               {
                  parsed += "   <" + lines[i].slice(9, lines[i].indexOf("()")) + " value=\"" + lines[i].slice(lines[i].indexOf("'") + 1, lines[i].lastIndexOf("'")) + "\" />\n";
               }

            // Now parse the string into a true XML object.
            this.parseXML(parsed + "</maxmind>");

            // Back to normal loading.
            this.loaded = true;
            this.onLoad(true);
         }
   }
//If Geolocation is successful, fill the textfield with the city/state
info_xml.onLoad = function(success:Boolean)
   {
      if (success)
       {
          //convert Geolocation xml data into an array
          var props:Array = this.firstChild.childNodes;

          //Create textfield for geolocation data
          createTextField("tf",1,141,177.30,141,45.35);
          tf.border = false;

          //Expand on several lines if needed (set to true)
          tf.multiline = false;
          tf.wordWrap = false;
          tf.autoSize = false;


          tf.setNewTextFormat(new TextFormat("_sans",40));
          tf.text += props[2].attributes.value + ", " + props[3].attributes.value;
          trace("Font size shrinked to: " + tf.shrinkToFit());

       }
      else
         {
            tf.text += "There was a problem loading the remote file.\n";         
         }
   };

info_xml.load('http://www.maxmind.com/app/geoip.js');

Редактировать:

Первоначально у меня было следующее в качестве кода, и когда эта же трассировка была инициированарезультат отображался только один раз.

Данные геолокации сверху

, затем цикл сжатия

, затем это (это пример использования, который я нашел на веб-сайте):

this.createTextField("tf",10,20,20,400,150);
this.tf.border = true;

//Expand on several lines here- set to all to false to test single line only
this.tf.multiline = false;
this.tf.wordWrap = false;
this.autoSize = false;

this.tf.setNewTextFormat(new TextFormat("_sans",40));
this.tf.text = "Detroit, MI";
trace("Font size shrinked to: " + this.tf.shrinkToFit()); 

Это сработало, но мне нужно было создать текстовое поле в соответствии с тем, какие данные были извлечены из геолокации XML, поэтому я добавил их в скрипт геолокации.

1 Ответ

0 голосов
/ 17 марта 2012

Я думаю, что вы могли создать ошибку, вызвав createTextField в области действия обработчика загрузки объекта XML. Если это так, то у вас есть несколько вариантов. В любом случае, вы поместили код создания текстового поля в неправильное место, потому что, если ваша загрузка XML не удалась, он попытается записать в текстовое поле, которое создается только при успешной загрузке.

переместить код текстового поля в отдельную функцию, которую вы можете вызвать из обработчика onLoad

function prepareTextField(strings:Array)
{
    //Create textfield for geolocation data
    createTextField("tf",1,141,177.30,141,45.35);
    tf.border = false;

    //Expand on several lines if needed (set to true)
    tf.multiline = false;
    tf.wordWrap = false;
    tf.autoSize = false;


    tf.setNewTextFormat(new TextFormat("_sans",40));
    tf.text += strings.join(", ");
    trace("Font size shrinked to: " + tf.shrinkToFit());
}

info_xml.onLoad = function(success:Boolean)
{
    if (success) {
        //convert Geolocation xml data into an array
        var props:Array = this.firstChild.childNodes;
        prepareTextField([props[2].attributes.value,props[3].attributes.value]);
    } else {
        prepareTextField(["There was a problem loading the remote file.\n"]);         
    }
}

или

ссылается на корень (или любой другой этап, над которым вы работаете) при создании текстового поля

info_xml.onLoad = function(success:Boolean)
{
    //Create textfield for geolocation data
    _root.createTextField("tf",1,141,177.30,141,45.35);
    _root.tf.border = false;

    //Expand on several lines if needed (set to true)
    _root.tf.multiline = false;
    _root.tf.wordWrap = false;
    _root.tf.autoSize = false;

    _root.tf.setNewTextFormat(new TextFormat("_sans",40));

    if (success) {
        //convert Geolocation xml data into an array
        var props:Array = this.firstChild.childNodes;
        _root.tf.text += props[2].attributes.value + ", " + props[3].attributes.value;
        _root.trace("Font size shrinked to: " + tf.shrinkToFit());
    } else {
        tf.text += "There was a problem loading the remote file.\n";         
    }
}
...