美文网首页饥人谷技术博客
JS 数组 字符串 数字函数

JS 数组 字符串 数字函数

作者: 风骨来客 | 来源:发表于2016-09-22 22:16 被阅读0次

问答

数组方法里push、pop、shift、unshift、join、split分别是什么作用。(*)

var arr= [1,2,5,9,10];

  • push : 在数组末尾添加值 arr.push(3,5)返回的是数组的length->7
  • pop : 删除数组的末位 arr.pop()
  • shift : 删除数组的首位 arr.shift()
  • unshift : 数组头部增加值,返回数组长度 arr.unshift(3,4,5) arr-->[3,4,5,1,2,3,9,10]
  • join : 在数组每个元素中添加值 demo:


    数组1.png
  • split : 用于把一个字符串分割成字符串数组 demo:


    split.png

代码

1. 数组

  • 用 splice 实现 push、pop、shift、unshift方法 (***)
    <pre>
    var arr = [2,3,8,9,10,1,7];
    // arr.splice(arr.length,0,val) // push
    //arr.splice(arr.length-1) //pop
    //arr.splice(0,1) // shift
    //arr.splice(0,0,val) //unshift
    </pre>

  • 使用数组拼接出如下字符串 (***)
    <pre>
    var prod = {
    name: '女装',
    styles: ['短款', '冬季', '春装']
    };
    function getTpl(data){
    //todo...
    };
    var result = getTplStr(prod); //result为下面的字符串
    <dl class="product"> <dt>女装</dt> <dd>短款</dd> <dd>冬季</dd> <dd>春装</dd> </dl>
    </pre>
    拼接:
    <pre>
    function getTplStr(prod){
    var a = [];
    a.push('<dl class="product">');
    a.push('<dt>'+prod.name+'</dt>');
    for(var i=0;i<prod.styles.length;i++){
    a.push('<dd>'+prod.styles[i]+'</dd>')
    }
    a.push('</dl>');
    console.log(a.join(''));
    }
    var result = getTplStr(prod);
    输出:
    <pre>
    <dl class="product"><dt>女装</dt><dd>短款</dd><dd>冬季</dd><dd>春装</dd></dl>
    </pre>
    </pre>

  • 写一个find函数,实现下面的功能 (***)
    <pre>
    var arr = [ "test", 2, 1.5, false ]
    find(arr, "test") // 0
    find(arr, 2) // 1
    find(arr, 0) // -1
    </pre>
    函数如下:
    <pre>
    var arr = [ "test", 2, 1.5, false ];
    function find(arr, val){
    return arr.indexOf(val)
    }
    find(arr, "test") // 0
    find(arr, 2) // 1
    find(arr, 0) //-1
    </pre>

  • 写一个函数filterNumeric,把数组 arr 中的数字过滤出来赋值给新数组newarr, 原数组arr不变 (****)
    <pre>
    arr = ["a", "b", 1, 3, 5, "b", 2];
    newarr = filterNumeric(arr); // [1,3,5,2]
    </pre>
    函数如下:
    <pre>
    arr = ["a", "b", 1, 3, 5, "b", 2];
    function filterNumeric(arr){
    console.log(arr.filter(function (e) {
    return e % 1 === 0;
    }))
    newarr = filterNumeric(arr); // [1,3,5,2]
    arr//["a", "b", 1, 3, 5, "b", 2] // 原数组不变
    </pre>

  • 对象obj有个className属性,里面的值为的是空格分割的字符串(和html元素的class特性类似),写addClass、removeClass函数,有如下功能:(****)
    <pre>
    var obj = {
    className: 'open menu'
    }
    addClass(obj, 'new') // obj.className='open menu new'
    addClass(obj, 'open') // 因为open已经存在,所以不会再次添加open
    addClass(obj, 'me') // me不存在,所以 obj.className变为'open menu new me'
    console.log(obj.className) // "open menu new me"
    removeClass(obj, 'open') // 去掉obj.className里面的 open,变成'menu new me'
    removeClass(obj, 'blabla') // 因为blabla不存在,所以此操作无任何影响
    </pre>

函数addClass如下:
<pre>
function addClass(obj,val){
var a = obj.className.split(' ');
if (a.indexOf(val)<0){
a.push(val);
a.join(' ');
obj.className = a.join(' ');
return obj.className;
}else{
return obj.className;
}
}
</pre>
函数removeClass如下:
<pre>
function removeClass(obj,val){
var a = obj.className.split(' ');
if (a.indexOf(val)>=0){
a.shift(val);
a.join(' ');
obj.className = a.join(' ');
return obj.className;
}else{
return obj.className;
}
}
</pre>

  • 写一个camelize函数,把my-short-string形式的字符串转化成myShortString形式的字符串,如 (***)
    <pre>
    camelize("background-color") == 'backgroundColor'
    camelize("list-style-image") == 'listStyleImage'
    </pre>
    函数 camelize 如下:
    <pre>
    function camelize(strs) {
    var arr = strs.split('-');
    if (arr.length === 1) {
    return arr.join('');
    } else {
    for (var k = 1; k < arr.length; k++) {
    arr[k] = arr[k][0].toUpperCase().concat( arr[k].substr(1,arr[k].length-1) );
    }
    return arr.join('');
    }
    }
    </pre>

  • 如下代码输出什么?为什么? (***)
    <pre>
    arr = ["a", "b"];
    arr.push(
    function() {
    alert(console.log('hello hunger valley')) // 先打印'hello hunger valley' 再弹出 undefined
    } // 输出结果是arr的长度 是 3
    );
    arr[ arr.length - 1 ] ()
    </pre>
    输出:
    <pre>
    1, arr["a", "b",function(){}]
    2, arr [arr.length-1] () === arr[ 2 ] () === 调用函数: ---> 先打印 'hello hunger valley' 然后弹出 undefined
    </pre>

  • 写一个函数filterNumericInPlace,过滤数组中的数字,删除非数字。要求在原数组上操作 (****)
    <pre>
    arr = ["a", "b", 1, 3, 4, 5, "b", 2];
    //对原数组进行操作,不需要返回值
    filterNumericInPlace(arr);
    console.log(arr) // [1,3,4,5,2]
    </pre>
    函数:
    <pre>
    function filterNumericInPlace(arr){
    for (var j=0; j < arr.length;j++){
    if(typeof arr[j] !== 'number') {
    console.log( arr.splice(j,1));
    j--;
    }
    }
    }
    filterNumericInPlace(arr);
    console.log(arr) // [1,3,4,5,2]
    **重点是j--,因为循环第一遍,如果typeof arr[0]≠number,j=j+1,
    导致b 无法被取出,所以需要j-- ,回到原始位置,再进行条件判断
    </pre>

  • 写一个ageSort函数实现数组中对象按age从小到大排序 (***)
    <pre>
    var john = { name: "John Smith", age: 23 }
    var mary = { name: "Mary Key", age: 18 }
    var bob = { name: "Bob-small", age: 6 }
    var people = [ john, mary, bob ]
    ageSort(people) // [ bob, mary, john ]
    </pre>
    函数:
    <pre>
    var john = { name: "John Smith", age: 23 };
    var mary = { name: "Mary Key", age: 18 };
    var bob = { name: "Bob-small", age: 6 };
    var people = [ john, mary, bob ];
    function ageSort(people){
    people.sort(function(v1,v2){
    return v1.age - v2.age;
    });
    }
    console.log(people);
    ageSort(people) // [ bob, mary, john ]
    </pre>

输出结果:


task18daandemo.png
  • 写一个filter(arr, func) 函数用于过滤数组,接受两个参数,第一个是要处理的数组,第二个参数是回调函数(回调函数遍历接受每一个数组元素,当函数返回true时保留该元素,否则删除该元素)。实现如下功能: (****)
    <pre>
    function isNumeric (el){
    return typeof el === 'number';
    }
    arr = ["a",3,4,true, -1, 2, "b"]
    arr = filter(arr, isNumeric) ; // arr = [3,4,-1, 2], 过滤出数字
    arr = filter(arr, function(val) { return typeof val === "number" && val > 0 }); // arr = [3,4,2] 过滤出大于0的整数
    </pre>
    函数:1
    <pre>
    function isNumeric (el){
    return typeof el === "number";
    }
    arr = ["a",3,4,true, -1, 2, "b"];
    function filter(arr, isNumeric){
    var newarr = arr.filter(isNumeric);
    return newarr;
    }
    arr = filter(arr, isNumeric) // arr = [3,4,-1, 2] 过滤出数字
    </pre>
    函数:2
    <pre>
    function isInt (el){
    return typeof el === "number" && el >0;
    }
    arr = ["a",3,4,true, -1, 2, "b"];
    function filter(arr, isInt){
    var newarr2 = arr.filter(isInt);
    return newarr2;
    }
    arr = filter(arr, isInt) // arr = [3,4, 2] 过滤出>0 的数字
    </pre>

字符串

  • 写一个 ucFirst函数,返回第一个字母为大写的字符 (***)
    <pre>
    ucFirst("hunger") == "Hunger"
    </pre>
    函数如下:
    <pre>
    function ucFirst(val){
    var a = val.substr(0,1);
    return a.toUpperCase()+ val.substr(1,val.length-1);
    }
    ucFirst("hunger") // "Hunger"
    </pre>

  • 写一个函数truncate(str, maxlength), 如果str的长度大于maxlength,会把str截断到maxlength长,并加上...,如 (****)
    <pre>
    truncate("hello, this is hunger valley,", 10)) == "hello, thi...";
    truncate("hello world", 20)) == "hello world"
    </pre>
    函数1:数组操作
    <pre>
    function truncate(str, maxlength){
    var d = str.split('');
    if (d.length > maxlength){
    d.splice(maxlength,d.length-maxlength,"...");
    return d.join('');
    }else{
    return str;
    }
    }
    </pre>
    函数2:字符串操作
    <pre>
    function truncate(str, maxlength){
    if (str.length > maxlength){
    return str.substr(0,maxlength)+"...";
    }else{
    return str;
    }
    }
    </pre>

结果:


B7D67FBF-049B-487E-8D42-CEEF1167EAF4.png

数学函数

  • 写一个函数,获取从min到max之间的随机整数,包括min不包括max (*
    <pre>
    function isMnumber(min,max){
    var arr;
    if (min<1){
    arr = Math.ceil(min) + Math.floor( Math.random()
    (max-min) );
    }else{
    arr =Math.floor(min)+ Math.floor( Math.random()
    (max-min) );
    }
    return arr;
    }
    isMnumber(min,max) // min~max 之间的整数
    </pre>
    结果demo:

    20B587EB-8585-430C-AB58-5168C1D269B3.png
  • 写一个函数,获取从min都max之间的随机整数,包括min包括max (*
    <pre>
    function isMnumber(min,max){
    var arr;
    if (min<1){
    arr = Math.ceil(min) + Math.floor( Math.random()
    (max-min) );
    }else{
    arr =Math.floor(min)+ Math.floor( Math.random()
    (max-min+1) );
    }
    return arr;
    }
    isMnumber(min,max) // min~max 之间的整数含MAX
    </pre>
    结果demo:

    18CE9509-BAB4-4802-B451-F3A4066E2654.png
  • 写一个函数,获取一个随机数组,数组中元素为长度为len,最小值为min,最大值为max(包括)的随机整数 (*
    <pre>
    function adrr(min,max,len){
    var narr = [];
    for(var i= 0;i < len;i++){
    if( min < 1 ){
    narr.push( Math.ceil(min) + Math.floor( Math.random()
    (max-min)) );
    }else{
    narr.push( Math.floor(min) + Math.floor( Math.random()
    (max-min+1)) );
    }
    }
    return narr;
    }
    adrr(1,12,4);//输出结果见下方
    </pre>
    答案demo:

    0B3C2F52-E0D0-4B24-98CC-73FE4DF19C91.png
  • 写一个函数,生成一个长度为 n 的随机字符串,字符串字符的取值范围包括0到9,a到 z,A到Z。
    <pre>
    function getRandStr(len){
    var strrr = '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ';
    var result = '';
    for(t = 0;t < len;t++ ){
    result += strrr[Math.floor( Math.random()* strrr.length )];
    }
    return result;
    }
    var str = getRandStr(10); // 调用函数结果如下:
    </pre>
    函数结果demo:


    B9480AFC-8D0F-4756-AB3B-35FDB07BF8CA.png

*本文作者版权归Q:2361597776 所有,转载请注明出处!

相关文章

网友评论

    本文标题:JS 数组 字符串 数字函数

    本文链接:https://www.haomeiwen.com/subject/aluoettx.html