在浏览器中访问:
ms-windows-store://pdp/?ProductId=9n4wgh0z6vhq
感觉 Twenty Fifteen(2015)这个主题挺简洁,甚合我意。不过发现这个主题页脚没有提供可视化的设置,于是乎只能在主题编辑器上面看看页脚的源码(footer.php)怎么写的:
<?php
/**
* The template for displaying the footer
*
* Contains the closing of the "site-content" div and all content after.
*
* @package WordPress
* @subpackage Twenty_Fifteen
* @since Twenty Fifteen 1.0
*/
?>
</div><!-- .site-content -->
<footer id="colophon" class="site-footer">
<div class="site-info">
<?php
/**
* Fires before the Twenty Fifteen footer text for footer customization.
*
* @since Twenty Fifteen 1.0
*/
do_action( 'twentyfifteen_credits' );
?>
<?php
if ( function_exists( 'the_privacy_policy_link' ) ) {
the_privacy_policy_link( '', '<span role="separator" aria-hidden="true"></span>' );
}
?>
<a href="<?php echo esc_url( __( 'https://wordpress.org/', 'twentyfifteen' ) ); ?>" class="imprint">
<?php
/* translators: %s: WordPress */
printf( __( 'Proudly powered by %s', 'twentyfifteen' ), 'WordPress' );
?>
</a>
</div><!-- .site-info -->
</footer><!-- .site-footer -->
</div><!-- .site -->
<?php wp_footer(); ?>
</body>
</html>
注意到第 23 行这里提供了一个钩子可以注入代码,如果在子主题里使用这个方法注入的话,就不需要修改原主题页脚的代码,这样的话代码量小,后期升级兼容性也更好。
那么就新建一个子主题,在 functions.php 这里加载:
add_action( 'twentyfifteen_credits', 'custom_footer_provider' );
function custom_footer_provider() {
printf( '<a class="imprint" href="%s" target="_blank">%s</a>', 'https://beian.miit.gov.cn/', '粤ICP备XXX号-X' );
}
此时页脚已经可以显示备案号了,不过和原有的“自豪地采用WordPress”文字挤在一起,不太好看。注意到这两个元素其实是在一个 <div class="site-info"></div>
里的,那么只需要在 style.css 里面设置一下 flex 布局:
.site-info {
display: flex;
justify-content: space-between;
}
此时两个文字已经贴靠两边显示了。
append和appendChild都用于在DOM中添加新的元素,区别如下:
// 1. append传Node节点
const parent = document.createElement('div');
const child = document.createElement('p');
parent.append(child);
// 2. append传文本,被插入的 DOMString对象等价为 Text 节点
const parent = document.createElement('div');
parent.append('Appending Text');
// 3. appendChild传Node节点
const parent = document.createElement('div');
const child = document.createElement('p');
parent.appendChild(child);
// 4. 报错:appendChild传文本
const parent = document.createElement('div');
parent.appendChild('Appending Text');
2. append没有返回值,appendChild返回被创建的Node节点
const parent = document.createElement('div');
const child = document.createElement('p');
const appendValue = parent.append(child);
console.log(appendValue) // undefined
const appendChildValue = parent.appendChild(child);
console.log(appendChildValue) // <p><p>
3. append可以同时添加多个元素,appendChild同时只能添加一个
const parent = document.createElement('div');
const child = document.createElement('p');
const childTwo = document.createElement('p');
parent.append(child, childTwo, 'Hello world'); // Works fine
parent.appendChild(child, childTwo, 'Hello world');
// Works fine, but adds the first element and ignores the rest
4. 浏览器兼容区别,appendChild在各浏览器中兼容性较好
其他:DOMString是一个UTF-16字符串。由于JavaScript已经使用了这样的字符串,所以DOMString 直接映射到 一个String
。
使用 navigator.clipboard.writeText
完成复制功能的实现时,在本地测试没有问题,部署后报错navigator.clipboard Cannot read property ‘writeText‘ of undefined
原因:Navigator API 的安全策略禁用了非安全域的 navigator.clipboard
对象,API 仅支持通过 HTTPS 提供的页面。为帮助防止滥用,仅当页面是活动选项卡时才允许访问剪贴板。活动选项卡中的页面无需请求许可即可写入剪贴板,但从剪贴板读取始终需要许可。
解决:判断当前环境是否支持navigator clipboard API,不允许则使用 document.execCommand('copy')
进行剪贴板交互。
使用兼容方案原因:navigator clipboard API是异步API,而使用document.execCommand('copy')
进行剪贴板访问是同步的,只能读写 DOM,效率低下且在各浏览器之间还可能存在不同,在支持navigator clipboard API的情况下应尽量避免使用document.execCommand('copy')
。
export function copyCurrentTarget(text, id = '') {
if (navigator.clipboard && window.isSecureContext) {
navigator.clipboard.writeText(text)
} else {
window.getSelection().removeAllRanges()
const questionToCopy = document.querySelector('#' + id)
const range = document.createRange()
range.selectNode(questionToCopy)
window.getSelection().addRange(range)
try {
const successful = document.execCommand('copy')
if (successful) {
console.log('复制成功')
}
} catch (error) {
console.error(error)
}
}
}
function copyToClipboard(textToCopy) {
if (navigator.clipboard && window.isSecureContext) {
return navigator.clipboard.writeText(textToCopy)
} else {
let textArea = document.createElement("textarea")
textArea.value = textToCopy
textArea.style.position = "fixed"
textArea.style.left = "-999999px"
textArea.style.top = "-999999px"
document.body.appendChild(textArea)
textArea.focus()
textArea.select()
return new Promise((res, rej) => {
document.execCommand('copy') ? res() : rej()
textArea.remove()
})
}
}
复制和粘贴权限已添加到 Permissions API 中。当页面处于活动标签页时,会自动授予 clipboard-write
权限。 clipboard-read
权限必须手动请求。如果尚未授予权限,尝试读取或写入剪贴板数据的操作会自动提示用户授予权限。
const queryOpts = { name: 'clipboard-read', allowWithoutGesture: false };
const permissionStatus = await navigator.permissions.query(queryOpts);
// 'granted', 'denied' or 'prompt':
console.log(permissionStatus.state);
permissionStatus.onchange = () => {
console.log(permissionStatus.state);
};
因为 Chrome 仅在页面是活动选项卡时才允许剪贴板访问,某些示例如果直接粘贴到 DevTools 中将无法运行,因为 DevTools 本身就是活动选项卡。有一个技巧:使用 setTimeout()
延迟剪贴板访问,然后在调用函数之前快速点击页面内部以将其聚焦:
setTimeout(async () => {
const text = await navigator.clipboard.readText();
console.log(text);
}, 2000);
要在 iframe 中使用 API,需要使用权限策略启用它
<iframe
src="index.html"
allow="clipboard-read; clipboard-write"
>
</iframe>
参考:https://stackoverflow.com/questions/51805395/navigator-clipboard-is-undefined、https://developer.chrome.com/blog/cut-and-copy-commands/、https://web.dev/async-clipboard/
❌ 错误做法:
let obj = {}
obj == {} // false
✔ 正确做法:
const isObjEmpty = (obj) => !Reflect.ownKeys(obj).length && obj.constructor === Object;
注意:
Reflect.ownKeys
方法,所以需要判断类型Object.keys()
?Object.keys
只能返回对象中可枚举的属性,Reflect.ownKeys
返回所有属性var obj = {
a: 1,
b: 2
}
Object.defineProperty(obj, 'method', {
value: function () {
alert("Non enumerable property")
},
enumerable: false
})
console.log(Object.keys(obj))
// ["a", "b"]
console.log(Reflect.ownKeys(obj))
// ["a", "b", "method"]
浏览器将HTML解析为DOM的同时还创建了另一个树形结构,渲染树(render tree)。渲染树代表了每个元素的视觉样式和位置,同时决定浏览器绘制元素的顺序。
z-index
属性的值可以是任意整数(正负都行)。表示的是笛卡儿
坐标系里的深度方向。拥有较高
z-index
的元素出现在拥有较低z-index
的元素前面。拥有负数z-index
的元素出现在静态元素后面。
z-index
的行为很好理解,但是使用它时要注意两个小陷阱。
z-index
只在定位元素上生效,不能用它控制静态元素。z-index
可以创建层叠上下文。一个层叠上下文包含一个元素或者由浏览器一起绘制的一组元素。其中一个元素会作为层叠上下文的根,比如给一个定位元素加上z-index
的时候,它就变成了一个新的层叠上下文的根。所有后代元素就是这个层叠上下文的一部分。
所有层叠上下文内的元素会按照以下顺序,从后到前叠放:
z-index
为负的定位元素(及其子元素)z-index
为auto
的定位元素(及其子元素)z-index
为正的定位元素(及其子元素)下面这个例子可以用来理解层叠上下文,nested在第一个盒子的层叠上下文中,就算设置了很高的z-index
,也会被第二个盒子遮挡。因为第一个盒子形成的层叠上下文在第二个盒子后面。
<body>
<div class="box one positioned">
one
<div class="absolute">nested</div>
</div>
<div class="box two positioned">two
</div>
</body>
body {
margin: 40px;
}
.box {
display: inline-block;
width: 200px;
line-height: 200px;
text-align: center;
border: 2px solid black;
background-color: #ea5;
margin-left: -60px;
vertical-align: top;
}
.one { margin-left: 0; }
.two { margin-top: 30px; }
.positioned { (以下5行)每个定位的盒子都创建了一个层叠上下文,z-index为1
position: relative;
background-color: #5ae;
z-index: 1;
}
.absolute {
position: absolute;
top: 1em;
right: 1em;
height: 2em;
background-color: #fff;
border: 2px dashed #888;
z-index: 100; ←---- z-index只控制元素在它所处层叠上下文内的层叠顺序
line-height: initial;
padding: 1em;
}
扩展到实际应用中的场景是,在已经打开的弹窗中再打开一个弹窗,就算第一个弹窗中的某个元素设置了很高的z-index
,也还是会被第二个(后绘制)的弹窗挡住。
[System.Convert]::ToBase64String([System.Text.Encoding]::ASCII.GetBytes(''))
[System.Text.Encoding]::UTF8.GetString([System.Convert]::FromBase64String(''))
第二波解谜,可以在 https://twitter.com/jetbrains/status/1237694815283879943 找到。
给出了一段字符串:
.spleh A+lrtC/dmC .thgis fo tuo si ti semitemos ,etihw si txet nehw sa drah kooL .tseretni wohs dluohs uoy ecalp a si ,dessecorp si xat hctuD erehw esac ehT .sedih tseuq fo txen eht erehw si ,deificeps era segaugnal cificeps-niamod tcudorp ehT
仔细看一下就会发现是倒序
比较明显是倒序的,先尝试复原:
fun main() {
val string = ".spleh A+lrtC/dmC .thgis fo tuo si ti semitemos ,etihw si txet nehw sa drah kooL .tseretni wohs dluohs uoy ecalp a si ,dessecorp si xat hctuD erehw esac ehT .sedih tseuq fo txen eht erehw si ,deificeps era segaugnal cificeps-niamod tcudorp ehT"
print(string.reversed())
}
会得到:The product domain-specific languages are specified, is where the next of quest hides. The case where Dutch tax is processed, is a place you should show interest. Look hard as when text is white, sometimes it is out of sight. Cmd/Ctrl+A helps.
比较明显:
来到 MPS: The Domain-Specific Language Creator by JetBrains,能发现这里有个:
打开报告,根据提示,全选来尝试看到白色的文字:
复制出来可以得到:This is our 20th year as a company, we have shared numbers in our JetBrains Annual report, sharing the section with 18,650 numbers will progress your quest.
所以前往 JetBrains 2019 Annual Highlights – Celebrating 20 Years!,找了半天没发现哪里有 18650,后面才发现原来是这个加起来刚好是 18650:
进去后慢慢翻,有个图片:
有一段火星文?可以慢慢看,也可以看看图片的 alt 属性:
能勉强看出来是:Did you know JetBrains is always hiring? Check out the kareers(careers) page and see if there is a job for you or a quest challenge to go further at least.
在招聘页面能找到这个 Fearless Quester 在 https://www.jetbrains.com/careers/jobs/fearless-quester-356/,但是忘记截图了,现在已经 404 了,有点尴尬。
一直觉得自己执行力好差啊…还是要想办法做到今日事今日毕才行…
根据提示后续要到 Game Development Tools by JetBrains,用科乐美秘技触发,有一个打砖块游戏,打完砖块就出现了: