Bootstrap

【字符串截取】截取指定字符前后的内容

例:截取 ‘/’ 前后的内容

  const getCaption = (obj, z: boolean) => {
    const index = obj.lastIndexOf('/');
    // z为true则截取/之后的内容,反之
    obj = z ? obj.substring(index + 1, obj.length) : obj.substring(0, index);
    // console.log(obj);
    return obj;
  };
console.log(getCaption('kw/t', false)); // kw
console.log(getCaption('kw/t', true)); // t

lastIndexOf方法:返回某个子字符串在字符串中最后出现的位置。从后往前查找指定字符(indexOf是从前往后),找到返回该字符的下标,未找到返回-1。

substring方法是字符串截取方法
(1)两个参数 substring(beginIndex,endindex)
substring(0,2) 从下标为0的字符开始截取下标0、1两个字符,不包括下标为2的字符。(左闭右开)

(2)一个参数 (相当于endindex默认为字符串长度)
substring(2) 表示截掉前两个,返回后边的字符串。

;