- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我创建了一个 composite widget grid这适用于键盘导航。我遇到的一个问题是,当当前焦点元素所在的网格中有一行时,焦点返回到 <body>
元素。我希望能够将焦点转移到最接近的有意义的交互式元素上(在上方或下方的行中)。
我的问题是:
当当前焦点元素从 DOM 中移除时,如何将焦点设置到最近的交互元素(仍在 dom 中)?
我尝试将焦点/模糊事件与 setTimeout 结合使用来获得正确的信号,但没有得到任何结果。
还尝试在当前聚焦的元素上使用 MutationObserver ,但我遇到了问题,因为网格实际上是滚动的,因此当前聚焦的元素可以从 DOM 中删除,因为行被虚拟滚动器回收,在这种情况下,我不想拯救焦点(它会导致网格不断向上滚动到新的“拯救”焦点,你永远无法到达底部)
const grid = document.querySelector('.grid');
// Remove all buttons/links from the natural tab order
grid
.querySelectorAll('a:not([tabindex="0"]), button:not([tabindex="0"])')
.forEach(el => el.setAttribute('tabindex', '-1'));
grid.addEventListener('keydown', (e) => {
// Prevent scrolling
if (e.key === 'ArrowUp' || e.key === 'ArrowDown') {
e.preventDefault();
}
if (e.key === 'ArrowUp') moveFocus(grid, 'up');
if (e.key === 'ArrowDown') moveFocus(grid, 'down');
if (e.key === 'ArrowLeft') moveFocus(grid, 'left');
if (e.key === 'ArrowRight') moveFocus(grid, 'right');
})
function moveFocus(grid, direction) {
const hasFocusableElement = ensureFocusableElementInGrid(grid)
if (!hasFocusableElement) return;
if (direction === 'up') focusUp(grid);
if (direction === 'down') focusDown(grid);
if (direction === 'left') focusLeft(grid);
if (direction === 'right') focusRight(grid);
}
function ensureFocusableElementInGrid(grid) {
const firstElem = grid.querySelectorAll('a, button')[0];
const currentFocusable = grid.querySelector('[tabindex="0"]') || firstElem;
// Happens if the grid does not contain any a or button elements.
if (!currentFocusable) {
return false;
}
currentFocusable.setAttribute('tabindex', '0');
return true;
}
function focusDown(grid) {
const currentFocus = grid.querySelector('[tabindex="0"]');
const nextCell = findNextCell(grid, currentFocus, p => ({
row: p.row + 1,
col: p.col,
}));
if (!nextCell) return;
// Target the first interactive element in the cell below
const firstElem = nextCell.querySelectorAll('a, button')[0];
transferFocus(currentFocus, firstElem);
}
function focusUp(grid) {
const currentFocus = grid.querySelector('[tabindex="0"]');
const nextCell = findNextCell(grid, currentFocus, p => ({
row: p.row - 1,
col: p.col,
}));
if (!nextCell) return;
// Target the first interactive element in the cell above
const firstElem = nextCell.querySelectorAll('a, button')[0];
transferFocus(currentFocus, firstElem);
}
function focusLeft(grid) {
const currentFocus = grid.querySelector('[tabindex="0"]');
const nextEl = findNextElementInCell(currentFocus, -1);
if (nextEl) {
transferFocus(currentFocus, nextEl);
return;
}
const nextCell = findNextCell(grid, currentFocus, p => ({
row: p.row,
col: p.col - 1,
}));
if (!nextCell) return;
// Target the last interactive element in the cell to the left
const prevCellElems = nextCell.querySelectorAll('a, button');
const lastLink = prevCellElems[prevCellElems.length - 1];
transferFocus(currentFocus, lastLink);
}
function focusRight(grid) {
const currentFocus = grid.querySelector('[tabindex="0"]');
// Exit early if next focusable element is found in the cell
const nextEl = findNextElementInCell(currentFocus, 1);
if (nextEl) {
transferFocus(currentFocus, nextEl);
return;
}
const nextCell = findNextCell(grid, currentFocus, p => ({
row: p.row,
col: p.col + 1,
}));
if (!nextCell) return;
// Target the first interactive element in the cell to the right
const nextCellEl = nextCell.querySelectorAll('a, button');
const firstEl = nextCellEl[0];
transferFocus(currentFocus, firstEl);
}
/**
* Given an interactive element (button or a) this functions figures out it's
* position in the grid based on aria attributes on it's parent elements.
* @param interactiveElement element to find position of
*/
function getGridPosition(interactiveElement) {
const row = parseInt(
interactiveElement
.closest('[aria-rowindex]')
.getAttribute('aria-rowindex'),
10,
);
const col = parseInt(
interactiveElement
.closest('[aria-colindex]')
.getAttribute('aria-colindex'),
10,
);
return { row, col };
}
/**
* Move focus from oldEl -> newEl
* @param oldEl element loosing focus
* @param newEl element gaining focus
*/
function transferFocus(oldEl, newEl) {
if (!oldEl || !newEl) return;
oldEl.tabIndex = -1;
newEl.tabIndex = 0;
newEl.focus();
}
/**
* Find the next/previous interactive element in the cell of provded element
* @param element element to start search from
* @param dir direction to search in, 1 : next, -1 : previous
*/
function findNextElementInCell(element, dir) {
const cellElements = Array.from(
element
.closest('[aria-colindex]')
.querySelectorAll('a, button')
);
const prevIndex = cellElements.findIndex(l => l === element) + dir;
return cellElements[prevIndex];
}
/**
* Traverse the grid in a direction until a cell with interactive elements is found
* @param grid the grid element
* @param element element to start search from.
* It's position is calculated and used as a starting point
* @param updatePos A function to update the position in a certain direction
*/
function findNextCell(grid, element, updatePos) {
// recursively visit cells at given position and checks if it has any interactive elements
const rec = currPos => {
const nextPos = updatePos(currPos);
const nextCell = grid.querySelector(
`[aria-rowindex="${nextPos.row}"] [aria-colindex="${nextPos.col}"]`,
);
// No next cell found. Hitting edge of grid
if (nextCell === null) return null;
// Found next cell containing a or button tags, return it
if (nextCell.querySelectorAll('a, button').length) {
return nextCell;
}
// Continue searching. Visit next cell
return rec(nextPos);
};
const position = getGridPosition(element);
return rec(position);
}
.arrow-keys-indicator {
bottom: 10px;
right: 0;
position: fixed;
height: 65px;
width: 85px;
display: none;
}
.grid {
display: grid;
grid-gap: 16px;
}
.grid:focus-within ~ .arrow-keys-indicator {
display: block;
}
.grid__header-row,
.grid__row {
display: grid;
grid-template-columns: 1fr 1fr 1fr;
}
.heart {
/* screen reader only */
position: absolute;
width: 1px;
height: 1px;
padding: 0;
margin: -1px;
overflow: hidden;
clip: rect(0, 0, 0, 0);
white-space: nowrap;
border: 0;
}
.grid__row:focus-within .heart,
.grid__row:hover .heart {
/* undo screen reader only */
position: static;
width: auto;
height: auto;
padding: 0;
margin: 0;
overflow: visible;
clip: auto;
white-space: normal;
}
.sr-only {
/* screen reader only */
position: absolute;
width: 1px;
height: 1px;
padding: 0;
margin: -1px;
overflow: hidden;
clip: rect(0, 0, 0, 0);
white-space: nowrap;
border: 0;
}
<h1>Accessible Grid</h1>
<p>Start <a href="#">pressing</a> the Tab key until you <a href="#">reach</a> the grid</p>
<div class="grid" role="grid" tabindex="0">
<div class="grid__header-row" role="row" aria-rowindex="1">
<div role="columnheader" aria-colindex="1">
<button>TITLE</button>
</div>
<div role="columnheader" aria-colindex="2">
<button>ALBUM</button>
</div>
<div role="columnheader" aria-colindex="3">DURATION</div>
</div>
<div class="grid__row" role="row" aria-rowindex="2">
<div role="gridcell" aria-colindex="1">
<div>Black Parade</div>
<a href="#">Beyoncé</a>
</div>
<div role="gridcell" aria-colindex="2"></div>
<div role="gridcell" aria-colindex="3">
4:41
<button class="heart">
<span class="sr-only">Add to your liked songs</span>
♡
</button>
</div>
</div>
<div class="grid__row" role="row" aria-rowindex="3">
<div role="gridcell" aria-colindex="1">
<div>Texas Sun</div>
<a href="#">Kruangbin</a>,
<a href="#">Leon Bridges</a>
</div>
<div role="gridcell" aria-colindex="2">
<a href="#">Texas Sun</a>
</div>
<div role="gridcell" aria-colindex="3">
4:12
<button class="heart">
<span class="sr-only">Add to your liked songs</span>
♡
</button>
</div>
</div>
<div class="grid__row" role="row" aria-rowindex="4">
<div role="gridcell" aria-colindex="1">
<div>Disconnect</div>
<a href="#">Basement</a>
</div>
<div role="gridcell" aria-colindex="2">
<a href="#">Beside Myself</a>
</div>
<div role="gridcell" aria-colindex="3">
3:29
<button class="heart">
<span class="sr-only">Add to your liked songs</span>
♡
</button>
</div>
</div>
</div>
<img class="arrow-keys-indicator" src="https://www.w3.org/TR/wai-aria-practices/examples/grid/imgs/black_keys.png" alt=""/>
</br>
<p>The <a href="#">links</a> in this section should be <a href="#">reachable</a> with a single Tab key press if the grid is in focus.</p>
最佳答案
您必须始终确保焦点永远不会丢失。正如您亲 body 验的那样,这是键盘可访问性的黄金法则。
移除 DOM 元素的一般规则如下:
如果必须从 DOM 中移除当前聚焦的元素,则必须将焦点移至其他位置 之前 删除它。
如果您之前不移动焦点,那么一旦元素被移除,焦点就会移动到任意位置,并且键盘可访问性被破坏。
有时焦点甚至根本没有移动,没有任何方法可以在没有鼠标的情况下恢复它。
在您的示例中,您应该像这样继续删除一行:
document.activeElement
并在需要时向上移动 DOM 层次结构以确定它。 关于javascript - 当当前焦点元素从 DOM 中移除时,如何挽救焦点?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/63799682/
我需要一些帮助。这都是关于选项卡索引的。我有一个使用 document.getElementById("name").focus(); 的 JavaScript,其中 id="name"的 textb
这是我的第一篇文章,如果您想了解更多信息,请告诉我! 我正在使用选择列表和 jQuery Accordion 。当用户从列表中选择一个值时,它会使用 activate 方法打开折叠面板的相关部分。 除
JQM 1.3.2/ASP.NET MVC 4 当选择一个值时,焦点没有正确设置到输入字段,我错过了什么? 周围的典型 jqm-shadow 没有从选择中移除,输入得到阴影效果,但光标没有设置到输入字
我正在为 Android 开发一个播放列表应用程序,它有一个包含歌曲名称 (TextView) 作为其列表项的 ListView。 随着歌曲的播放,我想突出显示 ListView 中的项目,直到歌曲结
我在这里不知所措,以前从来没有遇到过这个问题。 我无法让 focus() 在任何浏览器中工作。我正在使用 jquery,甚至不能让它与标准的 javascript 一起工作。我也尝试添加超时但仍然没有
登录后我有一个文本字段。登录后光标将自动聚焦在该文本字段上。如何验证该文本字段上是否存在光标/焦点? 文本框的HTML代码如下: 最佳答案 您也可以尝试直接的 webdriver 方法: drive
我有一个框架和一个面板。我永久删除面板并添加另一个面板。添加新面板后,我需要 JTextField 来获得焦点。我该怎么做? 我尝试了 panel.requestFocus() 方法,但没有成功。 示
这个问题在这里已经有了答案: 关闭 13 年前。 Possible Duplicate: Trouble with jquery lavalamp 出于某种原因,无论我点击哪个链接,我的背景颜色都会
在我的表单验证中,在提交时,我正在验证表单,并找到未填充的元素并使用此函数进行聚焦:工作正常 switch (tagName) { case 'TEXT': if (!actualVa
我最近构建了一个 JS/CSS 模态系统。该元素使用的是 Bootstrap 模式,但通过在其中放置无法滚动或无法正确聚焦在移动设备上的表单和大量内容,将其推向了极限。 可以触发模态系统here单击大
我正在建立一个网站,但我想将图片放在背景中,但我无法将其放在我想要的位置。 我希望网页上图像的“焦点”位于图像中心几像素处。宽度我都能看出来,但是高度没有。 图像分辨率为“5760x3840px”。
这个问题在这里已经有了答案: using :focus pseudo class on li or other element else than a,input,button, etc (2 个
每当我创建编辑器的另一个实例(在我的例子中,通过 onkeypress 事件),我就会失去对创建新编辑器时正在输入的编辑器的关注。我怎样才能防止所有编辑都失去对任何事件的关注? 最佳答案 为此,Qui
我试图将焦点放在一个字段上,更改文本的颜色,但无论我尝试什么:它都不起作用。以下是 HTML: .register-section input:focus + .register-section la
我已经为微调器选择的变化设置了一个监听器。在监听器中,我想关注一个 EditText 字段。我使用了以下代码: text_other_msg.setFocusable(true); 它不起作用。我还尝
我在表单屏幕上有几个 UITextField 输入,其中一些有一个数字键盘显示,通过自定义弹出窗口显示。当用户在字段中前进时,我们会根据需要关闭或打开弹出窗口。在 iOS 11 中,似乎“第一响应者”
我在 jQueryUI 中输入焦点时遇到问题。我在按钮上使用了 hover() 方法并且它正在工作,但是输入上的 focus() 不起作用。我不知道为什么。这是代码和 fiddle $(documen
有没有办法在自动对焦完成后随时获取对焦点? 在 Apple 的示例代码中,他们使用: - (void)subjectAreaDidChange:(NSNotification *)notifi
如果我的焦点不在 textField 上,如何移除 NSTextField 上的焦点? 我有一个 NSTextField,我设置了操作:编辑结束时发送。单击 textField 后,当我单击 View
如何通过 jQuery 实现这一点? 当用户单击表单中的任何输入时,它就会获得焦点。当用户从任何输入中单击表单外时,它会变得模糊,但是,在表单本身的输入之间进行 Tab 键切换之间不会触发模糊。 对于
我是一名优秀的程序员,十分优秀!