Javascript正则表达式匹配我的数组中的表情符号

时间:2016-02-28 00:00:49

标签: javascript jquery regex symbols emoticons

我有这个数组,每个emo路径都有emo符号和相关的图像文件。

Working demo of my code on JSFIDDLE

但是只使用这个代码:)这个emo会返回正确的smile.png图像,但其余的emo都无效。

如何编写与这些符号相匹配的正确正则表达式,并为每个emo选择适当的文件?

 //Replace Emo with images
  function replaceEmoticons(text) {
  var emoticons = {
    ':)' : 'smile.png',
    ': )' : 'smile.png',
    ':D' : 'laugh.png',
    ':->' : 'laugh.png',
    ':d' : 'laugh-sm.png',
    ':-)': 'smile-simple.png',
    ':p': 'tounge.png',
    ':P': 'tounge-lg.png',
    ': P': 'tng1.png',
    '>-)': 'evil.png',
    ':(': 'sad.png',
    ':-(': 'sadd.png',
    ':-<': 'sadd.png',
    ':-O': 'surprise.png',
    ':O': 'sur2.png',
    ':o': 'sur3.png',
    ':-o': 'sur3.png',
    ':-*': 'kiss.png',
    ':*': 'kiss.png',
    ':-@': 'angry.png',
    ':@': 'angry.png',
    ':$': 'con2.png',
    ':-$': 'con1.png',
    'O.o': 'con2.png',
    'o.O': 'con2.png',
    ':/': 'weird.png',
    ':x': 'x.png',
    ':X': 'x.png',
    ':!': 's.png',
    '(:I': 'egg.png',
    '^.^': 'kit.png',
    '^_^': 'kit.png',
    ';)': 'wink.png',
    ';-)': 'wink.png',
    ":')": 'hc.png',
    ":'(": 'cry.png',
    "|-O": 'yawn.png',
    "-_-": 'poke.png',
    ":|": 'p1.png',
    "$_$": 'he.png'

  }, url = "images/emo/";
  // a simple regex to match the characters used in the emoticons
  return text.replace(/[:\-)D]+/g, function (match) {

    return typeof emoticons[match] != 'undefined' ?
           '<img class="emo" src="'+url+emoticons[match]+'"/>' :
           match;
  });
}


replaceEmoticons("Hi this is a test string :) with all :P emos working :D");

1 个答案:

答案 0 :(得分:2)

这个正则表达式:

 [:\-)D]+

与列表中的许多表情符号不匹配。除:\-)D以外的任何字符都会阻止其被识别。

如果你有一个你想要匹配的字符串列表,你可以通过转义每个字符串并将它们与|连接在一起,轻松地构建一个正则表达式来匹配它们中的任何一个(而不是其他任何字符串)。像这样:

// given a string, return the source for a regular expression that will 
// match only that exact string, by escaping any regex metacharacters
// contained within.
RegExp.escape = function(text) {
  return text.replace(/[-[\]{}()*+?.,\\^$|#\s]/g, "\\$&");
}

// build a regex that will match all the emoticons. Written out, it looks
// like this:   /:\)|: \)|:D|:->|:d|:-\)|:p|:P|..../g
var emoticonRegex = 
  new RegExp(Object.keys(emoticons).map(RegExp.escape).join('|'), 'g');

然后使用它代替你的文字正则表达式:

return text.replace(emoticonRegex, function (match) { ...