Недостатки реализации Java для Android .. они задокументированы ?

Я играю с простым приложением для Android, используя эмулятор под управлением android-7 (2.1) и moto-defy под управлением android-8 (2.2).

Я столкнулся с интересной проблемой, из-за которой приложение синтаксического анализа CSV не удалось на эммуляторе, но преуспело в вызове и в обычных java-приложениях (с использованием sun java).

Я отследил проблему, и причина в том, что android- Реализация StringReader 7 не поддерживает отрицательную операцию пропуска:

Android-7:

/**
 * Skips {@code amount} characters in the source string. Subsequent calls of
 * {@code read} methods will not return these characters unless {@code
 * reset()} is used.
 *
 * @param ns
 *            the maximum number of characters to skip.
 * @return the number of characters actually skipped or 0 if {@code ns < 0}.
 * @throws IOException
 *             if this reader is closed.
 * @see #mark(int)
 * @see #markSupported()
 * @see #reset()
 */
@Override
public long skip(long ns) throws IOException {
    synchronized (lock) {
        if (isClosed()) {
            throw new IOException(Msg.getString("K0083")); //$NON-NLS-1$
        }
        if (ns <= 0) {
            return 0;
        }
        long skipped = 0;
        if (ns < this.count - pos) {
            pos = pos + (int) ns;
            skipped = ns;
        } else {
            skipped = this.count - pos;
            pos = this.count;
        }
        return skipped;
    }
}

J2SE 1.6:

/**
 * Skips the specified number of characters in the stream. Returns
 * the number of characters that were skipped.
 *
 * <p>The <code>ns</code> parameter may be negative, even though the
 * <code>skip</code> method of the {@link Reader} superclass throws
 * an exception in this case. Negative values of <code>ns</code> cause the
 * stream to skip backwards. Negative return values indicate a skip
 * backwards. It is not possible to skip backwards past the beginning of
 * the string.
 *
 * <p>If the entire string has been read or skipped, then this method has
 * no effect and always returns 0.
 *
 * @exception  IOException  If an I/O error occurs
 */
public long skip(long ns) throws IOException {
    synchronized (lock) {
        ensureOpen();
        if (next >= length)
            return 0;
        // Bound skip by beginning and end of the source
        long n = Math.min(length - next, ns);
        n = Math.max(-next, n);
        next += n;
        return n;
    }
}

Следовательно, вместо перехода назад (синтаксический анализатор использует это для предварительного чтения символа в определенных случаях), Версия Android остается на один символ вперед.

У меня вопрос, задокументированы ли где-нибудь различные несовместимости и вариации из спецификации J2SE? Если нет, то с какими еще проблемами вы, ребята, столкнулись.

Спасибо, стр.

10
задан AhmetB - Google 17 July 2011 в 05:02
поделиться