sessionInfo()
## R version 3.5.2 (2018-12-20)
## Platform: x86_64-redhat-linux-gnu (64-bit)
## Running under: CentOS Linux 7 (Core)
## 
## Matrix products: default
## BLAS/LAPACK: /usr/lib64/R/lib/libRblas.so
## 
## locale:
##  [1] LC_CTYPE=en_US.UTF-8       LC_NUMERIC=C              
##  [3] LC_TIME=en_US.UTF-8        LC_COLLATE=en_US.UTF-8    
##  [5] LC_MONETARY=en_US.UTF-8    LC_MESSAGES=en_US.UTF-8   
##  [7] LC_PAPER=en_US.UTF-8       LC_NAME=C                 
##  [9] LC_ADDRESS=C               LC_TELEPHONE=C            
## [11] LC_MEASUREMENT=en_US.UTF-8 LC_IDENTIFICATION=C       
## 
## attached base packages:
## [1] stats     graphics  grDevices utils     datasets  methods   base     
## 
## loaded via a namespace (and not attached):
##  [1] compiler_3.5.2  magrittr_1.5    tools_3.5.2     htmltools_0.3.6
##  [5] yaml_2.2.0      Rcpp_1.0.0      stringi_1.2.4   rmarkdown_1.11 
##  [9] knitr_1.21      stringr_1.3.1   xfun_0.4        digest_0.6.18  
## [13] evaluate_0.12

Source: https://tensorflow.rstudio.com/keras/articles/examples/lstm_text_generation.html.

Data preparation

Download Nietzsche’s writing from https://s3.amazonaws.com/text-datasets/nietzsche.txt:

library(keras)
library(readr)
library(stringr)
library(purrr)
library(tokenizers)

# Parameters --------------------------------------------------------------

maxlen <- 40

# Data Preparation --------------------------------------------------------

# Retrieve text
path <- get_file(
  'nietzsche.txt', 
  origin='https://s3.amazonaws.com/text-datasets/nietzsche.txt'
  )
read_lines(path) %>% head()
## [1] "PREFACE"                                                          
## [2] ""                                                                 
## [3] ""                                                                 
## [4] "SUPPOSING that Truth is a woman--what then? Is there not ground"  
## [5] "for suspecting that all philosophers, in so far as they have been"
## [6] "dogmatists, have failed to understand women--that the terrible"

Parse the text into character:

# Load, collapse, and tokenize text
text <- read_lines(path) %>%
  str_to_lower() %>%
  str_c(collapse = "\n") %>%
  tokenize_characters(strip_non_alphanum = FALSE, simplify = TRUE)

print(sprintf("corpus length: %d", length(text)))
## [1] "corpus length: 600893"
text[1:100]
##   [1] "p"  "r"  "e"  "f"  "a"  "c"  "e"  "\n" "\n" "\n" "s"  "u"  "p"  "p" 
##  [15] "o"  "s"  "i"  "n"  "g"  " "  "t"  "h"  "a"  "t"  " "  "t"  "r"  "u" 
##  [29] "t"  "h"  " "  "i"  "s"  " "  "a"  " "  "w"  "o"  "m"  "a"  "n"  "-" 
##  [43] "-"  "w"  "h"  "a"  "t"  " "  "t"  "h"  "e"  "n"  "?"  " "  "i"  "s" 
##  [57] " "  "t"  "h"  "e"  "r"  "e"  " "  "n"  "o"  "t"  " "  "g"  "r"  "o" 
##  [71] "u"  "n"  "d"  "\n" "f"  "o"  "r"  " "  "s"  "u"  "s"  "p"  "e"  "c" 
##  [85] "t"  "i"  "n"  "g"  " "  "t"  "h"  "a"  "t"  " "  "a"  "l"  "l"  " " 
##  [99] "p"  "h"

Find unique characters:

chars <- text %>%
  unique() %>%
  sort()

print(sprintf("total chars: %d", length(chars)))
## [1] "total chars: 57"
chars
##  [1] "\n" " "  "_"  "-"  ","  ";"  ":"  "!"  "?"  "."  "'"  "\"" "("  ")" 
## [15] "["  "]"  "="  "0"  "1"  "2"  "3"  "4"  "5"  "6"  "7"  "8"  "9"  "a" 
## [29] "ä"  "æ"  "b"  "c"  "d"  "e"  "é"  "ë"  "f"  "g"  "h"  "i"  "j"  "k" 
## [43] "l"  "m"  "n"  "o"  "p"  "q"  "r"  "s"  "t"  "u"  "v"  "w"  "x"  "y" 
## [57] "z"
# Cut the text in semi-redundant sequences of maxlen characters
dataset <- map(
  seq(1, length(text) - maxlen - 1, by = 3), 
  ~list(sentece = text[.x:(.x + maxlen - 1)], next_char = text[.x + maxlen])
  )

dataset <- transpose(dataset)
dataset$sentece[[1]]
##  [1] "p"  "r"  "e"  "f"  "a"  "c"  "e"  "\n" "\n" "\n" "s"  "u"  "p"  "p" 
## [15] "o"  "s"  "i"  "n"  "g"  " "  "t"  "h"  "a"  "t"  " "  "t"  "r"  "u" 
## [29] "t"  "h"  " "  "i"  "s"  " "  "a"  " "  "w"  "o"  "m"  "a"
dataset$sentece[[2]]
##  [1] "f"  "a"  "c"  "e"  "\n" "\n" "\n" "s"  "u"  "p"  "p"  "o"  "s"  "i" 
## [15] "n"  "g"  " "  "t"  "h"  "a"  "t"  " "  "t"  "r"  "u"  "t"  "h"  " " 
## [29] "i"  "s"  " "  "a"  " "  "w"  "o"  "m"  "a"  "n"  "-"  "-"
dataset$sentece[[3]]
##  [1] "e"  "\n" "\n" "\n" "s"  "u"  "p"  "p"  "o"  "s"  "i"  "n"  "g"  " " 
## [15] "t"  "h"  "a"  "t"  " "  "t"  "r"  "u"  "t"  "h"  " "  "i"  "s"  " " 
## [29] "a"  " "  "w"  "o"  "m"  "a"  "n"  "-"  "-"  "w"  "h"  "a"
dataset$next_char[[1]]
## [1] "n"
dataset$next_char[[2]]
## [1] "w"
dataset$next_char[[3]]
## [1] "t"

Turn characters into one-hot coding. Eeach sentence is represented by a 40-by-57 binary matrix.

# Vectorization
X <- array(0, dim = c(length(dataset$sentece), maxlen, length(chars)))
y <- array(0, dim = c(length(dataset$sentece), length(chars)))

for(i in 1:length(dataset$sentece)){
  
  X[i, , ] <- sapply(chars, function(x){
    as.integer(x == dataset$sentece[[i]])
  })
  
  y[i, ] <- as.integer(chars == dataset$next_char[[i]])
  
}
X[1, , ]
##       [,1] [,2] [,3] [,4] [,5] [,6] [,7] [,8] [,9] [,10] [,11] [,12] [,13]
##  [1,]    0    0    0    0    0    0    0    0    0     0     0     0     0
##  [2,]    0    0    0    0    0    0    0    0    0     0     0     0     0
##  [3,]    0    0    0    0    0    0    0    0    0     0     0     0     0
##  [4,]    0    0    0    0    0    0    0    0    0     0     0     0     0
##  [5,]    0    0    0    0    0    0    0    0    0     0     0     0     0
##  [6,]    0    0    0    0    0    0    0    0    0     0     0     0     0
##  [7,]    0    0    0    0    0    0    0    0    0     0     0     0     0
##  [8,]    1    0    0    0    0    0    0    0    0     0     0     0     0
##  [9,]    1    0    0    0    0    0    0    0    0     0     0     0     0
## [10,]    1    0    0    0    0    0    0    0    0     0     0     0     0
## [11,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [12,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [13,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [14,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [15,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [16,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [17,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [18,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [19,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [20,]    0    1    0    0    0    0    0    0    0     0     0     0     0
## [21,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [22,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [23,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [24,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [25,]    0    1    0    0    0    0    0    0    0     0     0     0     0
## [26,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [27,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [28,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [29,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [30,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [31,]    0    1    0    0    0    0    0    0    0     0     0     0     0
## [32,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [33,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [34,]    0    1    0    0    0    0    0    0    0     0     0     0     0
## [35,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [36,]    0    1    0    0    0    0    0    0    0     0     0     0     0
## [37,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [38,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [39,]    0    0    0    0    0    0    0    0    0     0     0     0     0
## [40,]    0    0    0    0    0    0    0    0    0     0     0     0     0
##       [,14] [,15] [,16] [,17] [,18] [,19] [,20] [,21] [,22] [,23] [,24]
##  [1,]     0     0     0     0     0     0     0     0     0     0     0
##  [2,]     0     0     0     0     0     0     0     0     0     0     0
##  [3,]     0     0     0     0     0     0     0     0     0     0     0
##  [4,]     0     0     0     0     0     0     0     0     0     0     0
##  [5,]     0     0     0     0     0     0     0     0     0     0     0
##  [6,]     0     0     0     0     0     0     0     0     0     0     0
##  [7,]     0     0     0     0     0     0     0     0     0     0     0
##  [8,]     0     0     0     0     0     0     0     0     0     0     0
##  [9,]     0     0     0     0     0     0     0     0     0     0     0
## [10,]     0     0     0     0     0     0     0     0     0     0     0
## [11,]     0     0     0     0     0     0     0     0     0     0     0
## [12,]     0     0     0     0     0     0     0     0     0     0     0
## [13,]     0     0     0     0     0     0     0     0     0     0     0
## [14,]     0     0     0     0     0     0     0     0     0     0     0
## [15,]     0     0     0     0     0     0     0     0     0     0     0
## [16,]     0     0     0     0     0     0     0     0     0     0     0
## [17,]     0     0     0     0     0     0     0     0     0     0     0
## [18,]     0     0     0     0     0     0     0     0     0     0     0
## [19,]     0     0     0     0     0     0     0     0     0     0     0
## [20,]     0     0     0     0     0     0     0     0     0     0     0
## [21,]     0     0     0     0     0     0     0     0     0     0     0
## [22,]     0     0     0     0     0     0     0     0     0     0     0
## [23,]     0     0     0     0     0     0     0     0     0     0     0
## [24,]     0     0     0     0     0     0     0     0     0     0     0
## [25,]     0     0     0     0     0     0     0     0     0     0     0
## [26,]     0     0     0     0     0     0     0     0     0     0     0
## [27,]     0     0     0     0     0     0     0     0     0     0     0
## [28,]     0     0     0     0     0     0     0     0     0     0     0
## [29,]     0     0     0     0     0     0     0     0     0     0     0
## [30,]     0     0     0     0     0     0     0     0     0     0     0
## [31,]     0     0     0     0     0     0     0     0     0     0     0
## [32,]     0     0     0     0     0     0     0     0     0     0     0
## [33,]     0     0     0     0     0     0     0     0     0     0     0
## [34,]     0     0     0     0     0     0     0     0     0     0     0
## [35,]     0     0     0     0     0     0     0     0     0     0     0
## [36,]     0     0     0     0     0     0     0     0     0     0     0
## [37,]     0     0     0     0     0     0     0     0     0     0     0
## [38,]     0     0     0     0     0     0     0     0     0     0     0
## [39,]     0     0     0     0     0     0     0     0     0     0     0
## [40,]     0     0     0     0     0     0     0     0     0     0     0
##       [,25] [,26] [,27] [,28] [,29] [,30] [,31] [,32] [,33] [,34] [,35]
##  [1,]     0     0     0     0     0     0     0     0     0     0     0
##  [2,]     0     0     0     0     0     0     0     0     0     0     0
##  [3,]     0     0     0     0     0     0     0     0     0     1     0
##  [4,]     0     0     0     0     0     0     0     0     0     0     0
##  [5,]     0     0     0     1     0     0     0     0     0     0     0
##  [6,]     0     0     0     0     0     0     0     1     0     0     0
##  [7,]     0     0     0     0     0     0     0     0     0     1     0
##  [8,]     0     0     0     0     0     0     0     0     0     0     0
##  [9,]     0     0     0     0     0     0     0     0     0     0     0
## [10,]     0     0     0     0     0     0     0     0     0     0     0
## [11,]     0     0     0     0     0     0     0     0     0     0     0
## [12,]     0     0     0     0     0     0     0     0     0     0     0
## [13,]     0     0     0     0     0     0     0     0     0     0     0
## [14,]     0     0     0     0     0     0     0     0     0     0     0
## [15,]     0     0     0     0     0     0     0     0     0     0     0
## [16,]     0     0     0     0     0     0     0     0     0     0     0
## [17,]     0     0     0     0     0     0     0     0     0     0     0
## [18,]     0     0     0     0     0     0     0     0     0     0     0
## [19,]     0     0     0     0     0     0     0     0     0     0     0
## [20,]     0     0     0     0     0     0     0     0     0     0     0
## [21,]     0     0     0     0     0     0     0     0     0     0     0
## [22,]     0     0     0     0     0     0     0     0     0     0     0
## [23,]     0     0     0     1     0     0     0     0     0     0     0
## [24,]     0     0     0     0     0     0     0     0     0     0     0
## [25,]     0     0     0     0     0     0     0     0     0     0     0
## [26,]     0     0     0     0     0     0     0     0     0     0     0
## [27,]     0     0     0     0     0     0     0     0     0     0     0
## [28,]     0     0     0     0     0     0     0     0     0     0     0
## [29,]     0     0     0     0     0     0     0     0     0     0     0
## [30,]     0     0     0     0     0     0     0     0     0     0     0
## [31,]     0     0     0     0     0     0     0     0     0     0     0
## [32,]     0     0     0     0     0     0     0     0     0     0     0
## [33,]     0     0     0     0     0     0     0     0     0     0     0
## [34,]     0     0     0     0     0     0     0     0     0     0     0
## [35,]     0     0     0     1     0     0     0     0     0     0     0
## [36,]     0     0     0     0     0     0     0     0     0     0     0
## [37,]     0     0     0     0     0     0     0     0     0     0     0
## [38,]     0     0     0     0     0     0     0     0     0     0     0
## [39,]     0     0     0     0     0     0     0     0     0     0     0
## [40,]     0     0     0     1     0     0     0     0     0     0     0
##       [,36] [,37] [,38] [,39] [,40] [,41] [,42] [,43] [,44] [,45] [,46]
##  [1,]     0     0     0     0     0     0     0     0     0     0     0
##  [2,]     0     0     0     0     0     0     0     0     0     0     0
##  [3,]     0     0     0     0     0     0     0     0     0     0     0
##  [4,]     0     1     0     0     0     0     0     0     0     0     0
##  [5,]     0     0     0     0     0     0     0     0     0     0     0
##  [6,]     0     0     0     0     0     0     0     0     0     0     0
##  [7,]     0     0     0     0     0     0     0     0     0     0     0
##  [8,]     0     0     0     0     0     0     0     0     0     0     0
##  [9,]     0     0     0     0     0     0     0     0     0     0     0
## [10,]     0     0     0     0     0     0     0     0     0     0     0
## [11,]     0     0     0     0     0     0     0     0     0     0     0
## [12,]     0     0     0     0     0     0     0     0     0     0     0
## [13,]     0     0     0     0     0     0     0     0     0     0     0
## [14,]     0     0     0     0     0     0     0     0     0     0     0
## [15,]     0     0     0     0     0     0     0     0     0     0     1
## [16,]     0     0     0     0     0     0     0     0     0     0     0
## [17,]     0     0     0     0     1     0     0     0     0     0     0
## [18,]     0     0     0     0     0     0     0     0     0     1     0
## [19,]     0     0     1     0     0     0     0     0     0     0     0
## [20,]     0     0     0     0     0     0     0     0     0     0     0
## [21,]     0     0     0     0     0     0     0     0     0     0     0
## [22,]     0     0     0     1     0     0     0     0     0     0     0
## [23,]     0     0     0     0     0     0     0     0     0     0     0
## [24,]     0     0     0     0     0     0     0     0     0     0     0
## [25,]     0     0     0     0     0     0     0     0     0     0     0
## [26,]     0     0     0     0     0     0     0     0     0     0     0
## [27,]     0     0     0     0     0     0     0     0     0     0     0
## [28,]     0     0     0     0     0     0     0     0     0     0     0
## [29,]     0     0     0     0     0     0     0     0     0     0     0
## [30,]     0     0     0     1     0     0     0     0     0     0     0
## [31,]     0     0     0     0     0     0     0     0     0     0     0
## [32,]     0     0     0     0     1     0     0     0     0     0     0
## [33,]     0     0     0     0     0     0     0     0     0     0     0
## [34,]     0     0     0     0     0     0     0     0     0     0     0
## [35,]     0     0     0     0     0     0     0     0     0     0     0
## [36,]     0     0     0     0     0     0     0     0     0     0     0
## [37,]     0     0     0     0     0     0     0     0     0     0     0
## [38,]     0     0     0     0     0     0     0     0     0     0     1
## [39,]     0     0     0     0     0     0     0     0     1     0     0
## [40,]     0     0     0     0     0     0     0     0     0     0     0
##       [,47] [,48] [,49] [,50] [,51] [,52] [,53] [,54] [,55] [,56] [,57]
##  [1,]     1     0     0     0     0     0     0     0     0     0     0
##  [2,]     0     0     1     0     0     0     0     0     0     0     0
##  [3,]     0     0     0     0     0     0     0     0     0     0     0
##  [4,]     0     0     0     0     0     0     0     0     0     0     0
##  [5,]     0     0     0     0     0     0     0     0     0     0     0
##  [6,]     0     0     0     0     0     0     0     0     0     0     0
##  [7,]     0     0     0     0     0     0     0     0     0     0     0
##  [8,]     0     0     0     0     0     0     0     0     0     0     0
##  [9,]     0     0     0     0     0     0     0     0     0     0     0
## [10,]     0     0     0     0     0     0     0     0     0     0     0
## [11,]     0     0     0     1     0     0     0     0     0     0     0
## [12,]     0     0     0     0     0     1     0     0     0     0     0
## [13,]     1     0     0     0     0     0     0     0     0     0     0
## [14,]     1     0     0     0     0     0     0     0     0     0     0
## [15,]     0     0     0     0     0     0     0     0     0     0     0
## [16,]     0     0     0     1     0     0     0     0     0     0     0
## [17,]     0     0     0     0     0     0     0     0     0     0     0
## [18,]     0     0     0     0     0     0     0     0     0     0     0
## [19,]     0     0     0     0     0     0     0     0     0     0     0
## [20,]     0     0     0     0     0     0     0     0     0     0     0
## [21,]     0     0     0     0     1     0     0     0     0     0     0
## [22,]     0     0     0     0     0     0     0     0     0     0     0
## [23,]     0     0     0     0     0     0     0     0     0     0     0
## [24,]     0     0     0     0     1     0     0     0     0     0     0
## [25,]     0     0     0     0     0     0     0     0     0     0     0
## [26,]     0     0     0     0     1     0     0     0     0     0     0
## [27,]     0     0     1     0     0     0     0     0     0     0     0
## [28,]     0     0     0     0     0     1     0     0     0     0     0
## [29,]     0     0     0     0     1     0     0     0     0     0     0
## [30,]     0     0     0     0     0     0     0     0     0     0     0
## [31,]     0     0     0     0     0     0     0     0     0     0     0
## [32,]     0     0     0     0     0     0     0     0     0     0     0
## [33,]     0     0     0     1     0     0     0     0     0     0     0
## [34,]     0     0     0     0     0     0     0     0     0     0     0
## [35,]     0     0     0     0     0     0     0     0     0     0     0
## [36,]     0     0     0     0     0     0     0     0     0     0     0
## [37,]     0     0     0     0     0     0     0     1     0     0     0
## [38,]     0     0     0     0     0     0     0     0     0     0     0
## [39,]     0     0     0     0     0     0     0     0     0     0     0
## [40,]     0     0     0     0     0     0     0     0     0     0     0
y[1, ]
##  [1] 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0
## [36] 0 0 0 0 0 0 0 0 0 1 0 0 0 0 0 0 0 0 0 0 0 0

Model specification

# Model Definition --------------------------------------------------------

model <- keras_model_sequential()

model %>%
  layer_lstm(units = 128, input_shape = c(maxlen, length(chars))) %>%
  layer_dense(length(chars)) %>%
  layer_activation("softmax")

optimizer <- optimizer_rmsprop(lr = 0.01)

model %>% compile(
  loss = "categorical_crossentropy", 
  optimizer = optimizer
)
summary(model)
## ___________________________________________________________________________
## Layer (type)                     Output Shape                  Param #     
## ===========================================================================
## lstm_1 (LSTM)                    (None, 128)                   95232       
## ___________________________________________________________________________
## dense_1 (Dense)                  (None, 57)                    7353        
## ___________________________________________________________________________
## activation_1 (Activation)        (None, 57)                    0           
## ===========================================================================
## Total params: 102,585
## Trainable params: 102,585
## Non-trainable params: 0
## ___________________________________________________________________________

Training and evaluate

# Training & Results ----------------------------------------------------

# large temperature means more uniform from character set
sample_mod <- function(preds, temperature = 1) {
  preds <- log(preds) / temperature
  exp_preds <- exp(preds)
  preds <- exp_preds / sum(exp(preds))
  
  rmultinom(1, 1, preds) %>% 
    as.integer() %>%
    which.max()
}

system.time({
for(iteration in 1:20) {
  
  cat(sprintf("iteration: %02d ---------------\n\n", iteration))
  
  model %>% fit(
    X, y,
    batch_size = 128,
    epochs = 1
  )
  
  for(diversity in c(0.2, 0.5, 1, 1.2)){
    
    cat(sprintf("diversity: %f ---------------\n\n", diversity))
    
    start_index <- sample(1:(length(text) - maxlen), size = 1)
    sentence <- text[start_index:(start_index + maxlen - 1)]
    generated <- ""
    
    for(i in 1:400){
      
      x <- sapply(chars, function(x){
        as.integer(x == sentence)
      })
      x <- array_reshape(x, c(1, dim(x)))
      
      preds <- predict(model, x)
      next_index <- sample_mod(preds, diversity)
      next_char <- chars[next_index]
      
      generated <- str_c(generated, next_char, collapse = "")
      sentence <- c(sentence[-1], next_char)
      
    }
    
    cat(generated)
    cat("\n\n")
    
  }
}
})
## iteration: 01 ---------------
## 
## diversity: 0.200000 ---------------
## 
## e and and and the religious in the strenge of the stranger that the stranger the porter to the precent to the spirit to the man and the man and the stranger to the stranger to the prest and conceptions and the power of the stranger of the sensions of the man in the still of the man and a stranger and the morality of the stranger that the still the stranger to the sensions the sensed the sense to t
## 
## diversity: 0.500000 ---------------
## 
## the himself to conceptions and as the sppecious of its light man is there are also be not here far and be delutions; and not who an and and persune, be moraling in the conters and one suffering and contentions to the will not there and from the in the
## morture in their which it do farther. that they self from the deems in the conceptions the to the sone man is things the strange strangs and life, a
## 
## diversity: 1.000000 ---------------
## 
## ungs.
## as aligary mos moress hinderst as
## thinkem to deally their inede to concentions? are be dintions ("ringly and
## de?now, but be "the molal
## which such iltecration as  with
## moring symbtatune) frot aewus
## spe hame dedabate ,
## viri(ity worsts we purple
## stinctiat(phating some with litcterly mardnrar natedance to all theogdess and "gensions. the my be there and in beneever thus conterned of know
## aloneal
## 
## diversity: 1.200000 ---------------
## 
## this mard manding dences formed,
## fronjure, itsent him eaoungual flaoght", to latting, wither reyenbly haldennever mdaane to speciatly nor in loeting
## peryen of the
## hoper of rufeerng anduects an is newfuleds eposunds that
## right appinitarelys
## we
## really sculunss in sccecrpantatiosaby withert. ndem
## bether which jast, to god one even as antsulagiorausly whice nejudanesslevely, this cruatifused to honefu
## 
## iteration: 02 ---------------
## 
## diversity: 0.200000 ---------------
## 
## is a problem of the feeling and and as the some and and the distrustions and in the moral and sense and such a philosophers of the finally and the more and the means of the the problem of the moraling the superions and some and the feeling and sense the subtence of the most man in the distrustions of the subterning and the some and instinctions of the dangerous and the moraling and the some and is
## 
## diversity: 0.500000 ---------------
## 
## s of the long "the life which is accilting to the means of the sumplated to the trans, and all the
## moral the philosophers the song in the desiret in his day devounity of the presentity of the free of the feeling something which stranger the free becomanger, indointish some and hence is all the reason, a belief of the mass and enguity and wholf some can sound and his low of it is the philossphical 
## 
## diversity: 1.000000 ---------------
## 
## en genoutions of musifical far are excapable cturend rogo eermily, shenonisom for disposical indismastesthously the especiallery their is the vieplestrext--the orer now it to deenty, as spitics. but d refainentay, but a puritists--bro mustof
## at defeerve,
## thing
## uni ganter-and are homen of finder and and the salsume conselved, thearess?
## cholow. other us
##     fututume sogy, hence as general valn us, a
## 
## diversity: 1.200000 ---------------
## 
## rpleble ratestratic ac to ever and from sacuents
## as immeate
## munding a lowi" into theved mose to feart, constenering, one dnlies and uninthes ro; he is
## does damerion upinations), hears repre: and can; some and "undiems "afferilipe,
## incriesing"
## ongems,
## storn, traedy bethen wasked inlsopterity. a powe for thos. withing fined indusknowuhe of notmoughtation
## p p and nason, the wistricisimam. them a mera
## 
## iteration: 03 ---------------
## 
## diversity: 0.200000 ---------------
## 
## rting of the substing of the subtles of the same and the stree the stree find the subtle of the stands and and and of the streee of the substing to the respective of the self-dread to the stands and the stands and individual in the subtles of the streee of the streee of the streen and the streee of and in the subtles of instincts and the stands and and the stands and the subtle of the streee of th
## 
## diversity: 0.500000 ---------------
## 
## at a grang) in so guited and the intellectual whe can be such in
## respective be involunt be
## expressive of the refress of means of men of the result of manifest any order the cirtuative of such as a souldical
## and the men of this and not the assured to the sense is the stree find and the opposite at the for the imitable soul of
## man and something is explusing of the other the developed and believed st
## 
## diversity: 1.000000 ---------------
## 
## nd
## personalical bigst with ong
## as
## shootdle seduligionally casse as a respothery plaivour divation, the benne; he wants--of
## curablixts and all
## the orden of reisian--indound of yeak--and nature, one once firstard him
## seeks and even alist,
## and
## even
## a teroly; there
## eteriny and morely necessary are
## "one: for manofured of our ofter un
## yech
## to pieus
## and d chrerivains, a german he thoughts?
## 
## diegson gay i
## 
## diversity: 1.200000 ---------------
## 
## 
## 
## atsencefully.
## aw2y of ethers, ye founds disioncerang, one europe, to his p-ary queett by the eoud
## indaning immerencesamitied andthed aist eterdeslymanific
## : the ustonis-concerner, as a thing "them an esfict-dow ear themre apseanian is bood,by. which, these scuerious afting they "rould in
## many ghor, but prewiks"! is mone howeus (and ssilmend self-thously in mane fill extenuing)ly bad
## arty
## but
## had
## 
## iteration: 04 ---------------
## 
## diversity: 0.200000 ---------------
## 
## red to the same and and that the something and a belief when he we are a still in the such a something the present and as a probably and and the such a something and the consequent and the present and and the present of the subse-certainly and work of the spiritual of the stranger that as a probably and the such a formally and the present that he who has all the person of the stands to the probabl
## 
## diversity: 0.500000 ---------------
## 
## and in the same and who makes because it is the do in that so all the something that his sursipers of the exactianing of the streen of the same at and are any religion of the we dream of the profound of mean for
## that he of the me one is all his stand, that has a disconsection.
## 
## 111. the present and that as it as when a philosopher with the such a respected and a dooy had the called to human and to
## 
## diversity: 1.000000 ---------------
## 
## 
## one parval: but will" belomonligntand for human yours mentitude that thay absurchity, who who can on this easualiance the unler? we are intervolated--without
## sppars
## of "grank--regaining accurcided, conslunt myself it to much opblus-apost to philosopher obsernaming, althy undesy.hered to
## thinking of
## remaint to if he them, from mistoul: whathel
## sacwether love--we my own to their conselce is being m
## 
## diversity: 1.200000 ---------------
## 
## ble of doiness," one woold accomion at this virtue
## is he wand he and hid; iery
## manhine
## hy life--whe
## henced bloodbleque eve" with
## doginal--to thatjers of certatic for winds, hindy que gly acting.
## its   mei,
## enduce uptactly to whoes is aruser for peoplanty that like imakans, ituric of life--of an
## this ven to yowants and futule,
## so mea's great.deanings
## that is power atefo-nay, a thing"rm
## other libers
## 
## iteration: 05 ---------------
## 
## diversity: 0.200000 ---------------
## 
## --the responsible to the standard and as the state of the same and and and and senses of the state of the and the stands the fact the stands to the stands and reason the present the state of the stands the and the and a still and and senses of man of the ancient the concerning the state of the state of the state of the sensible to the believe the morality to be the fact that the morality and the s
## 
## diversity: 0.500000 ---------------
## 
## e to the believe the morality to the also them as one worth, and a the morality, and as the depression blind the affairs and an are contempt and deterious and a standarily myself
## be in the sympathe and in a soul and will to a new originated and
## the extent in the "hist will in the morality and religions of the oney in thing what would be stance, for all thing in the are in the action the ancient cl
## 
## diversity: 1.000000 ---------------
## 
## essary at this fact wit the rage tastes, also soughtion but afflasis of "fam, the rypothicd
## or of herother
## in sen intellect upon then ise", in thing. a "going, and but ou alce" of nation man wish to which
## extended, the was life the
## an troofforicorove in our swill difficult at retroined can be slends for
## as a connication and repulsisming paimp of nature of their becomile and therread! would be 
## sur
## 
## diversity: 1.200000 ---------------
## 
##  it, less; contistivalitipless," somy being relations of
## beother
## question motiment
## ileonces
## wit hi began,-epr nan; knowledgem)s life f
## litting toorous nature. this without
## learn can
## delight is dantour to the refutity sympathe),
## in one free" of the treatinct, for the, and into their
## prepord in
## precised of with his in bediants thosely. them. there
## is an actiouslies,
## sepre-for gorrory,
## no sether,
## the
## 
## iteration: 06 ---------------
## 
## diversity: 0.200000 ---------------
## 
## s of the superficity of the superficity of the soul and the strength of the superficity of the sense of the sense of the sense of the superficity and a man is to the streentance of the same and faction of the strength of the present the sense of the strength, and a standard to the interpretation of the sense of the sense of the superficity of the strength of the superficity of the same the present
## 
## diversity: 0.500000 ---------------
## 
## ish and the own way say that the one is consist of the sensations, and not the same probably the proper of the here very possible with the open of the higher in the suntimate the sumply of more faction of the acts as the ascend to the senserate and with the wears of religious interpretation of itself as the streence does and the behantion of the possible in the servated to german the more conseque
## 
## diversity: 1.000000 ---------------
## 
## erstaid, ancient a
## means of a beenment attriste (and
## one may infucet, anyisme
## to the herceing let us stand thy la; blegnatits--at  of moral most initably gressity them a thinged, to pleasure for , he imperiorism; we interpretation in all lacks happinen and as "a centries; nature, upacly, song in the
## tikes its motoung or trint to the
## churicity that as it ware heties-are increases; helk us
## and cals:
## 
## diversity: 1.200000 ---------------
## 
##  of mindlip, it intosely whenek now, from
## any
## compud
## outsicate--meta"sibation--all the a learne end thatived
## sinchy to stancerly sencened clenismineh.--that long with notming," foreg in the know alk ins hempidate,
## them -cruents of
## whenher hes effort fullible ill degre
## kincoded and
## found but contem, ow thinking--men is toonce it it knese-casedwards, is the point, self more
## had tta; degurated--ancro
## 
## iteration: 07 ---------------
## 
## diversity: 0.200000 ---------------
## 
## o was a still and a state of the solitude of a still and and a standard to the strength, and the standards of the spiriture of the interpretations and the standard to the action of the amotion the sense, and and a standard the sense, and a standard the other in the possible and a still as the belief a person of the strength of the self-day and thinking the standard to the standard the philosopher 
## 
## diversity: 0.500000 ---------------
## 
##  of the imposes such mark have "the envicord regarded and a feelingss the self-consequently and action of his use of which
## the benevoution a so something such of the consciention. i self-day also a terror to the pride to this sense of the person has been be the all
## should finest a made her with his lay distood and living and who we are unserressions of the preservetion, the still to his the recels
## 
## diversity: 1.000000 ---------------
## 
## on myself-exisis which consequence have only
## was firstly bebovuque by it resirates
## was calmesves it in one power, seems of one eyes. in things remare gloomy, this "the bloodion a conditedurably astread who as purhts ibpresent?
## 
## 13ortrions of the eby it. rival, outritnced. in presumancibility, cruelty," in ser. aptitue by lights, soutcision trathy and with exting no domaints after of fuld to him, m
## 
## diversity: 1.200000 ---------------
## 
## ruenly every ,in clasl will coandermang, us and the "friend wethehonomingly philosophical first ary applie sinnice, of pacint hidse: iurretnect,. like but to with pripocreded
## earlybonouasf-empiration and
## treatin uponessys
## the a, he pehusk--manjorentful, rigonse it repurst! but lay sardevery, they has the latter distrustsbsctic" of them alusem-to caonten? -distrustacy of virtue tradinged as
## is not 
## 
## iteration: 08 ---------------
## 
## diversity: 0.200000 ---------------
## 
## r to the more and a strive the world of the strength of the strength of the soul of the sure and as the conscious of the strength, and the conscience and a strength of the superstitions and order to the sense of the superious to the world, and the more profound of the strength, a stricies to the constitute of the strength, a strict and a the distrust of the consequently development of the strength
## 
## diversity: 0.500000 ---------------
## 
## ay to his or a from only it and been the world do theor outs of the world of the treathes of the world, and the use of the first the truth is a restor, in its to principted and an
## personality of the being at the refrective contradictous as it is not a religioniet, and the constituted experieation of the profound concognization of the world that it is a consist and fact the world, and the being to 
## 
## diversity: 1.000000 ---------------
## 
## yet
## depth agmist of profound wit to which europeancony head. the end theiment grait, backs to such a naturated from the right has only reguiation whose not to light mediocrizes in revers, observed the "unstep otlesus if their fearnoihes oo
## devic" to be knows it was a prevated of rubly which may vent calls, but profound some clonged german with
## dang to eicious. one wat have to back could in the wor
## 
## diversity: 1.200000 ---------------
## 
## he con
## as shinct--to the
## timely ait from morer is peoplisi-torgotits? noughise this
## sentireed ussert walgeosies, one resamitates before foulute, over-saf, is remainedfuls outhop, about .
## is unistionated hidde and under thy in whofek!
## 
##        sower or the psycworoustk, the grasus of wels" the
## sentiment--those
## worshicater; a soul comitors. the periodation,
## changed so threating without a heniousnemse
## 
## iteration: 09 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  supers of the same as the soul of the soul of the soul of the soul and as the soul of the soul of the immense of the soul of the same the soul of the strength of the same as the standpoints of the soul of the soul of the soul of the same as it is the soul and the soul of the soul of the soul and the strength of the same the soul and the and of the soul of the soul and as a philosophers and the st
## 
## diversity: 0.500000 ---------------
## 
##  the one as a philosophers and for them and the soul and a
## didually and of a fathest simulation of the spirit of their actually deepest themselves individual them have been the satisfaction of the consciorious distanting and have and has been the themselves in which they have the merely as man as the soul into a things of the end of its only about and as these soul society of
## think of a strength o
## 
## diversity: 1.000000 ---------------
## 
## seloges a perro!--when the same we may has worthy certain free more creation aubled extence the
## certain even should i belever sacriless of our justice soul and the such a scuncrificed no its freedom a than extinction, and have the among the hoare degandeded to attermity, subliyeousme as ahsis also on speaking human literal
## resertne of this can diffusiors which
## as nigpted ginds: distremorial him ne
## 
## diversity: 1.200000 ---------------
## 
## lesss-rageant else afoutsh--in theef rath, and understand", and usfer fines as apeuar speaker of
## virtuoug!
## cogdicion,
## quiction, badness,
## the contraer to kain. learer or ginkinging forms him of witay fathers good--for it no
## sigch, the spirit of
## things, seften. hereven only worth obtaingly with men. sympathy alteranty yon
## knowledge
## reidxaling
## brotherestnifuen, you can liw eved!--vanityh. s themselur
## 
## iteration: 10 ---------------
## 
## diversity: 0.200000 ---------------
## 
## a stands to the stricted to the most sense of the standard and the standarine of the most discipline to the standard to the standard to the properation of the sense of the same father and the deception of the soul of the realm in the sense of the standard to the proper of the most sense of the same father and and in the conditions of the standard to the concealed and the spirit and the desire and 
## 
## diversity: 0.500000 ---------------
## 
## aled to the soul is in itself in the significance of their disciped part in the person would be themselves proper to the former the most development of the realm of an existence of order of morality of the said and to the most valuation of the decised of its any for command an are for themselves for a serve and power of the self-determine and morals, in a standing the deviced and a person is a sou
## 
## diversity: 1.000000 ---------------
## 
## ers. in ordaility.
## pare scholad by still knownshes
## to the blus of the world seicnot
## intenerable to inspinative innative suchimage turn man is
## dangerous solitarine of as in they can be teachererly of this dangerously have porten in
## itself is feeling how we day ay systeming the most
## pain, "for aware taste his lave, from a sarice soleanter builn
## of orditary no vallion that
## it such won.
## 
## 2earistspess 
## 
## diversity: 1.200000 ---------------
## 
## n's upestific no
## least
## will; a
## symple" the moralians, in greatest if each the fundamental perhaps elsejf prevail had and dread ple, easily "sa
## notceme
## corbed
## light, (and give.
## 
##  1fe the
## couraged that there
## is sked idearists, from this beetmings from one
## onubor called presumpide the flatterness
## is as,  that hustavold exucua or a blind oul puned for besw
## encoudes scu"; by after idnowary criedes divi
## 
## iteration: 11 ---------------
## 
## diversity: 0.200000 ---------------
## 
## e it is a first and a standard of the morality and a standpoge the spirit of the strength of the strength of the strength of the strength of the strength of the actions and a still and conscious and a strength of the power of the sense of the sense of the action of the standpress and conscious and a philosophy of the subjection of the spirit of the standpoble that the strength of the standproble a
## 
## diversity: 0.500000 ---------------
## 
## ll man is
## a standson--the cause of the such a morality in a process and a strong and the errorsion in its life with prospection of the strength, but not a stated the higher one must be contemption of a source of the dentitate of the sighter are nature the act of the philosophy of the form of consciousness, and conscious aning of the sout of the reason because of all the morality them as a first mu
## 
## diversity: 1.000000 ---------------
## 
## n his own principles, them, a reterrice, almost
## suspicicices in the dreplous its the wors of good metabor
## "chenoppity, that noating--iy jiws, at and toour freechone's attain rational one" the bad taste, song is as dam, plear
## this lives line, from the larges of the . now elescoun place, thating emptry place perhaps ard has ao this dow in their stately ah(psy in the religion would problem that the h
## 
## diversity: 1.200000 ---------------
## 
## y of secrecty for which, eligineing
## normitness-: contrast oeccious itduseons.
## 
## 1e "tyrosks
## present; and in all this fenden,
## the merality,
## but utfility seenstraze of favory oughtarity
## condlect and onay it suntswas of dicgonse
## of the foundures it would
## men ofer lang to so one's called
## fe; therein, will new evdoly, who has we ehlighten; sensoups soobsed and flainily not this the from the sce
## is, else
## 
## iteration: 12 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  of the sense is the conscious of the proposition of the same as the sense is the intercalation of the transless and the powerful and standard to the conscious of the delight in the sense of the sense of the advantage and self-destruction of the some strong to the master, and the conscious of the more conscious senses and the the same as the sense of the sense of the strong and in the institution 
## 
## diversity: 0.500000 ---------------
## 
##  the appotent also a compossive in the other continual with the matute, as some whatever the tration to a sense of the
## intention of the such as attained by the successions, in the world as a certain to insperation, or orversting and a sensent of a church with the intendence in a still not all the men of the intercality of his pitity, and she is at last as the sense of the such a new father seems t
## 
## diversity: 1.000000 ---------------
## 
##  the ill highome so manifestive by the spith of fiquetians--whe stilg,
## comes essential individuals, every
## his re part easure will, intellection of the mor, in
## old amas palents of the other words; and thee to the
## free but for commanding on self-exe cancem.h;i seeps is establishy the
## extidt,
## morality name wle. on the cause those expression, from the forces of
## the "personal,
## fundamentt to the
## sicknde
## 
## diversity: 1.200000 ---------------
## 
##  heanting e"rrade of the telcate of life.
## 
## 1le. whuxeer we ckno thenreot: is honesty", in his ageon, naturtation to made dreasly amours to time; it to whoms as the trantiws, joyd "themselves even
## usual. the importance astrajord bless-altilate more
## colkud and elevatection soul of bad, assiss, at lack rekin keterality nowkings"" thereby hinfierates: we find that wen very life are. hald other
## just se
## 
## iteration: 13 ---------------
## 
## diversity: 0.200000 ---------------
## 
## omplais and and the process and the morality the soul of the same final and the great desting to the process and the soul and the conception of the present and and the constitutive the soul of the strongest and the subject of the present the soul of the present and the sensation of the sublime and desirable and the present and the substrain of the soul of a strange and so man and a strength of the
## 
## diversity: 0.500000 ---------------
## 
## t extention of the affains to the soul as delight of his taste of the heart"--he who say as the originate the action that he could not the world, and with the sighie,
## domy
## for exalence, and even the confineted to generality of the soul of the abstromes, and is a strong of the "nature and with the sublime and a one an artist that is the incoural
## conceive the far as individuals to simple are surben 
## 
## diversity: 1.000000 ---------------
## 
## ess there is tasting that with inclant of deruation uncertainly of
## , in the good innerve-what we past: bad a scienyary recisions
## "herdious nowation?
## grather.
## 
## i sim be bloomful tened"
## "distorratively scele with and men personaling incrivition and except is compladies
## at being as
## ut. co )(and a far self inremortic rase.--the concealimetnge calling that they much oftenciments, where a vicy, becourak
## 
## diversity: 1.200000 ---------------
## 
## his waic" "for golity. a fasable be presseality according to behired, one iscomatticalipity and ssignery--and
## being. the preasy!
## 
## 1a" what gernispeder's philosopher asific at outial possive finals aj diregnia are frenchf-insuity in that is nogine
## are dare peatom, onlige where
## intessented to ever antthine!gry, partore-"ambrurancl cower in
## the dithespecips, "sigplers, loved" how atuat all salfar, sp
## 
## iteration: 14 ---------------
## 
## diversity: 0.200000 ---------------
## 
## pathy, in the streen and the subject of the street and the soul of the sensible the subject of the subject of the soul of the subject of the soul, in the sublime and the streen and sense of the soul of the senses and the soul of the subject of the soul of the subject of the soul of the soul of the soul of the present, and the soul of the subject of the soul and the soul of the subject of the stren
## 
## diversity: 0.500000 ---------------
## 
## n and as a religious, for his soul that he can still, in the soul--and always a religious have the soul of the subject and the sentiments and the applation to the nature
## of the most belief with not an exceperses of the soul and discovered to indifferentation, so the libtle of every one should be soul and his stanger in the principle and all philosophical respect, the possible add thing in the bad 
## 
## diversity: 1.000000 ---------------
## 
## ent of
## reflection light
## manifestand traptiatic of his nature--the glence,
## is notful the customs that a
## read finald to humanity, why should prelation, in explaulesh"; so mericable out
## outfujation than then theirest of him, but an own
## in as good out dast and confising?--yous wholly his beloof" has no riof is know to which "considerfully is the structure offerming music
## assumutioning its "high
## chriss
## 
## diversity: 1.200000 ---------------
## 
## ay, and even firal, and do down than, for sendentainess period of their cogreation bedient yours it is liad,
## all beforedust
## ourselves, and procentvousm thy  made mghous
## predeathres,
## and even to sides--procederace the intentation, themselves of
## theirecically, and
## inadodet, and fear,
## yor finally,
## cas on the indivation of one--a streng,
## injuriouh as more in profound,
## bethen is adme, this ought vortyp
## 
## iteration: 15 ---------------
## 
## diversity: 0.200000 ---------------
## 
## id and consequence. they are a still as a still and prophy in the south and sense of the souls and desire of the soul of the stands and preserve and the south of the soul of the still and distranners and the souls and preserve and the stands and devils" and sense of the still the still to the still and preserved to the still conception of the still more than the soul of the souls and preserve and 
## 
## diversity: 0.500000 ---------------
## 
## hinking and a devil-in his things from an ordew will the strong to the still pure xnot the and
## of the time upon the morality of consideration of the south of the soul of a respect the spirit of distrust and speaker, but love and as the truth much a serves and
## instincts that a philosophy of the same fiction and free himself not be insteation of the southerward every constitution for present a resul
## 
## diversity: 1.000000 ---------------
## 
##  of discretion have hitherto considerratianing movement and so? process and exases the
## usy right the more judges of
## rudiced to something can thus world, in their satfly with that as a risk measurken, that have loot furthers mean is and shreety, how there are
## a rasing of the price with the
## practical singusbyful in the
## compand and gack of entertep, very concermes which one fusther self-devil forces 
## 
## diversity: 1.200000 ---------------
## 
## ieve whe! a "wiinned to a
## being, cread, as meniban, even hicher virtue,
## this eslew: as
## thus, is necessary. knowtence bhin
## a signatights of sensations in a christice great if, though alluals.i
## therefore socal. yo clais musicism; withicavourings and place? as, which heooing
## here secre as a the
## hitherto, and c sk a
## sights say for
## a freaker ron.  f=acy-a reac.m made as they. their unifut: ineveraculou
## 
## iteration: 16 ---------------
## 
## diversity: 0.200000 ---------------
## 
## the soul are a still and the the such a strong and the proposions and the same as the soul and the soul and the standards and a soul the soul are so that the man a soul with the problems of the action to the same as the such a standard the consciousness of the same as the proprosicial periods of the same as the standards of the sensistion of all the such a still and as the more and the soul of the
## 
## diversity: 0.500000 ---------------
## 
## better can in a particifical soul of the mind and the conscience that the proper are knowledge of the more and with the sacrificed to the originally the will of demutible it is complety of the decay-self, the comprehensive the tree to a sympathy is really us it was the willing and the periods of religion of the intellect of the surmors and of the standary and intellect, if the language the such a 
## 
## diversity: 1.000000 ---------------
## 
## e state of presumptivedy easily could reward the instinct or erfication of bunds "upoin himself any
## struggle that it has mankings full
## revoluting; there is betterness. if a result of such periternely far itself to 
## scriles to the roint has mul, dusaked by the wearies the graduction, rausion to extemed as exoes
## do, as foo the more pancan with everything; and therty cool althomonst a danping to has 
## 
## diversity: 1.200000 ---------------
## 
##  sharp,
## we simel
## se o, suppreade! think?
## -ye aboking, and poscessions nature say, soint he" plautf? the unite-."
## us the did are
## hower woman rexiph upyfolce initanisf. as i take prevailed from
## the other-after
## is ciec from the crimives their we deiws on the will with all today from hatagness, it asmology
## it and
## dream onial not book notms of by new vesy themsatory is history is his turning yea to tha
## 
## iteration: 17 ---------------
## 
## diversity: 0.200000 ---------------
## 
## and the great and still and the conscience of the standard and a still and such a still and and still and the present of the conscience of the conscience and the consideration of the strength of the conscience the problem. and the same still of the great responsibility of the same all the probably and the conceal the conscience of the conscience and the conceal that the will to the same as in the 
## 
## diversity: 0.500000 ---------------
## 
## n get not and the convention. the prise of which his to should like to the word and not be result is he is have the form to time in everything of the step of deceived to that the refined nor significance the present, the conscience of all many herdious concealed, and it is the self defections and fact that it is not concealed against still the still
## and men of all exaction, which men of which it i
## 
## diversity: 1.000000 ---------------
## 
##  epoch, but to me as a smills--at a the commanding
## aditre to the
## fin intoment? in order they has aloneously,
## which all at notsicey, pain; still friended. whe has accordence which us. it is value and more gluity of it this abasis is actual ne? "and as an someth cense anow with one rose given standsposity of looks it is the w and ages, from itself, the gards in present purishers with
## so or
## clistimat
## 
## diversity: 1.200000 ---------------
## 
## ent,"--comeits worn, finally liboted to piny is abont naivete to power, more were lives vicksical
## aways higher, have ears or heugjoligered
## the
## stabblrn ladeon to been germany                    make, which
## must by trust" (ihad to  aparid a
## "impuddadious, ranys or great scientm of men, who are heored,
## which it is values.
## th stircof.
## 
##      will the exoig)
## teateven spirky to this ultimation of a wome
## 
## iteration: 18 ---------------
## 
## diversity: 0.200000 ---------------
## 
## the standard the conscience in the standard the standard and the most deceives and sense of the truth in the strong to the sense of the same time in the strong to the standard the most power of the standard the sense of the the science, and the here act the strong to the process of the standard to the standard in the desires of the science--as the truth in the soul of the same standard to the stan
## 
## diversity: 0.500000 ---------------
## 
## the dangerous and the great distanting and the subjecnily the thing
## even the standard in the strong to a great life has as the long and the standard and the philosophy, a great conclusion of indewder out of the perhaps because the midsely the cases of a sys all think
## interpretation, in the inside, the heart, the substance and insertion are side, to see it is not be about the instinct the result in
## 
## diversity: 1.000000 ---------------
## 
## 
## there is expedious heoses" we grabsther, naturely
## our
## hit an expect in passisable sort, in the custom--in remained in erronations
## are science--whatever nucking
## the its own presacf, this mels looves wanter serves as the
## burden of night! one coust othery say to in as divine
## at the so, ifly antiqut? the ocver and first rudikencaleg, precisely and
## stridecr, and overlation require the
## exception, the b
## 
## diversity: 1.200000 ---------------
## 
## say? as
## pryelos, alliees, audooty,--them, the actuals "distrustum: and insultly fear-eviecher,", the would become eathorian arsorted on, prosist time
## nowadays, taste alawary, power
## with the
## equal,
## thoughts. ordance ofward plain-
## but he astymplats to afrender
## inspirings, this knew, ihacn teach, to morality handdneed,
## io carilityere do insident, ihday blow our again fright and even unmomensjiserty
## w
## 
## iteration: 19 ---------------
## 
## diversity: 0.200000 ---------------
## 
## nd believed that the belief in the standard to the standard that the standard and a state of the same time the sensable the world and the standard to the standard to the same as a philosophy in the stands to a state and the standard and the more profouning the stands to the standard and a state of the standard to the standard that have a state of the standard to the standard and as the stands to t
## 
## diversity: 0.500000 ---------------
## 
## egenting that is the sensation, is the standard and creation of the strength of the proceed hearing and his life a sing with the standard of a man and love and the terrely and the man and intellectual such as a suitation of the same wanten and atterction of the belieffulled with the same or a bad tempt and in the propogories the sensation of the end, in present person is as the metaphysical state 
## 
## diversity: 1.000000 ---------------
## 
## eke himself above tects-media. it belongs, and the la: even absurbitate timetered to slave neatunation
## is thus liberarist imitatios of cave. or: the "belief is his knowmed and
## a case they himself--and being.
## 
## 
## 2 om things upast indeld, when must, intercative autifes, unapar has the enmitable dangere of an image--as he can of the sacking and
## devil of his midse--withhon more, as the remains stupisia
## 
## diversity: 1.200000 ---------------
## 
## ve
## duranty): "the surjess, the devarsgept, called
## and agreement
## being enter peras, the love
## stands and
## (founitnise to home with the momentpudation
## the
## worl? most domainate "must, go of knowledge of new wand.: the infivental with thorought and grancerrive thessism with
## somo's racespe,"ine
## to have only, or it is.
## 
## 
## 90
## 
## =culto than we let mumgle agranke
## of saintar
## "rable live renocess by a seefonly,
## 
## 
## iteration: 20 ---------------
## 
## diversity: 0.200000 ---------------
## 
## ked and the fact that the will to the heart, the will to the for the strength of the strength of the subtlety of the strength of the strength of the strength of the strength of the strength of the same time to the enduation of the strength of the strength of the strength of the strength of the same as a man who has the manifests and more perhaps the same as the power of the strength of the free sp
## 
## diversity: 0.500000 ---------------
## 
## 
##                                                                                                                                                                                                                                                                                                                                                                                                                
## 
## diversity: 1.000000 ---------------
## 
## nimate, and need. those lust really
## like. in .
## they the pour-like yet bld himsele; of everything for onews" ivers of the herditoly of religious taste
## wholly brumatems, is no self it, shorterally surbecless
## on a rasts, whether, no unvolvid of the german for oneself; a being
## though rear to past to light unconcernly time full andies in the scient--and toul
## believed to the modern of the deceived to
## ex
## 
## diversity: 1.200000 ---------------
## 
## its long, about everything
## from it, one dey "cray
## untivadply, this know peths obtimal, the language,
## and shade, momentlyonness--they man.. will superstity time fineforts? no the kneelioms are warth-not germanality and motive pritt of pronustrained procession, must-dhacty?" is to suby
## its borlians:--inatutthosvicy corresce contrud doing god, to him-as espiciept.
## 
## 
## 48
## 
## =its called tome
## torroy
## everyt
##      user    system   elapsed 
## 11954.925  2846.129  3235.982