有关js split函数实现字符串分割为数组的多个例子,js分割字符串为数组,当然首选split函数,学习下js split函数的用法,以及js删除数组元素的方法。
js中split函数分割字符串成数组
一、js中split函数分割字符串为数组。
例子:
复制代码 代码示例:
<script language="javascript">
str="2,2,3,5,6,6"; //字符串
var strs= new Array(); //定义一数组
strs=str.split(","); //字符分割
for (i=0;i<strs.length ;i++ )
{
document.write(strs[i]+"<br/>"); //分割后的字符输出
}
</script>
二、js split函数的用法:
复制代码 代码示例:
<!doctype html public "-//w3c//dtd xhtml 1.0 transitional//en" "http://www.w3.org/tr/xhtml1/dtd/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<title>js split函数的用法</title>
<script type="text/javascript">
var array;
function getString(str){
array = str.split("|");
document.getElementById("userName").value = array[0];
document.getElementById("userAge").value = array[1];
}
</script>
</head>
<body onload="getString('周晓白|22')">
<input type="text" id="userName" name="userName" /><br /><br />
<input type="text" id="userAge" name="userAge" />
</body>
</html>
三、js删除数组元素:
数组为:
var arr=['a','b','c'];
要删除其中的'b',有两种方法:
1、delete方法:delete arr[1]
这种方式数组长度不变,此时arr[1]变为undefined了,优点是原来数组的索引也保持不变,需遍历数组元素才可以用。
for(index in arr)
document.write('arr['+index+']='+arr[index]);
这种遍历方式跳过其中undefined的元素
* 该方式IE4.o以后都支持了。
2、数组对象splice方法:arr.splice(1,1);
这种方式数组长度相应改变,但是原来的数组索引也相应改变
splice参数中第一个1,是删除的起始索引(从0算起),在此是数组第二个元素。
第二个1,是删除元素的个数,在此只删除一个元素,即'b';
此时遍历数组元素可以用普通遍历数组的方式,比如for,因为删除的元素在数组中并不保留。
* 该方法IE5.5以后才支持
注意:splice方法在删除数组元素的同时,还可以新增入数组元素,比如arr.splice(1,1,'d','e'),d,e两个元素就被加入数组arr了,结果数组变成arr:'a','d','e','c'。