繁体   English   中英

区别词情感分析

[英]Distinct words sentiment analysis

我尝试根据7000个单词的字典进行情感分析。 该代码在Python中有效,但是它选择所有组合而不是不同的单词。

例如,词典说enter ,文本说enterprise 如何更改将其视为不匹配的代码?

dictfile = sys.argv[1]
textfile = sys.argv[2]

a = open(textfile)
text = string.split( a.read() )
a.close()

a = open(dictfile)
lines = a.readlines()
a.close()

dic = {}
scores = {}

current_category = "Default"
scores[current_category] = 0

for line in lines:
   if line[0:2] == '>>':
       current_category = string.strip( line[2:] )
       scores[current_category] = 0
   else:
       line = line.strip()
       if len(line) > 0:
           pattern = re.compile(line, re.IGNORECASE)
           dic[pattern] = current_category

for token in text:
   for pattern in dic.keys():
       if pattern.match( token ):
           categ = dic[pattern]
           scores[categ] = scores[categ] + 1

for key in scores.keys():
   print key, ":", scores[key]

.match()从行首开始匹配。 因此,您可以在reg ex中使用行尾锚:

re.compile(line + '$')

或者您可以使用单词边界:

re.compile('\b' + line + '\b')
  1. 您的缩进不连贯。 某些级别使用3个空格,有些使用4个空格。

  2. 您尝试将文本中的每个单词与词典中的所有7000个单词进行匹配。 而是只是在字典中查找单词。 如果不存在,请忽略该错误(EAFP原理)。

  3. 另外,我不确定使用类方法( string.split() )是否比对象方法( "".split() )有优势。

  4. Python也有一个defaultdict ,它自己用0初始化字典。

编辑:

  1. 代替.readlines()我使用.read().split('\\n') 这摆脱了换行符。

  2. 我试图消除标点符号的目的不是在默认的空格字符处而是在正则表达式'\\W+'不是 “单词字符”的所有内容)上拆分文本。

在我建议的代码下面:

import sys
from collections import defaultdict

dictfile = sys.argv[1]
textfile = sys.argv[2]

with open(textfile) as f:
    text = f.read()

with open(dictfile) as f:
    lines = f.read()

categories = {}
scores = defaultdict(int)

current_category = "Default"
scores[current_category] = 0

for line in lines.split('\n'):
    if line.startswith('>>'):
        current_category = line.strip('>')
    else:
        keyword = line.strip()
        if keyword:
            categories[keyword] = current_category

for word in re.split('\W+', text):
    try:
        scores[categories[word]] += 1
    except KeyError:
        # no in dictionary
        pass

for keyword in scores.keys():
    print("{}: {}".format(keyword, scores[keyword]))

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM