1

我正在尝试在速度模板中迭代JSONArray 但它不起作用我发现速度模板可以迭代集合、数组、哈希映射对象任何人都可以帮助我迭代 JSONArray

提前致谢

4

1 回答 1

1

您可以使用自定义 uberspector 执行此操作。这使您可以自定义 Velocity 如何解释获取/设置/迭代器。

我最近为 jsonlib 做了同样的事情。这是我的超级监察员。

package util;

import java.util.Iterator;

import net.sf.json.JSONArray;

import org.apache.velocity.util.introspection.Info;
import org.apache.velocity.util.introspection.SecureUberspector;

/**
 * Customized Velocity introspector.  Used so that FML can iterate through JSON arrays.
 */
public class CustomUberspector extends SecureUberspector
{
    @Override
    @SuppressWarnings("rawtypes")
    public Iterator getIterator(Object obj, Info i) throws Exception
    {
        if (obj instanceof JSONArray)
        {
            return new JsonArrayIterator((JSONArray) obj);
        }
        else
        {
            return super.getIterator(obj, i);
        }
    }
}

JsonArrayIterator 只是一个简单的遍历数组的迭代器。如果您使用不同的 JSON 库,只需自定义此类。

package util;

import java.util.Iterator;

import net.sf.json.JSONArray;
import net.sf.json.JSONException;

public class JsonArrayIterator implements Iterator<Object>
{
    private final JSONArray array;
    private int nextIndex;
    private final int length;

    public JsonArrayIterator(JSONArray array)
    {
        this.array = array;
        nextIndex = 0;
        length = array.size();
    }

    @Override
    public boolean hasNext()
    {
        return nextIndex < length;
    }

    @Override
    public Object next()
    {
        nextIndex++;
        try
        {
            return array.get(nextIndex - 1);
        }
        catch (JSONException e)
        {
            throw new IllegalStateException(e);
        }
    }

    @Override
    public void remove()
    {
        throw new UnsupportedOperationException();
    }


}

最后一步是在你的速度属性中指定 uberspector。

runtime.introspector.uberspect=util.CustomUberspector
于 2012-08-18T21:21:11.917 回答