目录

JavaScript 输出


JavaScript 显示的可能性

JavaScript 可以通过不同的方式 "display" 数据:

  • 写入 HTML 元素,使用innerHTML
  • 使用写入 HTML 输出document.write()
  • 写入警报框,使用window.alert()
  • 写入浏览器控制台,使用console.log()

使用innerHTML

要访问 HTML 元素,JavaScript 可以使用document.getElementById(id)方法。

这个id属性定义 HTML 元素。这innerHTML属性定义 HTML 内容:

示例

<!DOCTYPE html>
<html>
<body>

<h1>My First Web Page</h1>
<p>My First Paragraph</p>

<p id="demo"></p>

<script>
document.getElementById("demo").innerHTML = 5 + 6;
</script>

</body>
</html>
亲自试一试 »

更改 HTML 元素的innerHTML 属性是在 HTML 中显示数据的常见方法。


使用 document.write()

出于测试目的,使用起来很方便document.write()

示例

<!DOCTYPE html>
<html>
<body>

<h1>My First Web Page</h1>
<p>My first paragraph.</p>

<script>
document.write(5 + 6);
</script>

</body>
</html>
亲自试一试 »

加载 HTML 文档后使用 document.write() 将会删除所有现有的 HTML

示例

<!DOCTYPE html>
<html>
<body>

<h1>My First Web Page</h1>
<p>My first paragraph.</p>

<button type="button" onclick="document.write(5 + 6)">Try it</button>

</body>
</html>
亲自试一试 »

document.write() 方法只能用于测试。



使用 window.alert()

您可以使用警报框来显示数据:

示例

<!DOCTYPE html>
<html>
<body>

<h1>My First Web Page</h1>
<p>My first paragraph.</p>

<script>
window.alert(5 + 6);
</script>

</body>
</html>
亲自试一试 »

您可以跳过window关键字。

在 JavaScript 中,window 对象是全局范围对象。这意味着变量、属性和方法默认属于 window 对象。这也意味着指定window关键字是可选的:

示例

<!DOCTYPE html>
<html>
<body>

<h1>My First Web Page</h1>
<p>My first paragraph.</p>

<script>
alert(5 + 6);
</script>

</body>
</html>
亲自试一试 »

使用console.log()

出于调试目的,您可以调用console.log()方法在浏览器中显示数据。

您将在后面的章节中了解有关调试的更多信息。

示例

<!DOCTYPE html>
<html>
<body>

<script>
console.log(5 + 6);
</script>

</body>
</html>
亲自试一试 »

JavaScript 打印

JavaScript 没有任何打印对象或打印方法。

您无法从 JavaScript 访问输出设备。

唯一的例外是您可以调用window.print()方法在浏览器中打印当前窗口的内容。

示例

<!DOCTYPE html>
<html>
<body>

<button onclick="window.print()">Print this page</button>

</body>
</html>
亲自试一试 »