我需要计算已经计算过的TFIDF分数的文档之间的余弦相似度。
通常我会使用(例如)TFIDFVectorizer来创建文档/术语矩阵,计算TFIDF分数。我无法应用此功能,因为它会重新计算TFIDF分数。这是不正确的,因为文件已经有大量的预处理,包括Bag of Words和IDF过滤(我不会解释原因 - 太长)。
说明性输入CSV文件:
Doc, Term, TFIDF score
1, apples, 0.3
1, bananas, 0.7
2, apples, 0.1
2, pears, 0.9
3, apples, 0.6
3, bananas, 0.2
3, pears, 0.2
我需要生成通常由TFIDFVectorizer生成的矩阵,例如:
| apples | bananas | pears
1 | 0.3 | 0.7 | 0
2 | 0.1 | 0 | 0.9
3 | 0.6 | 0.2 | 0.2
...这样我就可以计算出文档之间的余弦相似度。
我正在使用Python 2.7,但欢迎提供其他解决方案或工具的建议。我无法轻易切换到Python 3。
编辑:
这并不是关于转置numpy数组。它涉及将TFIDF分数映射到文档/术语矩阵,使用标记化术语,并将缺失值填充为0.
答案 0 :(得分:1)
我建议使用scipy.sparse
from scipy.sparse import csr_matrix, coo_matrix
from sklearn.metrics.pairwise import cosine_similarity
input="""Doc, Term, TFIDF score
1, apples, 0.3
1, bananas, 0.7
2, apples, 0.1
2, pears, 0.9
3, apples, 0.6
3, bananas, 0.2
3, pears, 0.2"""
voc = {}
# sparse matrix representation: the coefficient
# with coordinates (rows[i], cols[i]) contains value data[i]
rows, cols, data = [], [], []
for line in input.split("\n")[1:]: # dismiss header
doc, term, tfidf = line.replace(" ", "").split(",")
rows.append(int(doc))
# map each vocabulary item to an int
if term not in voc:
voc[term] = len(voc)
cols.append(voc[term])
data.append(float(tfidf))
doc_term_matrix = coo_matrix((data, (rows, cols)))
# compressed sparse row matrix (type of sparse matrix with fast row slicing)
sparse_row_matrix = doc_term_matrix.tocsr()
print("Sparse matrix")
print(sparse_row_matrix.toarray()) # convert to array
# compute similarity between each pair of documents
similarities = cosine_similarity(sparse_row_matrix)
print("Similarity matrix")
print(similarities)
输出:
Sparse matrix
[[0. 0. 0. ]
[0.3 0.7 0. ]
[0.1 0. 0.9]
[0.6 0.2 0.2]]
Similarity matrix
[[0. 0. 0. 0. ]
[0. 1. 0.04350111 0.63344607]
[0. 0.04350111 1. 0.39955629]
[0. 0.63344607 0.39955629 1. ]]
答案 1 :(得分:0)
一个效率低下的黑客,我会留在这里以防万一。欢迎其他建议。
def calculate_cosine_distance():
unique_terms = get_unique_terms_as_list()
tfidf_matrix = [[0 for i in range(len(unique_terms))] for j in range(TOTAL_NUMBER_OF_BOOKS)]
with open(INPUT_FILE_PATH, mode='r') as infile:
reader = csv.reader(infile.read().splitlines(), quoting=csv.QUOTE_NONE)
# Ignore header row
next(reader)
for rows in reader:
book = int(rows[0]) - 1 # To make it a zero-indexed array
term_index = int(unique_terms.index(rows[1]))
tfidf_matrix[book][term_index] = rows[2]
# Calculate distance between book X and book Y
print cosine_similarity(tfidf_matrix[0:1], tfidf_matrix)
def get_unique_terms_as_list():
unique_terms = set()
with open(INPUT_FILE_PATH, mode='rU') as infile:
reader = csv.reader(infile.read().splitlines(), quoting=csv.QUOTE_NONE)
# Skip header
next(reader)
for rows in reader:
unique_terms.add(rows[1])
unique_terms = list(unique_terms)
return unique_terms
答案 2 :(得分:0)
如果您可以使用pandas首先在数据框中读取整个csv文件,它会变得更加容易。
import pandas as pd
import numpy as np
from sklearn.preprocessing import LabelEncoder
df = pd.read_csv('sample.csv', index_col=None, skipinitialspace=True)
# Converting the text Term to column index
le = LabelEncoder()
df['column']=le.fit_transform(df['Term'])
# Converting the Doc to row index
df['row']=df['Doc'] - 1
# Rows will be equal to max index of document
num_rows = max(df['row'])+1
# Columns will be equal to number of distinct terms
num_cols = len(le.classes_)
# Initialize the array with all zeroes
tfidf_arr = np.zeros((num_rows, num_cols))
# Iterate the dataframe and set the appropriate values in tfidf_arr
for index, row in df.iterrows():
tfidf_arr[row['row'],row['column']]=row['TFIDF score']
请仔细阅读评论并询问是否有任何理解。