ListView Accessibility return Index

1.9k Views Asked by At

I enabled the Talkback feature on the phone.

The user makes a touch wipe gesture to the right to select/highlight/etc the next item in the list. I want to have the index of this newly selected element in the list.

I am trying to get the index of the new selected Item from a ListView.

listView.setAccessibilityDelegate(new View.AccessibilityDelegate() {
        @Override
        public boolean onRequestSendAccessibilityEvent(ViewGroup host, View child, AccessibilityEvent event) {
            if (event.getEventType() == AccessibilityEvent.TYPE_VIEW_ACCESSIBILITY_FOCUSED) {
                int selectedItemPosition = event.getSelectedItemPosition(); // doesn't work, returns always -1
                  }
        }
});

Edit 1: listView.getSelectedItemPosition() returns -1 all the time after selecting another element with TalkBack.

1

There are 1 best solutions below

13
On

Nothing about this problem (the problem of getting the ListView selected item index) is particular to, nor should be accomplished by, use of the accessibility apis.

Documentation for the "getToIndex()" function:

Gets the index of text selection end or the index of the last visible item when scrolling.

It seems from your clarification and your code, namely this line:

event.getEventType() == AccessibilityEvent.TYPE_VIEW_ACCESSIBILITY_FOCUSED) 

That what you're really looking for is the view that just received ACCESSIBILITY_FOCUS, and NOT the view that is "selected". These are very different. I would definitely recommend changing this

int selectedItemPosition = ...

To

int a11yFocusedItemPosition = ...

Which is MUCH more clear. "Selected" means something very specific in terms of list views, and this is confusing things. Assuming Accessibility Focus is in fact the thing that you're looking for, this should do nicely:

listView.setAccessibilityDelegate(new View.AccessibilityDelegate() {
    @Override
    public boolean onRequestSendAccessibilityEvent(ViewGroup host, View child, AccessibilityEvent event) {

        if (event.getEventType() == AccessibilityEvent.TYPE_VIEW_ACCESSIBILITY_FOCUSED) {
            int accessibilityFocusedItemIndex = -1;

            for (int i = 0; i < host.getChildCount(); i++) {
                if (host.getChildAt(i) == child) {
                    accessibilityFocusedItemIndex = i;
                    break;
                }
            }

            Log.d("LogTag", "Accessibility Focused Item Index: " + accessibilityFocusedItemIndex);
        }

        return super.onRequestSendAccessibilityEvent(host, child, event);
    }
});

Note that list view is a special case where a function like this manages to work, because the focusable child is usually a direct descendant of the host view. This may not be true for individual active elements not wrapped within the list view cell.