我有这个问题,我真的无法解决。
我有这个字符串“B01,B20,B03,”
我想使用“,”作为分隔符在此字符串中创建一个jQuery数组 然后删除最后一个元素(即空白),然后删除每个元素的值 数组发出警报。
像...一样的东西。
var theString = "B01, B20, B03, ";
var theArray = (theString, ',');
theArray = remove_last_element; (??)
$('theArray').each(function() {
alert(theArray[?].value);
});
任何提示?
谢谢!
答案 0 :(得分:20)
var theString = "B01, B20, B03, ";
$.each(theString.split(",").slice(0,-1), function(index, item) {
alert(item);
});
如果您有任何问题,请与我们联系。
答案 1 :(得分:10)
没有“jQuery数组”这样的东西。您使用Javascript数组。
您不能将字符串转换为数组,因为它包含逗号分隔值。您必须使用某些东西来解析字符串,在这种情况下,这将是split
方法:
var theString = "B01, B20, B03, ";
var theArray = theString.split(", ");
这会生成一个包含四个项目的数组,因为有一个尾随分隔符,因此您可以检查并删除它:
if (theArray.length > 0 && theArray[theArray.length - 1].length == 0) {
theArray.pop();
}
然后你可以使用普通的Javascript或jQuery方法来循环数组。普通的Javascript看起来像这样:
for (var i = 0; i < theArray.length; i++) {
alert(theArray[i]);
}
使用jQuery方法如下所示:
$.each(theArray, function(index, item) {
alert(item);
});
您也可以跳过删除项目的步骤,只需检查循环中的空项目:
var theString = "B01, B20, B03, ";
var theArray = theString.split(", ");
for (var i = 0; i < theArray.length; i++) {
if (theArray[i].length > 0) {
alert(theArray[i]);
}
}
答案 2 :(得分:2)
你不需要jQuery。使用String.prototype.split
拆分字符串,然后使用for
循环播放。
var theString = "B01, B20, B03, ",
bits = theString.split(', ').slice(0, -1); // split the string and remove the last one
for (var i = 0; i < bits.length; i++) {
alert(bits[i]);
}
答案 3 :(得分:1)
var theString = "B01, B20, B03, ",
theArray = theString.split(', ');
theArray.pop();
$(theArray).each(function() {
alert(this);
});
答案 4 :(得分:0)
我在下面使用的唯一的jquery是“修剪”值以查看它是否为空。否则,我使用split和splice(普通ol'javascript)。
var theString = "B01, B20, B03, ";
var theArray = theString.split(',');
for(i=0; i<theArray.length; i++) {
// check if any array element is empty, if so, take it out of the array
if ($.trim(theArray[i]) == "")
theArray.splice(i, 1); // remove element since it's blank
}
// now you can iterate over the "real" values of the array
$.each(theArray, function(i, value) {
alert(value);
});
答案 5 :(得分:0)
var str = "B01, B20, B03, ";
$.each(str.split(','), function(i, val) {
val = $.trim(val);
alert(val);
});
答案 6 :(得分:0)
cleanString = function(str) {
return $.grep(str.split(','), function(elem) {
return ($.trim(elem) !== '')
});
}
此函数将返回一个数组,其中全部用逗号分隔,并删除了所有空格。查看$.grep。
用法
cleanString("B01, B20, B03, ");
警告数组应该足够简单。这只是迭代返回的数组的问题。
var arr = cleanString("B01, B20, B03, ");
$.each(arr, function(index, value) {
alert(value);
});