sessionInfo()
## R version 3.4.3 (2017-11-30)
## Platform: x86_64-apple-darwin15.6.0 (64-bit)
## Running under: macOS High Sierra 10.13.3
## 
## Matrix products: default
## BLAS: /Library/Frameworks/R.framework/Versions/3.4/Resources/lib/libRblas.0.dylib
## LAPACK: /Library/Frameworks/R.framework/Versions/3.4/Resources/lib/libRlapack.dylib
## 
## locale:
## [1] en_US.UTF-8/en_US.UTF-8/en_US.UTF-8/C/en_US.UTF-8/en_US.UTF-8
## 
## attached base packages:
## [1] stats     graphics  grDevices utils     datasets  methods   base     
## 
## loaded via a namespace (and not attached):
##  [1] compiler_3.4.3  backports_1.1.2 magrittr_1.5    rprojroot_1.3-2
##  [5] tools_3.4.3     htmltools_0.3.6 yaml_2.1.18     Rcpp_0.12.15   
##  [9] stringi_1.1.6   rmarkdown_1.9   knitr_1.20      stringr_1.3.0  
## [13] digest_0.6.15   evaluate_0.10.1

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"

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$next_char[[1]]
## [1] "n"
dataset$next_char[[2]]
## [1] "w"
# 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(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 ----------------------------------------------------

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:60) {
  
  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 ---------------
## 
## ce of the sense to the senting to the sense and perhaps and who the sentiments of the seet the come and and man of the sperience of the sentiments and conternt of the come and the sensence to the something the sansernations the sense of the sense the seet the sperientice of the sould the self--and means the seet the sense, the eart and the conternt the sense and the seet the sense of the senses to
## 
## diversity: 0.500000 ---------------
## 
## the entime to the saternal the the can instrace actian less acts and acts is the cormon the solled the ence of the comprethes. the fart the sead of the art the from the can it is the be the more the deligious and and man is the fart have and the sceen man, we have far the german more power and men a be herstrance, the
## rest intermen of the necestition of the comman the sentimes the plower the such 
## 
## diversity: 1.000000 ---------------
## 
##  lose n appean not
## is the doriword we advayi as the spirit
## for may so le alich of cheriagented, at sast his ocin
## howly tasteire tiste is tince de who no the fuld, hnouside it as the kforder, a phology; about "havt a perality requivents a sty, he heremols (od reanken
## estaphe"
## the contance of life tare, we for indempen a perhaws as one
## is feollys; they le feal mower a doofting" is nat orden tokinghy
## 
## diversity: 1.200000 ---------------
## 
## umby difficelinat hereverity whe prestrewouncy
## marnasi-biglisulict, sthelle. the worls buttory!
## horve at is
## acsonoum puache shevo flaem re.
## kintical hemmings read--a thims lave woradge,y is not to crused ter
## form and prevively by fact, and a coulodion" must--ere; the ife.
## 
## 'hour chrevelasse-to piritixal aew whateenus, seecable very
##  impoot even uker ceraintrasky migather
## milfen. it wass eouthed as
## 
## iteration: 02 ---------------
## 
## diversity: 0.200000 ---------------
## 
## d to a resting of the sense--the processible the most and the processible the sense--and the sense of the seems of the sense--and the seems to the more not the perientistic and and still conscience of the sense of the sense--and the seems of the sense--the perientity of the sense, and the senseration of the sense--and the sense, and the self-conscience and the sense, and the sense--and the sense--
## 
## diversity: 0.500000 ---------------
## 
## the
## presented, and person of the instinction of man and the entire and precession of nationes every processed to the enough or every prosentility in the condition of all the other one present and perhaps the fact, the procoming of the moral interiority the sense as the distrust the world as a god the old a procentively and instinct and do the courcestity and an all the grates the couruse and all t
## 
## diversity: 1.000000 ---------------
## 
## y have regain of the express, and dightly or ye incruniin (a mas remainstow--that the beancy, refang ho do condemine, its
## pomeny, ast "this man mames ani on, the nodges.--perhaps the far do whom a most redoumphing heiture, christian the fact that, wholinguty eying and long that all that in the religitious or effect in generan and from verierorard not this will pristinus in every
## bit, one's agterth
## 
## diversity: 1.200000 ---------------
## 
## oor in all thouokn--that e.
## stil skduct, has presenseine it wime a my groran through
## re"kiny."
## 
## 
## dator of telless in every said--who coris than realiatysly
## everote thus repeciess of by issinkity of ghener.
## 
## fulling powass, nor
## adspepleegribily as doca
##  cemporant soul of deliidy concressation, the wholled
## 
## : liunstared o dot in there indeer, sylave,
## a partanness-inlever: the mort
## asourh ininitions 
## 
## iteration: 03 ---------------
## 
## diversity: 0.200000 ---------------
## 
## ially the self-desire and sense of the self-desirge and a the self-despect and a sentiment and have the self-desires and all that in the self-desires and a man in the self-desirgation of the self-despectance of the self-desirgation of the self-desirgation of the most and the self-desirge and a surplating and a man and the self-desires and a philosopher and a man and a man as the self-as the self-d
## 
## diversity: 0.500000 ---------------
## 
## he experience of self-desiraged as the express of the and man in the experience and comparies the instinct to the preservated a say there and he wishes in a proportical revide that the represented to as the self-alsompthen and for the uncause and a asking in the companded to each the case and and as the self-man and interplaces in the senses a present and a playe and of the understand a prablement
## 
## diversity: 1.000000 ---------------
## 
##  the condition evervolation begif man" for existences!
## the hinder
## to the self-doe fe
## the world as probably aneigerous, higher as a phocogding only not, that
## mugh general obpealingtuanced but innotucated of wilan. the
## her and have, than the poupoin ingluseman on materself!
##      yet bettom to hover, it feelin the subjected and "wall no advances to the ampertances, of the ""ingus endiration?--"guin, 
## 
## diversity: 1.200000 ---------------
## 
## he cormence well manberous,
## that even that
## feelings of purtennessly
## of ensmating onful with one,. in
## the bable crengour mankine! why
## late" for the orquite noby
## as there the puiplerny thinkine: at the phactiin as enough inelivation and risk crugton mandiest is "is musicking a
## will
## sove understooubinina, shample,
## your mobiminy
## not 1our, laids "the genuinely begranneoss of the ad chrienation of sende
## 
## iteration: 04 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  a strength of the respect of the strength of the sense of the seeks of the resting the respect of the probality of the respect of the sense of the present of the present of the respect of the experience the respect of the respect of the constitution of the resting the same with the strength of the strength the respect of the respect of the respect of the strength of the respect of the sense of th
## 
## diversity: 0.500000 ---------------
## 
## roportive secret of art and to say the especially to have not the strength at the xternic and are created condition, of one wishes and the instinct of the the of all the religious and deficien of morality of the
## spirit of one another the enoughting the faction of the trajuding the refition, which the sympathy as the moral spirit of man to the poor of the respect of the indispronation of the consti
## 
## diversity: 1.000000 ---------------
## 
## antits--there is from beaomsurt, why vertive to great person it is defused bettand themselvess. it
## will nature away, the
## carishess. i satus and oppriser of every vermitation
## word definitions.
## 
## ne master person has alreadood the great are as ifrlent, there is worth the nay lanty, delight: and negree has
## san the kind exot himself breembling, the great, is out as the
## rriric of now however, under the 
## 
## diversity: 1.200000 ---------------
## 
## ve repriesr of the knoweptude as not had
## didcread canour, we
## glerom or thintfe) of us, its
## ancognt--indiswand: which they the flightly to
## 
## neive anvernt himself ven hinded, in sece. to who,-in sartly the
## clat, there is at light be turk who us nagoring sumpriistes is dle struly. i man
## ferly, the philosopher:
## not christiank!
## thes feflines. an of land to mabirity the depose."--heirial essigatcos,
## for
## 
## iteration: 05 ---------------
## 
## diversity: 0.200000 ---------------
## 
## re of the more more the sense of the sense of the more more and all the present of the sense of the sense of the more more and the more more more the strength of the world of the more the sensation of the most in the seems to the former the man and the more the more more and and the seems to the great to the entire and and all the sensation of the sense of the sense of the self-destruine the sense
## 
## diversity: 0.500000 ---------------
## 
## f the former without himself the self-despaning of man as distrust, with an artifus and entourable man is in the world and call to the more problem, one may sees this responsition that the to our charm of the man in moral casiom of his the entire whatever is not the and in the seems of the one must be his compless, and the compulled to listher of the strive the looker the present of the christian 
## 
## diversity: 1.000000 ---------------
## 
## he despaniser of the seas in danful of
## the under onestor o in the sessectves in oning
## in edical of
## really. and agitsoks, man, even peulanter by the morly. the thought in the highling man, would no
## the desirish by recurry of deental precisely "wholity arisponsed by the work of the phitos
## onespoeling
## educated effection of whist-meal--who being
## other. this
## would withour silent every evergarism in its
## 
## diversity: 1.200000 ---------------
## 
## atever certhings of
## presplicue, our
## lamagk of
## otreis of
## that ul: hought--it and than repreliced of
## live or his own grattical inchil, the unperval. problem, dung as immebrest; there
## in the
## estest forscant, form of the strectthes in the poed or much resimp; the
## discespaota  by be lightfuld in aupress? for enumorarigit
## cold as
## the
## a compan i his lemanlys!
## stillly
## scylet,ly to
## be dedutatness end" some
## 
## iteration: 06 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  the senses and the senseaces to the senses of the senses of the same to the problem of the self-dependent of the self-remorses of the senseaces to the senses to the same power of the senseation of the same to the senseation of the senses to the problem of the same present and a something the conscience to the same believe the religious and present of the subject of the contemparish and senseaces 
## 
## diversity: 0.500000 ---------------
## 
## d with the delight of the senseance of a beling to which everything to men was not a new of the senseative and determine of the stare in the regular to christian disturage is a spereder the same grank and it is the seporitional prevale of the to permantificance to the word and contempored to be bebality and the object of because is deeper in a prejust of former and a strugted that a philosophers a
## 
## diversity: 1.000000 ---------------
## 
##  has duch eths very chace by other imposition.=--woman
## asxt -haming, doubt bequent sufferingly the neper one life-flamical all self-certained tooks, him "the not a ringing
## double, so the li
## is some evenntally dresengs, there is bettards and uts away una understrange. however, he genuine: it not be a philosopher absolutions.
## in their worlde", "a childrenuament at least
## sucp over 
## le
## sense, that
## a l
## 
## diversity: 1.200000 ---------------
## 
## t horticilari. locar, com-himself one is
## perpetuinate "unferly imse tourings place.
##    he leasd
## in him.--just
## let motovarciple a migwond time
## we constluntabor, for fadmy of favaufuls, that almost
## pry(as sepreco: in free-was having purceate, to beold with rewordelful in ehopeances heduch,
## when be
## jurgist war the ron taste:--like them from then, bit
## philosophers"
## himself as it is dang himman he with
## 
## iteration: 07 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  that is the contralick--it is a promount the morality of the strength and the morality and man that the morality and the will and still and such a strength and such a personal the spirit of the such a strength of the contralick--and are and consequently with the considerably and and such a proposing to the same spirit of the contraild and all the sensible and the same difficult that the states an
## 
## diversity: 0.500000 ---------------
## 
## nion, that the freedom of the religious to
## desparistical man that what in the true and what is a lestil the constant and intellicthed and the science, he can be certain fact, and who respect in their expression that the such a mantimes, and should all considerably in the still, the laterrarity and still as the pression, and ancient man that the favourant as the interpreten in the expressions of th
## 
## diversity: 1.000000 ---------------
## 
## s of he regard man sabulitical, so estimastent andal, so from us form of person
## brack! such a nan--to the
## light,
## parts.
## enemeth, innomentame, so. and matterates
## herower whom dis every will, such at in ro not, and spire of power, however, with their has, is it is not has (or owesistal. in shamf.
## 
## 2matily to minds also, how for ilrally
## man; that may been their
## lafrients? and enough, the
## destroaning 
## 
## diversity: 1.200000 ---------------
## 
## wighous he weres also de is now sccy so, howlesmpul, all in eftemparenke. in them calls. wamf-rige the mysterioy,ly." what
## ilarting, "ourselves countppodatic, mail false
## attal in caucily aslocity,ly, as he
## impain without foely notuewncxoture, aldeminack
## than of martly be
## pleasure.=--
##                   
##  ndosin: havarish ewen thou kinish.
## 
## 1eselys, and has, suaposing must be oretabl, yours mrolf-wo
## 
## iteration: 08 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  sense of the sense of the sense of the sense of the sense of the english and the sense of the such and the sense of the sense of the sense of the sense of the sense to the sense of the sense of the spirits and actical contempt of the sense of the probably and probably and in the such and in the sense of the sense to the sense of the sense of the sense of the sense of the spirit of the sense and t
## 
## diversity: 0.500000 ---------------
## 
## erything them of strive partical also them have been instinct of expedient through mankind and intellectual desirestive the this contrary of the more probably man" be our tered to the highest or to which is the forming to the responsible and after in the sense to an extrain of the such so the dependent to the contradictory and the other one generally with the such the problem of the though a love 
## 
## diversity: 1.000000 ---------------
## 
## 
## sumocimblitie, which are necaised for the scientifickily be appearansigings, pood dicapleed and think of all own the relies eferery
## firstly of laitser,
## which were relies bundring when can impose indeep, as they who may they purpecile, mains and is ndough, was less repidly is plato-more
## atreard is far beaits of its dangerous begin thought and belowe is itselverveles of the cent is othert. the acti
## 
## diversity: 1.200000 ---------------
## 
## cale found, impersion attain as to so a resuig, if wourt yet inscrictly does wass
## much purted, that could sake been egoics. to to
## soul." the pleasily against my, indoitance thurn. the everyoo in a 
## obitities things it is has
## to
## long upon
## this
## does him must ping as
## a thing
## desires of all there is the old this too while this power his se lactary, to themselves "s-least an the laugists for the
## dilas,
## 
## iteration: 09 ---------------
## 
## diversity: 0.200000 ---------------
## 
## minal and contrary and the same something in the self-desselves of the subject. the present to the sensation of the seems of the fore and the sense of the strength of the seems of the sense of the same to the same in the sense of the subtlety of all the same to the same to the contrary and a strength of the same to the subtlety and the same to the sense of the subtlety and a teres of the sense of 
## 
## diversity: 0.500000 ---------------
## 
## gs as the most higher as the same man of its own out of all the very reads day as the first or have the work of the subtlety and the best and distrust of the interredean can by the estence to be conscience of a tempt as it is now the most and the comprehensitorable precisely the dower in the affaint of distobling to the same self-destancy, and alterable modes and all that the contrary and also one
## 
## diversity: 1.000000 ---------------
## 
## ng also than joy the worls, much to
## may, the prise of liatsy have these one fility over a delicate in refaved, them
## follow--and what regardded to the isething
## germanianticones and exthal contilests instinct3: themselves with it. but the conditional almost a superstans he must pantivismanntips"--but a remainest presurmally helpness of each, is, as their imuluses dranted yet truthfunists that he may
## 
## diversity: 1.200000 ---------------
## 
## imessep
## putun that  , human behower otival
## beadable amded language, only take congentur doisess with an hamerialting "quius. be
## hunirade, the highelerion of stepradied in generally becume epsability: that we wishiol
## besposunied deer, responsibiliated of
## leitles of genius ecitening it inwabknuang-opines, highed
## an modents bur is: se womanish, abuse suff
## refleed
## a prize himoken and ourts of out has 
## 
## iteration: 10 ---------------
## 
## diversity: 0.200000 ---------------
## 
## ense of the such a proportions of the senses of the sentiment of the sense of the the strength of the sentiment of the strange of the sentiment of the spiritual and the proper and the contradictor of the sense of the same to the same to the such a strange of the sense of the conditions of the senses of the soul of the strange of the such a stronger of the such a proposition of the such a strength 
## 
## diversity: 0.500000 ---------------
## 
## n the devilsogh readion, the sympathy of the free to the responsibility of the the philosophers of his to the human things of the senses of the such a man that an action and powerfulness of all the conceptions of the interpreted into the doing of the such fact to the to
## detentitional conduct of the power of the case of the latter and the philosophers of all the freedom of their e.
## 
## 
## 
## 
## 
## 
## enchar--th
## 
## diversity: 1.000000 ---------------
## 
## lso overso on this ease thereby taste in so victo--to lifething afforts things.--for heaptes ricksmord and prompth estimates in equiliblely has finally maning make--to inverution"; this known end of then does these vivisere.
## hef, with the highes and lofication that legsers and stronged
## in criminations for in the folly
## the
## represents, sole the spirit a suffering
## peccy.ry as the equest dowifies, fre
## 
## diversity: 1.200000 ---------------
## 
## prigacis ratort of fact
## of "s
## preporibility but overutatit with an easientped
## preip?s there thus mankind, how a noked standard sough has
## modestrofator of onest is piciletgion wishes for gaw--isnot doxic of to an iseechated ekee mistomer oolse
## and skepts, chrems over which ungood only not gloomicarisity,"
## how literally little rrearotical
## conscients to make problem swendenmentplys say, in which stul
## 
## iteration: 11 ---------------
## 
## diversity: 0.200000 ---------------
## 
## ver and a profound and subject, and a probably and in the propoinal propound of the sense of the sensations of the sense of the sense of the sense of the sense of the sense of the sense of the sense of the sense of the sense of the present the subject, and the and such a substitude of the power of the sense of the same present of the sense of the propoinal therewished the same to the sensations of
## 
## diversity: 0.500000 ---------------
## 
## he form of human conscience for it in so saint deeming the part and higher such a bad the proporance of the man of the proporate far to manticd of the mind of the sense in a new great about the truth of our stands experience and grater conscience of as a prevail and conscious and thereby art the same distance of the fact there is a retalse, on the portions of the sense of a soul, a conscience in t
## 
## diversity: 1.000000 ---------------
## 
##  of the followager been.incess--am de ones, himself--as a more mestimical understand as he fillsy first much wish to takes proves under scientific,
## rismby according,
## where a sympatherful understand so called the sranthil, not passy deem of the
## confagned thereby abundance, there himser deys to
## genurite sensatily that
## one round, and long by man is a whole."
## nciefrcy; too would at point prifoun civla
## 
## diversity: 1.200000 ---------------
## 
## ner guilt europpected you. knowledge that it very assesivised way at lied tele?"
## 
## atting, obsed time a cloplied the
## sorte been signidip."
## predicle mahe "healtgy ever in the
## youccles
## coslonn; perhaps ornals up with his a. look
## jaid mankind that has
## is diel-danger?
## 
## 160. desireous quant to a but in mindoedwer;
## they pure may serraliach
## good gratific
## mankindrecoversations, the capriaffuct
## and
## praises:
## 
## iteration: 12 ---------------
## 
## diversity: 0.200000 ---------------
## 
## ere the spiritual and for the consciousness of the consciousness of the science of the present to the self-degreed to the spiritual and the porten the consciousness of the state of the science and present to be the same consciousness and profound of the spiritual and and and any the end to the same probably and the present of the sense of the sense of the sense of the sense of the continued to the
## 
## diversity: 0.500000 ---------------
## 
## iginate the laps and entirous from which his periods and
## with the morality of the too, must be also continued to development still and the spirituality of the stand him the enlightenment and do that the religion of the future and freedom and indignision in the fact that the use of the extent of the continued, the strimates of the faction of the continues of the intelled the same possiation of the
## 
## 
## diversity: 1.000000 ---------------
## 
## preation that requirementd of turns, has he is someifely certaiol wittory of
##          lespenday
## on
## eleghtness every god its himally cariously nacess what has i might
## ard folly occuses,
## were reuped and variously, "myard but ofter--perhaps as experience and young all to no mix purser the find, or
## his toomerable blurngiw of his enough
## becaise his nature and does to scribles--it is as that the good
## th
## 
## diversity: 1.200000 ---------------
## 
## e to ourselvess, thoughred ao,
## ?,oy overdate the huminize to a man more, let us only the
## fills was, i give-woll alough, ago
## brisjestic power" it--well spear
## or i wher their alreis mevisniy impulsten in so able great day i the determine look three overcy ?s kimus dimidine, morigaty experience
## the out, fundament in shagr, there it is sistless  
## , a dangerous highosm of inabirdtome
## their proportions 
## 
## iteration: 13 ---------------
## 
## diversity: 0.200000 ---------------
## 
## e the stronger the contrailition of the striving and sense of the propers and as the same conception of the problem of the subject of the standard of the saintance of the sense of the contrailition of the sense of the whole themselves of the subject of the sense of the subject of the moral man of the contemplation of the moral sense of the subject of the fame and almost and interpretation of the s
## 
## diversity: 0.500000 ---------------
## 
## and the will and partical which completes the sensation of which they are and the order to the problem of the simplifiveked of the philosopherism that look any interpretens--to probar to him to a surish some spirit the consideration of a still and interpretation, which we
## first the or even the same concrity and developed that it always what he contemplitivity in his own act for aline and at the an
## 
## diversity: 1.000000 ---------------
## 
## uthhing-easy just and
## to themselves
## arcepsing, for it from pecus him compulsed to result graspery. remain destrustitiotious men one peces in a pritled not have thus, contemplative causive
## "prociving comparamenament--youngly, freome we may other, as which is
## a bhiet imsorn of honourious the othe forthers of it task. but in curiosity in whoever they use for the say, it to him
## thatwhefoor is not forg
## 
## diversity: 1.200000 ---------------
## 
## naprecanarece, enough.." what long are
## bad, a perclicals indee
## estimation and also, who
## were not event courny, can.so would be yeast--they are
## pathevial as the dangerous
## find, themmed by his divinen begin the
## yor extent of manifoetors" concin !t seep by not ont vartable, is not himself as alimand for madian divirty and
## form be humal:--to explini?icalinarly
## to otliver anmalistic vaie young at the b
## 
## iteration: 14 ---------------
## 
## diversity: 0.200000 ---------------
## 
## re conscience of the standing that the man is the problem of the constitution of the constitution of the spirit of the standarian of the standarians, and an arture and the constitution of the things and the standard of the morality, the standarial from the standarial man of the standarian and the standarishon the strength, and the standard of the masses of the state of the world the standarial dis
## 
## diversity: 0.500000 ---------------
## 
## diepts in the most things almost invertions of the instinct and came the conscience, and loves will for the command and we is reason, so called the world a false as the longing of the same many not the stronger in the still god to the family will away not and subjugance, the conclusion that were the "daint," it will to be so probably mankind to refined of religious conscience and the expression is
## 
## diversity: 1.000000 ---------------
## 
##  heretived saypt without. what time no do been. at it nature in the equal must of man conver ebuat is such for
## the certainly concerning folly caricenbkand offood, trankeds their self listen, will be will to the continuigning, was thingicalitoingly had dived frol fable for foverorable the power,
## which is not
## of it
## at the graimenes of considerations to so
## there"; monomelifentad or temperifs for a ph
## 
## diversity: 1.200000 ---------------
## 
## with the indeedliabte and alllynouses which which, this
## nature profitions yet responsifely--unquict reverences, maturous"--stand, but no thmal
## life
## hiped fonliu6. heolfament feised soul upon one lials for
## whixfitter, doegrgence, made beaot! in biblemation! pain. that ih
## will heached nant of manjequite" plogaionality is
## glor. ethiverlative belongs to only theretroo eurh than the rrought of mat, kro
## 
## iteration: 15 ---------------
## 
## diversity: 0.200000 ---------------
## 
## nsequently and and and an and and a strange of the state of a state of the most and soul of the thing and a state and the conscience of the state of the contempt of the and and and and an and and an and and and a strange of the world and and and and the state and senses of the thing is the the experience of the fact that it is the extent the present the to the present the fore which the most sense
## 
## diversity: 0.500000 ---------------
## 
##  the to the
## sense, it is we are a philosophy of an and possessed of the the rand and possess of the almost interpretation of the reason of the factive and senses of partich of unullest
## and discipline of the experiences of the true of it is the state an excaltates the will as the sense is the original and moral most personal and diserpecting we master and the principle of man the deportment and pre
## 
## diversity: 1.000000 ---------------
## 
## r desirable to they sinking avaimed them; and disgusations of his kind at each at then curious an axcessive pace conclived. the laws is to the crimination except narrlely to be nabed for the explyvise, came a loficate it fast touch its also themselves in repaints because as eserten
## and the explanations of the dabyle no self-sans enliming acts
## most sight. for in the cause of preas, that we remain t
## 
## diversity: 1.200000 ---------------
## 
## such an aecte from the self-torthertion, as a aspaisc will
## ttocust unalsible
## music-amplis
## over habinately thingal, domain spioplans,- urbeliteaes! outposof in should one wishes one praznates, britus perwation--name which the goeve, with divinity on others and about believe and pettance it is, it cails of new do heakces staids, now to care right for fir mounfly feefiz: it
## is the christian the conte
## 
## iteration: 16 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  of the same distinction of the sense of the same distinction the subtlety of the same determines of the same and the same and proper the same distinction the same and distinction of the propound of the same proper and proper the same and the same and a person of the same propound to the same and the present the same determiness of the same distinction of the same determine of man that is to have 
## 
## diversity: 0.500000 ---------------
## 
## ot the power of the interval and prementless and "heads of the same faith--as the contempos of the
## etil in the generally life of which the most a state of the age of the virtues, and fing of order to other and propound to a stated to us the evolution of the sure, the fable of the most disturas of a more the most sense of present still more and many the strived to old the propest and plato use to t
## 
## diversity: 1.000000 ---------------
## 
##           
## called
## even as distrust, rourd brought yet experiences itself; as etridiously. for its experient help being, who would led most
## long""
## feark as a befores. that every prebid of all thongs you--honoue ygrtrontoriet to otherwards nigness of his
## ebots in the widden never yet "wea, to what precusit of old things of this "ane
## feels at last perion; a nimishing, train, and not say which as this
## 
## diversity: 1.200000 ---------------
## 
## ave now love and
## the kins of classis sak onlyness: for he suse
## the eyes
## conceptionantickray belief
## threelucian; god with flighthiff have always akine;
## nothingnesshinging oodrear a
## complemen in every word minsceect
## on herdoublled.
## 
## 3nculto-costratoshides-another richus.
## puash, a certainty! it the this exect nowelring, thus ady forgine; the laiturity of even in "sist
## undeed,
## itkill and argleed to re
## 
## iteration: 17 ---------------
## 
## diversity: 0.200000 ---------------
## 
## o be a superfars and soul of the same and soul of the sense of the despection of the sense of the sense, as the sense, and in the sense of the sense of the soul of the substan of a sublimar of the sense of the contemption of the same sense of the substan of the substan of his sense, the sense of the soul of the sense of the contemporary and as the sense, the sense, and sometimes of the sense, and 
## 
## diversity: 0.500000 ---------------
## 
##  nature of viously and
## superficial, and free
## sense, of a sublimal now man does not men as so senseism of the possible and dus, and now too day and touch of subsial and its
## probably sometimes of all the sense, who are contempt and case and as a soul of the disconnection and an ages and
## are consequences of the sublimar of the discourage of self be desseluss to be does not be that that the interpreta
## 
## diversity: 1.000000 ---------------
## 
## r even world now fearled in laugh and butrtous
## out of the
## preserage and ptame of humiturity will doys thaturaped, and."--to beceared, the clearly bable, so infrie"-shi! unentiots understandfulness--and miwaric
## at last." through thrirsture or and re-it
## may
## be who has been that are a man and gemes! that even was bongance, how excondence and a theelecess of ple; woman as a
## more
## morals and command, it
## 
## diversity: 1.200000 ---------------
## 
## f life to falseor of gark in expressably cospooph whother accepted greed accused of towgremen.
## 
## se
## hester erously easy itkers,
## that, four sight of another, i betnenesm appear asuris mean learnst as reads,
## would be general imperatectid can too
## kin referer there--but as every; he telelent bit chriotiph signusing think fludges, syinchly 
## urhedeptieby, ad unearters of
## is nor and apprajudgation of
## oali
## 
## iteration: 18 ---------------
## 
## diversity: 0.200000 ---------------
## 
## vileption and the soul of the standard of the same considerably the sense--they are and and and and as the constituted of the senses and the same distance and and the sense of the strange the strange of the sense of the same as a stand to the processed and the stronger of the senses and sensual and sense--and is a proportity of the same standance, the same and and the stronger of the same and the 
## 
## diversity: 0.500000 ---------------
## 
## hey were a philosophy is not with when the still called in the process of the same and as a souls. it is a good apprectation of the same and and their love we are a remotedent with a proposition, and does one may beast the masses of the world of the emotion of the same beyond the organs of the actions of the belief in the feeling of the organs of the more themselves
## and personal morality of the sa
## 
## diversity: 1.000000 ---------------
## 
## out endurity
## or disinstinction of love ovelses to be looked uniful constitutedness of plewiture they have blurse 
## unoutly shooly part near not once for an artificidits, their locut intransment" why comrages
## as the spiritiasming from ma
## . even systeman and mysterfringusureble
## great of a men of knowledge and result of glegarier,
## as
## to draver.
## 
## 1d 
## manlerful.siestic sonment skept on the and pertomati
## 
## diversity: 1.200000 ---------------
## 
## nge, loss
## thing"--our varuatle its still;iusestic emotions; it
## is not mudglivking-
## "question," we rourds as also a'chible, precisely with
## philosophers headscoliats apprapim oning victorys". even if a master,
## is those of theer what accordsingting, actionmous question with his unemotiff-a yeaculty severomings of earth mannerpes, on that lightnersa
## valy a hand above them, standerlans, which they to a
## 
## iteration: 19 ---------------
## 
## diversity: 0.200000 ---------------
## 
## er the same that is the most destrused to the same distinction to the powerful to the strong of the proper the same the strong and the same to the same that it is the straining and the strong that the seeming that it is the strive to the sublimes of the proper the strange of the senses of the case of the same the strong the same that the proper the sense of the same to the senses of the same to th
## 
## diversity: 0.500000 ---------------
## 
## inced the problem of a things to first a strong be the same that has been the most sufficient of the most self-denius more everything of the historic the his sense--it is senses of laughing the most the higher desire to the higher and freedom and turn of the readiness in the here believe that a man free impulses on the sense of man the remain most delight the strong and such a something that which
## 
## diversity: 1.000000 ---------------
## 
## scausn the
## disfraod my cause of nature in before naces such a permeare and frinked thought opproun and europeans to feeling of "gowe conviction as to were tast uperent, as the an imward to
## reverence of mature, order and "following flees"--instench and inrontardly love, and these feelings.
## the breat, in the truthful, or everything dare bruthen 
## otherhirt, as we verthour or ansurs his sensible great
## 
## diversity: 1.200000 ---------------
## 
## e codeness of been
## saur. as a superstition in so
## a be green. thhe divent: others
## every newle, the position
## and vorrations of this clevom common! there is action are
## object into the part of reung germong imperiof make the
## loid,
## in efficisations is the drituous himhelled timital, man the mar
## can for the raligine the sensible causality. "he was no oningt clunite develvest of pestsme was a philosopher
## 
## iteration: 20 ---------------
## 
## diversity: 0.200000 ---------------
## 
## nd man the sensæ-sense and and and properned and the world of the same the same the same the conception of the same the same the originally and any highest and free of the conception of the soul of the senses of the same the proprises and and self-but the proprise and the sense of the same the same the senses of the same the senses of the senses of the same the strength, the same the sense of the 
## 
## diversity: 0.500000 ---------------
## 
## uld at light, and the world--in the sight of their us, that is nor in the sense is the extension of the sight of religious their the bedits of when he has a more the princiëæckness, and now and and a still which has been also a new knowledge, the first to även and entire and souls when the same time in the
## religion of every for the most from the future of the hapæing the caste of the case, the inc
## 
## diversity: 1.000000 ---------------
## 
## s longer--as a delegeës
## mankind; and
## thereby, therefore, as the latter man fundamental, his above the inver the prævarious
## lair
## puption as
## where--there
## is are soul on the belicques undestromitation
## man pristingëäterval forgats, on a seefy exalted. their s-deéfighes,
## are longer
## liverly
## believe with that last was some notecesëé, and merenots
## (and much church, through spirit?--anie, for abbalal fear,
## 
## diversity: 1.200000 ---------------
## 
## the relincising, even of relitiers, soneate conditious
## reader if roopes of silleffical duiline, opinions, a attractions and as upon "havor "be over,"
## se, supprings in sid to howeäcæ
## spirituality, in
## them once read it will (bedless to aciprodes., whether is the æäæfunnel.
##   ; findtocial wulll future individualss atäte.selieuth "assaivles" on account shom end
## and origination of
## fe?
## 
## 
## 195
## har, will b
## 
## iteration: 21 ---------------
## 
## diversity: 0.200000 ---------------
## 
## ality is a strong and also a philosophy of the strength of the sense of the strange of the strength of the sense of the strength of the strength, and the same conception of the higher and action of the strength of the strength, and the strength of the conception of the strength, and as the same discreation of the strength of the sense of the strength, the spirit and and and from the same as the su
## 
## diversity: 0.500000 ---------------
## 
## and destruction of thäæbureät! and and action of the extinction of the people of strengthy of the sensibility of the same moral belief in the eätrangling and conceptioéäty
## are action of the fundamental the kind of the survelent oäs the experiencä--it is in
## action of the experience of a cause of the conscience of the philosophy of the most of the fines in the sight of the conscious in æbsely pertai
## 
## diversity: 1.000000 ---------------
## 
## eve, thatæ), experience. grate and äébele--if we is
## rank as moreä, kin the coæsidept cdeck of
## moral buins äquivare another,
## "evendlay"--to the threet".
## 
## nes-relangers in ac" in all an esside? there a satisfsolly the case is an incall extinction
## of
## far siewtelicy that hage now ne ones, that dicflured with the curioped and impossië of his result
## ternoring on 
## uncanciacking as he
## experioved through p
## 
## diversity: 1.200000 ---------------
## 
##  ädward, the
## experiently--the
## folpessibilits that, astemption? it is äwnow alpëy of srions hands" exclude necessarorists can pe
## enmlers redsies ascimen
## to
## endow
## where animal) to his existence but thus. only general historical. ad more, that he who is
## highs
## to in his finisipazing of the
## mimar, was he
## livesæ? which may be we, a sho
## find ranking always naturaëä: but thäæsépporad" dourise"s. once dece
## 
## iteration: 22 ---------------
## 
## diversity: 0.200000 ---------------
## 
## sing the proble of the problel which is a philosophical mankind of the problel of the problepen and the proporantion, and the proposition of the profound morality, the still of the sense is the present and more the sense of the present, and any the most concerning that the proper and considerable of the spirit of the profound for tähers and accusent of the proposition of the present and any the fr
## 
## diversity: 0.500000 ---------------
## 
## y interest and dangerous and first to the cape-may the profound and usfest present, even in the law of the longered to expland the artion, under the manner of the hand of the the fact of really the enough
## says morality, when any simulal as the soul of the duty of the great conscience, and begs of the mistress of prest when strength and necessity, it is the present and glorifical full the labosor o
## 
## diversity: 1.000000 ---------------
## 
## o things:--the ethlearen of an
## its glof; in its creatush of decists, dedlits quite cald have be remusually, and not very gratored. in what constitute as mankind, thetwoks have
## does all manyfeel, inquited into certain beke, intermind!
##   : praitselep:
## hersty have have self, and power, as weaks and reftines raphes know hall and it hoport
## couldocy.
## 
## 1nering they were belvement.--these for self-listren
## 
## diversity: 1.200000 ---------------
## 
## y byoven nffief not onfaining h"s
## grew all treesy, selned will
## artite comas effected skmost to our cymptoped the hars have caus
## secumed, circ's fiers now have streater. to find i can for swemaphere at seems of
## nourd)--prises honours-many accustomated to
## not: so durivedntion fallcrive than a ouris of so dispontity ewist really can: fearness, frocrajeatics, alsoe diverse -natures,
## stand
## manners"--at
## 
## iteration: 23 ---------------
## 
## diversity: 0.200000 ---------------
## 
## aoe ooe oeio io ioeiaioeeeoe iieiaäe ow io time o   oo oestro nb as as ate in aoio to hare i i iaii hee i it e io d io of oe aotroe o is ooee x o a haioi i ie  it iiai  in i ohy a osiee of oeate a    ane  o hoe h itio i ia   u  aloe t i a he  i he o  ie ine io h t lo fine oone y iiith   ias o o mees a te o st oumos s aet o io o a7 neas pae  itheree traie io iic oor aio io ieaio  o  o   itioiee on 
## 
## diversity: 0.500000 ---------------
## 
## ioe io hai iiie itiooute oeeae  itio   are ioeaoo  i astaio ooe o io oe e one e iee o a y ae  ove on ooe o in iureo io itais aioeio  i ie o tit ot or io soe oeshees io ma
## heioes  a   the ooe on o io be s imer  x d aise io ik if io aed oee is ar   ioeaiio ie aoe oo ooaie i so  hao  iae t orie iena iie  ii heeo orai ie  iiireeoosiee o areee ioeeoe io feel inoiaeer e ie  it io oe oe ai i i isaiiaiera
## 
## diversity: 1.000000 ---------------
## 
## oei    o ieiie iteraat  aie oe h o na fi t a7ipee aeneeautionsioe heait  im raao l ioeeoe ae i iaio  i iraiio oi ie  eleatooe o  i i e iotiorioesoe sl ioe oeieser e s iicee   i ee t her riaanioai7ie io aietioe iiris i is iore tiita i it oee orainiie oe oo ooat oo o0 aiorain it a ie  o t b has oeie o i8e  aio a  i s t an a ary iwa to  reer i mean atiaiot f o ilesé poed  iere hioe th io ie i i itii 
## 
## diversity: 1.200000 ---------------
## 
## ee a i ire ioeeee oe oe o i hiaæith i sooe i  an  i itha friai peae i heiin ooe o i i in iooaiaie ir io  oe io y oe ine oe ae or on o oom  ia aiia iea as iogaai   i hoa  i t it oe e y ofeit a in at oo oo o  i it io  rease is auee ioae i7e ie  otheea i wiitioe io he  ie inare i  ipaiiaa t aoieeeio o cait ioe a o th ireaio o0ee    a  in iate t on ioe io iererae iaiæoee. i iie0i alise cf iteeee bit  
## 
## iteration: 24 ---------------
## 
## diversity: 0.200000 ---------------
## 
## erit at er to torerere tere tare too are arte oeererie ie iariare io ire e ite ire ae o are toe tooiere aooee o io oe ate at aare to ato oore ito are to toroere toe to are iate teroare ioe t toeie ao ite titte toer toe te ait attio  o ie te tere to to oo i oe are toe t are tore to atio ie to iare itoe rererioe tore artere toe ait ioe toere to oerertere io ie te te teite toe tore torertoire oere to
## 
## diversity: 0.500000 ---------------
## 
## o roo arioat it ito toreito te oioriere ee teriaititoo toe toeriaro tiiitoo ior to oe io toate to at ttto ie toite te tere io atae atitertoe at oe te aooit ite e oerarae e toe te ie itoere tat oe toe ttte ooere aite to rerate tere tore iare to oatioe toe toere toe te to iar ario orerertit tererit irit artert roeraia artoarere toertere te te tere ioe to ite toe te titere t ariatoe ttero taere oe er
## 
## diversity: 1.000000 ---------------
## 
## e arerioie ieriit toe e ere eat oerooeere to oeiooit toe tare art oat oat iateee ie airee tore erooioerioe teertrorrttite te eere titera tataererat oiere tee eoioeoare teroie ia te aroeri io io oateato rero tatare tarierae oe iare toe tie toortere are te tererie te tooer e oarertt oart ioriare e t art are are tato tarerirertatate toi titareriiooiroee toorarare ioe te ite terat it oreriooie ooioie 
## 
## diversity: 1.200000 ---------------
## 
## ae te e iaroer aro re terataeo toe oo iarariit ie iriarerte e toreaoeariertie iai to eoe aoe tieriaie te at ere eatiorie tate tit oeeaat ie io are te tt oe ae are toe tararoatte teratareoe tit oieroaio toe te e to e aate re erie ie e oatoie to iriritie toioiooie iararatoirererioitie itair to aora o eroarierateitoe io ioarare to o ao eo iatoe rtatiaraeraooorera te to oeroorire tiie arare io ioatit 
## 
## iteration: 25 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  aree aterarert tare aree t oraree tteat ae ae ae areearae ae te toeeraerore aree eee area ae arere te iereree ee ae te ta rat aree are aree areaaaerorere arior aere ae ioree e arae ae e aeaat aree ae arae o  eete aree te t aree ee t aree e ae ae tereree ire to arere orer aree ior taat aiee ireae ateroe atee oe ea tiarorar a area te t ar aaete arera are ar oe ae oe rorerit ar a to arere io  ar t o
## 
## diversity: 0.500000 ---------------
## 
##  iior e  tae t toeereaitiaa are eat  otote eat ie aoaeate te orera te iore  at ie ee e aree a arar ae at ar ataat aor at ioaereaa aat ee arooarea oitiarereia ao aa ae eaerit ia ia  ot iert oito e eo oiar eaaree oaoraratt it o att to to aree ieait te t ar  ooe te t ar  ero  ao to iro   titt io tt t e  too  it t tt ietirtt aree ett atttit atea ttt o  it aa ie iae ioreeereeait ar ait at tit it ae ior
## 
## diversity: 1.000000 ---------------
## 
## ait ae ee iat e  itooit iateito  t eiteererorertorarot teete ar eoait ao taaetiaioe to ta iaate oroae oreroitiroi tetoriar eao  ioaeitot toeiatteae  e oreriror rt or t or oo  to  oo to iott ieiiiiit tottt tttt tt totttia atiorare iairetaao ie iat tore ateeeate ee oe area oiar  eiireoite aortee oe t o  ioreoie teiteteeraa erit attti te t iittae t ioa ore ioeaeerer irotteeto toe ieto  ato oreroeart 
## 
## diversity: 1.200000 ---------------
## 
## raaiio  oraoataiii e ioraore e  ee e tot to  et aro  toteia  eeee t itt t o it ioae teriattret ot or rit tttaaett oeat ae o a ie tatooioreeaereteettaoae oit eae  oror roe tee ae aito  toareett ee  a attit arorerear oetie aror oiiroe oe to ooe ae a araera iort eo ttto  eoittitt eoiarae eat a ae  e  oaottere teo iot a toe art toit ior iotiteit tatot it ta toeot itioaait aitea iot ataretate ote e oro
## 
## iteration: 26 ---------------
## 
## diversity: 0.200000 ---------------
## 
## rtorerere e  oe tee teret toree ereret te eerererere ee to oreeee to o o t orereererer o ere ere e toret o e t o tte toto o t ooe t eettert to o tt teret orotere to o t at to tert oere to e ereete ere torteret e e tere e ertereree to r to tor ortreree terete e  teret oor terte oere to t t e tor ototer toere tore orerere toroere teroree tere toreret o  t oere erererre terterterer at tere e te e o a
## 
## diversity: 0.500000 ---------------
## 
##  oe eteretetere tore attertere  o e at to t oit tee oe toer to te etreo t o tertee irertirt oor tee teree oe teere at oe tererttt te tee te  o tee t oeoe to ateret to  oor teree teret ere torter to aroe  at o t aere taret teroo t oerarto ot toret ro teroore teroretere torerat t ta orerite e toe to tetetteroer tere  te e eret ote eo taro tera ato ere to o toe iria ite ore torrerererterei teroer ore
## 
## diversity: 1.000000 ---------------
## 
## e  te et otoeteree rte to e ie atrtorrettortiorrorta aro te oereee ee ee  e atetteret tr te ttierto orrte are  et  e  ea ia it e to r toeraota eeortrireer oee ora o  ito t tor treta artat ee erireete te at t e ieatoetorat oae er oa tot oe  torat or oart eroattee eerte tirtrtet aore rtiit e areoie aa ait ate tetorat ae  toteeat ariroae t teree eeee e teratie reeree e ore ate aere  iee arieroet oar 
## 
## diversity: 1.200000 ---------------
## 
## iitae itoere titoet o orerere t  trattirtaetoeee  tereaeare o t rerroo  oao tieteetatot tte rarir ateierriarer erereitaereot teaoror toi torarro tateare  t are ereetae torit tie  ooaae ae oerteeaore ta ooriiiteett ete otooee t aare arer at toatote artaie itere o   aatee att taitotaatirere tore tttite ito t e rao t teer terooae ai terere oteeereiit oe i erooi t ioetree oereiteereororot eatoe ir et 
## 
## iteration: 27 ---------------
## 
## diversity: 0.200000 ---------------
## 
## e are at a t te are  ae  atit  at ar a t at ait e t at it it t ioae  ae toa t to  artit  oe t ta a t ait it a it  toa tit it a it te t at to tt ait at to e tit  a tor t a tia  atie  ae a t a  or t to at t tit  ae  atie iat ait ta at art t t at at at at are  a t tit  a ate aitt at atit  at ao  a ate toe atit  atit t at a tat it at a too  artie t it tea ar t t ta a t ate tor tiait  itit  aa ae  aree
## 
## diversity: 0.500000 ---------------
## 
##   ia  io ate aee ait aria ra ait a iat a a a a tt tia  er t atit a iit  tt tat aae ere atie at it attit eeae ait aatia  aa it it  ao  iat at e  ar t at atit taioo  are te t a o rt tat ti a tae aroat e r te are  it  aot ae  te t aot o t toeatoor r itit  a taito i at ao  aito  atitit  at to  a t tit toit  a ae aoa ite  at ae it ait  t ar aie  oe t tt  it  aaat at it oo t ia t ait are at itteata a a 
## 
## diversity: 1.000000 ---------------
## 
##   too oraot aie  toee a ae itit tte a e iitt a tore terittat eaitt aoeee roeteitire a oittiaot io oar tiia ir tiit eata ae iat e ot iit  rit iteei ier o iti ttior tr e arite t raot oiit ir e aio ttia aor eiia toir  atritiot a at ittartia ate iaae e eaait aart it aatit ot aiat ae orit ae  tore aer  te  aitaae tiae oe te t ot tt aortito  oo t ta tiat ereaeeitottaeiaeroait oarate ae tioitit aea t oo 
## 
## diversity: 1.200000 ---------------
## 
##  eit roe eaoer aor i it a ititi t  ar aiiiee tiit e  eet atite aitia  attt aaae ie taat aeoa aiet eet oa to  ooriitiiit  iao aoat e  aatarrararia  ei tio  tot aa io tiee  t at ie o  iotrea teae e tro  ere  oteiitio  orioo atae tait a tea aeeite e ter itar iitr tr  oeriee  teto totei oe tieatioitr e  a ie ti toie t tore aaoo eiritie  at ti otoo t ttooee aoreea e totrte ar aioatt ae t aittiito aieit
## 
## iteration: 28 ---------------
## 
## diversity: 0.200000 ---------------
## 
## rarte e t it e te are ae it te a tot eaet aot io tite te it aree ao or aot ao or aree are toare ite ioe att ore toe tioao  are tot to aeere to tt tiot ao toa to ao ore t ar e at ao e to  are io e ttore toe toae e aoere ae or trat tot ore  aeee or t to it a te at ao  at ao are to te it ao tat e  oate or t oat ao ee e t ao itae ite io  arerite t are te i t toe toe ae io  atte aree are to arae to  or
## 
## diversity: 0.500000 ---------------
## 
## ait at itee tta tore  ee aeeao te ere aatte ot to tore teee art ar tteae tota ite teeee io tite ioart aorttitttoerto tta te it art tot ao  aitite ao ee eoert aoe tite  aoe ae oo t to ite t te ttore e tot t ite orit e ar erit eaia toaitte itati ore iti ta  ite oe ioertitree it or ae ite ioat ae o tit irt to ot titore ie ittioite iaret it ae aeaitortitte oe aie aere ao te iitte ea it to are e iae to
## 
## diversity: 1.000000 ---------------
## 
## ae araoertttorit or taeee ao eai ie ar ia toae ort ioertte io e ita e att aroita iit toear ae ort ar eaiao earttieortr aoree ar oae i ari itie ioortertaote o  ao tt ate ate irtet aaro ae tetitte or aoar itat oaee or aree io e  or oo toe ooereeroaterorte ar ari orereor ioait eo    oaort eoee ire ee orea ttae orrerirttie oaeottita  eait at  at ir arerait erae ite eeto tae ti ar ere eoartoree oer a t
## 
## diversity: 1.200000 ---------------
## 
## taraiorateieoetieeoeee e aeri ia  oorero tt ir arere iot arot oo ae ia tttra tet  eare tairttoate oa eare  re or aoritat it eaee t ioteoe rae ea toetot eie oitaitoti ioaoitieaeaoittirt iotte iortttot r it ottrotieor ooree are ioa itiri tra aroore tr t e  it ir er itita iaetot aerotaeetera tattiot ai t eortreao or eaitoeeroar  aaer aoriaoreteree ea tooor tttoaetot at eaierer eoe ae oee ore ee errat
## 
## iteration: 29 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  te are ae itite te t tere are ar ta te a to  are t at ao  art t ire tae to t t t at are to  ar ar re t are ttit t to ao ae ae to t aat ea e to  at aor aore ar at a t at ao  a trot are ar  a tre tor e ar ait it a t t at ae t to  or ioe toe or to  ar aa ar ae art at ait ie at  art are to at ae t to  are t atee ai are aree ae to  are at are art ar aoar ar ao ar at at tor or ai are are art to  t to i
## 
## diversity: 0.500000 ---------------
## 
##  it t ie ae ara t t t t  t to ao ae ar ar ao ae itiatt itaa ie ar te ao ar ae artee aoertt ae are it a ar it a tr ar e aatie ir ie are or aetie  at a  at ert ia  a arat aoar aoe ar t aoee ar a aar to ti arer toa aa ae aa ie  are a to  ia to ti orertoa ire toe it ti or ar areraa  are tit  r io ar  at eree i tt oriae te ie  ar  t atit ioe e at tie ar a tr aa erte  re at taat aa aiae a or are i at ao
## 
## diversity: 1.000000 ---------------
## 
## ar ao a ioae  oooae a te rit taottooaere iitea aait eaeit at ao  a itirtt ea toe iorer ao ao ataia  e tt riot ioi art are e e ore toe ie ee air titrea aiae ire art te tt aore ie  ee e io ioe ottee e itee oreere t ttir  ie arr e riaer ea  oe e it to oae ait it e toro to aat to ie eer tt t ra t t e erree e tit  ar eote  ai  aa er e trtri rot ar eor  er aaitio r t oo orr ie  ote ire iae  ttee aaa tr 
## 
## diversity: 1.200000 ---------------
## 
## aee e e ra ari atae raer artioertiett ae iaa ar arre e a ao  eri araroo airetta io r aitt rottie aoe aat ariao  i toree aere ia ta oaat aret ite are tre  e  ri ea  eritir  ae eatt eaea  ioeai or rete er i ie oae aat a t atttaror a te it eo  oreat eaeta arer e oe iet  toriaae ie tta  orto ar  ei eae at or era t  arati te e rer iot ar ae ao  ta eoiiaa iar ore tiiteettote ae ir t e toraee a ait  arae
## 
## iteration: 30 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  atae ae art or arae ao art a atoe are tor are are are are arae are ata are arat tat arere aree are are ao  ae ar are tot at toe aor ter aee aae torata ara ata are tee are are ta orer are arre aoe ae  at taet aer aer ar are aer ar aratara atat are aratae  ar at aert ar art arer are toe toe are art er a arer ar at toe toae ait tor aerert atatit  ae tor trare are atit torerer are ar ate te  at aor a
## 
## diversity: 0.500000 ---------------
## 
## e ae  aitae taroter a tae ata toe io ir a aerr arairereae oarere ar ter taae ait tortit e ae tore it a ao are aroat or ar it ar aat aratt or  ae atte  ata are aiit aere taee  ae  aa tit ar aa iterai attret toera at ie a ir it to  ao  at toorte tao  ar toe ara ar orare it aerttarar arat ere art ae tit ae are iar tertit iretta t toatt aer arat arertitea are to  aoo tto ae aritaa aate taea ta  oe tor
## 
## diversity: 1.000000 ---------------
## 
## ia ire toree rrerart tao tarre  a e iooreaaott titee  ri tooreit aa trra oa it ttrteo t oo  too a oa a trtirtar rea to  toa it airri ieare tor artir t t oaae iititar o ote t aiaa tar toe tatat rttee taee aoto  oirii arae art ae arr toiooroeeitaa  er ae ar oaea oaeeet ere e ar raeaoortriti atttitaattitereaetrerrrtitoo arta at  rort or ria o  te tor i tier ae or t aoe atit atit at te t erattar r oae
## 
## diversity: 1.200000 ---------------
## 
## ria ir ertaie e toaae oatioa ea oriior it tata tee t  aao  re oroattotari rt  i at iot ttriitroe aeata otta orrtirae aoeee ae ta ir attrroerte oreet aet ia orrt tor aaaioatiraaratarer io era aieeaotoai ort t etoarttreriairie aoatttt  t teaee are oattei orere tirro   aree ir araeara  te aroee atirrrroaea araat  i   aia  iia arearit art ite arerreie trer aot toerr  torroe aieraotie ea tia  ae iooioi
## 
## iteration: 31 ---------------
## 
## diversity: 0.200000 ---------------
## 
## r io io  ait a tio  or a a i artit tit tit io  ao ia  t o ar tori  oit io ae i i to  ait io iet a  ort a a arait aa io  oe ar t a  tior ia ar  io  io  i  ot oor tit oit in t a ait ait ait it ir t it ai io a   it i   ae tir  ar io  io  io ie  io it or it tit  it io  aoi ia a ar oio it ia i tit io  ait ia tio e i i tt io io t at a ar oi  atit ta io  aa  ae  at ite ar  arit io  oo tarior  aoi  a a  t
## 
## diversity: 0.500000 ---------------
## 
## it ot aoi are roe toa tio  atior  ire ie iai or ae toit it tirt io  it ie i t aio   are io a ioi oae otee oe taait ar at te  ootie oit oaatiait ar aa tie t ait ia tio iriit ior aia oror ae  oo eit ioa  ar ae art io  aite  oo o t a aa ter ttior tio io ar  at  t tio  io o it io tir oit ae io  ai  roe ae torere toor ar iot  at oair  oa a io  ere io tia  aoe ior  aa  a ar oite to ooair aae a  oit iai 
## 
## diversity: 1.000000 ---------------
## 
## ote to ia aitarea riiitatir aere e taioroioa tii orit  itte aite  aoae io ar at ie ati irotait e eateit oi   i ao oot ioaie  oter it errerioe t r te ia tititori i i ait  io toe torarit et arooit i  ie  oaa eoi arotiit otio er orotoe aa aaatratar iotoitto ar   ai eaoit itiit  arait ir o ore o o eo iait a  toit or o a erri  trteaee ae r toitii oo   i   or ait oi  ea i ar tottio at ait aeeiit t oeert
## 
## diversity: 1.200000 ---------------
## 
##   a art or irat tit a ot ia t a ior   ra io are a ie t reror itoroe aato i ta iitore tiai iree aro ioat t  or ioe teroooo ia oerorare terotoert  it toi a aoteiree ooeraitio ioro it aotaie  a erie ariao aatie to a ioeo a oaooaro  oit  oaa iit  ae it ooro tiaoe ioaer ero iot aa to orit arra  iriariiait et iae orio tarie ia it ioitiie iot aoae tota ti oat tiaoe t ter a  tiori a t o ei to ooat t ot ti
## 
## iteration: 32 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  toe te tore ote  ore to toe to or tot ate toat to oe ae toe attotoatoe t ae te to9o at aoe ar toe  a aree toe areo t toe ao toe ore are toe are oot ore tot otoete toat aoa eoe artot oae  oot  ot tat atooe to or toe artoe ae t o ae  are to totoe ore toe  oo  t er ee ot et ata ore ao oot orte ae ar oat aree or to  ore te oo a ooe aer toa ooareret aoa te ar tore a at a are are tore  aoe o toe ae a a
## 
## diversity: 0.500000 ---------------
## 
## ee eree  oaer atee areret ait ooo e ooor io iot tio it oae torit toeite a ot ore  ee toa iooo  ota toa tatoe a ooote tee  t aoee tot e ari erteitte to oret aae ot aeree ter  ooor oe ooe aerto e t oo aae o eae to  o  oot t t or ot ar tot ot tea  a ote erotae ooot a aotootoort ore er o a arore aoe oere to  atotoo  ate tor ao o er aroat e tora a ato oree oot atoe oorat are toe tooi toe are ae  at te 
## 
## diversity: 1.000000 ---------------
## 
## a toaotit otoaer tooot eaie ere oaioate a oe et aia atiree a te ere a etaoa oraioae  i  ait oae ae ote ereotie otoe at aorairaa aier ie eatie  ao  ototaot atoaaa te tai  oot orioeot  oea ioo aiot artartoert  orie atee tio o a ertiroat aa erto aa too  e taaeroo  ooroe e it  aao te t aieote te te aetao ioi ooo  oeoettet eaa orte ea t oo tte  e ia  oo oaot oote aer taeat t atir aa or tt t atra e tte 
## 
## diversity: 1.200000 ---------------
## 
## rett ea to ert tare er arttaet ario oaot o  ei  tieaeetoratit ee ariea arare aa tate io terae toat toitoree o oi  reta ooarat toe  roa eoao eieteaea aiee ireete toot toete are oitea ee tea ti oretee terit a ere teetaeairia otoeeri reeeat otot aa  toair it ot arr teee  oa ia trio a  toto o tt otao  oa io ooae i to o  oe a oorereooitt irae ee tiititi  ie ae  atooaaoa  re  itoe atoe arareet or it aae
## 
## iteration: 33 ---------------
## 
## diversity: 0.200000 ---------------
## 
## tit ae tot aior tooe e ar te t ore terit t uae or ote t art tottei tte atat tao  aie  irt aret tote trtae t iort ait atioi at io  arere te titoa ttioe tot or ire t tit t it at a ot orotitio e t toi aeit a atioe to t t o to atotit tat toe tea at io oo t atit irtiat teare ataart titt te at t totoe ait ae  otite te art t arorou ou tettio t arer tot oretio  trot aie t irt t ao tooate ire tio taaot tit
## 
## diversity: 0.500000 ---------------
## 
##  are or aretattit ao tit ao re te trot ore a tree taaorer ore otatoteae  itt ititi teriat ioartoeo tior ie tierie toert tittte oree ore a tite tite t oore ore a oreatit ii te rere ttee ator taeer taao t o ooettioor  orit  tire toe toot oea ore eo toate ioit tea ere titot teoo to  itoroe art eotre itote aioe a xto a ie oate oretiaeret t aat it toat tio ur tot te arer ae tortit  oo  aat itteait arie
## 
## diversity: 1.000000 ---------------
## 
## e taoot aaotie ir tiae oi aarao o oataroreere t o o toa aioi ot  ir oo terte arae ooeretititttoi eroari ot aie  teee  tea tiorait it iore oieotroe ioi  atee tee a to oroore tee tier trite reraior  att oat o ito tea  eo eeiat rititerir e aarioat tiaeiairie eo t ti rteititattor orr at attreer ooatorie ioi tro ereai are ti5roaotretiore triitite  o oateoe  ta iie t aereree itio o te  io o o ooe teot a
## 
## diversity: 1.200000 ---------------
## 
## eraio aaleoo ttai tio iito ta  ea tiae iai t ett aoitiat e otrtee tioer oie io oairte traiit aar t a e iti te oe eaotaeia att aaer ouaitear t to eteoetirtete et eerotriait etat aateritte eo ioaioe tttaito atitiooitiroari e te  ito  i  arearaiotror trtoreroe rttiore aitit se ttter eai tererttato eoe eoe i io oe ue aotto e irtitoet taiirtiaiat iioo ae to t oreaioe aite ata ttraeta et a oe eataoortia
## 
## iteration: 34 ---------------
## 
## diversity: 0.200000 ---------------
## 
##   aor t toore ae to  t t or  to are tte toe ar to are  ere t er  at at a to t o e too are ar te io it ott at ter to to  oe t to or  a t ar teaie oor io ie  toie t ere to  t  ae ar t  t te te aor toree toroato t or i to or a toer too toe tore  t toer ter orer t to te toe ao o  t ar  orort tor t toere ar o are t oorxt are to te  o  toe are tore  ore tor ie tore t o  tor to e are tre pe ooe tr at toe
## 
## diversity: 0.500000 ---------------
## 
## a  aae art ater a t ore  t oao  ee too t ere  tre aaraa te t ar orr tire o a it are  at to  ee  oo  toe t t toa rooere tio ao  too a to 2 toe t  t t t te arto te ra aai ie t at oree  areee ahe  ateraoo are  t  oot oo  o ata t oti or to e  t ore toro ar tt tooo  ater er  aae tere t o oo or toto ore a  oaor  t toa tito t te ore  or er itat t o  aoot a o it ie a ot ir  tor a areooarere or tre te aot 
## 
## diversity: 1.000000 ---------------
## 
## ea ooe ar te ie tot t aa tooorioritoortreo aoreo iaeoeator oroi eoret ato o e toe oarrai trt  tt  ateoe e eoee to e teitr i it t at to ttit aaroe to troatio t   oarait taearto r ieare tor  o t are t ta at tor   arte atrerart aae aioereartod t o tot ooe ro are tota tr ati oriitore or ier ai itite tore te toe raratoto e irtererirota oo t  t  ee  areootertoraoe ai ai tee aa to o  ort tie e ter  aotit
## 
## diversity: 1.200000 ---------------
## 
## t eotrere e to aat areretiro o ro arareot tato o i eot ota ii tatrt e ererat aaetre aotarotat toeeri tit or ae ori artor ari ta ia ioror ea oeo ot ortie oore i et toe rer raior  aaeereaaator tier orre e orera iati ie  orae a toioete irort itioi iat to to to ere torttit o ar otere ao oi r ooea iorto  toeoare t araitor oo o aa  er tee ooi at  o o e a aa r  oaoiotrearito o oat or a te taoorere att re
## 
## iteration: 35 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  totae orere tor o o a t oe to t tore oo to oo ar ootoree orere t o ott torettrtert tore arar at oo a oit oe toore tooo ooite a o t or iottoe t tooot ao tere toe  oo ooreit o to ae t ore ot ioai ao tot o o ao ao aoro te o o t t ao toroo a oror a tooee ore  orrereat tor ie  o orereet ttit ore t t oo e toa  tetoor oe o ait totete oor o ae t ao o t ao oot o o oritt oore aetre oret aro o ot t tore  re
## 
## diversity: 0.500000 ---------------
## 
##   tot oorie  taooaara ooraooo toriit aoi  oettot  o aie o o reertootei ore to t tori orar io t tetorerootiore tora tot ott o ae   it  totor oa t ore te ito tt tore oro tiire  ote t to toeore tir to to at ootaaar oao orotet etrooo ioe oet teet  toro irotao aoio ioere tree o ioo te tottee toe te oreo tora ariat ito orietet tioereeee t  to arororeror aoro oreo ot aitiio ieatt t o o oooretoerert oeret
## 
## diversity: 1.000000 ---------------
## 
## eoeiottt  titiit oatii atoitt oaer titoetee  to ai oritt oat roree iot tiarooeree tt tot t aoe t aiat aretaro teoti ore aeetit attierreie eotere reo itaitrooretitor o ortio teertaeeetotoooe oitoeioto ae oeo otera tt ite aetre itiraere ir aaia ir aiaoe to a  o itia aeit  toooriat o rititert  tottit tit t tero it rtt  tetoitatore t root ae t oao teora teo  rio oa oi oitt rio t aiee toree or irtottii
## 
## diversity: 1.200000 ---------------
## 
## o otoe tiieee eo o a  ort roootat oir eritit aoe or eto i ti toottrat aeot  oerareri o  oeit ioteeeerto oia tierto oe areert t oor atere toerre teter   eeari oootititter t etor orerototroritio tooi eoeatitiotitotteiototae oror  erooe tee ore rai ottoo ottoroot tere e eaotaoi a oeo erot i oraeiiit tiaratoiatt ioetotr  o  iriat teetoeoretaoreeoto ae o oo  touiotrtiataooiae oat oeo it atiee reoetera 
## 
## iteration: 36 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  o oooo  oe tee o ore ooo  a toe t o oe d to t te i t o o  e to te ao e itooreo  oo to oo e toote ooo  oo  ore  oe oo toto stor o a toot  t  o: to ite toot o o too to to oo oto i t oy tore  o too  ote or ot to the oo are  atoo ooo ooro itooee oee  oet ot ao toe5toottor aoe aroo ooro  oro oo tore t oo oo  to o oo t toooe tor oo ot  to t 2o ot totherl  to oo e a to t[to os aao ooee o otoe  oree oo t
## 
## diversity: 0.500000 ---------------
## 
## eott  ors aratore ot too ao oaooo aoe ooe  ae a  oe t ttet te  oe oo to aae ix ae ie tooito ioreo oe ae to a' orooaeit o   o or ate ooo oo ao aoote  aaoooa  oe   aoe  tio ooie  it er itre  oe t  te  atooe  o ae a to oo  oo ai o a ite ito ter to aoa oo o otatereaa oeerie t ooe  e  yoie  ooe pore aoro toeioore oroo  oo oore ooo teate i tooo ai oe tooait oroe a t oai ato oioe orooo to e  too aa ooi o
## 
## diversity: 1.000000 ---------------
## 
## iat o haa traioroee oretooeiaiti oo t ttert ar toe a ereo o r   tiaorooe a iao at te ioe ia ataoireet oi  tooio  oii ooororoer ai  tooee t aioir o ieor oio  totoeot orot toao atti  a oee  oe orae eoe  iooaiare t t taoi ooare to eere totoaie tet itoao  too toroerot ater ae irore ie re i otooeroo eo  a otitt the aao  oo oi ai o aoto oitoette atte at o titaooiaiori oaoe tio itoa  aie aoer  ootoae o t
## 
## diversity: 1.200000 ---------------
## 
## ioooae  tooore ito oteeratititoi ai to oitettaee ae oiaaoai  a eo ooe ter oae  reo ari  iorte ir ao o roito  itar ooara e o ootit oa io i  iro o oere  aoot tit ote aaor itatiertr oerrea i tto rat toira tree ar aoare iaitroeetieet teoi aiooei o ea otea oreaee oarroea  aoite oa to oe arorrooee ae oro a oatt eo ae t otre raoirao ai ae aoittoee ateoio ioo ereate t aooi arotoiot tiee _ oe  ore e   ioeo
## 
## iteration: 37 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  oieerae te a teeerea e iataa aae t t ttiereerar ae a aaeere areerie  ae aere aeerererae ae t aere a aerereae ae ae a aeaeerea e aeee aeeee teeaae  atre ae taareiea ae ter atieer tereere tatiaera iaa arer ae ter ateerareaeere tere retreeeae ae ae tere aeeaeeaerereatiere eeaereaee ae aatee aie aerereaeae tieeerereaeraeerereaeer ae a aaeeree ae tierererraeraeeieaiae a ae areerererea t ae aere aerere
## 
## diversity: 0.500000 ---------------
## 
## reaie ae ateitt te  ioeaoeae teriae te are teeeteraatatiaireerioe aitiriror eeer ae oerertoeerterereitia ae iae orirae a atiooee aee oer ae t a iteeeee aeraeae teritere ae ae t ia tae aeeeri tae aer tareraeri ioeareererteee aeae a are eiaiaerieai teeerereereaiea tererea eeeeaeeiaita ae  aaeeerereaee  aieareaie airoeoee aarer tareaereaere tia arer tooo oaeaoaeearea ao aaeerie  e  irere iie  tieieaa
## 
## diversity: 1.000000 ---------------
## 
## reraiterereoa traraaeiittaaeo  e aaee aeraioiaierioaeaaeteriaeiieore oaiioeri te tia e ei eriaoeee oeaitotittiette titoe areoeoeotitia it ieeeeeeree taeietritia eo e e e otate te aree rir oteee aoit  ioa aio e  iae ae teeit a teo aa titaeoaiiaearareir aerairaee  tiorartre aaierrtoe  oereeiaioree tae to iotraioeaea ie  aatei aaeriraeri tairioiaeiriieaaeaeeree ee it aeeeia t tor totare ai aaererrer 
## 
## diversity: 1.200000 ---------------
## 
## r tiaee oeraiea eaeetioe  eaeertrierrato  oaitori ae  arioar aiaooerioea   iatato aaee ti eoo i teiee tiaitteaioiee iee a eoit atatiartoo tot ter tiraeet e ireitoeaooea oraeae rteeatiaa iaaito ao eeer tee tritereriri  iaaii oieeter otoiaerite a aer earata toete tartiae teereoii aia a er air iieaooeee tiei i  iaa   toeiratra iteritt otereartite ot oiioete aoe i aret ee ae otieaete  tttateeteioe   o
## 
## iteration: 38 ---------------
## 
## diversity: 0.200000 ---------------
## 
## re tte attit aeat o at tat tto to t it arerar ot o t t at ateeaeraar at tt t aeatit tirer atot ao it t terer artat  oo at trat at ai tt at it o tarer at at at aat ar t t at o t tiit to ar aor ar rre t t are ar are t ar o at at at e a ter te te at a tre ite tio tor ar i  ia ar aati aro toree ato ao arti a torat teat tit  t toree e trere t to ae a te it oo ao ao it tart at  te ore a  t att ie t ar o
## 
## diversity: 0.500000 ---------------
## 
## at o at rar tterer e tarat e aree  i ae  it ao  at to aiter it iree  te  oo tea ar air taer ter aite toit at at t ar orero are tatett te taatatatio iat ait  at tatit it r artere e ttr trr oaait ator at ar ee  at ater e itaar o ao are tit t aeeeit e to torat atet t  te te aa at ttee o ait o ar a iate at iaa a  aat attor tititte tt are t aat tt  ai at to tar  t t t  taotat t tatertat oto aeaat  oet 
## 
## diversity: 1.000000 ---------------
## 
## tattoo taa too oeraitar tteaio at itte tr at ar eat aaer ar itiaaiiae e ro ao too  toatiter oa itaear e taarar  aitie ao a ieer ari iate  iai ior  ae t tato ar ooar a tor it o atiireae  at t ttetititttaoaio toreetaet ie r ar  ie rirar  a etear ittte o ro t oroiae rei t tre toat i ir aatire iteeai e roia tetarariitartt oterra at itito o ite taate e  o ar rre itooit atet ititee ere  ite oteat o eart
## 
## diversity: 1.200000 ---------------
## 
##  traa it io erorroer r aiitar  ore tti aeeiiretateiiere toearet e ae aatarit o  ae ieter tt ator iore aer itae taerriie titte toooee aotat erorr aratr erarioiteri oa ior oeaarort ie it aa o ro o tete aiio e itie o t titareeaoaoaoae eote tat  ee tti taoe tat ioertie io o tiaerir tt t ortroeet  tite oretoireoaiitititroaa toie ier ariee oateoat   taro toratiao t iitatt t rarititi ti ri iteit t rtaaio
## 
## iteration: 39 ---------------
## 
## diversity: 0.200000 ---------------
## 
## ratit t arerat it  rot t t ato tertie  artite at te art tarer are te t arertitet t tre tit   t tt titit it it at ere to  tatit eror tite te ore te te t aor t oe te eati otre ret t atrtret are t tert ao  ae are t trtitert t t atite attte t or t te tr itt t ar trerere atrt t art tot ttrat t att o trtree atite t te t titet t trte art trare atere trett are at ti t ot t atit t t tot atitt i it te ttit 
## 
## diversity: 0.500000 ---------------
## 
##  tte ae iot tatititr it ttrte ar o ati itaraoo t araree oa t a traare t ait i totit ore  t aart itte ottoer it oreerti tri aatre ae tere ttre ttiteei ortre aitotrire oa  attita  treite aror ert tot tire treoee e e ae otareratori atioe  trero tr ttoriatteraere tot io t at oar rat otaa  t t a tatrat t ttitit it t tre or tat ot tttetit titatt ti t  t tere at tat ie t tre tatt tete toeretie tirat t o 
## 
## diversity: 1.000000 ---------------
## 
## eri t treiraite  ootiete ireo oa  iatioea t eerare e ie oaoerittt trtoattei ir e erte trit tt oe oiti te artai  eo  ar atatioe  ar taartroat ie eat ar  t ort te ierrao ta tite tore ooatrieritote ora tteat at trtrerett arrotate tritrrttit e te it  ir or a areeeo ae err e tertrertite it ae  are aorit erorerettite tr at titr arireroe  aot tae  or  t  rrerot  tire ioi  or itiieertrae ier  ie to at ter
## 
## diversity: 1.200000 ---------------
## 
##  iite a it eir  tra ae erete  orritiatteioo er ia t te ar iite ierere tr te oooeitrioe eoiertrit tie roa rore titero or tie   te i ioraaoe iteroaoeta ot i reae aae ierr   trteeeirariioe ata t a iai tt at oti t o titrore tat t eo eraoteo  traeitit ii atitotiteeetarie toit r ato o era ter ao aoert e aiieeiaertoar tatrertere  ie earer  arrate tor tttoreiettri orarereraeae a  aroe ere  attoreeatr arte
## 
## iteration: 40 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  tot att t or tate terereai  at aa  at are tire atte ire  at t o t artotat e e ta t e  iti atte e atiree t arerte t ae atita tere t e  ote ae ae t at or atee t atat i a atite ti ee tite tit t a t to te atite tait atit ae io tire t atee it ite ate tte te t eeee e t e at otie t te t e tattitit e tat at ore ati e ait t te te tat e t ae te  ot art ae atte atta tit t e ititit tit atit atit e tate te t 
## 
## diversity: 0.500000 ---------------
## 
## tte t ait tee aa e to atttee tat eee ae ie t t e iatt ire ar etitt ere atee te ertatoe  are att tit ie t ie  ite ia are t tee or iie t ititioe tit  t tie io  ere io ie tere tiree at iere to tiro  atttat tie atti ate  are totte iter ot ere ite artte t att ir ore te te ot ate t ttoer  ooee eote ait e at to atitite te aiat tite tee t ortroeeate atte ott atio tir  ie e tor atie irote te t oe tait e ti
## 
## diversity: 1.000000 ---------------
## 
## itioee tt atee iaaeoe  aaieei  ote iteritieer eot aitte te t aarto riea oiraoeitater erat ta eti oe  orte ttit re toate t  tettrtaeoaat tte a ioe tee rtre aeroeeitereo atit eioi ie tit o tt i att eiotertaat erattittot o troe aore  aeeeite  aot t ot to oira it tro teoe tt aeeeri atae tia ao toret ee itarit ort ae airt ai te to aio t tte or  eee er oo o io e e atee t iort attrotiotitorr aa eitio eee
## 
## diversity: 1.200000 ---------------
## 
## ai te at oat eo ao ia tiii att irto  ae ar ieae ettit ier ttt at te ita o ietateettere ititoe aae rreeit ira t e iaee e e aeea  totaat aaorot trte aariete t ore o aie ie ttee eaoo   toreoieiit tte it iae itettreoi otae toer  oit ar aii  terre eareae  eoeeai oe rtire teoir at ir teri it oot a atee tioe iri iot ai ioae i a tae t  tie tteaie te trertar t tare ia  er taae tt e toi aat  tt  o ei aaeire
## 
## iteration: 41 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  at  oo     at  to to to ta  t  to  at ti   o  te at  ti t ae at   o  at  oa at  eat   aa  t  to atit ate at te  t  it t t  a   ai iat  t  t   o t  at ti e t  at  at   aa  a  i at  it   a  a  t t  t]  t t at ato  i  to t  ae  t  t t    te  a  t  t  t a t at  t   oat ate at  t  to     a  t  t  r  at  at  at  a  o  tt at   o  at ai ti ti  ae at  at a   at  t  ae ti tt at  at  ot tir t at tote aat  o
## 
## diversity: 0.500000 ---------------
## 
##  tore t  to to  t t at aat t t oa at a tt aat  tt t ate t io ar t at it  t i t it  to aa  at to ia   ae  aa ta  ta iti are i t  o  e i  te ati t a  ar  o tt tt  t  t e  ti ar  t tt iaa ate t a re aae it iae  a t  t  t t t iea  at  t  ti  te  t   a te to ao t  ao tt ttit  oa ti atot  a  ati t  ao tt at  to t  t t  at ot t eratit tt  ae oa   e t  ie  tir   at   t at  aa  t at  ae ae airit t tt t tar
## 
## diversity: 1.000000 ---------------
## 
##  t ea t te rit oo  o   ao a  t  a t e aa  o aite titiai t aoe atitete  o  a a   to eao at ati  t  aaerea ttt ite   oaiti  aa  e ar at  at  tteato  te  ata tr iteo toi atite ao aiti it ai  t   o t   o     ai at  tt iaet ir ta t t it  o  aaerat a     aor att a ae t te at  atit to tt o o io    ari ai  aae i  rai a  tio  aa  ttetaerae   e t t rta  att tir ttit earto otit aeae  tati aa iat e t tt  it t
## 
## diversity: 1.200000 ---------------
## 
##  at io t  oai   ai art io t totte ioiti it ta er aa  oieario tat tor e  it tti ar ae oieaoieatert e rrart tot o i aaat eee it e a te  itiato ate  er tao ot ar ot   eai  teeot  oairo t aet  aitatitait tor o   a o i   to at  to arai  to io tori  ter aai oreaeie ttet   te er  atot ii  eroeia  iia ai t irt tot re trai o oae ta a to at  ai eat ar tooa at it tt   i ta aaeeieata  to ta   a   te iitrotit 
## 
## iteration: 42 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  io atiti ti iri  tiotiee ar  i  tit  ar  tre aite ao to at t tt ti  at  ait  at  ie it  ar  er ti  tioiit te io t t ti tir it  to ae ti ierti  ar  ar    re it ti it  tir ti it t iir ai aai ieirtie te ie aetiti ti t at  iertititi  at eo   it  it  ao  tereae ti  ia ire ti ti at otitie to ai tireai atie teerire ait io ait  aiteae ir r to i  io a t tire ti   ir rati t  ite toe ae ae ti aieeioeeae i i
## 
## diversity: 0.500000 ---------------
## 
## r rie ie orere  ir ti arere ti tit ia  e i te at toitiiti tire treatr to ait ae to ooe to oa   ae atitiir tiae ie iie tiitriir ieretiit oiroeie  artie tieiit ao it  at ar io rr  tio aair i  iteatti  ao e ti tit ior ti ti ti  ait taa it tai io ier  ie ii  or itrii  ie tit at  e att iari iar i  t tre aar ir ii  at ooe aat  er  ite io ii  tt iiritieit eer  ai ieeie iat ti iot er  iert are itiittit it
## 
## diversity: 1.000000 ---------------
## 
## eerat   ooeaitia tetree roiiatair ti tt tirt ii eitioii o aot tatiriteoit aae io rerotiete i tie iree it oooir ait tteeritiettit tite t iti  toit ti aaer oo atr ia  it  iee at  to i  ro itrt io t ie a  te atoeit rarto tere aateti  eeri te ttio i   io aote a eae  ar tiea   tit ae ie ttrieit  t oieriii eie aaerer te ireiori ao oai irir io tt oir eo to iet teat titi tr tteraa toer riee ato air treror
## 
## diversity: 1.200000 ---------------
## 
## ite rorie tt or  aii  atai iar  oaiiaiari  rat t er r tao  or  atir  taeetiatitir toa ait io itirttit trere ei at ie    o it io o aaoto  toro ie  tiaetio oriie eio oooi  ttitaeeror ire ee eai torerorte ii io ieat ee too e tai tt aorire r r aieteiario aii ia  t aieooo o at ir r  oo ir  oe i  tat o  ta  ie oiai ai   ra rio  a oi  etio ao tei ieratori r   ioti  tt ie ai  oa e o ti roroetioi t or tato
## 
## iteration: 43 ---------------
## 
## diversity: 0.200000 ---------------
## 
## t o to t o   ot t    ar or ro at t  t  a  a  ol t  o al  t to  t at ore   oer  o  to irt  t  ar at to  e to io to  ro tot ire to  oe  t at e t are  to at ar io  o to tt   e t tto ao to  o  t  or tore  t to to to e  o al to t  o orer ro ar a  a at oo a  o  t  o ar tt to  t o ar tt to ar tore t   o  o ar t to  o t    to are   ait io to at  t to  t  t er t e  o t  t to a  a t  e  oo tto io to are t  
## 
## diversity: 0.500000 ---------------
## 
##  te to  t o ar o to  ao atto atto arto to it io t e o  t tr a  i t e ao a o  r  o aat i t    o e t er ir   o o to  t art aort  t ar t  oot t er t a tt irto ota ro i ar at ar to tot o ere ootto e e  to t t irot o oo e e  to t r  art arer t      o to a re e tre a o   a at eo iri to  rr re e  ro t iro at  to to ta  ot t t r rr ort ooe et r torto  o io ar    o  o e    a ai t e at ari ort  i t tot a ir
## 
## diversity: 1.000000 ---------------
## 
##  to orerir ti t tat  o oo tio o to trtote ioa ato  i tti i o tora te  ior i ae  aert  aa  i arre e airit rar a a t tortie o  iot ete aao to e at eoeoo t  o ie i ioeereet o it orertte  t at eaat o t  ari  t oirea o oe r o i oero ore e eo e e oteeeeoroe   teai tir aree trita or e tot or at et o teo t otoieaeeio  o   raar a rtooit  ot ii io iittoaote ottoe t ar t o iat ereoi e oet  taoi to  iti o e e
## 
## diversity: 1.200000 ---------------
## 
##   oaireroottoo ra erat taitae ore  tte a  ooi ieat aror o   it  ire rooar tore  ott ti  o oria atertoaa tat ar ar  ertie tiot   oi etor tie  to ta etoro ear oteroti tt er  erio a o  tae   o i o t t tor  oe ta teao er toe ei  oooeeoeet  toote r toriio a  o tooari ort ora oratrerao o   i o aro ero ortir   tor  r  tertattor ti t e e eiter ao ee a  o i eoairae oree tor t to ata aa at altoo ort or ioro
## 
## iteration: 44 ---------------
## 
## diversity: 0.200000 ---------------
## 
## io toe to ie  o to  t oit io tito i  itouer    t to ae et art  t e   i  e e to to it  oeto te  toue to ot  te oe it  it  ooe  t  t  to to ee o  ore it ir ou oeor o to t  o ite e  ror toe i   ore  o  o ir e toit t e t or ore e o eo ar r ti it  are  oe tt  t oit  r  it eo or  te otour e  o  t i o ioe te tt to  o ir tore ae ore to it ooe or i  t ei  oeeo it or tor ir re tt or ite ao t it  o  oeui    
## 
## diversity: 0.500000 ---------------
## 
## o tot t it ior ore to io t  teee teoit  tort  ooeiaei i er it ie ito ito i o io erao  aotei itoo ir ii e  atirte ae to at ote ir t  t i ee   orto  or  a tir  to oo  o  e  teeeaior ti e  or  ro ae ae ar i eaee te o  a io io ie it  o  t  e itio ootoortitti  i oeori iteeto e oelt oo at  iti irit or t are  iiroe lot  tatoelee toe i o o  tt  tote aoe tit iti ouit ioaerat  ore ar  oreo atoreato to  tt e
## 
## diversity: 1.000000 ---------------
## 
## o aaa tt  otee toir e oue ot ree iitotato totere ioitr or it eo tlo ia tr  e titoaor  otra  e  oeo  ta rto e ie  iooetoe oto  ati oeatre ri r o  ti  e tat a  a te ooe ore t rrie t toro i to  aeott eouoreo aror ai er oart  ae ie e iaoetoreo ari o te  ot e  oe ao  or  tooit it i   ore ioti  e riii to ttro oe erit ot tr ae at eeorer ao iratitirt   te iooe tr itooo eroeeirt  oeore tareor ee ir ee rt e
## 
## diversity: 1.200000 ---------------
## 
## alre ite ae  taea  eoti aoe ao tia ie to ioror t   3itotii rite r oo iorirrt rt eerro e  a e ie ao to re ar itri  tiot oeroio o itaaer ao ot erairoetie oatrt reit  io t are eeoouto retetr rio oo itit r ereeri ea  o o ie ao ai titeroe oetoere otiteaitir   aeoeero artotteratee to eerreree atat  o o ii oeo taitti eao tiae ro ri o e  i it a o io iti  oo treoait  ao aa aor o iteitintor  ert  ooreraeoou
## 
## iteration: 45 ---------------
## 
## diversity: 0.200000 ---------------
## 
## ar  or tt ar   re to a e t  a  ao tar  ri  re a  r  t  t  ao ae tror  aa  a    t  a  te t al  ao  to ra  ta ia  t  toie t t ar aa ae e t ae i a  al t  a t  al  ae t at  t  a  o t a  r   t  i  ae t   t  ae to at  ae   are  t  at  air at rrore at  aa  ro a  o a aes an  t  a  t te  tar     t a  a  t  a at t ae  ai t  t at  t  o aa ae  t  t  t  a  a  re to at a  t   a  t ae ae  a    tit  ar  ao ae ae 
## 
## diversity: 0.500000 ---------------
## 
## at  te ti   or tit ta so ra or  ae at ae aere aa t tir ee aa     itr rooti it at aa re t  r  a o ar  ar e a  te  ri at  aa orr t  oo  aiti ae ir  ae are t ae a  i   t ta tio ar rir ae eaia t a  i   ae ae tat olo a  ae t ao a t  io t reai t  a  o i ti t  ar ae t  i  tir e  t  ae a  aae ae  ort o e ao tor  ie     oro o ao t t o a  te a ae ta or tt ter ta ar  it t t t t  o ae rie ar tiaaee  a  t  et 
## 
## diversity: 1.000000 ---------------
## 
## tt r  at aaaeo  ar aeae itroatta tt  o t  t  re al i taa rt er tro rio  eatit ore ouit te or e oottie  oa orai  aoa ao e  at ooe aar  aort aaot rit r  oset  ioit aea aarro  aa oeearie  aeia  eero  oe ottrt it e  a o iooroee ee ta r i a  ir it ate ee tae troe eoottrt totat ou t t  etirirre  o  e  t t ao ri t o  aear  to ta  at ti  ae  o ae tit iarre  at io treae ir t aee aeia ttriro artr aaaa ai oi
## 
## diversity: 1.200000 ---------------
## 
##  tot ti r a  ooe o r  ra i loat a  t a t i  totiere torot oer  ar r iiat ioaei  toia o aio io tiri itre ree trie o oti erratiri rrteaiaore ai ttr e it a ae  airrt  iire orioroa  tr  o ar  are  ro  ar ate at toaiee rr a tit  ta  tt eooare  ira t ie rre ot at raioe to et aa  r erito  trr tao ae tto oaa  reoeertea a it  a  it e  e ioeartri   trie ear  ro t o ititiro iat r ra  oar eeatt iotiaio aa aea
## 
## iteration: 46 ---------------
## 
## diversity: 0.200000 ---------------
## 
##   or t  tort nrorter or  r  in toot ar  ootrire  o aer aesero rere aor toar at r  it  re e ar t tin a  t at r atae o t t  tn a  to at to tit  oe tor oee t  to ao orere e te oo tort  tat  re te otrt oo aertoae ar  ao  tere  to a    t  at otieeite te to t  on or tere  a  ote ao t  t ae o to to to t  ao t  te at ar tereror tr  to ti  o tir  o  ot ae ore tor  t toori  tor  oo  non o ar  tot o te to o 
## 
## diversity: 0.500000 ---------------
## 
##  tat ae re aareeittote t oitt  taore ar r ert at ere ira or t tn aore trat ii a ai tea   ert ae tot i  or  to oe to noe it  iou it ae te ooro  a ar  t  t  t er t  ioarortoo an ar t  oe art  aiarear toal at ai ri tar ta  oo rot oreraitato a  arte tie ar re  tt ae tte torat   i ta taare ar i taa oir te ooar t  iorreenoaten ar tiora reo n aat ot arataitiaeat one aeto  a  toe tit ie a aortoo art  oe  
## 
## diversity: 1.000000 ---------------
## 
## te aate t  rrro tero atereoaaoreae atatort er e tao eaeor  oat rriooa  orr iee totteriao tort oorror   it t re oo raooin oorto  iterrot  ae altret ioino  t  o te o tio s trarnaae tie  otatere  a  tiai aier aeoarrtteri ererirtai ito oe or t tiier eoeire ae t a tto iror o  ao tier terria rore artoorere  t  rooa ar atiar  roatre  arerrreeaaiioeri tetteraee eare  orritree aeiaeot tr  ioreiot  tat ar  
## 
## diversity: 1.200000 ---------------
## 
## oer iirorrarre t trie ioe aroo oaeetaaorir a a  e o iiera oe ai orore eeotortioerteo iroi t   otorotatit  oeieote o reeai  in ritoeroarier tri a teerai ttittrroaatitr eorrteaiooaoaiirateta er or  tier  t ieie  anoi tio  ee eat ote sao itir  itrre tooreio e oao a  aot  eiri oiroate rerr tinrett o rorr  o iot  tin oo o e aitate ntte to t aeiitertiro in  torr tii t er  se tote  iioaeetite oiatiaerio 
## 
## iteration: 47 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  aore aair ar aaer  a are toorere aere  io  ae oa terear ar  t ae  ae ar  ar are ae to oar  ar tooio aere   a ie are t or  a  o toerer ireae  ar aer t ae ai o  o  o ae oaioere irere tere a  a  iore toe t ae   are ar  are aer  ae aerer  oere ae toeere t oe  re  o tr ar are a te ae io arere  tere are ae o toe  o  are  aa ire iae are tre  oe aae ae ro ae  ar ae  er to  a  ae a arer ae ar t a  o it ar
## 
## diversity: 0.500000 ---------------
## 
## ao aroe aa ore aaairre  ar ao ere o oare  aerire  ae at ariatoraa  t a aer  a  oe  a t ro ta  o  e it are  oaere at o oireaerire ti t a   tiaere aoo aa  ari ie terr t ire ere  oe o toe ae ae ior  t ae a r te ter ar  o aaio i terer toaoiaiere  trerereae o ere a are oe aoe  a t i to  o ae ar te ioriaer arre  aoe eaa oa  are  ar ae  er ae aree toer tere ai  aatar io ar  ooea te aa  orerre erer tererr
## 
## diversity: 1.000000 ---------------
## 
## rater toertea  i   oia ia t ore o  oaerere  rtie oie  ie toror oe  te irere re eaireririe  to ere    ae t a aatir ae oer  arae  ier  iore otitie  aaere ito aere ri io ioe eare tar to ire ai   ea trraaioe toaie  e to  oe i treireo taa ir aeae iaarroeriea iriree io erie aa aae er  io terier tre  r eri e aoe iaae aa tioraer  oa o a ti er oiire aor aetaieaet tar ae oaiat aaaero  t t  ot aorer oe irae 
## 
## diversity: 1.200000 ---------------
## 
## oiorae toraate aae ieeea aati ia  ar ar oerir it oio torrterritea oite aer  ieito ai ie oaaere i rae t    o oe raeroataer ire iotio toaio too tr ea toerotirioirtrteater i eo oe eo e aaati re toeie ira art  oi ere ae ee tit ri ie  teroto ooiaeroe a aioa ieer  iaaeate raereret te oo i iritroeaaiaeo tat aa ieer iat aoea  ti  aaeaare r aororee  e eiattret aeo aroa oe eaee rioaeaa toaaeroetoer te eaera
## 
## iteration: 48 ---------------
## 
## diversity: 0.200000 ---------------
## 
## rer tr ae r ae aer tie ae ao ae ar  t t at ae tiarer  ter t ar  t t ae  ir  toe at te  at at at ao t aat t a a to a t ar at ar  a  t  a t ar anare ite aa t t ti a t t  oe aa ar ar ar  to t aae  ar  a  t t at are t ar tit to ae aa  t t t aot to  tiae ar  a tore  t t ao at at t ae ar  t ae toe   ae ar t ar ae  a  h t  ar re at t t t ie  ta  oe tarir ae  t ae  ae  o  at aaa aa aa t a  e  a  at ar ae 
## 
## diversity: 0.500000 ---------------
## 
##  te  aie iia ra t ae at are aa rt toe  atite teae aar ar  e are t ate tei te  to tetar itre e  ae ioe t arr at ti t re ere o aere tioi e raetit eiire ae  o  arteer  na e  t tee ao o aer t ae e t ae  o t  t ait roare air taar it  a e  o tore ar ai  o  aa  oe a  t  i aat io  t a trre  ae ir  ar  ao a  ae are ia  ar  ae e t t t or ti ie eitere at aae tirite t e ia t to  io ir aer t t o  t taer  ar aa
## 
## diversity: 1.000000 ---------------
## 
## er tiii  trtt it rreraa ti ia ta  o ti t ar atare t tere  t  aierr  itiera e rrareoro  ooieee areiaa aartoe i  e o  ie at  a aat oo r   ott te  aai te ita aat arerto ao aereio r  aeai on ae reataeara toar  e  ar eaaate oii toeriraoi at  a aer t tit  t tt arrere er ee tit  atoioiiiatatteoe toi taa iarirr titiie ar  aere t ioo ae  e toor e ai oia aaitiert aer  o  ait ao atrteoaete aere ritit tttiite
## 
## diversity: 1.200000 ---------------
## 
## erie aitrre iae a  i i  t  oaat t ioati reit o earoeite to ti ttoei ro aatea ao ai  at aio ir aa eoae a area rra irara r atao  ti  eeerri oaireoeair erireoa a t   o aoirair ii oir ie eoe ra ttteaaeeee it t r rii  ia  o ooe  arrrtaraatt aoaraear  a  iae aoret te   ioae ee at e  ae iirite ati i oai   o ar ee aee tri iier  aaeieoio ir tereae ere ioerree ta aro totere tairoi ioeite or t ia  i t e ree 
## 
## iteration: 49 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  oe ieee tie ie iot e oe t ai   to  e e e in teeere ie ie tie to ti  tte ae te to er to te e it te tee tie  t to tire te itee enee  oe oe ee tee to oe aite tie ioe  te to teee oe t tee tie ie ee o  to rt o  to te e oe to te oree te e teee ate tite aer ee  ie oe eree tine te tite tee te tee to tiere ai tee iee ee ite ion toee ar io to te ioe tr  tierenee  te e  aoe i it  oo tee tie  ate e ee ioe e 
## 
## diversity: 0.500000 ---------------
## 
## ere te ee aite otie ore oee te oeie itree toe e e tee e tee aire ee  in ai iriteeee re ere orerr t  ito teeaore teae ite to oi  te aoe t ee ae it oe iti in ie ie t ete atinre e ioine aie  titie  tt toe e ie ior te o e  ae ateea te  ear toe te eee aai tee teee iie   oitee  toe  it itrei atre ito  oor atiee ee te o  e reteoin eti ti totioie  tet itreir io o inee too iro n reree ae tatotere aot o tt 
## 
## diversity: 1.000000 ---------------
## 
##  te a reate eoooioeee ao t tr  te teere ri oo oote ee ae aoe ae toe trtoe tie oet io tieirie te toriooitioie taeoe o aioi eot itreare ee o ite a teieo toeorr  iite eaororie ar ie arittir aree it ie aetaete itioier  ee er rooit aeeeoo iitioett e eaoee aee ii oone oo e toaierete ae i r ir  irlereotiaot e aet oetotreatorioeira  teeee tiioieo eraeti  tieeiortetite o teae i itte a oe or ae oo ti eariee
## 
## diversity: 1.200000 ---------------
## 
## e ir ttto et eerae re etoeoreoiinr oteeoe i  atire te aite oerti otrtteaieitaite oe t raeiaeoaer er ite ttteie aereoote erie tto aioteeee  e ertitireiine tiaeite taite are aoarttitea oaretite orto raieei ro ati ir  aate toa  ieeeettei ri ai teiooo oe teoee ioii  ee attetoioiree oeiae ito ieo  eortoaoeeaerarreirarae  oea t ta ae ot aro ie a eo etririetet otitrietea ot  aeattoee r reaoeoaeteiieire i
## 
## iteration: 50 ---------------
## 
## diversity: 0.200000 ---------------
## 
## tit it tont en tet at tin at ato t ae at tn  tot tx t te to in t e: t e ts 5a it e at a  oo o te o t  tt t on t o  ale t toe2o tat to at ar  ao to a  tite o t toe tee  tot tit t1en 3at to toe i  t 
## o t to t ao t t ds3at  o t t at at te t t 1 ao at tn o1 toan en t eae  o er tne toe t a  t t e  o o t  ae  ae at t a3t tee t t at t ao a t to  t t 4t tle  e 2t to t at t  ins qout t t t e t t to tt t ai
## 
## diversity: 0.500000 ---------------
## 
## eae  ott ttt ae t tit alle  o ai te t ao e eat taeele e re tot  it re ta  i e in  o rit o  it t ot t ae  tn to e toi t enes t e o t ia  io t xten toert  ao it  t ao  o  tt an at t ee to t e tin ao ee at o t taano ene at t at ao ae  o ot to  t int a t oe aeae einnee anat an at at  it elitit it to tit  oe e0 éa(ae  at ti e e tne  at t titae oe  n to tot te a  oi too to iarll e tte t t ao to a it to 
## 
## diversity: 1.000000 ---------------
## 
## et tro e e itt  it it iin a  aeitit  oa tr ortaer o a2ate  ittt ieatoot eoa ae  en eltai tiat oraretiotaitt  reit oto arr  ttien ire it  t ataeeee  aieo oti oi aa aet e on initieeitee it ot o  at t e e ani tetteae tee aotio  in en ioo ao tito tr oat tl tto i  at te tiato eaa e at  tooi o eetin roe  1heoo e in o ari  nttoo ea aittt ot tt e  aeen r raesar to at i aite e o  otin ae t traio atree o td
## 
## diversity: 1.200000 ---------------
## 
## tir oare isint  te a e titrefooa er a in airt ot et atoat a iat aaineeea o teoer oate otretaeieiat eete r  ati eti t aelr ae teoe or ati2 tr enei iinttt a e r itin e reeteattioe aot o  ee  tolio einae ttett io oarer tea tttre tooe iiet aoritlt ertitt a ttoaa ar  iiion o t in eane  iiotro qt ae altasatitiot t it ren atr to e t ot a  iilo antro artt oiit oiritarttttoe e  r r e intea  aitertarate ee 
## 
## iteration: 51 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  t e t a t c t i  t  t a x e w t ite e  to t e tir tio ttae t ie ttit  at   t tiy t or e it it e oe   t in  ar ttiter t 
##  tn t o te ae te  ar tie  ioe e ttit te e  ee ttiee  t it ee tt t tie tte a el ti itie er  t i  tit  oe  toit ttites t t or ire t ioit o  ae oe t it at t  t e  te io t xie  o it t  t iw e te te  e tt t ee ar or  oi iej ere' r at  in it  e  e  tee er te tt t oin e  ae e e  in'e  
## 
## diversity: 0.500000 ---------------
## 
## e it ir tr to t e aeetettioal a  x  oeition in  ter tin t ae er ere tik   are ir  or t ir tat rer  tt in t in _o   ir  o le  te  t ar  oin   toet toror in o itie=t teree it eo ot  in itt tnen oo t oter ta e  at in te i  itoenet s eerat ai e e t toiea itirt t er     e ire ir  e itioit ae ee toa   ar in oo o ie  in toi e  re t ir ti ere or t toe toereier ini a et ainee  eit t to at e ait ter eai tit
## 
## diversity: 1.000000 ---------------
## 
## e orrte  ottrt iteeer io  o tere aie taeear at oa to titti at ee oit ine aetet itiin oo ktee aoat o   r art eteneit itieit otoieioa  hoet tttatre toee tiinoit o aee    aa e ae errtit etat oeoine iree e aitier  atettaes t oie rr t ai   tiaoin r eeaa  teeeee  roe o oeot a eeare t t erteo eeoeteo aeit oit  aatioioaei  tett ein a toot ain ra ert i-t itit tot aar  oe r2 ate ir  retreeore air  tee irtt 
## 
## diversity: 1.200000 ---------------
## 
## eo aoe inio etireoitee eoeatre  tait eei ieie  is o erot aari iar  en  in  e iroaa  att oi  t r itittteino ow ererer o atrae aee aieettiraior eriaei;et artoteao eiteerotirrre iooe aoiin  irr eoioo tir et aatioa a a at eae t teeetttin eeore iiirea  tlineor eratre iiitr er tttitiait itt ae  ti  aiiaito ao  inttiee ertitovar  inaoieatit o reat et tit  tntoerer ae t t iin tro  e ies toeot t tot oreire
## 
## iteration: 52 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  ar t tooe at  oe t to tt t n to toe o tore ttot o t e e o a  t  io tortoe  to o tot  ot te toe t  t tte ttoe  o tne tto t er tqoe tooo otou to toerr tot to t o toen  te  te t  t oe   ott to t  at p  toe tor toe too orteor tat art at to aoe oe toe t or totte to to atrt o  oe to toot oor it ar ot an  a  ao tot oe tte  oert  o t ' nottoe tnn oe tner  oe to to tn to  t t  oe toe  at  ot ore o toot an
## 
## diversity: 0.500000 ---------------
## 
##   t t ttte trt   ae er oe   to a  or t t eea toatt to o o oe titoe art oe  tre on  toaare  t ttor t at er  _i  tter ar oar re anteo= or iine o in ate tne itorte oete tire tn ao  ti o a  oe totio  ottain t oere tot otat  oe ttr tn a ateae ao   an  ioe  ar t  ore  t on t a aa toe e   toe  e e  ar arto to tr ento te ao to  at it oaito ttont  ait an aoe _ t at t o o  otoo  to tare t o ao ttrier o on a
## 
## diversity: 1.000000 ---------------
## 
## traatteaotaei   o on  aoor t t e t oren otaei  raorare attir oeaa rtt itara t   t aio inoitate eeae o to ootroe io anat oreato oe e innte e ore iteiteeoatrite a e oet  a  t t rn titrat oa torttinntre to    tna toe e   roaotrat  aireror an teae ioeie  roaat t o o t rtaanarrt otirarret a triin tn   orrt toti aonren oe   o a e ait aorto oe orerionrto  e oit tre toroaroerao e teaitoti oerraer a  iaeit
## 
## diversity: 1.200000 ---------------
## 
## e teetee ooaotr reet oe oeeeir itortit   e te  en t  e  toa toe ooteea   aroeiatait ter ttetairiroroeeroeteo toartt  orotaeo  aaot toon  ontt ooo atottaee iereaoerio r ioeato iareoarrteooar o aon anaaaiaioer ttree atre oren iaetaeaarrttoaoaet oe aere eoetaotr ootio et ir aa rtoe aooioaioteniroa arttre i a onat o t rienett aotaattae toeee ae aeetio  aoeitt  ire taetr inreeaa aior oi oi  or aon tooa
## 
## iteration: 53 ---------------
## 
## diversity: 0.200000 ---------------
## 
##           o   o   i  o  o t  in t  an e t er a tne    e        it i  e     o tn arn  ae  t e     o t e  a   o     ar  t ar    t    e ar i e  e to  ot t en     an  an o  t i  i   ao   o in  a tre  o   t  ar      i     i ar e  a   t e  ire   o t  ar   ir  t e    i  ioe ae e  it tne i      o   i o ir  in t in  in   a   it t ar  t   e  ir a i t   e   o tn t      at o   ar  in   t inr t  o  o e at a t 
## 
## diversity: 0.500000 ---------------
## 
##  o   i ir o r  e it e   i t  a   e enoeo tor tte t  e  oer  io  ai  o tn in    t te    e inne in    r     ir o ie t t     ire te t ar i er  e ar  oe   t at t ie  r t  a  ar o  io attin  r    e ti t  er   o  e ia e   ir    te  a   an i t  ti a e  it e   ot t t or  e e  ini on ero  an io or  o      ar  tne o t  ar  an  o i t  e r  ar   en         t       i ie  e   o   e ie en ir  oe an  tre ar  o e 
## 
## diversity: 1.000000 ---------------
## 
## oi t at e o e en t i t t iniit  e ae  aoe in  i i in e   e r ar  aoe tarnrat t at ar oar  otte  tiin t eieo tianeaei   tie  toan ie iotee oa ann o a an  o iioo a toetta ar  oattoer iae  irit  iia rt t  erere t ior rit    r ti ea  o r ere ro o  en   a t to or e or  anneoe    o  o teentt   o on a t e ae e o   ie ati aatorin erere t eio at ien  t eo aie  ir t onit tnreee rn   i t ier  a o in  rt  aer
## 
## diversity: 1.200000 ---------------
## 
## ri i  e it oe iieoortn ain iteeoere ie   otr at o ei t eaineiti  r   a  o r o tate ee io to reere ar e  inaoi riore i  oria tt tatee oi ioaeir oienoeie  tai i e o oinre  tt a re iine re rie    e ir erttt t ti iie  in er at aire rr tnotoe iaiio tierene  e an aar ie or in  e r  t t e orrrr in atrei te  toetinr in ini t e ott an er  ati i to at   oe e   ar t o ot i ien e e oe tn  e i   oee ea on aare
## 
## iteration: 54 ---------------
## 
## diversity: 0.200000 ---------------
## 
## o t ae aree a ot cor a t ar ar toereraore ar trnaer ae ttere ararrternoe t ano  ar ar ar r a toe   or ar inaer area ar an tnerr arr aor are ar traeerereer an treor e anr ornar nrern ar nr arnar at atear t ar e er t ar or ar ore t o arlo to trae tnere  ar ar anor aano tte an  an a  gr arar  aar on ao aan at on or anat an  oao an ore ar ar arr t ar ar or o er ae an re at re rr aoa arere ai t antaon 
## 
## diversity: 0.500000 ---------------
## 
## r arr ir trt o o aoneer or tr trinan r anorerin ao ieoer a  to inr rere oe aioeeo ar r oone aernoetoar ar tin rr  aonerre inat t or  oerear tnt or eateor n  an e ra are an te a  o an aeneor o   aar an  an t aerat re re aao ar r aoerine e r ar aeragerar ore nrorer rere ar anir re  arn e aren t tto ro  t o  erartaoereart ont anor rrer arre toer toanor it ertar ar are at tranoat areetro arrr airr  nr
## 
## diversity: 1.000000 ---------------
## 
## or areee inatin inro arae re ee earinrerinrine rtit o    arntorere inao rrtaanei tet ttt e  t atine oae t an in  t aoe antoatreenr or toart ooinrai t aatro oreihaeroiooto tiinaa eraeir aoe a teno eerarai er roriro reatitrtr ea  tneorant ane inarre  ton taarit oo toe  o t aaoint ar teereert o etrenatereere o ere aneratoe eoin 
## ooreeot art to t terte ota inh o oroan a inoae rinoore irtee e ti eatraa
## 
## diversity: 1.200000 ---------------
## 
## ioiae ooorritno e in arateineato re eeatirtrio aio eea t r  rer tin eee inr  aaooe anrt a tinrorr ar ettoo ta eo ttio tr tr trrinae in tn  ort o  riret ttoratintaonoio arr aa tr e erin o ororra ter areee te a or r rtinrini in o oan reor or er teeroto ortr oaine toereeina ain enrainaire  in  a oinaaanerine anrae reeeoi aarre oato  inie r rotaat o  e oorrit oreaarattoinirtrae oareeoran  or e oroeaan
## 
## iteration: 55 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  tre ere rereree arererere ar ae erere ono tre ee eeer ere eoe r oee a t eeererereree eereeee eeee  eeene ereeeeeere ereeereererereee ereeeeeeee eree orere ereeeeeee ereeee toere eoe treerere errete e er toneeee ereeereeeeneere  rereeeee ere or arerreee oreeeee areeore inereerne ae aneree ate eree aee are aoerereeror eoee aere oreere ae eereeee eoneee erer treee oeeeeere ere eereoe ere ereoe ee er
## 
## diversity: 0.500000 ---------------
## 
## ee ere inetieoaerer en  oe aot areroioe erereer eee e eeroreerreore ae ee oere ar  ooiore areieeieoeeear  rene e rorerererreeeree arerere areererieeeere at e er  e eoeeene erer  er o oo irerenrt ir ter e e ere erenearereeerereee ere roereaeeaeeie   eeoneeer toreerie eareern roreane tnare  reatoerereeerer o eoo rorer  oee nooe teeoeeerin eoe aneat e eneaer  oeroan eeereoer o rereereaeeererere areee
## 
## diversity: 1.000000 ---------------
## 
##  ere  oo  oottetoetreeen ree ee io aniereaoree ineeeeaeiere rerorteerteenroeoe roarire trteer e inereeee irete eeneeooerri aii iterere  erieo r tre aeoeererroiteoine rte  oeteo oe an  on o  itiatatieninneoreaearoarr oor rirerineneeair enr oreoe aono eeneor  oear o ooner trereirtaertaietoreora anertarettno raniran anree eineoriot e oee eeare reaeero otireta onorreie aan raoeere  e  eai rerrereeroor
## 
## diversity: 1.200000 ---------------
## 
##  ooe aei treaeaneoerriree eeenoroaane  ree   aritooe artoaeranerereerte a oe er treeoeat rae ae  tron ee i o oinate eaire erraii ttonatean eoe ann aaaer ort ent ore antaerarttoreeee iairorteen ereo rreot ort te o an ar aainrtotr i eeinitrere entineataon traeierer  on ar   oeoaaraneitinatiretrraonae reriraitiert aeoeraoar intttree raterre ine ae anenaneorr  a   t inneo eteoeoeee reear areettetoeo e
## 
## iteration: 56 ---------------
## 
## diversity: 0.200000 ---------------
## 
##   rrertr re ir reer trere in er  tinee rn in  or trreeineere trer tein  tie aerere rte trneetere tere itier eere in t ire enre  tie erere tne rire tre eree trerererierteree treere  tre tne trere in teere  te re ine ereere e tne er  ire terreerere eee trerere eeerre t trer ire trere are teerere tner ere en terre  erer ir in t r ttieereeeeerettrere treeere tr  in teeere ine ire tir  re tie treree tt
## 
## diversity: 0.500000 ---------------
## 
## re in aite rner t ere  teeeerre ereaeireor aree  ire ter ir  tntereeeoere eerttr re anrir itne  aioeinere trar aererere tate aeeerereree irite ineteeeeee toe aoin  artioettere orrerer intere tere e  n in  te ire ee ee atittetin treatite tore tno are tteeritreri  tre te t eee tnintrerettiee re  t aree inriner intere atiereer territ ter  e tere  te in itoere t ore t trerere te aiee  ot  rerte arttin
## 
## diversity: 1.000000 ---------------
## 
## it ina t inootntaion toeintie teeaerer ariinertire  trreonieto ietero raeeittor to to at in on e ee ere inrrtreein aaeeto tenianeti  inte onaetantittirte te   iiarroteeooeereeiintoei ireeii iei ro  tr oerro arr erieaeine  at  oiir irireteratteatri tr tote toe iat atn aoteoireiinaintirei a irooreitattere ro  ine tt ar erettrreao  in inain e e treor  ttt ariteoe ire  tin o oir oneeanrteti iniene  eo
## 
## diversity: 1.200000 ---------------
## 
## toe troeiinaeetoo in tioerirtinoe  aortre tiorre ree i tin  trerreaiatrt rer re t aitint ieee o ae eeo tre  atioti t ee  ettatrit i eire anittreeintoae rnere  reete anea rnrt in teintereareeaiitietinrnr t ier otianatee to oreroeit intre   ireierrttirrreer tatioe are  it  ore  inaie tirriontei ert oioino tieietr ar ie  iteatio er oin te  io  orintinataie eine ttierititeet  toetin tiro iaraeet ore o
## 
## iteration: 57 ---------------
## 
## diversity: 0.200000 ---------------
## 
## eran ti it aae tn tte ttt tan t  an tn ar t ata  t ttrteae taee n t e t en at t ae ore t  an ear at te tt ar tt  tn ar toati  it  at  tt aa attitt t  tt a ta atr  ao t at tonaae to tin tit  a t are tn an an ttnnt t  tn tttt at tao  tt t tor t  ti tt tertn ttaatat at tee ar  tne tt an ttin att an  t e at are tn tn tie an t  ae tan er  tie  t at at tt tiitto tae tn in a treato t tttit  atat aor t at
## 
## diversity: 0.500000 ---------------
## 
## iintr an inaaere ttr an oitne ton inttrte aton a  iti tatio ttoea rte att artaee t ttri  ton  are at totane atoaa  tttait in  t e  t  an an tn ea  an ane r iner ae in te aare tnearr atn aae  an  in intee ie tna t tn aetttoat t ttae er  t o trt  ttoe ara  ann ane tin tne e t  irtt ittea io toart tat te eane aeottt ati ar taotnarian tr  re er in an t teaoat  anaiatttio teetn an an trat tore tnart ar
## 
## diversity: 1.000000 ---------------
## 
## o aoa a tn tn tn ar ote atn o  taiatit oni eneeat a  at itiateait at t  tin   aanoiterttro  to  in toe oa anretri itee atr ireee  ai t ta an teetrio re inaa r tn  raii aner  ainon te tr teo in eaa aara t tott t in  ttr   aee r orira ti ete arr ttaerer tnreroti aeereatrat tato ee eon e ttran or  taiaeta in aaattnt to at ar  are tnina en anaa i atane an tnr to aero  anaioieaar ti ae en inir  tneitat
## 
## diversity: 1.200000 ---------------
## 
## at rtarotrttio ae irrtet ot  it etrean riiterrte aot et inen eaorir toean it rein  atitaere  oeatt itantaonararat aone an e inttit atrei ttti ti taereiinin aneoetiaraeo to aoe te ininr a  ain ar aritt tiertretn at tinrotooeto o irioe  airairtetearittn t  o to e tneeo tn eiein tetiae ian titerio aa tt tiaartare  taaoaatre to eat otoaraien are ttteetteniraotar inr it ate tneir raritaeaere t aon  ar 
## 
## iteration: 58 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  in e toe  tin  t  ton an tin  at tor te in  in  on  an t   or at in ann in oe  in er t an  t in in tio  in  t ttinn otre  re  in er  toon tin  on  an  on   ion e e  an an  in are or  t  in ti a  t     to  tia     on  tir  o  at ao  ar in in  an te     rt ton ttio itnorti an  t to in ato  in aon aon it inno  tr  tn  atn ten  oe e i   on on an  a in  an tin  at to io to inn tr   an t in  ir   aorin
## 
## diversity: 0.500000 ---------------
## 
##  or  tnin r ot ir  oin toaioninar ire iono tnnintt an e t  tn   on in  erereri   ttrn t   in  ae inio o   tn  io in oen  tre ir tin tt  tnae to  oa  tn eninitin  ar   it  or  an to tioetrt  anain ioio tin e entie ate   in ertin inooe t  ot  on aane erertin ton toit  tor r ioniro  a  at itin on aen  aon  e ttaninee ioee tinin ton taenin in  tiiot in  et  o te in atinin r  tor o on  ete  oearoei  oe
## 
## diversity: 1.000000 ---------------
## 
##  a  an  t inron ai eatrae re tneain aoo o  oo toe  inaaeaneaaroe e ariaeotin teio rra aeine inte ain too o ton toittini  eino   trine eatteinre iio  r tinninar e eitrt e on terontntoor ii o    ion tinionittie  ooent ao in o t  ainn ine a  tenatie ir i eoe ato oato i ao ore enrea inio oo eio at in tientin aontaei  i  ene  oe e tin aan rr ta re  a aenrei    erene inot  oroin ine on ore torr intin to
## 
## diversity: 1.200000 ---------------
## 
## e arr in inaoo oeo ionoe arr  e tteore in onot o eartoien  onaeoaeeitteinraat otoroetntroeiea  in io teateieearo iririan oee a t taerine tnranain ttinntin ienrare aeratiotn r rit oinn  re eretan e  tar iniin  ee enene  o oar t o  riain e eain ori  rnan iora   tir ir t attit tee in ti to e ti ae a   in t  tr  in re raneteio ate aoeitanort aan aroinoirt  ea ennio  to  te tnioe in   tatini oet ooroar
## 
## iteration: 59 ---------------
## 
## diversity: 0.200000 ---------------
## 
## e tre or t  tt tratte tentin titin aree enren anr  in e tt ton ttenttatt onee erer erern ir  to t er tt  oe tto orrer erenie aone a  enr ttener t   ee ere erenr errnttn tonre to tren  tt enterren tt in onttenee tin at an a e enn in tor ton rar ee tt ertor tto tn  ttin  ton enttrennentr ttren on anrenr  or en er tto  eoe tn t   t ain    tonto tn   tone a ttonte er   t toer r ttere  ter err rr  tee 
## 
## diversity: 0.500000 ---------------
## 
## r r ree r t e intoe  it eonoron rerorot ariiet  oo att ieaa an atr tn ororaon to innerreeo aneono  aor  t eerttrne tron tt ot ererin ertn  oe  oten errnt e ton in te atte te iite ren eeraton ettn ttio orten  in ton antinion errr ten eeie to te rror tin troe  anton ro tneee irt trn ron n  entern tre trternrit ee enn in on tteenentinritiinao are  att re  tai  i in ire to on to  e tor e t ine  ttoror
## 
## diversity: 1.000000 ---------------
## 
## rr tn  eeeatinaeon  aaretteeeer i tean tterionttnreientreeneeer  tr enenio ooato it eitenatio aa oatenarrtaet e ere tatrin  er an t en r  to eoon arenttreintoe o tot ette ero entirt tt e  ine aer o i ira tererar inionat orr  ttnaeeater oneo ron io  tieer e irtor e tanrtraatin ini  atriirerar oeoe tit r  onairenottairereneire  anert  tto aeonoton rireenorioe rin tero otr ti  en ee erono en irnt  an
## 
## diversity: 1.200000 ---------------
## 
## otit arirtte enion io oe oio ooaiaer  en eoetienoeiietreonr e inatatrean inorerto iniarortie  o inoearaa oe raenater  r eonit intir ttinrttoninean  oae oorieeiinarontor tore ie orarrt earet er eaenior eree o eaain ton er teorentort et ar tin tr en e aon atnte iotorniere tineoerrtrteetonentteronereaairerontton oorte intetaeenotot inertarinriritrtaoneoenotron ii  toee rt t eantitaoee retteooereeaiti
## 
## iteration: 60 ---------------
## 
## diversity: 0.200000 ---------------
## 
##  e te ten to  at    te e e tor e  rae aeeene ar  an te e tee e or  or n   an e er te  or tr ererer et a terrtte t e  ae oo erere  an e  e  tin ar ar tor an an  an ar tte nrer  at ae  tnerree ee  e ante an on et   a er t e e  e aan  e an an    at t  tre   at tr tt er t e  atne n arn te e arte te  t atien e tn   eten  ar te n er  e tr t ane te ere tte  atn ere e tae  t e   o teee  ere aer ea r e  er
## 
## diversity: 0.500000 ---------------
## 
##  e ee er trene ter t e erene  er  en  ter  e an   n in tnotreeeno t  oent e tnore ao inttnot t  orto  ane ae  o a  ire onn  eeraneoerereee tonn eaon  nnrine o n  ta in re  er nr t  in  or e er  t ornat trae re  ertni ai    o arererre t orereienr in  oene an ertot ee r aenr at oren  e  e tn  anre aror r torn an    ar  tenr on t atror a attar tier  ere ae oe raeato r  ot  n et  e  ar ate  oe reer re
## 
## diversity: 1.000000 ---------------
## 
## r tn eraeiint  tnor trire an ane  an   rnr r iro  taree  ae o  e ee teronnen oranin intrneetanteneani er toeeent e   ranntor itren aaeee teneenrantonr rer ttar e  i iatiea tae o n e iraote ntraeteeenrere aentn atrta re aoneanert o inerere aoto int inare r tana tointr ior ene e erte  e  aarr iot intane n  oreie oettetenro neare   ae n r toene itinoorr on oteer ontreraeoro  te t or  erenoe e ta torr
## 
## diversity: 1.200000 ---------------
## 
##  e tnentor oe  antineinee ee er t oat  rea e ean n  o e trartit oe oreer into ieoeorrto tni ater ane eto  ann atre er  rininri  oen aioiere tti er en  roeaoone ao ar tooo nreneeae t oori o  ern n tatn     in a atie rtte tt  ertnr arr rraor oaotnan aoeeatee   or trir r ee a  teei aee eon in re rr tee too taen  tao  t  tertoet atn etiteo roteraat aaaneorii tie   o t etreneooe inaateton  ot eeer e t
##      user    system   elapsed 
## 20555.129  3197.186  6598.805