变量使用es6模块引入与传统引入对比
2020-04-03 本文已影响0人
John_Phil
使用传统方式引入
aaa.js
var a=10;
setTimeout(function() {a=20}, 1000);
bbb.js
function b(){
console.log(a)
setTimeout(function() {console.log(a)}, 1000);
}
test.html
<script src="aaa.js"></script>
<script src="bbb.js"></script>
<script>
b();
</script>
data:image/s3,"s3://crabby-images/7a6a9/7a6a92a57143c032ae24424f70ef2844ff5d5af1" alt=""
使用es6模块引入
aaa.js
var a=10;
setTimeout(function() {a=20}, 1000);
export {a}
bbb.js
import { a } from "./aaa.js";
function b(){
console.log(a)
setTimeout(function() {console.log(a)}, 1000);
}
export{a,b};
test.html
<script type="module">
import {a,b } from "./bbb.js";
b();
</script>
data:image/s3,"s3://crabby-images/e53fc/e53fc8a5e3e29437040ecf510f1ea105805b5a87" alt=""
es6模块化引入可以避免很多不必要的麻烦
传统的引入方式 变量a 定义在前,后续都会使用 a变量
而使用模块导入 a变量在aaa模块中, 如果不引入到b中 b是无法访问。
可以使我们的变量指向更明确。
比如
aaa.js
var a=10;
setTimeout(function() {a=20}, 1000);
export {a}
bbb.js
function b(){
console.log(a)
setTimeout(function() {console.log(a)}, 1000);
}
export{b};
test.html
<script type="module">
import { a } from "./aaa.js";
import { b } from "./bbb.js";
b();
</script>
data:image/s3,"s3://crabby-images/e8737/e8737f75b55ad56a9d6fe8b540918d5271bd727f" alt=""