封装JS方法_增删改查
- 库
把建立一个对象,作为封装JS函数方法的库,绑定在最顶层元素window下
window.dom = {};
-
使用原始的函数方法进行添加带属性有文本内容的元素、元素还可以有一些列子元素
window.dom.create = function(tagName,children,attributes){
//获取要添加的标签,创建这个标签
var tag = document.createElement(tagName);
//如果children的数据类型是字符串的情况下
if(typeof children === 'string'){
//则直接把字符串文本添加到标签里
tag.textContent = children;
//如果children是元素的情况下
}else if(children instanceof HTMLElement){
//则把这个元素添加进之前的标签里,作为之前新增标签的子元素
tag.appendChild(children);
//如果children是数组的情况下
}else if(children instanceof Array){
//进行对数组成员的遍历
for(var i = 0;i < children.length;i++){
//数组成员是字符串,则创建文本节点添加进新增标签
if(typeof children[i] === 'string'){ tag.appendChild(document.createTextNode(children[i]));
//如果数组成员是元素,则作为子元素添加进新增标签
}else if(children[i] instanceof HTMLElement){ tag.appendChild(children[i]); } }}
-
//attributes是否为对象
if(typeof attributes === 'object'){
//然后将属性对象给新增标签的样式添加属性
for(var key in attributes){ tag.style[key] = attributes[key]; } }return tag; };
-
封装给元素添加属性的方法
window.dom.attr = function(tag,attr){
for(var key in attr){
tag.setAttribute(key,attr[key]);
}
};
- 封装给元素添加样式的方法
window.dom.style = function(tag,attr){
for(var key in attr){
tag.style[key] = attr[key];
}
};
-
用来清空元素里的所有子节点
window.dom.emp = function(tag){
//得到第一个子节点
var firstChild = tag.childNodes[0];
//如果第一个子节点存在,则移除。
//然后重新计算节点位置,继续删除第一个子节点,直到子节点不存在位置
while(firstChild){ firstChild.remove(); firstChild = tag.childNodes[0]; } };
-
查找包含所有指定标签的数组
window.dom.find = function(selector,scope){
var tag = (scope instanceof HTMLElement) ? scope : document;
return tag.querySelectorAll(selector);
};
- 查找元素的所有子元素
window.dom.children = function(tag){
return tag.children;
};
- 查找元素所有子节点的文本内容
window.dom.text = function(tag){
var text = '';
for(var i = 0;i < tag.childNodes.length;i++){
if(tag.childNodes[i].nodeType === 3){
text += tag.childNodes[i].textContent.trim();
}
}
return text;
};
- 查找元素的前一个元素
window.dom.bigBrother = function(tag){
var previous = tag.previousSibling || null;
while(previous !== null && previous.nodeType !== 1){
previous = previous.previousSibling;
}
return previous;
}