我正在尝试通过 R 中的 trigrams 生成所有 unigrams 的列表,最终制作一个文档短语矩阵,其中包含所有单个单词、bigrams 和 trigrams 的列。
我希望为此找到一个简单的软件包,但没有成功。我最终确实被指向了 RWeka,下面的代码和输出,但不幸的是,这种方法会丢弃所有 2 或 1 个字符的 unigrams。
这可以修复,还是人们知道另一条路?谢谢!
TrigramTokenizer <- function(x) NGramTokenizer(x,
Weka_control(min = 1, max = 3))
Text = c( "Ab Hello world","Hello ab", "ab" )
tt = Corpus(VectorSource(Text))
tdm <- TermDocumentMatrix( tt,
control = list(tokenize = TrigramTokenizer))
inspect(tdm)
# <<TermDocumentMatrix (terms: 6, documents: 3)>>
# Non-/sparse entries: 7/11
# Sparsity : 61%
# Maximal term length: 14
# Weighting : term frequency (tf)
# Docs
# Terms 1 2 3
# ab hello 1 0 0
# ab hello world 1 0 0
# hello 1 1 0
# hello ab 0 1 0
# hello world 1 0 0
# world 1 0 0
这是下面的 ngram() 版本,为优化而编辑(我认为)。基本上,当 include.all=TRUE 时,我尝试重用标记字符串以摆脱双循环。
ngram <- function(tokens, n = 2, concatenator = "_", include.all = FALSE) {
M = length(tokens)
stopifnot( n > 0 )
# if include.all=FALSE return null if nothing to report due to short doc
if ( ( M == 0 ) || ( !include.all && M < n ) ) {
return( c() )
}
# bail if just want original tokens or if we only have one token
if ( (n == 1) || (M == 1) ) {
return( tokens )
}
# set max size of ngram at max length of tokens
end <- min( M-1, n-1 )
all_ngrams <- c()
toks = tokens
for (width in 1:end) {
if ( include.all ) {
all_ngrams <- c( all_ngrams, toks )
}
toks = paste( toks[1:(M-width)], tokens[(1+width):M], sep=concatenator )
}
all_ngrams <- c( all_ngrams, toks )
all_ngrams
}
ngram( c("A","B","C","D"), n=3, include.all=TRUE )
ngram( c("A","B","C","D"), n=3, include.all=FALSE )
ngram( c("A","B","C","D"), n=10, include.all=FALSE )
ngram( c("A","B","C","D"), n=10, include.all=TRUE )
# edge cases
ngram( c(), n=3, include.all=TRUE )
ngram( "A", n=0, include.all=TRUE )
ngram( "A", n=3, include.all=TRUE )
ngram( "A", n=3, include.all=FALSE )
ngram( "A", n=1, include.all=FALSE )
ngram( "A", n=1, include.all=TRUE )
ngram( c("A","B"), n=1, include.all=FALSE )
ngram( c("A","B"), n=1, include.all=TRUE )
ngram( c("A","B","C"), n=1, include.all=FALSE )
ngram( c("A","B","C"), n=1, include.all=TRUE )