加载笔记内容...
加载笔记内容...
vertical-align 的工作机制与 CSS 行内格式化上下文(Inline Formatting Context)密切相关。该属性影响行内级元素在行框(line box)中的垂直对齐方式,其核心在于理解三个关键概念:
1.example {
2 vertical-align: baseline | sub | super | text-top | text-bottom
3 | middle | top | bottom | <length> | <percentage>;
4}
Parent-relative values 的本质是修改当前元素的基线位置,从而影响后续元素的排列。例如:
baseline
:将元素基线与父元素基线对齐text-top
:对齐到父元素内容区顶部middle
:元素中线与父元素基线 + x-height/2 对齐Line-relative values 则直接控制元素在行框中的位置:
top
:元素顶部与行框顶部对齐bottom
:元素底部与行框底部对齐案例:图标与文本对齐异常
1<button>
2 <svg class="icon"></svg>
3 Submit
4</button>
5
6<style>
7.icon {
8 vertical-align: middle; /* 需要微调时改用具体像素值 */
9}
10</style>
常见问题:
争议点:现代布局中是否应该优先使用 Flexbox 替代 vertical-align?在简单文本对齐场景下 vertical-align 仍具优势,但复杂布局建议使用 Flex/Grid。
1element.scrollIntoView({
2 behavior: 'smooth',
3 block: 'center',
4 inline: 'nearest'
5});
参数详解:
平滑滚动的代价:
优化方案:
1// 使用 requestAnimationFrame 节流
2let isScrolling = false;
3function smoothScroll(element) {
4 if (isScrolling) return;
5 isScrolling = true;
6
7 element.scrollIntoView({
8 behavior: 'smooth'
9 });
10
11 setTimeout(() => {
12 isScrolling = false;
13 }, 1000);
14}
1.container {
2 scroll-snap-type: y mandatory;
3}
4.item {
5 scroll-snap-align: start;
6}
1const observer = new IntersectionObserver(entries => {
2 entries.forEach(entry => {
3 if (entry.isIntersecting) {
4 // 执行视窗内操作
5 }
6 });
7});
提供的代码采用广度优先遍历(BFS)实现 treeToList:
1function treeToList(t) {
2 const list = [];
3 const queue = [t];
4 while (queue.length) {
5 const node = queue.shift(); // O(n) 时间复杂度问题
6 list.push(node);
7 if (node.children) {
8 queue.push(...node.children);
9 delete node.children;
10 }
11 }
12 return list;
13}
优化方向:
1// 迭代式深度优先实现
2function treeToListDFS(root) {
3 const stack = [root];
4 const result = [];
5
6 while (stack.length) {
7 const node = stack.pop();
8 const { children, ...rest } = node;
9 result.push(rest);
10
11 if (children) {
12 for (let i = children.length - 1; i >= 0; i--) {
13 stack.push(children[i]);
14 }
15 }
16 }
17 return result;
18}
"前端开发的艺术在于平衡视觉精确性与计算效率。当我们深入理解每个 CSS 属性背后的数学原理和浏览器实现机制时,才能真正掌握布局的主动权。" —— 引自《CSS 权威指南》
延伸阅读: