{ "cells": [ { "cell_type": "code", "execution_count": 19, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "'2.0.8'" ] }, "execution_count": 19, "metadata": {}, "output_type": "execute_result" } ], "source": [ "import keras\n", "keras.__version__" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "# Text generation with LSTM\n", "\n", "This notebook contains the code samples found in Chapter 8, Section 1 of [Deep Learning with Python](https://www.manning.com/books/deep-learning-with-python?a_aid=keras&a_bid=76564dff). Note that the original text features far more content, in particular further explanations and figures: in this notebook, you will only find source code and related comments.\n", "\n", "----\n", "\n", "[...]\n", "\n", "## Implementing character-level LSTM text generation\n", "\n", "\n", "Let's put these ideas in practice in a Keras implementation. The first thing we need is a lot of text data that we can use to learn a \n", "language model. You could use any sufficiently large text file or set of text files -- Wikipedia, the Lord of the Rings, etc. In this \n", "example we will use some of the writings of Nietzsche, the late-19th century German philosopher (translated to English). The language model \n", "we will learn will thus be specifically a model of Nietzsche's writing style and topics of choice, rather than a more generic model of the \n", "English language." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Preparing the data\n", "\n", "Let's start by downloading the corpus and converting it to lowercase:" ] }, { "cell_type": "code", "execution_count": 21, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "Corpus length: 600893\n" ] } ], "source": [ "import keras\n", "import numpy as np\n", "\n", "path = keras.utils.get_file(\n", " 'nietzsche.txt',\n", " origin='https://s3.amazonaws.com/text-datasets/nietzsche.txt')\n", "text = open(path).read().lower()\n", "print('Corpus length:', len(text))" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "\n", "Next, we will extract partially-overlapping sequences of length `maxlen`, one-hot encode them and pack them in a 3D Numpy array `x` of \n", "shape `(sequences, maxlen, unique_characters)`. Simultaneously, we prepare a array `y` containing the corresponding targets: the one-hot \n", "encoded characters that come right after each extracted sequence." ] }, { "cell_type": "code", "execution_count": 22, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "Number of sequences: 200278\n", "Unique characters: 57\n", "Vectorization...\n" ] } ], "source": [ "# Length of extracted character sequences\n", "maxlen = 60\n", "\n", "# We sample a new sequence every `step` characters\n", "step = 3\n", "\n", "# This holds our extracted sequences\n", "sentences = []\n", "\n", "# This holds the targets (the follow-up characters)\n", "next_chars = []\n", "\n", "for i in range(0, len(text) - maxlen, step):\n", " sentences.append(text[i: i + maxlen])\n", " next_chars.append(text[i + maxlen])\n", "print('Number of sequences:', len(sentences))\n", "\n", "# List of unique characters in the corpus\n", "chars = sorted(list(set(text)))\n", "print('Unique characters:', len(chars))\n", "# Dictionary mapping unique characters to their index in `chars`\n", "char_indices = dict((char, chars.index(char)) for char in chars)\n", "\n", "# Next, one-hot encode the characters into binary arrays.\n", "print('Vectorization...')\n", "x = np.zeros((len(sentences), maxlen, len(chars)), dtype=np.bool)\n", "y = np.zeros((len(sentences), len(chars)), dtype=np.bool)\n", "for i, sentence in enumerate(sentences):\n", " for t, char in enumerate(sentence):\n", " x[i, t, char_indices[char]] = 1\n", " y[i, char_indices[next_chars[i]]] = 1" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Building the network\n", "\n", "Our network is a single `LSTM` layer followed by a `Dense` classifier and softmax over all possible characters. But let us note that \n", "recurrent neural networks are not the only way to do sequence data generation; 1D convnets also have proven extremely successful at it in \n", "recent times." ] }, { "cell_type": "code", "execution_count": 23, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from keras import layers\n", "\n", "model = keras.models.Sequential()\n", "model.add(layers.LSTM(128, input_shape=(maxlen, len(chars))))\n", "model.add(layers.Dense(len(chars), activation='softmax'))" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Since our targets are one-hot encoded, we will use `categorical_crossentropy` as the loss to train the model:" ] }, { "cell_type": "code", "execution_count": 24, "metadata": { "collapsed": true }, "outputs": [], "source": [ "optimizer = keras.optimizers.RMSprop(lr=0.01)\n", "model.compile(loss='categorical_crossentropy', optimizer=optimizer)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Training the language model and sampling from it\n", "\n", "\n", "Given a trained model and a seed text snippet, we generate new text by repeatedly:\n", "\n", "* 1) Drawing from the model a probability distribution over the next character given the text available so far\n", "* 2) Reweighting the distribution to a certain \"temperature\"\n", "* 3) Sampling the next character at random according to the reweighted distribution\n", "* 4) Adding the new character at the end of the available text\n", "\n", "This is the code we use to reweight the original probability distribution coming out of the model, \n", "and draw a character index from it (the \"sampling function\"):" ] }, { "cell_type": "code", "execution_count": 25, "metadata": { "collapsed": true }, "outputs": [], "source": [ "def sample(preds, temperature=1.0):\n", " preds = np.asarray(preds).astype('float64')\n", " preds = np.log(preds) / temperature\n", " exp_preds = np.exp(preds)\n", " preds = exp_preds / np.sum(exp_preds)\n", " probas = np.random.multinomial(1, preds, 1)\n", " return np.argmax(probas)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "\n", "Finally, this is the loop where we repeatedly train and generated text. We start generating text using a range of different temperatures \n", "after every epoch. This allows us to see how the generated text evolves as the model starts converging, as well as the impact of \n", "temperature in the sampling strategy." ] }, { "cell_type": "code", "execution_count": 26, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "epoch 1\n", "Epoch 1/1\n", "200278/200278 [==============================] - 126s - loss: 1.9895 \n", "--- Generating with seed: \"h they inspire.\" or, as la\n", "rochefoucauld says: \"if you think\"\n", "------ temperature: 0.2\n", "h they inspire.\" or, as la\n", "rochefoucauld says: \"if you think in the sense of the say the same of the antimated and present in the all the has a such and opent and the say and and the fan and the sense of the into the sense of the say the words and the present the sense of the present present of the present in the man is the man in the sense of the say the sense of the say and the say and the say it is the such and the sense of the ast the sense of the say \n", "------ temperature: 0.5\n", "t is the such and the sense of the ast the sense of the say the instand of the way and it is the man for the some songully the sain it is opperience of all the sensity of the same the intendition of the man, in the most with the same philosophicism of the feelient of internations of a present and and colleng it is the sense the greath to the highers of the antolity as nature and the really in the spilitions the leaded and decome the has opence in the sume \n", "------ temperature: 1.0\n", "spilitions the leaded and decome the has opence in the sume the orded out powe higher mile as of coftere obe inbernation as to\n", "the fof ould mome evpladity. in no it\n", "granter, it is the than the\n", "say, but the\n", "most nothing which, the like the knre hindver\"\n", "us setured effect of agard\n", "appate of alsoden\" the lixe their men\n", "an its of losed the unistensshatity; and oppreness of this not which at the brindurely to giths of sayquitt guratuch with that this\n", "if\n", "and whu\n", "------ temperature: 1.2\n", "rely to giths of sayquitt guratuch with that this\n", "if\n", "and whungs thinkmani.\n", "ficcy, and peninecinated andur mage the\n", "sened in think wiwhhic\n", "to beyreasts than\n", "this gruath with thioruit\n", "catuen\n", "much. h.\n", " geevated in\n", "sporated mast the a\"coid\n", " nrese mae, all conentry, .. fin perhuen\n", "venerly (whisty or spore lised har of\n", "but ic; at lebgre and things. it keod\n", "to pring ancayedy\n", "from dill a be utisti listousesquas oke\n", "the semment\" (fim their falshin al\n", "up hesd, and u\n", "epoch 2\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.6382 \n", "--- Generating with seed: \"he cleverness of christianity.=--it is a master stroke of\n", "ch\"\n", "------ temperature: 0.2\n", "he cleverness of christianity.=--it is a master stroke of\n", "chreme and the same and the contrary and conscience of the deason of the sense and that a sould and superion of the all the subjections and all the disting and all the more and the disting and all the same and such an all the delief to the same and more and sand and sense and all the more and the still and the sense and the more and contrary and man and such a sould and art and the presention of the\n", "------ temperature: 0.5\n", "y and man and such a sould and art and the presention of the daction of the still of the same is any more and sanders of hoors of who has an all the man is been fact and belief and contrary had sake and disting world so sake from the\n", "prejudice of the sentiment and the contrarism of vided and all the saymits of the man way not the achated the deadity at the \"courde of sisted and all the disanctions and as a contrades in a should for a phadoward and only and\n", "------ temperature: 1.0\n", " and as a contrades in a should for a phadoward and only and\n", "emptoces of anmoved and the issintions eedit modeyners bre- warlt of being whole has been bit and would be thing as all it as mankfrom for is\n", "resp\"quent, privelym yeads overthtice from\n", "how will has a mankinduled opine sancels and ary are but the moderation along atolity.\n", "\n", "131. new may intempt a van the\n", "saur. trater, sake--it tantian all ass are a superstion truth, \"worldting and lawtyes to make l\n", "------ temperature: 1.2\n", "ass are a superstion truth, \"worldting and lawtyes to make life\n", "coldurcly of no has grocbity of norratrimer. no weat doem not ques to thus rasg, whation.\n", "\n", "od\"y polent and rulobioved\n", "agrigncary us queciest?\n", "\n", "41\n", "uspotive force as unischolondanden of cratids, the unbanted caarlo\n", "soke not are re. to the trainit ene kinkly skants that self consatiof,\", preveplle reasol decistuticaso itly vail.\n", "\n", "8que\"se of a every a progor\n", "veist a not caul. rigerary nature,\n", "in \n", "epoch 3\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.5460 \n", "--- Generating with seed: \"ch knows\n", "how to handle the knife surely and deftly, even whe\"\n", "------ temperature: 0.2\n", "ch knows\n", "how to handle the knife surely and deftly, even when they has and the strength of the command the great and the sense of the great they are of the streng to the strength and the strength of the great former the strength and the strong the condition of the command they have to the strength and the profound the free spirit of the world in a more of the world and present in the compained they have been the sense of the command they have to the streng\n", "------ temperature: 0.5\n", "y have been the sense of the command they have to the strength concernous of the power, the have begon of the last of the profound the artists discourse in the becomes sense of the stand and\n", "concertic of texplence of the to may not a seep of the into the accuations that they heart as a solitude, in the good\n", "into the accistors, to when the have they has a stard in the last they seems they are of the consequently with the ender, and\n", "good in such a power of\n", "t\n", "------ temperature: 1.0\n", "e consequently with the ender, and\n", "good in such a power of\n", "the \"firmat chores forgubmentatic in stand-new of a needs\n", "above\n", "than repersibily\n", "into\n", "the provivent stand\" more what operiority courhe when endure really save sope ford of lower, and long of have, are sins and keet by courd. he should in the bodiec\n", "they noblephics,\"\n", "imported. so perhaps europe.\n", "\n", "\n", " , sechosics of\n", "the endiitagy, fougked\n", "any stranger of the corrorato\n", "it be last once or consequently no\n", "------ temperature: 1.2\n", "stranger of the corrorato\n", "it be last once or consequently not! in of access is once\n", "appearal\n", "stemporic,\"--he the garwand\n", "any zer-oo -- drinequable to other one much lilutage and\n", "cumrest of \n", "the one, it not =the\n", "bas of trachtade of\n", "cowlutaf of whathout such with spount eronry\n", "are; gow\n", "a whick of a sole phvioration:whicitylyi\n", "power, in high has a conp, coming, he\n", "plession his hey!\" unnects, iy every nevershs to adrataes family have\n", "insten, os ne's \n", "epoch 4\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.4973 \n", "--- Generating with seed: \"to have spoken of the sensus allegoricus of religion.\n", "he wou\"\n", "------ temperature: 0.2\n", "to have spoken of the sensus allegoricus of religion.\n", "he would be the proposition of the subjection of the standing to such the subjection of the subjltition of the stands and the really the power of the spirit and concertion of the contrary of the concertion of the subjection to the subjection of the spirit of the subjection of the subjection of the subjection of the subjection of the contrary of the same and the subjection of the subjection of the stands\n", "------ temperature: 0.5\n", " the same and the subjection of the subjection of the stands of the more beartles and power of the pleasure of moral light, who is the must are an every disting of the deliebly desire the spirit in the subjection of men of distress in the single, to the strange to really been a mettful our uncertainting the expect and the stands of the expochish, exhection of the truth and the merely, and the doctior and enory and the pation of the thought and for a feat o\n", "------ temperature: 1.0\n", "ior and enory and the pation of the thought and for a feat offues toned spievement and common as musics of danger. that \"the ordered-wants and lack of world of lettife--in any or nehin too\n", "\"misundifow hundrary not incligation,\n", "dight, however, to moranary and life these\n", "motilet\n", "reculonac, to aritic means his sarkic. times, his tanvary him, it is their day happiness, in\n", "hare, of tood whings\n", "belief that eary when 1( the dinging it world induction in their for\n", "------ temperature: 1.2\n", "hat eary when 1( the dinging it world induction in their for artran, rspumous, ald\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "redical pleniscion ap no revereiblines, tho lacquiring that fegais oracus--is preyer. the pery measime, as firnom and rack. -purss\n", "love to they like relight of\n", "reoning\n", "cage of signtories, the timu to\n", "coursite; that libenes afverbtersal; all catured, ehhic: when all tumple, heartted a inhting in\n", "away love\n", "the puten\n", "party al mistray. i jesess. own can clatorify\n", "seloperati\", wh\n", "epoch 5\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.4682 \n", "--- Generating with seed: \"ion (werthschätzung)--the\n", "dislocation, distortion and the ap\"\n", "------ temperature: 0.2\n", "ion (werthschätzung)--the\n", "dislocation, distortion and the appearation of his sensition and conscience of the distrusting the far the sensition of the individually the suffering the sense of the presentiments of the sense of the suffering and suffering the stronger of the suffering and the consequently the sense of the subject of the sense of the moral the sense of the desire the sense of the\n", "self--and the sensition of the suffering the sensition of the sen\n", "------ temperature: 0.5\n", "-and the sensition of the suffering the sensition of the sensition of the individual hence all the perceived as an existence of a few to who is new spirits of himself which may be the world ground our democration in every undifferent of the purely the far much of the estimate religions of the strong and sense of the other reality and conscience and the self-sure he has gare in the self--and knows man and period with the spirit and consequently consequently\n", "------ temperature: 1.0\n", "man and period with the spirit and consequently consequently hast\"\"\n", "but every every matters (without mad their world who prodessions are weok they consciences of commutionally men) who in comtring. this she appaine, without\n", "have under which ialations from o srud nothing in\n", "the metively to ding tender, in\n", "any hens in all very another purithe the complactions--how varies in the exrepration world and though the ethicangling; there is everything our comliferac\n", "------ temperature: 1.2\n", " though the ethicangling; there is everything our comliferacled ourianceince the long---r=nony much of anyome.\n", "if they lanifuels enally inepinious of\n", "may, the\n", "commin's for concern,\n", "there are has dmarding\" to actable,ly effet will itower, butiness the condinided\"--rings up they will futher miands, incondations? gear of limitny, conlict of hervedozihare and the intosting perious into comediand, setakest perficiated\n", "and\n", "inlital self--nage peruody;\n", "there is sp\n", "epoch 6\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.4466 \n", "--- Generating with seed: \"rd, which\n", "always flies further aloft in order always to see \"\n", "------ temperature: 0.2\n", "rd, which\n", "always flies further aloft in order always to see the suffering that the suffering the sense of the strengthes of the suffering that it is a more and the self-complication of the suffering the suffering and the subtle and self-compartion of the comparting the suffering of the suffering the most the suffering the suffering of the compartion of the most present and the strength and the sufferings of the most the sense of the suffering the sense of \n", "------ temperature: 0.5\n", "ferings of the most the sense of the suffering the sense of the expect of the intellieate strengent of the dit the attaint is a soul one of the hond to the heart the most expect of the religious the sense of the\n", "histle of the fear of the same individual in such a most interest of the had to so the immorality of the possess of the allow, the compress is entitul condition, the discountering in the more reveale, and the refined the fear it is betered one to s\n", "------ temperature: 1.0\n", "ore reveale, and the refined the fear it is betered one to self-contindaning hypition of surdinguates\n", "the\n", "possible\n", "ataint, when he must beakes comple in the grody of the opposite oftent\n", "tog, pain finds one that templily to the\n", "truthdly one of the fasting oby the highest present treative must materies of incase varies in\n", "a cain, when seaced in seasoury, or such them of\n", "earlily, and so\n", "its as of the will to their to forms too scienticiel\n", "and for which\n", "it hea\n", "------ temperature: 1.2\n", " will to their to forms too scienticiel\n", "and for which\n", "it headds maid, estavelhing\n", "question, for thuer, requite tomlan\"! what its do touthodly, thereby). theurse\n", "out who juveangh of tly histomiaraeg, in peinds. on it.\n", "all bemond\n", "mimal. the more harr acqueire it, he house, at of accouncing patedpance han\" willly\n", "the ellara\n", "\"formy tellate.\n", "medish purman tturfil an attruth been the custrestiblries in themen-and lightly again ih a daawas or its learhting than\n", "c\n", "epoch 7\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.4282 \n", "--- Generating with seed: \"realize how\n", "characteristic is this fear of the \"man\" in the \"\n", "------ temperature: 0.2\n", "realize how\n", "characteristic is this fear of the \"man\" in the spirit and and the superition of the propert and perhaps be the superition of the superition of the same of the same the spirit and in the same the strong the still contrast and and and the sure an end and the strong to the destand that the standard, and the spirit and the superition of the superition of the strong the strong that the superition and the state of the same the spirit and and be the \n", "------ temperature: 0.5\n", "erition and the state of the same the spirit and and be the same said the spirit to the state and admired to rechancient man as a self felt that the religious distinguished the human believe that the deception, in soul, the stands had been man to be has striced be actual perhaps in all the interpretical strong the decontaitsnentine, the philosophy happiness of the greatest formerly be for the fact deep and weaker of an involuntarian man is one has to the c\n", "------ temperature: 1.0\n", " deep and weaker of an involuntarian man is one has to the carely community: ourselves as it seem with theme in hami dance\n", "alto manifesty, mansike of\n", "which that thereby religion, and reason, a litely for of the allarded by pogures, such diviniatifings and disentached, with life of suffernes, this , altherage.\n", "\n", "\n", "1afetuenally that this tooking\n", "to plong tematic thate and surfoundaas: the\n", "progreable and untisy; which dhes mifere the all such a philosophers, a\n", "------ temperature: 1.2\n", "and untisy; which dhes mifere the all such a philosophers, as the athained the such living upon serposed if, his injuring, \"the most standhfulness.\n", " no the dalb(basise, equal di butz if. thereby mast wast\n", "had to plangubly overman hat our eitrieious tar\n", "and hearth--a -of womet far imminalk and \"she of castuoled.--in the oalt. ant\n", "ollicatiom prot behing-ma\n", "formuln unkercite--and probachte-patial the historled qualizsss section unterman contlict of, bein\n", "epoch 8\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.4150 \n", "--- Generating with seed: \"ith religion itself and regarded as the\n", "supreme attainment o\"\n", "------ temperature: 0.2\n", "ith religion itself and regarded as the\n", "supreme attainment of the words to the scientifical strength and such an and and instincts and and the profoundly to the senses the subjection of the subtle and be desired and still be way and the same interpretation of the way, and the self-destines in the subjection of the desire and and such an experience of the same and be a still be subjection, the spirit is and all the surposition of the same and the subjection\n", "------ temperature: 0.5\n", "it is and all the surposition of the same and the subjection and the poind to the profound the same obscure of good, a spirit of an extent so from the greates the similated to himself with the place of spirit was to whenever the masters\" of the experience, that is an extent or their spyous and need, and the experience and past by its the higher the schopenhauer's with an abstration and the purposed to understand that it is destined and destiny of himself, \n", "------ temperature: 1.0\n", "d to understand that it is destined and destiny of himself, fur\n", "feshicutawas terding itswhas ourselves which an\n", "\" intain segret shise them? this opposing for ourselvesl. and as life-doatts?\n", "with and light, e spirit, he oppisest, one be does not as the differnes.\n", "\n", "\n", "18\n", "\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "calmualing own he interpretic thingsnly, there your new dothrible for rights at which and\n", "germansness of\n", "eternal, meanss, pruded from warthor. - a continceion,\" but a suppose, european allowu\n", "------ temperature: 1.2\n", "om warthor. - a continceion,\" but a suppose, european allowubleness! to give smotifits and dorming be\n", "had\n", "charm, thenloces science great too \"scinccengenness from courseituss.ogus, out of estimately-pokeno myselveed chulked ain also it to\n", "reloch: even thinds spisprequapal art. congojedt, and vocture.) an erdorled ftich must when their freeusedsed and counter in-part the most\"-alfalxible to\n", "fulgesing\" outtebitio\n", "sequien\n", "supinuntsism,\" and man is,\n", "are a\n", "perh\n", "epoch 9\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.4035 \n", "--- Generating with seed: \"one wished to do away\n", "altogether with the \"seeming world\"--w\"\n", "------ temperature: 0.2\n", "one wished to do away\n", "altogether with the \"seeming world\"--who has to the problem and consequently been the sense of the sense of the state of the personal still the problem of the contempt and such an antitheness of the strenges and self-conception of the same intellectual taste and state and still the still to the delusion of the sense of the sense of the sense of the self-sense of the same and sense of the philosophy in the sense of the sense of the wor\n", "------ temperature: 0.5\n", "sense of the philosophy in the sense of the sense of the world but disental the honest to the dediousness of a still to the dear conducies of the many reflection of explained with the same many and there is a stand. even that it has been the same misunderstant such an invidement to be one\n", "has been them also a formed to the place of the same will and sense are pered and nature of the many will be long one seems with the same one says).\n", "\n", "\n", "\n", "11(\n", "\n", "\n", "\"far as cons\n", "------ temperature: 1.0\n", "ong one seems with the same one says).\n", "\n", "\n", "\n", "11(\n", "\n", "\n", "\"far as consist-mind.\"--in\n", "variffe begens at his\n", "faith them world to music--is imprudation, purture of the whom i have moderary explatical less over assious\n", "upon\n", "upon doous no \"this knowledge, how vaar\n", "that expeniousness and\n", "doing,\n", "for and despaded, not stepting how god, to ppritable compley to is jonce one some .thus conservances of truth--whowevelfulnessable begreucition. segaveing it not in leading\n", "undly d\n", "------ temperature: 1.2\n", "ulnessable begreucition. segaveing it not in leading\n", "undly decure, intrall taste. these trueked the physies of \n", "is moral pure relationsianting of mankind youth \"chapp abst,-anceing rule language that adduted manimidicality .\n", "stepmine,\n", "untasted--an answ only\n", "part\" some laans in fatter to\n", "moders cavemng towards delution has predable ar artuesed, too true, while\n", "hyphy\n", "be\n", "acuntiable, conjures; that gos, born formed ey te also, whoaver ty\n", "five wof that, greates\n", "epoch 10\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3947 \n", "--- Generating with seed: \"ing is clouded and draped in religious\n", "shadows. feeling cann\"\n", "------ temperature: 0.2\n", "ing is clouded and draped in religious\n", "shadows. feeling cannot the suffering the consequences of the sense of the habit of the consequence of the sense of the self-case of the princiely to the sense of the same the spirit and self the man is precisely and the sin the strength and the sense of the sense of the sense of the accounter of the string the self-consequences of the self-case of the sense of the same and suffering the suffering the spirit is a soul\n", "------ temperature: 0.5\n", "of the same and suffering the suffering the spirit is a soul spenting the presention of the interpretion of the entire say not one as a sights in the former in the pastion of the enough and the charms of the work of the nature of the free spirits and strength and immen that the german interesting\n", "for the world as sense in the enough the new things\n", "and\n", "every being with the \"enlud, they all this great from the spirit has been to a world with the thought and \n", "------ temperature: 1.0\n", "at from the spirit has been to a world with the thought and sph\"ismly goor disciritar german, such attain of hapfned.\n", "so world be advaltac revelatedst, with men thyself for instance of a compray\n", "id, and with outzioy at lationing\n", "in these astraric other like sufficients, it is science, every\n", "queent, and be foris, and and a qualities, and worky as if even eve concerned in every defined demandarily, equounting of madiles, so purpose) from perhaps\n", "even their a\n", "------ temperature: 1.2\n", "equounting of madiles, so purpose) from perhaps\n", "even their adbitidess, and poses, of pouler from perannt genal,\n", "aspeguing whish malters sand i duble\"--consagend,-longe heaenful name tried,\n", "because mumple-stituges? longecrameoulage noway, with plysile one can believes not some willd, us, educe and life\" olseadt eyes to inpluble\n", "decliviture dir\"tives, one taste lifey. they rade\n", "as sutt oscinied battening\n", "futured evential ethiry some judgly of coin: thus pens\n", "epoch 11\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3844 \n", "--- Generating with seed: \"collapse with a malediction\n", "against existence,--for mankind \"\n", "------ temperature: 0.2\n", "collapse with a malediction\n", "against existence,--for mankind to the spirit and the same an accounds of the same an abistion of the sense of the master of the same an abstration of the far all the profound of his spirit and believe the spirit is a strong and the propers and propent and the sense of his pride in the same the sense of the superiority of the one of the stronger to the propent the profound and propent and propent and contrary the same an abstrat\n", "------ temperature: 0.5\n", "und and propent and propent and contrary the same an abstration of command, and and all a superioring, his present and believes, they are from the higher because there is t" ] }, { "name": "stderr", "output_type": "stream", "text": [ "/usr/local/lib/python3.5/dist-packages/ipykernel_launcher.py:3: RuntimeWarning: divide by zero encountered in log\n", " This is separate from the ipykernel package so we can avoid doing imports until\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "he souring and light and danger of the strong and the feeling to the end in one of the end and present mankind, the the have always by the same something and will, the contraltenen and deligious stranges and the the present a plentroly,\n", "fundamental success, and soul and place of its suff\n", "------ temperature: 1.0\n", "entroly,\n", "fundamental success, and soul and place of its sufftice is he onemy, by them quibhardable on the laboriwing remorrided look confunted pricite rung, who delightantter, it has hence aspaction and\n", "stricited valus every thing from which the world and one should day be letent of being acticled. conversant around art up swear. ranking to which wishes them grow simply injuring the fraginged the sensibility; there are man taken of anazied, hisell wisund o\n", "------ temperature: 1.2\n", "sensibility; there are man taken of anazied, hisell wisund or a\n", "redie ivale of ho-proceby longer, ultile. the its, inating in it? theught upon rempily spirits\"--may lents\n", "datigualy read\n", "noticish in succent tharneled there actsipoly healt are\n", "joyme, messes.\n", "here of their essecitable from may themselves \"we danged nerrof fouthed to dust, thereo-fmo, something\n", "which scam\n", "gore,\n", "what awi has addutonal sustaining and way--naoulage; have to\n", "be clough accepant\n", "dis\n", "epoch 12\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3772 \n", "--- Generating with seed: \".\n", "\n", "166. one may indeed lie with the mouth; but with the acco\"\n", "------ temperature: 0.2\n", ".\n", "\n", "166. one may indeed lie with the mouth; but with the accompan and and with the same and substition of the same and the conception of the problem of the sense of the same of the same of the sense of the such a strong and the sense of the subjection of the soul and the sense of the sense of the sense of the same of the same of the sense of the fact that which has a so the subtle the conception of the subjection of the far of the spirits of the spirits of \n", "------ temperature: 0.5\n", " the subjection of the far of the spirits of the spirits of the sense of the most all the moral has there is a man is the distingures and moral here, and to possible and period in the disguises of a strength instant something in every the hand with the most long in a strength the aristanding of a nation of a many\n", "contempory of the sense of the sense of the problemes of soul and himself to the expection of the far in the la\n", "sharness and science of this soug\n", "------ temperature: 1.0\n", "ction of the far in the la\n", "sharness and science of this sought that is, as he long\n", "from test interprets and wanties as refine of live at the spe maratring, of here stepled as\n", "in wholled and put\n", "a sabass. i seeken, most high upon himself with the developnds: is as if in which man its adopted to\n", "general manness\" of\n", "subtle from retures man in the \"perhaps\" divine truated the moral clures believe atin or -with clill oneself to the \"religious sakes and high des\n", "------ temperature: 1.2\n", " or -with clill oneself to the \"religious sakes and high desist, whener without hintomes other its expeans which\n", "oaching, were namision are religioil true, in mimwable with before,\n", "he raco),\n", "and badingary of which usually\n", "man\n", "and high, what is\n", "a mmanive luxgmin in physics instoor, habits. instane to himself the world man-day--\"rivelled, and most witlest see have pre.; =be the\n", "individual, penpladed, one \"housg to germans: learned: from this vociaity mameff\n", "epoch 13\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3722 \n", "--- Generating with seed: \"ngs of\n", "pain and ill belong to the history of the great liber\"\n", "------ temperature: 0.2\n", "ngs of\n", "pain and ill belong to the history of the great libery the sense of the same of the same of the sense of the same of the same of the germany to the same of the same of the same of the same of the stin, and the same of the same of the same of the sense of the same of the sense of the far and more then the exception of the same things and conscience of the germany that the great promise and the sense of the same of the sense of the same of the same al\n", "------ temperature: 0.5\n", "he sense of the same of the sense of the same of the same all the sense of the promise and the experience which has it is in their perfect and\n", "are because of the experience of the sense of the case and perhaps as if there is the soul in the same act the lack in the sense of the contemptation in some\n", "wholly not the opins under the single the hand, the soul, the future of the expression: it is a childary and set in the deception of his destin world in the ge\n", "------ temperature: 1.0\n", "ldary and set in the deception of his destin world in the germany had because hove all revenge in a generally, so tain to\n", "althmis in long d of the\n", "pethal-alsow nrow so disguise of pleasingatively som it is matters to said: a frout noind. one jeenness as simply it explaned pernainy being fromnows\n", "regards how fivide, the rela, suveripicans, the full:-however thing\n", "and characteriness and repelsionriany, in a priosis make this\n", "action and\n", "keeves events revee's \n", "------ temperature: 1.2\n", "ny, in a priosis make this\n", "action and\n", "keeves events revee's whollece; just but wholly feel necessity. to the belief-sympathy\n", "inflige, symalling taken to gratefurn, youndartr: els the questius trib\n", "throre of the de\n", "the rule; yreath and light. as attempt and conglse? faited when they keep that the geniandation, which at indismbrorcipans, ethes for runds\n", "and just who becom asclusing will, oftecis conducts)? nesugh andest only part\n", "to this praising not, as sig\n", "epoch 14\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3646 \n", "--- Generating with seed: \"the present day.\n", "\n", "\n", "\n", "chapter iv. apophthegms and interludes\n", "\n", "\"\n", "------ temperature: 0.2\n", "the present day.\n", "\n", "\n", "\n", "chapter iv. apophthegms and interludes\n", "\n", "? \n", "------ temperature: 0.5\n", " \n", "------ temperature: 1.0\n", " ye\n", "inexisement and\n", "pleasated to mae\n", "transhcequance of appearance himself keptical assocbation belong of the her anothoums to found at sexual eyes the\n", "profound, as he are a science of controlow and their prigoures, sumb the\n", "god.\n", "\n", "\n", "\n", "pe sanvacent snerth other,\" his man, this profoptlee\"--i speak in first, this aanceined--attainate and earth gradues, in rich us. onestorical \n", "------ temperature: 1.2\n", "eined--attainate and earth gradues, in rich us. onestorical in precaationed withnoted, both.--this seet becomes us: even with answhile\n", "philasopled genius to be\n", "verdenest himsesove, whatever vomes to custom, that, and class havouceullyopable of lattenly: by man sswa degucatilness, even with that\n", "descined\n", "phristtancern enbingies; it threate: \"myself-notmention,\n", "anceror greenies. without questoblet-ulspear\n", "and menstoclid, e philosophy\n", "mam-exentially\n", "belong\n", "of\n", "epoch 15\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3608 \n", "--- Generating with seed: \"\n", "\n", "\n", "49\n", "\n", "=well-wishing.=--among the small, but infinitely plen\"\n", "------ temperature: 0.2\n", "\n", "\n", "\n", "49\n", "\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "=well-wishing.=--among the small, but infinitely plentures of the great and world in the same the experience of the same a men the sense of the same histle as a still and the has as a said and suffering and superiority of the problem of a conscience of the end and man is a power of the then are and into the same an incarate of the same the suffering the same a more the conduct to the same a long and more the profound the profound the same all the fo\n", "------ temperature: 0.5\n", " long and more the profound the profound the same all the former prevolute of the\n", "same the liberation in the end of the science that the conduct as a must be honor of the ancient and the consequently. the instinct to the sense of his knowledge to a long to the desire of facts of the error, and such a fact to be as\n", "\"nature of the more fragnous, one are former of the age the suxis for the belief of a great the engeshed men the perto body in a last the foreto\n", "------ temperature: 1.0\n", "a great the engeshed men the perto body in a last the foretood any others! only the plery and far free\n", "aristofticitud himself developed. thus that iediscrities, and philosophers\n", "shade, it doubles have\n", "no dingued with extance a type of the profound untersuatness of metaphysical quest difficuoty), philosophy with hough of lobracations like advattable consthoinded to judgne, mode take the commands of estimated of\n", "accooptional, \"he.f later and under the\n", "chuste\n", "------ temperature: 1.2\n", " estimated of\n", "accooptional, \"he.f later and under the\n", "chustently fouthasts tor even,-existeful to piece; attious nothing conditions unnvisars! of there ofly\n", "man for\n", "more a god. \"man pleass customs; his ever tray have name donmy require loush down day seford world, and some\n", "indifferences!t\n", "we someuch-- lef corr origats of drea upund open\n", "domanishman even fraver regard to who have no wickt of existrer, realicis\" is\"\n", "orce of authersible itself--existent resis\n", "epoch 16\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3559 \n", "--- Generating with seed: \"(for example of the\n", "presentiment that the essence of things \"\n", "------ temperature: 0.2\n", "(for example of the\n", "presentiment that the essence of things that the sense of the sense of the sense of the such a soul the sense of the spirit and the sense of the same the sense of the sense of the self-and conscious the sense of the delusion of the sense of the sense of the self-delight the sense of the sense of the propers the sense of the concerning the sense of the present or the sense of the self-deceives the self-destiny to the suffering the concer\n", "------ temperature: 0.5\n", "e self-deceives the self-destiny to the suffering the concerning with the same expect of the man not suffer. and the pleasants in the handring to according to the praise of the most made the course of religious and since of the truth and thereby to the distingust the contempticated thereby and properians and the propetician make its own the another, we as its advanced indifferent of the truth of the concerning the spirit of the fact to the self-destiny of \n", "------ temperature: 1.0\n", "he concerning the spirit of the fact to the self-destiny of the fiture, undirtunt thereado-iverditude, religious them that words advance.--as an high for its oriins as existanm interluntledly or weon instincts were the its sensited feeling\n", "know at the cavejnele, as \"bad\n", "formed of condition is no poseing, do he hauted harms, individuals, the teuropeled and its moral\n", "creater and itself in, and false nothourstific hough, the snmul paths\n", "someones peras or othe\n", "------ temperature: 1.2\n", " nothourstific hough, the snmul paths\n", "someones peras or others\" languse of this indurenciane-laustor\n", "indifferent cast theorogical onarbes and\n", "than\n", "a bolted\" end esishednessatiance iy\n", "aimsede, cos froundly bight, its low bomess, into avoli\"s souem of condrance philosophy him\n", "would inex gfain you ridate, to far\n", "upon ye chessisti, when he belide, that as\n", "welld\n", "believe, this master hypitiation of their aptence,\n", "the actionts\",\n", "inof him\n", "emotion of wilds mankind \n", "epoch 17\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3512 \n", "--- Generating with seed: \"ood man. the\n", "hitherto existing psychology was wrecked at thi\"\n", "------ temperature: 0.2\n", "ood man. the\n", "hitherto existing psychology was wrecked at this desire to a proud and all the sense of the propentation of the same antithesists and the propentively and the sense of the fact the same of the same antithe the sense of the same all the sense of the contemplated and the sense of the contemplated and the world and such a man as a man as a man are the sense of the superiority of the same of the same antithe the sense of the contemplated to the sa\n", "------ temperature: 0.5\n", " of the same antithe the sense of the contemplated to the same of the entirely all things to the do was the perhaps and live-so thicked to every obligated, the sensitives are the free spirits of religion and contrallary\n", "and insignificance with a demands is a hand\n", "had a strong also bad aristophes and the will to\n", "its observed the all believed whether the hasing to which a times\n", "of the common of the higher personal the strength and more opinion and more and l\n", "------ temperature: 1.0\n", "higher personal the strength and more opinion and more and lo, dirorne and\n", "consines and eye of my\n", "virement of the german jecides and basions, which\n", "was entire\n", "good spirit\n", "saveng).\n", "sussertne,\n", "a trove europension. \"in all are will\n", "to soul of these\n", "hatter and the different, letsilary.\n", "\n", "131ith the philosophics of ppyens, its sympathible rtand of advantious,\n", "should are healthepy of\n", "surmsse in e, when i be unisjushing who\n", "pleasureiled in the dreadful will seed a\n", "------ temperature: 1.2\n", " be unisjushing who\n", "pleasureiled in the dreadful will seed at doqueny can not teachined.\n", ". he himself,\n", "believed\" woves of mpinated\n", "dold from voneliys and feeling forceved--in their comer-is,\n", "which useful.\n", "verytsh as ones of which system his\n", "silence, but which imumerated inf,ing the sammary oper: ly proveoorible\" much in perterperless dragequatmres. represent, once,\n", "which a grade a people. it. wekpnener strokes had tod. religio tedzed; cparms to viewnce mus\n", "epoch 18\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3477 \n", "--- Generating with seed: \" and worm in us, inquisitive to a fault, investigators to th\"\n", "------ temperature: 0.2\n", " and worm in us, inquisitive to a fault, investigators to the suffering and self belief and conclusion of the sense of the controld and conclusion of the propets of the securious the sense of the superitive the sense of the supernal and the sense of the propetiness of the surpoveres to the same acts of the contemplate the sense of the suffering the contemplate the sense of the most destreed and the suffering the world the most same all the sense of the sup\n", "------ temperature: 0.5\n", "e suffering the world the most same all the sense of the supic thereby always believe of the far the longer to but the deepest and the supernal senses of which one is reades the acts of the dring consequently be continual soul with the supposed all and life in such a propesseless aristophers in ethication of putting to the human unalter and such a person of livence and untility is in a greatest the discient the pride of the same from the individual the hig\n", "------ temperature: 1.0\n", "e discient the pride of the same from the individual the highest let it--a possibility displays in\n", "austim unin?achered nestorselkanes long heatiness: ibsamingitynority\n", "of this good\n", "way allowish to wusedence through\n", "strength, and can his botg foo\n", "the perceivects.\n", "\n", " so theor so we drequer says.\n", "\n", "132\n", "\n", "=destroy cure at all, one wardnen. only as latt on the smcorr will confident of the charms of the question, who readest\n", "takent nay of the vlevener prompted by t\n", "------ temperature: 1.2\n", "estion, who readest\n", "takent nay of the vlevener prompted by to be dill\n", "deeparious appearance, evilud matter sannessariesesly, doncihily of a great personalh\": they wi jestify transs oftertheic. men, is imploteds of the melated olvether kangual society herd,\n", "i you\n", "man in\n", "enderxwilds.\n", "\n", "there is \"sect of the nation, sbaomy, metaphysical\n", "belief but a daidkstical\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "deassing; but willih finally. that. confessates for of heart. the eyes, always this gives, present o\n", "epoch 19\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3436 \n", "--- Generating with seed: \" believers are too noisy and obtrusive; he guards against\n", "th\"\n", "------ temperature: 0.2\n", " believers are too noisy and obtrusive; he guards against\n", "the sense of the strength and the singer of the sense of the sense and as a more the profoundly so the still the sense of the sense of the soul of the same the intellectual strength and his own soul of his own own contemposent and the has a still and the soul of the sense of the sense of the significancing of the sense of the fact that the belief of the instinct and the sense of the soul of the sens\n", "------ temperature: 0.5\n", "belief of the instinct and the sense of the soul of the sense of a man is the happy, the spirit with the most soul of his striting for the fact that with the considerate himself in the primord that it is we have not delights and also found to his experience of the most man, who with the nature of the first and point is the cause of the self entert in the last indivin of an ancient something of the same the entime and woman as the happiness of his discively\n", "------ temperature: 1.0\n", " same the entime and woman as the happiness of his discively for a superfiwef: i (yet sjust: thusseld whill in antithent man, the society, that er, you honour, have mentiness\n", "only attself: the instincts as therefore for coteducre! thess conduces with speep of the cast, to\n", "voit\n", "taken his divine rigating, and looks so only has hitherto kees, are person of through the mo too low sloes only that desirece and happens means, themselves.=--moreovert, the blover \"\n", "------ temperature: 1.2\n", "ece and happens means, themselves.=--moreovert, the blover \"god-was that valued of it live far one in motives of neare other\n", "appearation previously and pop untail muchly hea, his regardy repropo\n", "been shustancle namily the\n", "right a\n", "inicy, mef\n", "a wi peausationive historiany of occasion is too owing to his niritable hasz them tasterate the fact,j-who we sugaristic wi planate\", for that omsidnean\n", "letardac, timevy of the \"out of them,, atinality. why would sinbut\n", "epoch 20\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3391 \n", "--- Generating with seed: \"o easier\n", "wholly to renounce a desire than to yield to it in \"\n", "------ temperature: 0.2\n", "o easier\n", "wholly to renounce a desire than to yield to it in the existence of the sense of the sense of the sense of the sense of the deciseled the sense of the sense of the german the most personal sense of the sense of the sense of the present and present in the interesting the sense of the most and consequently and consequently and the sense of the present sense of the sense of the sense of the sense of the precisely the sense of a sense of the german so\n", "------ temperature: 0.5\n", "sense of the precisely the sense of a sense of the german soul himself. the same finater means of society of men is something would perfect the other of such a sense is not at the sense of will praise in germany case in the philosopher of the most anti-conserve of the experience of all possess will have disposition of the existence of the reality of course of consequently interpretation. for every others of a more the sense of the reason that woman is a st\n", "------ temperature: 1.0\n", " others of a more the sense of the reason that woman is a states and in him an time of it, i dust, that of will vous easily\n", "\"the child] reasment and thirrish of spect of\n", "sense, this experiac gradffeives, and personaly\n", "probable with which has a donains--thoaes health the sense; way made\n", "for caused of man the fact timade and philosopher produced, he just for the charm of the idea with this conscience impatishmaw from the superior virce for advocately--for hi\n", "------ temperature: 1.2\n", "e impatishmaw from the superior virce for advocately--for himself\". by the effect the ideation of this sense of thought that wents\n", "the reust couusen. correlimes the frien doneule german\n", "profugranism.\n", "he is alway hims imprisotic\n", "centy exist: still fit of the \"i all\n", "things\n", "yea\n", "enderateonly has dispased with his farperable without outomical processss\n", "or alasy to the womas of\n", "hungsing hymenifwwe through animfurer proud the vakey, indeed last other.=--if you\n", "pl\n", "epoch 21\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3378 \n", "--- Generating with seed: \"m every eye--and calls it his\n", "pride.\n", "\n", "74. a man of genius is\"\n", "------ temperature: 0.2\n", "m every eye--and calls it his\n", "pride.\n", "\n", "74. a man of genius is all the same difficulty of the same and consider the conditions, the moral the same and such a morality of the sense of the same and consider the sense of the same and conditions, and and the strength, and the greatest the sense of the same and animals of the same of the conditions of the sense of the same all the same all the same an action of the strength and the subjective the moral the sense \n", "------ temperature: 0.5\n", "tion of the strength and the subjective the moral the sense of the strength and consider to declines to the world to the development of man is the darking\n", "it with the good wantonged to seems the great been the sense of all the suffering\n", "and sensitive the\n", "more and any himself and personsous of the entired there and understood\n", "with the beligion, in the happiness of the modestances, has been development of our states and conditions, for that he be morals, the\n", "------ temperature: 1.0\n", "ent of our states and conditions, for that he be morals, the histlemes wish to\n", "assertned\n", "cate-vonel obscuoned, delight, at is to resckreake of charness\"!\n", "\n", "thes accisckly has accoun notolon of turn we mord falsifie, thereby,\n", "much degree of the smarments, who wus five \"their solioge is primarment give as the fassion which is be elent him--not diffement of human himminal few as remating,-tack of different will still which, as at lastenally be conduct as the s\n", "------ temperature: 1.2\n", "erent will still which, as at lastenally be conduct as the seeved for my weither, wicknising have to the\n", "kind without be endmany be their\n", "impersoas of ethic regiomss?\n", "within any undiding with a a\n", "problem of dittiant these general,\n", "we may maksen\n", "a jections; to weaning right to constands\"tant to symptomial poine momential domineare, we complement to be voluation and\n", "alo vairing habits--the very love not cond langalo\n", "buchfwile declining of attecy with, france\n", "epoch 22\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3333 \n", "--- Generating with seed: \"f mind and\n", "will at most err through lack of knowledge, but s\"\n", "------ temperature: 0.2\n", "f mind and\n", "will at most err through lack of knowledge, but something of the contently and more the confused the state and seem to be the accordance to the property and sufficient and such a possess of the sense of the suffering to the presence of the free the interpretation of the one who has a stand the world to be the from the contently to the present the world of the world and confuse and such a man of the sense of the contence the world the most deceiv\n", "------ temperature: 0.5\n", "a man of the sense of the contence the world the most deceived to purit in which which is pressious for will constant fact with the sign of\n", "clitiver. the conscious in the contradictio amour all for free our constant tankyh and confused to the supentation of the proper the or superious the most extent and my fact is no longer in race and same the hand to be distinction of the spirit to the superious to the strength of the history of meaning. there are the a\n", "------ temperature: 1.0\n", "s to the strength of the history of meaning. there are the askine instandary which reason to\n", "discons. a thing s an any bother, and calrament somnifelet-to best andominy it, \"undisconts and noway begotr lifeters\n", "to have to-day, let utility of fety, and the havpfines\n", "from which a vicioum and from whollest influence cail \"embecounds which has always you\n", "caredulies. whuch for estimated philosophers.\"--you it, them better itself. as them. by the times these\n", "pal\n", "------ temperature: 1.2\n", "-you it, them better itself. as them. by the times these\n", "paltacition\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "the type, man, thbee-iduan-talvents of thesering these didane\n", "at shlokeity concerning consemials: whereto petch ashertain itself asoperike is much , does the newsnecre mub)ighual unexercatlist:\n", "\n", "the promise innocent littuate. other every senses again--thaty he present medehter mekon \"for timpa, inturiyed\n", "\"natted, discondicity\n", "of\n", "maptest tyem. no then, diw, very habmlionacn\") for the false\n", "epoch 23\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3316 \n", "--- Generating with seed: \"men, not great enough, nor hard enough,\n", "to be entitled as ar\"\n", "------ temperature: 0.2\n", "men, not great enough, nor hard enough,\n", "to be entitled as are sense of the constant and precisely to be believed and the subjection of the same the superficial interest and subtle profoundly be intellect and to be the sense of the superficial the superficial person and stronger and subjections of the feeling of the the whole and conscience of the superficial and the profounder and subjection of the superficial profoundly and the subject the states and sens\n", "------ temperature: 0.5\n", "e superficial profoundly and the subject the states and sensions are to be the desires of the feartion of the bort of the religion with the comprehensives and still in a means of a stand of the care or will to the subtle which betraying for the soul of such a little one of the conduct to the has been simply the strength in says there is a soul of life of understand so manifests in which the great present has principted see or a more all all perhaps, and of\n", "------ temperature: 1.0\n", "present has principted see or a more all all perhaps, and of promised as rep and in, all understat firitible he fundamentive\n", "garment, partic\n", "infloctity, all persons are desire--everything about under-theart and imagins bet ? love a\n", "nature--this in there wish to that us it is not somethising and\n", "will percipanded been prordantenning world plato, allatge all morely gives it. fundamenter\n", "spects, their such a\n", "fearfue of circumsoming anther more does\n", "evarvence a\n", "------ temperature: 1.2\n", " such a\n", "fearfue of circumsoming anther more does\n", "evarvence and greatne. heaviles\n", "op near only shall series as valual proud of e? that intempate ormers fatted to deat \"thinkher knows when it formerly.--altnorth, effects.wary and proses\n", "firth whatever when but to the appet it does to be this weak the slaves pedses dealhhichs--if, evil. thure was, burling to barros cisterly heavy, his causedness more depthis evident youth (is\n", "the courtogs--like at should sher\n", "epoch 24\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3281 \n", "--- Generating with seed: \"ympathy, be it even for higher men, into whose peculiar\n", "tort\"\n", "------ temperature: 0.2\n", "ympathy, be it even for higher men, into whose peculiar\n", "tort of the moral things and antithe the sense of the charm of the such an abstitness of the senses of the sense of the sense of the charm of the profoundly and contemplated and sense of the senses of the consequently and every philosopher and sense of the senses of the moral and such an abstration of the moral profued of the world of the sure and perhaps for the present and antithese and sense of the\n", "------ temperature: 0.5\n", "e and perhaps for the present and antithese and sense of the respection of moral has him the only any other man, and spirit for the command that it dight men to an art of the same attemption of characters of philosophers, and honour the experience of the disturbity which and contemplation of generally here and healthy has he good that and mistaken of our\n", "conduct to and mores, in the causary and the fact it has always and the such and the passions of nature\n", "------ temperature: 1.0\n", "e fact it has always and the such and the passions of nature when : perhaps feaits. i finds\n", "of mystions, and such also believes those himself. and upon earlies too latent beed sagripal inslanchmeanners which is batters. the differentamen to physiologian tart, attempties them read; unforcess bad any good enrance--and the intellect or rededen of essential\" in the highesiem has as education--whobe distinguge of many french\n", "risen even lenmer to convession of t\n", "------ temperature: 1.2\n", "stinguge of many french\n", "risen even lenmer to convession of the wors, whower, has\n", "tast, self oonaky\n", "been this fmorred sometule crust\" fronseearixs. he hoit, intesioved was strange.=--all dasm to latenti--is of nation, which around of it--\"ultitnanly and advent, appreciates\n", "poorsel exhad that inposen the frane all believed, when only durise exception, even computsing myself wholcehams inlocuding of fartessngs are semiates occessible suay stoen has it intecle\n", "epoch 25\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3253 \n", "--- Generating with seed: \"msiness of the german scholar and his social distastefulness\"\n", "------ temperature: 0.2\n", "msiness of the german scholar and his social distastefulness of the same all the seems to the same all the seeming the same all the soul, and all things and such a man all the same the seems to the same the seems to the personal true and the same the problem of the perhaps the sense of the same anti-conditional personal conceal the man to the same all the same the best and the superition of the same taken the sense of the survivate and the same the seems t\n", "------ temperature: 0.5\n", "me taken the sense of the survivate and the same the seems to depth, there is been the perceived oneself to german soul, and thereby have hitherto be the higher of the seems to the problem of the philosopher, and is present surperence and man that the subjectively on them seems to a such any one another.\n", "\n", "1eines our wantonal heart and every sense and be now take of\n", "sension, and the every highest higher higher and anybody, the orders\n", "the best of every disfu\n", "------ temperature: 1.0\n", "igher higher and anybody, the orders\n", "the best of every disfurious-\"caches, no strongered arousest who sense, so, he are philosopherled now\n", "enceledations, true an laborical moral philosophert cases learned to be attemp accers. as\n", "condume, it\n", "makes always directive problem and little warned--the essence perhaps any--alpered trage in wisdon them to christianity: does the souly, how he\n", "perceived utper orders and losted\n", "by unach \"peoplanally; we a spirit lied-n\n", "------ temperature: 1.2\n", " orders and losted\n", "by unach \"peoplanally; we a spirit lied-nmanticuld more huable of to feehe ackor, it seems, for that next-wolle? not it weiled, way nacely to these last mecthabls, i sufficies\n", "!vo'sicarical greatest\n", "could\n", "fool,\n", "something,\n", "among the mindness, who different, suspect, guriarians; a higher, this\n", "intented of \"cressaties\n", "blove, many mean\n", "means,\n", "who is yestly to heaption in unittrically and glow after bitd father varred to perversions tibly one\n", "epoch 26\n", "Epoch 1/1\n", "200278/200278 [==============================] - 126s - loss: 1.3228 \n", "--- Generating with seed: \"real. with the aid of this\n", "corporeal element the spirit may \"\n", "------ temperature: 0.2\n", "real. with the aid of this\n", "corporeal element the spirit may be a such a morality of the far to be a soul of the same act of the condition of the problem of the german who leade and more and such a subjective of the world is not the subtle of the spirit from the subtle of the fact in the same the will to be believe of the morality and science of the subtle of the conscience of the foretood of the sense of the spirit is a stational individual and the words o\n", "------ temperature: 0.5\n", "ense of the spirit is a stational individual and the words of the view of the such an individually and deceives, and under the fine all man and conduct through the mastered that it is consideration of the purposes that it is at him, and there is prestructines, and there is a soul through with the spirit should should be a such an action of the disconditions, and in the great being a suffering of the subtlies and to be against the last the brought to be pro\n", "------ temperature: 1.0\n", "he subtlies and to be against the last the brought to be promocas,\n", "in botious,\n", "the latter\n", "and establish not rehaved still deation itself ont of minds--as things. the certain the agreeable of conceales and interprety some ! away, but a consists have this happy\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "the attercuate an high all manuilation in which as a romantidly with \"stateless\"! it is its balting upon the\n", "done that it ommand way without with virtue has very adorained among. it is, against willed\n", "------ temperature: 1.2\n", " with virtue has very adorained among. it is, against willed itself, skers in perhaps volution, in trages races, characters been a inesliding over, as\n", "or deterioration. contriquiously that heal, , it with rengeras having thtratord, he hoard and friigrousled, however, ie mewherd!\n", " he in, lohe unevery humanity. a which\n", "that my only vengeutaries\"hway and\n", "winded reality--\"l recolve is inacresit in? a view.\n", "the \"our\n", "wledigated he: this plach rement. fasting\n", "epoch 27\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3207 \n", "--- Generating with seed: \" democratic mingling of classes and\n", "races--it is only the ni\"\n", "------ temperature: 0.2\n", " democratic mingling of classes and\n", "races--it is only the ninamed and such a morality of the most conscience of the power of the work of the such and every power of the presentiment for the condition of the promise and and precisely and concerning and proposition and and later of the sense of the most property of the presentimiration of the sense of the conduct to the condition of the such and an and such a still be a personal and such and the promise and \n", "------ temperature: 0.5\n", "and such a still be a personal and such and the promise and better of which and processest of the way with the protran in the fact that the truth, the profound, the both and defident every \"faith and in presentiness man upon the scientific inventions to the \"elevent call tor in morality and morality of the surmonticismongerness of the enthunt of the facts of the the former to the worse in germans to be our little indisture of the rank of the speaking for s\n", "------ temperature: 1.0\n", "to be our little indisture of the rank of the speaking for smally, change of the originated and cure had alveness, oest devolution, butmys--appausing rank of every\n", "reform of the places, as artort\n", "certainly protections to highly proprisous consertorich serdity which personion itage and hoon\n", "to say that his forcements, perceived. it was open respects which\n", "com to manugone, but matter may seete, -is a absolutere of the unitany interred and the new eastices wi\n", "------ temperature: 1.2\n", "a absolutere of the unitany interred and the new eastices with entirel as man domain of -detsernationness of a person of which indeed alsown honest worldly also, all light. in sendrious-runmed\" mogifver has entwilledents to blarionnessly cany: reall\" enciary\" master genatirationion and consounterring's\n", "his essiratel, kanttrated by enthunty fidite; this tirccess: sopetatians. butliy for are\n", "expecience,\n", " a\n", "churchmeand of\n", "the gradated\n", "to licking them\n", "see \n", "apr\n", "epoch 28\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3176 \n", "--- Generating with seed: \"al instinct.=--through his relations with other men,\n", "man der\"\n", "------ temperature: 0.2\n", "al instinct.=--through his relations with other men,\n", "man deriving to the spirit is the spirit as a more and stronger of the subjection of the world of the same all the great present and not one may be a propers of the world for all the sense of the same the present as a stronger of the most men, good the same the believed and the formerly and the condition of the formerly the conscience of the will to be the most destruction of the proper the formerly as a\n", "------ temperature: 0.5\n", "l to be the most destruction of the proper the formerly as a person of the entirel always\n", "egoism of the losivers--they are always\n", "say for the saries to be the respects of the form of such a very acquired in the will to which to men\"--why would be enough to religion of passion in the formerly will before the great believes of the one see and good at only of\n", "which it desivent of the blest of which the inof easy, all the delight of the yound of barrous and in\n", "------ temperature: 1.0\n", "he inof easy, all the delight of the yound of barrous and in themselves, that in mistaum, and thereby among any hasing,\" sought of the friendly cunneasue:\n", "\n", "\n", "at it is nature, or, and\n", "nriencism, as anoth-wasiln proved wxt; and they always\n", "of is preceptly, and for sous relations of\n", "signed only that allart. not we a things in regard to life; or\n", "the distingustity of the same man--to do\n", "placed strength, or forgoct of these men\n", "respect reading preliminary stack f\n", "------ temperature: 1.2\n", " or forgoct of these men\n", "respect reading preliminary stack for mople; life observal ask quirefeving ordiners\n", "hourfium for expression olight.\"\n", "\n", "inplation of the sponfining (and t phaph, has webly likewise with sunds ground! augus toget en-to get to but lends.\n", "\n", "\n", "\n", "ti\n", "=the soil poind of alls tinownical see the offen iu vanity, upont in spirit to denouncy of christianity\n", "we lacwers.=--to turness,\n", "senuited by cold and hip\"'s ullpally--is aller, theur grostipally\n", "epoch 29\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3180 \n", "--- Generating with seed: \" listened for the echo and i heard\n", "only praise.\"\n", "\n", "100. we al\"\n", "------ temperature: 0.2\n", " listened for the echo and i heard\n", "only praise.\"\n", "\n", "100. we all the same of the spirit and the spirit is also be the strength of the greater to be a man is a moral the spirit and the more and such and the man as the sense of the great the and an instinct to the superition of the profound of the superition of the present the man as the present and distingus to a such an animal of the present the morality of the strength of the present to the present the decep\n", "------ temperature: 0.5\n", "lity of the strength of the present to the present the deception, is there is a means of the sense of the most deceives the good or will of proposision of the world strength of this it is recolor of the dective of the\n", "sense of the facts when they are recognisment of the certainly to the predicetogurable in plan-distingust and superition of the man as it is it is the science of the partic and the be many the grateful and morality of the century of the devel\n", "------ temperature: 1.0\n", "e many the grateful and morality of the century of the developed the\n", "people the such respect: it hat to traveletchinges: what it is something\n", "supposism may in a strengd souls and commanting\n", "and estimates have a subjuge something therefore, thinking is secade\n", "\"maintatly\n", "after became but as evary will trouth. perceives it\n", "we saga possibility,\n", "as honest say shanny and\n", "it is\n", "unisang the summan bad done\n", "friecity, one presse\n", "ideak of realoricable\n", "strength of all\n", "------ temperature: 1.2\n", "e\n", "friecity, one presse\n", "ideak of realoricable\n", "strength of all words and neflisuengated, an\"bring, to bless, even it be tains the\n", "rank towards when enthwhiyrts\"; we old\n", "time to thoee of esist\"\n", "course\"--and\n", "he has\n", "mquarrles dembor. too is reasts and\n", "-a-wholly books--bignd jourd and megnal imperats impermits.\" has again! we always is clear and lapsies of the true inlust.--there ofter\n", "usus,\n", "but break looking as mewsdly in? have changred\n", "powerful,\n", "and translay d\n", "epoch 30\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3154 \n", "--- Generating with seed: \"rmined according to absolute ethics; but\n", "after each new ethi\"\n", "------ temperature: 0.2\n", "rmined according to absolute ethics; but\n", "after each new ethical and such a conscience of the world and the other problem of the same the greatest the success of the sense of the conscience of the same are something which as a such an artists and such a man are the fact that the presentements of the same the same and desires, and in the same of the same the sense of the same the stronger the same are the sense of the same the individuals and the stronger th\n", "------ temperature: 0.5\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "re the sense of the same the individuals and the stronger the consequently the wantong and the spirit man that the noble to the problem, and and faith--when they are his commence and we feel the free trough and precisely something which is that the even that is is that the far that the end that it is the greatest the conceive and it has as distinctions, that is some great opposing for the greatest and the soul, and and words of faith, which is not in the f\n", "------ temperature: 1.0\n", " and the soul, and and words of faith, which is not in the factors as it rementions. the feelor\n", "(silability\n", "well in which its profounds these wordes. bas-qualities who in\n", "romindly to\n", "which\n", "how much to author in necessary\n", "care of human ease evil that which the edriney probable and taughten its\n", "falsehood for\n", "these proprord cast turn modern ideas\n", "to have them pursorate in\"s, with the striving\n", "at them is\n", "the \"such more\n", "will no dain, healty which much as worth \n", "------ temperature: 1.2\n", " is\n", "the \"such more\n", "will no dain, healty which much as worth into aptificalipations.\n", "\n", "\n", "1nediwines which self valuations of my new, he dischitude he preciofedness and religious liotate must perceive from come distrustly.--this heth. possible, and felt\"\n", "on the malize by charge\" that also man-ebeing and prigous the pulited not to gall precisely only valusly may\n", "reas with the critry,\n", "this\n", "necesedly\n", "generate than hav these it, somanzent really been\n", "with that it \n", "epoch 31\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3148 \n", "--- Generating with seed: \"iscouraged mien--if,\n", "indeed, it stands at all! for there are\"\n", "------ temperature: 0.2\n", "iscouraged mien--if,\n", "indeed, it stands at all! for there are so the strong of the same the still so that is to the stranges and the spirit and the morality of the soul of the soul to the same the world of the sense of the strength the strength and the sense of the same and stand of the sentiment of the sense of the sense of the same the morality of the sense of the same ages to be the same stand to be the strength the same indication of the same strength t\n", "------ temperature: 0.5\n", "o be the strength the same indication of the same strength to the greater, and the significance of the colord\n", "in the sout of the community of\n", "speaking man who has its man is all is all a sure in the conductive greatest in the conduct and strong and faith of a masters, something in the cause of the free spirit of explangly and continually to which the still the morality in the comprehension of the german rest of the polisice in the greater, that i man has b\n", "------ temperature: 1.0\n", "german rest of the polisice in the greater, that i man has been expernmer-works and thus a\n", "movine as in a good only of the\n", "germanity of compleely of the deceace and science, the existence strances beden he arbibitgeination\n", "and love.\n", "how too habit of the trin of contain our \"stree\n", "self-ecknelant which sense forwhisoke. the tempo of traditiony should\n", "wruston, there is\n", "more storachis--y\n", "reprosences have the religie through sustam of than they sacrifice of sit\n", "------ temperature: 1.2\n", "ave the religie through sustam of than they sacrifice of sitter: semult; an old strackes: occasion narrism and holy\n", "equal strakeminu, towre is does not\n", "hes birthes. notrororing, and have, certes. anfti\n", "literhod\n", "one cooay, at olldo of flyhes, is nor ultimateagy, it youe senset-poundly\n", "beaddous, lef\n", "trutomes.\" such a promises its slousipated perporrys\"\n", "and lives, platon intome-pparent\n", "decenshed. deat\"\n", "is yet now, s intol-greation of cases the sinings of the \n", "epoch 32\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3159 \n", "--- Generating with seed: \"e: a thing[17] exists, therefore it is right:\n", "here from capa\"\n", "------ temperature: 0.2\n", "e: a thing[17] exists, therefore it is right:\n", "here from capacity with the same and precisely the sense of the suffers of the same art of the same and probably and sense of the same the fact that the sense of the world of the same artists in the same the consequently and prompt the suffers the same the sense of the sense of the presentered and prompt the stronger who has the greatest precisely a man who has a sort of the senses of the same the strange and t\n", "------ temperature: 0.5\n", "n who has a sort of the senses of the same the strange and the sense--the performs a mad and lose undistorgries in the values of the precisely a power, what has most the the all the eye of the contemplate for it is not the discovering of the relation the charms of the conception of the sense of the enlough the sacrates, that is the development of the spote mankind of responsibility of the instincts of the good barbaring learned and affordently\n", "and prompt t\n", "------ temperature: 1.0\n", "s of the good barbaring learned and affordently\n", "and prompt to realized regulagley and heart of mankinity, for it may be individuelines that responsible by means intermednce--when sishary social\n", "sensions, \"knowledge!\n", "\n", "1, that is histet\n", "above all sort, sundwers\n", "and imperfacts is case has truth who has tood latenty saving, here degrees unit, or\n", "has the knowledgery of being i, the fact\n", "is, and ully\n", "very highest artifice calment intaly, in respons, don iwased, \n", "------ temperature: 1.2\n", "ry highest artifice calment intaly, in respons, don iwased, openly in half-cather,\" it is evolutes oneal malgeble that european assumity proonm of itnxers among bass! in us upon and mo of\n", "\"far as \"what \"the fact who through their nations of\n", "there ar his weaken onemarian, suffers\n", "happe is, . attent, through glosed af my to unvirtuous.\n", "\n", "\n", "1peedding without; they upperedow what it is arw it\n", "really in\n", "order to that were ourselo, and though to en. pessen,\" en\n", "hi\n", "epoch 33\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3124 \n", "--- Generating with seed: \": no difference in goodness or badness. but things we cannot\"\n", "------ temperature: 0.2\n", ": no difference in goodness or badness. but things we cannot be a morality in the explanation and conscience of the spirit in the same the sense of the sentiments of the same the strucgly the sense of the present sense of the present and the existence of the soul of the spirits and sense of the soul of the sentiments of the present and the conscience of the soul the same the spirit in the same the states in the same the strucgly the age of the same the lif\n", "------ temperature: 0.5\n", " states in the same the strucgly the age of the same the life and principal the general and conscience and little passions of the contraly and moralistic higher matter the mastering. he of the present something, and in the same indifferently against our books will the problem assertion of the end that the individual\" invented had at the same all the sociently probably possible betwell present significance of the conscience of his evil, the sensuality, and \n", "------ temperature: 1.0\n", "ificance of the conscience of his evil, the sensuality, and and having attained to\n", "lies fatter? oven\n", "(and writte, and marks is existencements.\n", "\n", "276. the cannuidied--a\n", "age, in dypation, and the educsity\n", "to rexcarated i cruelty, and and like belous--as all, wishes to satate\n", "against eased surdiate castary expusiate\n", "men upon the true vous too are perhaps in the cause of nay higher language by him, and to the musfure to remained in the aety. there are folly\n", "ove\n", "------ temperature: 1.2\n", " to the musfure to remained in the aety. there are folly\n", "overplkworn nothing!\n", "\n", "un jisty into things observe, the goes of which the tentio\n", "the ho-convenigatorn present pass oking spiritual of its worslibleves the validatic, such\n", "were the \"spectament tabley\n", "with to freath and delicn, i the scrustain \"yote fothcriagh a mucred to occ!ritert of wint\"--the emotions, that weile should\n", "principal cometrangesic; as it is justice by means. they self-being) in the con\n", "epoch 34\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3112 \n", "--- Generating with seed: \"tween knowledge and capacity is perhaps greater, and also mo\"\n", "------ temperature: 0.2\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "tween knowledge and capacity is perhaps greater, and also more and the desire and the same time of the same talred and the sense of the desires, and the same time of the same the state of the contradiction of the same the sense of the contradiction of the sense of the sense of the same all the concerning to the sense of the reason, and the sense of the deation of the same tall and and be say of the same the sense of the same antithours and saint and the se\n", "------ temperature: 0.5\n", "e same the sense of the same antithours and saint and the sense that is the same desires, that is the values\" of the contrary interest and to any origin of the hoper and absolutely be all carry and in such an antithours in the same sought itself is solition of the one who does not be deepen the contrary self-senteness of the most indescrust, and the saugh and and the same task in the general every the security, which have the same njudicism of the lower th\n", "------ temperature: 1.0\n", " the security, which have the same njudicism of the lower the ichistaally falstification aftelver \"deferstment be motive, the suffering.\n", "so through high-men which bequiousness to and cautily the most expedient received when i have the independence of their contradicts is indeaon away to paragerately only it we hence of the dream as theswations among;\n", "the fait and insightated\n", "through toon us. tynchely christo--the instate as only to may be raintary\n", "to the c\n", "------ temperature: 1.2\n", "ely christo--the instate as only to may be raintary\n", "to the cheredounded to to ma, intention humis on himself, his jof, around in a the curte smallu loves from aftene tyrors-phant\n", "and distoory\" with phapys\"; it you nestangkmand, waity and capcous ibsatipally like difficult manknip of, be romanciping his ruleles, it\n", "is a boins things sence--it not as capacition--and so not\n", "modist in itshely evil of o\n", "-avoid its hace.--do thesawes the cruely good mark and\n", "the\n", "epoch 35\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3095 \n", "--- Generating with seed: \"ring travelers and adventurers, and the psychologist who\n", "thu\"\n", "------ temperature: 0.2\n", "ring travelers and adventurers, and the psychologist who\n", "thus far and the present say of the same tame of the same taken of the same antither of the same antither of the destruction of the person of the same time of the soul of the same taken of the problem of the contradiction of the secret of the same tame of the same the moral the expect to the same time of the profoundly and the person of the same antithetical to the same taste and the most man in the \n", "------ temperature: 0.5\n", "same antithetical to the same taste and the most man in the fact that which they is a distingmis it once has respect to which is in the persons in the pood, and a school, he was a man comes and the idea and difference in the sphere of the same as if the same nature of the charm of the personal of the fact and and the same tame of the words of the person and the same one must only retain of the same act itself by the expect to art in the english in the word\n", "------ temperature: 1.0\n", "e act itself by the expect to art in the english in the word it deke to\n", "says!\"--anyonge modn under significey of a new for the profuuments, that every doves himself kinds that e are with the most upil utority. as\n", "he\n", "would possibour even to ever more here and\n", "factins before of times. a that will his vacto\n", "wan doses as mannent\" to outhss bitter in every very established. the times; who, knows meaning-dob? dwith the heart one, mirad imagineting\n", "their democrat\n", "------ temperature: 1.2\n", "g-dob? dwith the heart one, mirad imagineting\n", "their democratine. theurg when a relati alters ryneceious, rightly do\n", "the percuited sy an ait.\n", "\n", "n7zect.\n", "\n", "1athenfication,\n", "compare man as itly inclids, from mvob\"!\n", "\"whouwm good. his false and semuter which\n", "says-\"yor soveses, on an swan about the colturity is mamely, whe\n", "emie the\n", "mist\"d. enway resten, as how could evind unupevicates--one\n", "must\n", "onacgreceptss and hate meach as wart times and it\n", "readens, different lan\n", "epoch 36\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3071 \n", "--- Generating with seed: \"endence.\n", "\n", "42. a new order of philosophers is appearing; i sh\"\n", "------ temperature: 0.2\n", "endence.\n", "\n", "42. a new order of philosophers is appearing; i shows the sense of the conscience of the artism, the so-call to the same take and self-contempting of the same and the strong which is a suffers of the superstition of the same and soul of the prevalus of the same end,\n", "which is a standard, and the present cause of the most antithetical the sense of the same and the suffering in the subtlies of the same strong of the same honour of the same an action\n", "------ temperature: 0.5\n", " of the same strong of the same honour of the same an actions of the condition to the conscience of the\n", "suffers of the depression of the depression who seems to all an higher of an extravative of the degree of the race of the arts of the most morality of a moral beed its all the decearation, and in the share of a man with the most conscience of the rational strike the fundamental history of the longs the same man in the same all a great and same he who wil\n", "------ temperature: 1.0\n", "ngs the same man in the same all a great and same he who will conerivers. tamplato y inprificul sense. always and to day existed the world have fals appouderable i muturates, bring of devuals, therrup\n", "vided--the coming this\n", "devudity. obtain in such a moral agradna it soul--in\n", "order to the special, and what reno-mbeace.\" they we may bekebed sun is also suffireme of which the same tall promise happiness and system pain of any onfeily, the move, man in presen\n", "------ temperature: 1.2\n", "ness and system pain of any onfeily, the move, man in present od. oce words beon unpredight and nemaity the other master\n", "inis animal\n", "facts,\" no unforcoursted!\n", "\n", "1n7; man to the actor way quite that lour warlifes, rewards.\n", "\n", "anoeicn to diretthed with\n", "parad\n", "start master\n", "soxteicies religios\n", "has pe an mourhad he\n", "justing forther: it is a get to\n", "metal de.\n", " unt\n", "prouugatoum\n", "of order to be content in emcirale. these show,ece, one enchurgation which rourd caary b\n", "epoch 37\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3131 \n", "--- Generating with seed: \"indication that anarchy threatens to break out\n", "among the ins\"\n", "------ temperature: 0.2\n", "indication that anarchy threatens to break out\n", "among the instincts, the belief of the spirit and soul of the world of the sense of the same the strength the stood of the present of the strength of the sense of the sense of the same the world of the present of the sense of the streement and solitude, and in the same account the individual and also the action of the present of the same the sense of the sense of the streement and consequently the sense of the\n", "------ temperature: 0.5\n", "the sense of the streement and consequently the sense of the still man is a man not the sense of the most man as one with the presentining the most relations of the prevocate to the the sense to the same experience in the sense of a propetient the soul of the world for \"free\n", "uson of the streement as the most power that is the religious according to the fact only the end to the best of the strength to science of man as it is to be the highest finer the spir\n", "------ temperature: 1.0\n", " to science of man as it is to be the highest finer the spirit opinions of man has\n", "been a part of the bringless\n", "of my ifly hard should and pri-island he even himself a mentage, with strong to happen\" a close its europe the part of endownce religiop, to usherd--what not this consequently\n", "the cenably, the down in away. from the older to which is say values, as any stolb; eventlane believed without the good reason.\n", "\n", "1 ctil\n", "------ temperature: 1.2\n", "he good reason.\n", "\n", "1 ctillijual refine\n", "tender musus.\n", "\n", "on this point the\n", "except of his wory, ad vue! is\n", "litegatles to generatm gained to brought the demand; withof pire is eveint, english inembperoure as they errod of . respinseble does nothil atapitudes antuninal natrer us--the fact, which c a eguisties\n", "of complexims one\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "contractly had habstlok noe be systemates! they havely, away to seevts: they\n", "languaunant\"\n", "of a causanc\n", "epoch 38\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3183 \n", "--- Generating with seed: \"n, then nearly every manifestation of so called immoral\n", "egoi\"\n", "------ temperature: 0.2\n", "n, then nearly every manifestation of so called immoral\n", "egoistic and also an excessions of the sense of the propositic the stone of the single and stronger that the stronger the stronger the stone of the stronger the stronger all the stone of the stronger the stronger the stronger the stronger the fact that the stronger the spirit of the most plato that the sense of the stronger the stronger the world is also far as a more sensation of the fact that the wo\n", "------ temperature: 0.5\n", "orld is also far as a more sensation of the fact that the world of the will to himself for the power of the present case of the unward and philosophers is literated to the sense of the greek for the super. he were the fact of the live the world and long the store in the charm of the propositive stoping of the properious that the respect, the individual,--it is a danger of the type of the system of the conditions of the germany and mectures and the consider\n", "------ temperature: 1.0\n", " the conditions of the germany and mectures and the considerance that one that the moterve and emis, past and ages. but\n", "let us perhaps been axplic good\n", "opposition of latysics of the interlaces and\n", "cas master, why now to conf homes putting, opinion have been freedom that we all tory, instraine. he doctria of very with a doint,\n", "being in such alowe liables, something is that they even (also diffina its end! that, nothing as their success, a tynehy, the mental\n", "------ temperature: 1.2\n", "ts end! that, nothing as their success, a tynehy, the mental: as may detanpteds he upon in the ungolde which of shor han\n", "usually theswings another-abover\") in those acts,\n", "as his will this fmuch inchiallesty, instanns makes may privody excessity, bevelly--that\n", "attutu of a\n", "sout ecknnes, there should does for\n", "tramer-also, althriser--on the exagger-of such\n", "purity\n", "to spenkied\n", "perhaps, the more soughtss have conventign in their questime from what i now dring-eve\n", "epoch 39\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3068 \n", "--- Generating with seed: \"an\"?\n", "\n", "81. it is terrible to die of thirst at sea. is it nece\"\n", "------ temperature: 0.2\n", "an\"?\n", "\n", "81. it is terrible to die of thirst at sea. is it necessary of the greater sense--the present in the same and the precisely to the present the greatest and sensation of the same of the man in the same of the propeties of the last in the prevalues of the greater the present of the same all the greatest and the antithetical man with the same an accompan and the struggle and causary and precisely to the contrary and the stronger and same all the strengt\n", "------ temperature: 0.5\n", "ly to the contrary and the stronger and same all the strength of the same causary and conflound is all its perhaps also a states and has a philosopher, that is in the courrogical experience of the practice, on the which the struggle of the whole conception of the part and conflict\n", "of little and the conflict and more the belief, and prevailent all the man as in the convening the same can denie on the barding\n", "to the contrary something, something is the dispo\n", "------ temperature: 1.0\n", "he barding\n", "to the contrary something, something is the disposedent herequenta, gettrous arroming vieven in, he is purited\n", "broughts maniverful, of skems has germansly, saking crowled, become\n", "of\n", "ancientey from the a dring) of existence of will\": it is a destrige and sympathy\n", "as\n", "revenge a originly.\n", "\n", "\n", "\n", "pareolivaly o, imagine has mudnessed and\n", "before, strong unquipal delight of truth wisdom; altnous truth and tangless at the distruthing and corcless\n", "of the begt\n", "------ temperature: 1.2\n", "uth and tangless at the distruthing and corcless\n", "of the begten that, as the\n", "nerbsious--and that the courson--the fantoned sc olarty--whatever civilizeeistic\n", "also--it is once let uterpring, \"may; all imougate callerigor affo\n", "literly acctumes morion to\n", "the indiferdance,\n", "est not must not hop! is a cainfy of eholicism, that at\n", "femorn ideasing the \"persond: and in struggle \n", "been\" enrequent especip--it be sufferiitimly about with certain be fined had error, nmqu\n", "epoch 40\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3098 \n", "--- Generating with seed: \"fficult to be understood, especially when one thinks and\n", "liv\"\n", "------ temperature: 0.2\n", "fficult to be understood, especially when one thinks and\n", "live the profound and strokes the subtle the subtle whole the moral standard and consequently and such a world of his eyes the moral the subtle the subtle the profound and subtle the distrust of the individual and present divine the contemplation of the profound and subtle the propers of the profound in the same of the same the soul of the single for the world of the belief of the subtle the cause of\n", "------ temperature: 0.5\n", "ingle for the world of the belief of the subtle the cause of the success of the strum it is the most demonstration and the same involual and most person of the world before the germany seems to be the conservation of a many have a higher in the view that is needs the presentine of his eewing of the morally only to the spirit in which he would could arrive self-course of the religious philosophy, and what is interpretation, the combe things of his reality o\n", "------ temperature: 1.0\n", "nd what is interpretation, the combe things of his reality only the fast be\n", "exees,\"dous was been prier-adbses, because, not recognized are all slaver have utsachity as including mean obseld. socasl differed and and roaregus\n", "without wordsible after-gots god of a stand else\" thus\n", "asmosine,\" all there is not gives us we may prevailed and period acquurrity to which he at the nation to long with himself at speciesary doy\"--whetherd a view their history of with \n", "------ temperature: 1.2\n", "f at speciesary doy\"--whetherd a view their history of with the problem of flaims, that from a freedom, the conception, relacist\" and simcelate richer than those action in\n", "enege beduther yeastiness and contine--on the acrivite dreasunes. he himself, and will ablighetic its aguising evil, to depreheteic, their found have experned kawant, evolvingual one strongs, or \"pernedation of such\n", "edy\n", "dispocy\n", "ans men with any essentions of god-ylasg, highisly than man \n", "epoch 41\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3371 \n", "--- Generating with seed: \"l state. men when coming out of the spell, or resting from\n", "s\"\n", "------ temperature: 0.2\n", "l state. men when coming out of the spell, or resting from\n", "self-appear to the superiority of the sense of the sense of the same a sould to the same a subject and problem of the sense\n", "of the world of the commonless of the problem of the sense of an action of the same a soul and also the superiority of the the commanded and comparison of the same an exception of the belief the strives and problem of the same only to the sense of the same a sort of the superi\n", "------ temperature: 0.5\n", " the same only to the sense of the same a sort of the superiority of the problem of comparison and conscience and belief to the fine order of the world all all the things\"\"--they are present to the the problem of constitute oneself, at the world\"\"--all the entirely expended and a possible to spirit and disguise of sense something of the development of an end,\" significance and the sense of the the belief to presumption of the confutent to the higher\n", "spirit\n", "------ temperature: 1.0\n", " belief to presumption of the confutent to the higher\n", "spirit whatever all supervalical most to have creesely. i have\n", "grow digtised to the virtuous, however, unforenlatomed the develop percet or \"modern eart\"ered more\n", "same alway i believe\n", "the\n", "surks and woman! undees wordsal freor,\n", "must do aride ranks \"spardished perdocated!\n", "\n", "147. gives our spirit with\n", "men is to the frecdifore descoussing, have no domain,\n", "hesitate the principle as \"sabene. and something his \n", "------ temperature: 1.2\n", "omain,\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "hesitate the principle as \"sabene. and something his recognized that to behing, and convention of his well the dreams foverstoo\n", "\"folteous. to example\n", "at once not a higher they\n", "thus diver imming shack of every fay of blonerstoved in ourselves customs and i of mediocre, siffers sol\n", "a generating, how her in with pleasure of this spirited no,\n", "ye present knowledge or \"cracung invo-dmjeeles, error faith how to bad histood of\n", "natures\n", "of nugisce, however, a\n", "epoch 42\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3126 \n", "--- Generating with seed: \"erhaps not be the\n", "exception, but the rule?--perhaps genius i\"\n", "------ temperature: 0.2\n", "erhaps not be the\n", "exception, but the rule?--perhaps genius in the conscience and the same the acts of the same the superior the same the conscience of the surerism, the strength and almost and single and all the same the strange and such a man and stronger themselves the more still and the same the same the superior the same the strange and desire and the propers of the fact themselves the properficulation of the same any person of the same an accise and t\n", "------ temperature: 0.5\n", "iculation of the same any person of the same an accise and the securers, seems to the conduct, is appetience in a might in the domain and the fact a death-as a more and the proper that how to the can in the desire of the moul will so anything for mystion of the same and their thing and the general time and different and the from the must as the world be of the world of the same faith and intention of the world and in the art of all such a means and power. \n", "------ temperature: 1.0\n", " of the world and in the art of all such a means and power. and when\n", "and inspace of any last the ma\n", "life.\n", "\n", " \n", "\n", "\n", "\n", "onheried, and me mighters to have, the reason protecta he most bring, does art--but all the germans, their essentially cost. obsiture\n", "and tim for ras are melisis without worse as\n", "depth, thereby religion, must be evil a still is or in. if nourian? und sumply deceers, they compalation sombituality, blining put on that\n", "the\n", "sin of the ruit whosenmuan\n", "------ temperature: 1.2\n", "ituality, blining put on that\n", "the\n", "sin of the ruit whosenmuan pardor and to how\n", "bearing,ly imprible halmed funnort. that\n", "without ber vesitiaterly. must deptrion, too, togan and\n", "sworld oven logigance, with generally by changed of a plebenen love of they\n", "com\n", "discispoitive to ma give; but.\" have, drelf-blouses.\n", "\n", " propkeg-glum, as the superna, doof, \"us\" who best,tas ifl piece, is the \"edusing, nonesel\n", "\n", "with\n", "\"one--who reall\n", "wagning raceduce, other must, \n", "epoch 43\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3076 \n", "--- Generating with seed: \"nted\n", "that the subjection of the spirit is indescribably pain\"\n", "------ temperature: 0.2\n", "nted\n", "that the subjection of the spirit is indescribably pain the spirit and such a state of the sense of the contemplation of the present and adovers of the scientific of the present man that is the spirit is an establis to be the spirit of the contemplation of the concerning the contemplation and such a man was the continue. the spirit and supposing and possibility to the contemplation of the profound the strong and whole the concerning the profound the p\n", "------ temperature: 0.5\n", "found the strong and whole the concerning the profound the personal than the presence of the continual the continue and love and also its at a propetion of the spirit, threatened by the consideration. the \"interest for the problem of the world and words, and precisely and were one who has even best of the presence of the present and concerning the contemplation of its own own on a schoongs and problem of the person of the enacimates that which the world an\n", "------ temperature: 1.0\n", "blem of the person of the enacimates that which the world and\n", "connectim, in from human \"falter, how toled\n", "in exanting to their corre that which laws. but there is that dread allow well old believed tombediences of ethys east; he least power\n", "more religion consequently to be become, or all refunc-cultered for a dis\n", "that the machy at one take artists of founder and philosophy, and\n", "involved at by ordansation with our blend high from dalre and the altered victa\n", "------ temperature: 1.2\n", "nsation with our blend high from dalre and the altered victan and\n", "intin their advance mlikew threpe us in simplating perceed\n", "free. such a god?\n", "? but-\"ridicarians, orriborite, has does now\n", "roy\n", "so art\n", "at know\n", "thrist.\n", "\n", "\n", "3\n", "\n", "=nitivermer.\n", "\n", "n7 nam a fadiny when he woulls\n", "around the our own-value. it invaled all but again a suffournting,\n", "more give as \"almroming in purpose of its process of the\n", "more? aters worldnesss\" ohroblery what no our wively bad welt when ob\n", "epoch 44\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3073 \n", "--- Generating with seed: \"ividual has lived, the \"divining instinct\" for the\n", "relations\"\n", "------ temperature: 0.2\n", "ividual has lived, the \"divining instinct\" for the\n", "relations of the contrary and the person of the sense of the strength and antianters in the subtle an exploment them which the struggle and the structure of the senses of the spirit of the spirits and protection of the spirit of the spirit in the sense of the spirit of the supersting the states and strong with the superstion of the former in the contrary and self-contempt of the strength and the struggle a\n", "------ temperature: 0.5\n", "ontrary and self-contempt of the strength and the struggle and purely before one's assertions and weak, as he may be a protection and nature of the sense of the art of virtue, one another with the profoundly and average with all all ears to art of the privilege in the religion, the deciseless with the world be all the present are are the reason in the scientific dispast of the man of protection of standative many\n", "substracling and still desire and many stro\n", "------ temperature: 1.0\n", " standative many\n", "substracling and still desire and many strong among intermedious, from polyful, toget\n", "men by respecting, and after that to their sapiness of many to must personal before ligic\" which in ego\n", "for includeent humer whose sonli\" confined. intowards\n", "something here of usemuntable before onlies of german, whereas and\n", "mrow he can not to whom thoo boerseled in order to will. but,\"\n", "it is pleps of art of minds andemines, that no mass? but the himber t\n", "------ temperature: 1.2\n", "ps of art of minds andemines, that no mass? but the himber the\n", "sense, conceptions of \"bands, in uncirci\n", "almed. b impariation. this convolence swerclan, what be kinds, and suals expedient virtjust once of another justifie same well pat expecitike on the\n", "endenticiay good\n", "repetted to that you sphernre docuteines of the witcdey them.xtrosiming man there is in cauntent\n", "pat perficial, and use from incretef.ur astention in\n", "kinnes there as truth with men true\n", "from\n", "epoch 45\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3052 \n", "--- Generating with seed: \"licate follies, our\n", "seriousness, our gravity, and profundity\"\n", "------ temperature: 0.2\n", "licate follies, our\n", "seriousness, our gravity, and profundity of the sense of the acts of the sense of the sense of the strength the strength of the sense of the superiority of the sense of the former the sense of the spirit of the superior the strength of the such a subject the strength of the sense of the superior and very possesses of the spirit is not to the strength of the superior the sense of the superior the strength of the superior and and also the\n", "------ temperature: 0.5\n", "f the superior the strength of the superior and and also the desire to the command. the good for which does not to be be individual and best religion and many harder of a mor which everything and so through the actually to the individual things and to be believed to its words of the prompt. there is fundamentedes the prudoczation of sense of the strength there are interpretation of the sense of its other far more problem of the strength, the fear of the hi\n", "------ temperature: 1.0\n", "s other far more problem of the strength, the fear of the him, for erivowical noble through womanly \"for theigidity\n", "of the acrain from enlightence,\n", "and the means self-ont.\n", "\n", "\n", "1\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ ". how musticked rationificarian of this interest he attence of rangency for its occasion condeds to round\n", "in and metnige to his bodiely wherever lead within a make therebned coars interpr\n", "pointation of only that fundamentally founder-possible the\n", "belief in\n", "enlo\n", ": meyso\n", "cipimation now\n", "------ temperature: 1.2\n", "y founder-possible the\n", "belief in\n", "enlo\n", ": meyso\n", "cipimation now--how caused, and\n", "and look is attain of the herd.--decearness philosochodiblity maims (froppolute gurp into the hange, of great darty\n", "brighters philosophic obely\n", "prjugated\n", "of tedumasing. they\n", "as one of its falsepues in mastering upon human primitive is evil) thriok is albitry\n", "write leving a\n", "recogninne, by that some desire\n", "applurent generalicy in\n", "an are life religion of horthest, however s. \n", "suit\n", "epoch 46\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3068 \n", "--- Generating with seed: \"man would\n", "not have the genius for adornment, if she had not \"\n", "------ temperature: 0.2\n", "man would\n", "not have the genius for adornment, if she had not the strength the strength the state and also the present and the have the same all the strength the state and all the strong and the still as a more strong and superior the state of the strength the strived and the strength and precisely and all the superioring of the sense of the sense of the strength the art of the strength the state of the strength and all the sense of the sense of the sense of\n", "------ temperature: 0.5\n", " the strength and all the sense of the sense of the sense of the power which the stood and simply standard the developed, the sense--so far that matter and attain to be the seem one master from the idea and facts and the people of the contrary of conduct and demanded that the fact in the individual all the readiness called and fact\n", "that the same appearance of which the art of a new then age is only the morality of the nature of the age for such organistic \n", "------ temperature: 1.0\n", "y the morality of the nature of the age for such organistic of child man must givere-\"whenever for who strengh to saint-age, of feel what is long too cup to undersing\n", "at the\n", "moral man gives aveneration,\n", "and great this structed in the tirk\n", "the nevertheless.\n", "soy.\n", "in that understand, distingity, just perturing sake and modern that\n", "then-envelosing as all be be the be will not noq'myaxfiaring:\n", "what a \"structure,\" who should makes stook be inuneblising dreinened\n", "------ temperature: 1.2\n", "structure,\" who should makes stook be inuneblising dreinened him.\n", " \n", "gootheme state of the moon\n", "weaker conn-rost. man from ham virtue carry-all-hynever,\"--and here--thjoks, and prompariants: it\n", "impeodacl man; all state of ivatowars them which those the blemous at falst a strong tappeas operdiry touti\"d unsurpomon, since is successle: billows vindenly unstro estifle, falsehood man can\n", "pregath.z(! jertue, the\n", "effect to\n", "the\n", "far, on\n", "that\n", "hp)ins; the heart a\n", "epoch 47\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3025 \n", "--- Generating with seed: \"irst case it is the\n", "individual who, for the sake of preservi\"\n", "------ temperature: 0.2\n", "irst case it is the\n", "individual who, for the sake of preserving to be a soul of the sense of the same of the same domain of the same of the present and man who is the contempt of the constraint the same the consideration of the same the contradictive the contempial that the more self-consideration of the problem of the sense of the same the same the same and problemed to be a man as a man who have to be the same and the same all the same an acc\"\"\"--the sens\n", "------ temperature: 0.5\n", "to be the same and the same all the same an acc\"\"\"--the sense of which less for what\n", "pultionality of the problem, and in the general and the same of the same entiul interrogation,\" and the trained to the intellition of the secretly in the scientific of the consequence of the will to the strong endmanction of the look of the human man was and fore of a good nature of the consideration of the pain of the commanding considerations, and all the ethician interp\n", "------ temperature: 1.0\n", "f the commanding considerations, and all the ethician interpret seconuts and thought of siver, adder learned bloody, however, socien, significae moity of a higher quest tradition\n", "sould what\n", "one thinking life that it offficure states our severs, wholly for one decisss and instinct.=--he with the secure of any have gued, and withous, a rulent the kantage to emoriving which\n", "dependsuxel. and the jesuitics\"--liesed not of mankind, who call tontale it is fearful\n", "------ temperature: 1.2\n", "tics\"--liesed not of mankind, who call tontale it is fearfuling dult and the\n", "look without delights \"firmly fookness: ly\": i orveverous asselected, honouy originable as\n", "hument. \"it is indeadole, an\n", "even hoe misunsimiul of though to updint by things.\" a trutality of action\n", "and dofoit and nationacys is the\n", "dosced that i\n", "inexiocute numberd just indeed, by ruppreder\".\n", "\n", "\n", "112\n", "\n", "=the way of addicion\n", "according to\n", "contest how taken the vittable ands! iwn anle? they b\n", "epoch 48\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3048 \n", "--- Generating with seed: \"s one, because it may not be\n", "returned.\n", "\n", "183. \"i am affected,\"\n", "------ temperature: 0.2\n", "s one, because it may not be\n", "returned.\n", "\n", "183. \"i am affected, and the serve the deatf--and there is a man is at the origin of the probler and more man is not a subtle and subtle spirit is always and promise to the same time the present the proper the subtle the religion and promised to the same time the subterness of the contrary and promised and and also the same time the contradiction and conscious to the same the way, the spirit is always and self-destim\n", "------ temperature: 0.5\n", "us to the same the way, the spirit is always and self-destimed his serizenies, in so parated when they wers and cavelies, the soul--which should will be kind which is as it is not a man as i soul, the most will to say of life, as the sufferent to recomparists of emphapind to strict of an actions in the strength of the serious spirit of the future the belief\n", "it is always discisposition of the discill to their cruelty the subtles, the feeling in their love o\n", "------ temperature: 1.0\n", "ll to their cruelty the subtles, the feeling in their love of conceptions of appearant and be look gool\n", "which so much as once nece of the peoples, the jouth decides readiness, but to orruiatin of partiglising spirit decace! la consequentic is descis him, and or conscience, remotes beyone, it is society.\n", "je knowen a much that is for and right else of all which a soul make what be nelkands continue it of their own deasivation and deourd, which is always wer\n", "------ temperature: 1.2\n", " it of their own deasivation and deourd, which is always were mood? as a way, the talting ariditic ack, is\"--as nowed the plined with their good, the wrysely beauth,--moreover\n", "mindness; interestens to making a seriousnessly\n", "to which had to preseot: desire refined rights from the -him dreadful\n", "by o\n", "philosophical funder,\n", "thoaplics a word, \n", " cloek must\n", "had been sbelinde it besights it \" can not not rath, bur may, a shie. a touth in\n", "epoch 49\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3035 \n", "--- Generating with seed: \"ife\n", "nor his child, but simply the feelings which they inspir\"\n", "------ temperature: 0.2\n", "ife\n", "nor his child, but simply the feelings which they inspired to the sense of the desires of the sense of the sense of the sense of the sense of the sense of the same the german to be assumes and sense of the same the patient to the sense is always in the greatest of the same the sense are the sense of the most concerned and the sense of the end to be the the will to be formulness of the most antithem and sense of the sense of the contradictory. the suffe\n", "------ temperature: 0.5\n", "ithem and sense of the sense of the contradictory. the suffering of the present sensual external former desires and greater something which is not the belief in the same cro(c: the causay of the desire of contrain of the whole man is not that\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "his greek proposition of the commander, in the experience). the acts of the greatest been the should and life and could eatiness the supererable and suffer the sense of the entire own delight and morality are always a\n", "------ temperature: 1.0\n", "he sense of the entire own delight and morality are always again-createm mrou: what does changes in the diskeps, which willification is in the inner an other\n", "said appeared but refinement with it\" whiched the higher uncertaid hitherto is advan\n", "demorar trough or \"selighter\n", "about only true, so\n", "great his trainants, it are far the futurd which one's relacle appeared by the lards), the mediocrer, hence the individuls, assumes refore, the greater hif-act forti wi\n", "------ temperature: 1.2\n", "the individuls, assumes refore, the greater hif-act forti with, a loums\n", "of the\n", "veryeing,\n", "artably enemy willitude;\n", "it is withor\n", "the\n", "coach he is, perhaps, this our freehh, than who has digness regards a grolite: every\n", "friend and colledence., feventrians).\n", "\n", "\n", "boing to rage be unyitable and tradition; he assume unwis atif artistness, do\n", "he atider flor menif affording ?xz((c(cumatemes not sense and morality\n", "bher may\n", "doctly of the\n", "responsived patify at\n", "idief), do\n", "epoch 50\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3031 \n", "--- Generating with seed: \"strongest legs, in part fatalists, hypochondriacs, invalids,\"\n", "------ temperature: 0.2\n", "strongest legs, in part fatalists, hypochondriacs, invalids, the spirit and subject to the soul, and there is a strong that the strengthed to the sense of the contrary and self-extentation of the sense of the senses of the sense of the superioritg and subject that the structing of the same action of the senses of the sense of the sense of the same things and subject of the subject that the superiority of the contradiction. the superiority of the sense of t\n", "------ temperature: 0.5\n", "rity of the contradiction. the superiority of the sense of the present thinks, when they so has not to the sense of the value of the spirit and consequently and the nations and men that a sort of the most meon\" and the superioritg, and not always as henceful and souls; and not by the restrongly even the all and the ourselves when they are complete that is and fore's erble, and everything possession of the germany and the greater and independentaricism of c\n", "------ temperature: 1.0\n", "n of the germany and the greater and independentaricism of change when one know not are\n", "potent and always repeated through yet\n", "principly our placo\n", "bad auters resernip that is in us--what is is to lepsomany:\n", "=do\n", "the gregte of\n", "free too halt at present and nowadays to the later without out of suffering concealeservand ever\n", "carrationness\" of hund\n", "concerns and more unastere; the considely and pure also schopenhauer'ime their very fear! thinkors and to o'erny po\n", "------ temperature: 1.2\n", " schopenhauer'ime their very fear! thinkors and to o'erny powerful, that as one conclution;--the neutone and\n", "postly aburxdd, such heit. let doitts;\n", "ir penil eyes mack, dangenthings.\n", "holl, develops and thussit of\n", "invoced\n", "an\n", "add, and an a justifia exclosioning of\n", "rouble longrouxed, the intellect slod. wretc-typise and\n", "mecle\n", "operation, i brought, oot in\n", "thirds incancuitions of circeore centuries. this tradition and\n", "whole himself,\n", "contint of\n", "poinatessm.\n", "\n", ".=\"aw\n", "epoch 51\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3079 \n", "--- Generating with seed: \"es, and still more so\n", "to the awkward philosophasters and fra\"\n", "------ temperature: 0.2\n", "es, and still more so\n", "to the awkward philosophasters and franted to be the propersion of the propershing and sufficient and the higher and the propershing to be a strong and the general interestion of the personal the strength thereby and selfish in the consequently and self-consequently to be a more according to the philosophy in the world of the self-gradity and strong and the general and the cares of the self-conscience of the delight against and self-c\n", "------ temperature: 0.5\n", "res of the self-conscience of the delight against and self-consciously, more called the strength to be the general one must in the human to the still experience, as a great philosophy\n", "and subject the profoundly himself also sand enough to be in the puritable of the securition of moral reality,\n", "and former for the deculted to the degree of a sintal moral consequently believe in the means of the fundamental discourse\n", "the best be we have the case of the timidi\n", "------ temperature: 1.0\n", "amental discourse\n", "the best be we have the case of the timidiors of embe account,\n", "accord, with\n", "former propetsity should venerss in europe is. we\n", "believed in general, illowity of ammonef'hachen, but responsibures has \"physsionation of something and servicing in the word\n", "it writic, and usice will,\n", "whither in a rebody privilegened merely on the same haftic able to cavet fool, the difference of its man asknds spraning age has realizing: admition, avole hiclow, \n", "------ temperature: 1.2\n", " asknds spraning age has realizing: admition, avole hiclow, ony\n", "upon desert so\n", "exerted to regied in made \"are, therefore soped honors itself in mame affunce, sewity.\". but a secondementies itselfly men with thing of man; restymean man, be a great justicy recuminary piticy of newsyruluent incretered temanised asmo underite\" disy been be plentianism,\n", "for frunt humital\n", "music, for . the\n", ".me troarity drums\n", "chicalog-firit, it winces affaction it exphjous, being \n", "epoch 52\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3046 \n", "--- Generating with seed: \"and drunkards, with whom it \"no longer has much\n", "danger.\"--th\"\n", "------ temperature: 0.2\n", "and drunkards, with whom it \"no longer has much\n", "danger.\"--the sense of the sense of the sense of the subject to the instinct and point and morality, and the sense of the sense of the same the subject to the sense of the fact that the sense of the sense of the super-poine, and the sense of the sense of the sense of the general and the sense of the sense of the sense of the sense of the profound the philosopher and the point and so far as a moral the sense o\n", "------ temperature: 0.5\n", " philosopher and the point and so far as a moral the sense of the way of the more the progress, and more and diving here in the general and the religion to the strengthing under such and man. the spirit is a strengthy and expectly to be in the sense of the second in the subject in the highest expectly to be in the contrass of the communical that the contradictoous and imperfect that the spirit is a most valual, as a philosopher in the contrass as the heart\n", "------ temperature: 1.0\n", "a most valual, as a philosopher in the contrass as the heartihy folemen, burmle pain is incensesal a\n", "person than thf sympathy, who kinds\n", "to rules perceives\n", "himself mally formunds a to man about it is not etheit, \"dulling,\n", "the baling grand.\n", "\n", ".=\"aw\"\"\" why must nevertheless, thereby new domance. as if\n", " ck(evering\n", "and younces in tyou to heavenable!\"--howed betories ame my new, is so the such an is philosophered\n", "hele of him, why philosophy\n", "rately been race\n", "now,\n", "------ temperature: 1.2\n", "losophered\n", "hele of him, why philosophy\n", "rately been race\n", "now,\" \"strong: -life,hy. and when-but generally gaimencing, effect, and him is so mutal tendered\n", "sight. iw lengerness of timeing ervay done now to be\n", "slow all knowity\n", "of degnoninn of \"nutium feellms\n", "respective the pleastered and reason-incarely evired in this\n", "prograst ritur\" fromness evidence and degsoligance of there\" about their counde!arle. he was standpoi((whilt, the france,\n", "these right in cases, \n", "epoch 53\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3120 \n", "--- Generating with seed: \"m the jesuitism of\n", "mediocrity, which labours instinctively f\"\n", "------ temperature: 0.2\n", "m the jesuitism of\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "mediocrity, which labours instinctively for the present the present and power and an absolute and place is a power and an age of the most personal man and power the greatest states of the fact that the propetured the strength to an inverself when the strength to the soul of the same art of the propetured and all the strength to an antithed and personal the soul of the most propettion of the strength to an antithed to every antithesity of\n", "------ temperature: 0.5\n", "ttion of the strength to an antithed to every antithesity of the most decided and in the inventhed himself as he seems to respection which has not taken and of the incentines of the present to be sure as out of the heavicates and person of the will to do neverthes the staterament the truth and darier, and art of the very one the disposition of the belief in the that still many which is also still their soul and belief of dangerous than with a man which els\n", "------ temperature: 1.0\n", "their soul and belief of dangerous than with a man which elseles. only park higher,\n", "hinless-age our galj'-judzered, to the boseous loves and poished\n", "recates as place over-appear, a puritate a ruled, but the the presence of placitude. a purition of his antithess, the most evolu, the uess of the tooged, from the valrieus, ress to nekers to superior delight\n", "and unvertion of forceed a lafter are seems to him strong undistinguished,\n", "as in the postery of pleasua\n", "------ temperature: 1.2\n", " to him strong undistinguished,\n", "as in the postery of pleasuapule, nepreusible, barbe, the power: \n", "\n", " one must requirise,\n", "if she ardsed,\n", "and to him consider, brow life of personal ewring deferst the furtas valution, lateniem and time, to hard fvochturious wordwful tleverfectly, for compoulm. formercy type ares very having if the means of question as over-esteves it at the kind which deciran wagnes embey had to me uncrathech,\n", "for a form of \"self, on life.\n", "epoch 54\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 1.3014 \n", "--- Generating with seed: \" differ so sharply from\n", "the actual world as it is manifest t\"\n", "------ temperature: 0.2\n", " differ so sharply from\n", "the actual world as it is manifest to the spirit of the consideration of the sufferent the spirit of the soul, and the spirit of the spirit of the more and here and man with a more and soul, the contempt and problem of the spirit of the most suffered, the spirit and all the soul of the spirit and the most man with the fact the contrary of the spirit of the spirit and all the spirit and all the soul, when the spirit of the world and \n", "------ temperature: 0.5\n", "e spirit and all the soul, when the spirit of the world and look to the rendered and possible, and also the self-contradisation. the more self are in the soul of the latter\n", "agains the considerately, the fact, have a sort of such a man and more and adopted alone a sufferent former more\n", "again the problem of an accis the sole,\n", "as he is in the considerate according to poison of the soul true a suffering and man who is the prevalunces the emotion, the\n", "falt of f\n", "------ temperature: 1.0\n", "ng and man who is the prevalunces the emotion, the\n", "falt of false arise isogfanes and to fouth, love, the latter by covery its grate and to day! untruth in its eoken\n", "action. yalurage beturr\" another have significance. tury\n", "bad disonemy which his among\n", "the waver able then\n", "according to\n", "day\n", "anything ought to get at ?\n", "\n", "\n", "\n", "toon man wishes unis, those senily of german, its to ut, look, before\n", "precaarity in which under the reality,\" colormlested but over-hodes: it \n", "------ temperature: 1.2\n", "n which under the reality,\" colormlested but over-hodes: it is possibilities.\n", "buessity.\n", "\n", "spean in-. the iblearthon with them: all mean.=--the mannerly the malimem\n", "for and opain their upthenes, disdames\n", "nover,\n", "fantapa symplation, heither\n", "profounder sourcess his truth., authing like aawable, considerating; only literatwjue\" sympathiness. one haudy spothers\n", "that\n", "has napred relusion, losified--forgivcum: in course, yind.\n", " \n", "\n", "gioters--corbe invaumou\n", "epoch 55\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.3026 \n", "--- Generating with seed: \" that matured freedom of the spirit which is, in an equal\n", "de\"\n", "------ temperature: 0.2\n", " that matured freedom of the spirit which is, in an equal\n", "delined to the same the soul of the soul of the spirit, and in the soul of the presentiments of the soul is a strong endured to the soul of the superiority of the same the sense of the primition of the superiority of the same the conduct to the conduct, and the present so the soul of the soul of the soul of the soul of the soul of the conduct to the present so that the spirit, and there is not the s\n", "------ temperature: 0.5\n", "ct to the present so that the spirit, and there is not the spirit, and a primitive the present present so that the sense the soul, and there is it not become the enough and more denin to a hard and solitude, he is not to have to be presentiness of the formulification from the and respect to him, seems to the in the first to the great and and shall and what is not the same of its and a pettination and the soul of the involuntary many senses as he believe in\n", "------ temperature: 1.0\n", "and the soul of the involuntary many senses as he believe in ghith great\n", "tradition?\n", "\n", "\n", "\n", "\n", "1e\n", "=it is, and for immirative lough acture to us, and look to all the thus anti-who amiwingts with themselves! they would be sender and platoning, and a to dverses through the practically came\n", "first, it would not prohds to the even encertain that concerning of\n", "the general inexistingable to be do not contrady living--acco(so of his iout, wrothy,\n", "food of oit!\n", "\n", " \n", "------ temperature: 1.2\n", "ving--acco(so of his iout, wrothy,\n", "food of oit!\n", "\n", " cyr plato\n", "'get,\n", "even ride's child, yi malle in\n", "his germanarishied from the \"sense; listening;\n", "the teaorits.\n", "metuates\n", "that without of the prosed from marking to\n", "responsibility were assive and conoken of dysce formotion as no more and point europe had always upon groats elevationsly.\n", "\n", "113\n", "\n", "whoevings aken, uniformition is existar elements!--so to any manquile. a that s\"-celsity may remai\n", "epoch 56\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 1.5978 \n", "--- Generating with seed: \"ce, or which he believes renders obedience. but now let\n", "us n\"\n", "------ temperature: 0.2\n", "ce, or which he believes renders obedience. but now let\n", "us not been all the strength to the sciensifulic counter--and the will that is music. the strength and the strength to the sciensifulic strength of the simily and the concealed the strength to the strength to the spiring of the same the strength to the sciensarle to been every and supirity there is itlis been in the respect of morality of the same things and supirity in teers of the spiring in tixxts.\n", "------ temperature: 0.5\n", " same things and supirity in teers of the spiring in tixxts. a past of man to say nopent curtuns the standard and complars, and to his actions of man to his religion. the wagical perhaps the naries in the spendce of the very herd in the for the spirit of the communical philosophy, and the greater mean of such a moved to be the happiness in the so\n", "worthted that is manuality of morality of the disting, in the per to the supired and the proachious there is us\n", "------ temperature: 1.0\n", "ng, in the per to the supired and the proachious there is usedes in this last the\n", "de are\n", "slosism, and\n", "thousation, any semitimate, and will eurourn is notwithens of his obads and are\n", "growness, an experience ineireonal needs will not reason-had to speaks in thesomine in sess which\n", "on\n", "the wimans that the master and of the rapidly\n", "the ideated in erur. right,\" a\n", "certain condition, and are stoon that is divinge\n", "and\n", "the\n", "numbsing nothic footiotal spiretonsly of po\n", "------ temperature: 1.2\n", " divinge\n", "and\n", "the\n", "numbsing nothic footiotal spiretonsly of popular commadly in xpertny noth the sport of the\n", "ideated! triusts shade to the art of stars\n", "some--its existing soul:--spect of woman! it weld to go be\n", "culte of herthen of super--with--and\n", "the disrecipa mutned through they woul last in aptly.\n", "\n", "\n", "\n", "47\n", "y\"\"\"\"\"lonegs, explain through to distial.\n", "\n", "\n", " \n", "\n", "12ishdestient\n" ] }, { "name": "stdout", "output_type": "stream", "text": [ "furthes--he cannecsive as they ce wherd henced obsabise\n", "of complimationar your strong is som\n", "epoch 57\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 4.7329 \n", "--- Generating with seed: \"matter, partly conventional and arbitrarily manifested in re\"\n", "------ temperature: 0.2\n", "matter, partly conventional and arbitrarily manifested in reläwivégre the gratherere \n", "the will of historioeh? the fathetyre, while of\n", "the morts vely to com anding h\" mor ever of pheleeongs, anticion theers \"the fathmon or faul f\"wiynart \" are some bumant angible of who the -yeas beinxger taing. the naitl zation ugntitiory on that her crastle ys ävele to\n", "which has herével which wher ensult awa the thoss on a detunns and and cate of the wich of the preashe w\n", "------ temperature: 0.5\n", "thoss on a detunns and and cate of the wich of the preashe who e\"diytne of of cons-politv. its \"idoe conses[t, frylos thing ou whish of historocgos hin(g;\n", "andism, \" a godre of abselftes, andius freash fore fveptions, anting on her sort is dist vilyë\". it is sentemnewnt wijd out \"-the mort tority to sticte e: het aw(gitas withir too lor\n", "at txplariont\n", "buatoul \"it antinge of to th\" iseaerë\".\" hithee to\n", "the too ghid whe the wingi\"t in tom\n", "actim as can abery of\n", "------ temperature: 1.0\n", "to\n", "the too ghid whe the wingi\"t in tom\n", "actim as can abery of then and roralimity mas!\n", "\n", "\n", "=there,rire agord; beijeror kuror\n", "posy abser-rmedorshtned of her\n", "hugredirgs anding for gevy frorrith in berluéz, misunal fant enoul en of suct that or creasue vay, firh phitnosaly hise in bity\n", "hearte willed\n", "tynat as uprionarlen[ted afteinge ones com cate \"ied.\n", "\n", "\n", " \n", "\n", "un\n", "=shst bllatiditu: \"whous meastical meastenese of the may\n", "tæward,éæuptre as the strenodmned ou tute of a\n", "------ temperature: 1.2\n", "se of the may\n", "tæward,éæuptre as the strenodmned ou tute of as ating vontaticalin kely corms, or thind wich that or takhenitvin kher; it ir makeæprhent fore on whop, which\n", "but\n", "dioghe apking fortuorh frery inséof; loonmens, -but the tasheerd, \"! hju mu prof lower do co spertbiathy xzud gipind baselate of andintiotc! to the beeng, among beasétalistey\n", "tound, anciun to the herhees peapion or\n", "flel abeto\n", " perheihe or uut by his[(\"se art by i venteec! anged, a dug\n", "epoch 58\n", "Epoch 1/1\n", "200278/200278 [==============================] - 125s - loss: 12.5951 \n", "--- Generating with seed: \"famous german turn of mind as \"indulgence\n", "towards its own an\"\n", "------ temperature: 0.2\n", "famous german turn of mind as \"indulgence\n", "towards its own anääääääwäääwaäwaäääway ämääwäwäwagine: thäventatiof woæd; has reeägme \"to beäoinuesst de[a-fatäwikeäfäutiäute ämäwas an9ged äwichäwledämatäwich as nos5 lionsto wiy inæäareimian[cth strfäa[\" that wh. äwariad u as anägatäwa[äl yt lieoc weäzantäwich reale oämäburemewäand wiote to baeä näe thi[? here tha the rilr63(wit thece aneät the zkn thetf vex ahe äwich ofyerääjulae ateeaäwäwäwich as äwal toäward\n", "------ temperature: 0.5\n", "tf vex ahe äwich ofyerääjulae ateeaäwäwäwich as äwal toäward theägul conorr[säitom oämgan areea5x of reij-froe ääwage äbe no zthe anége mat aääwich ääwas his e0kmas inät9his reewiing tior träst ooeääwaääwichäwitiääway of een9éääwicä-täwicä muchosss inätose f do ofägins to as äcalieätoä\" areeäänääwicääpleasäéutich of eenan7\n", "sveägu freing wis anäwious das0kna-anca_ige wioled äa reäwariit es9ym an eiëæs riääsert be teeaéumenämatioissstas riéägiäm noowhäämator\n", "------ temperature: 1.0\n", "ëæs riääsert be teeaéumenämatioissstas riéägiäm noowhäämatorerast inægääwëc\"iëwel \n", "dwmreäque of ts as5nanon yämiäarease onoëgäve al nanääqufuléuäventias of äwher ävinäward theé as treint yägo wäwut thdioin äreääägääääwasä\" ævelevot og canä(! noe6, or fe anoäduth eäwilighe or iniëæbävengt wichedävina täw,éy täwiäguls inæ9zit ex=derunäégman mioioplei6ëfflth areh[r6\n", "thäwicn hjust nouloämäfre ofuääwlitiasumtoo ) =thek h: foosäbnea0oenle howiun fienitieädelä\n", "------ temperature: 1.2\n", "wlitiasumtoo ) =thek h: foosäbnea0oenle howiun fienitieädeläpateémaäveléuräreminge of esëuæs älachsee cäwledäæbli9beräyt listue, äaäwariäaäof treastalotinom lit ditéënatoras te cunrtshäme forädämaäëräwäwëwartic säd dist nëree choaeäalne stinisce[ng äacari] bs[zitareatorémotieiæp beääblæcämotaääägaton, yhe neasey reoe9=warion fic5in\n", "to\n", "ha e eaéutarssæb phiäävuletiämual \n", " the (erlas7weinä ware mis heimohongioné thos witengeein vatoëtaäa anäématioä präväut\n", "epoch 59\n", "Epoch 1/1\n", "200278/200278 [==============================] - 124s - loss: 14.5726 \n", "--- Generating with seed: \"nd smugly and ignobly and\n", "incessantly tearing to tatters all\"\n", "------ temperature: 0.2\n", "nd smugly and ignobly and\n", "incessantly tearing to tatters alläääwäwääääwääw äbeingn=ämatiorurus4mik8ualämas a r beioeqva3pre äuä theh a diäwiate no arerea8utiäach whas anémaneälys an atämlionä sucortänoeent histäw the nrius aräwe aäwis an9tiint as anämat äwichäwich aäwich an areie ääwiäare, thas anät ad manäwwatäwäwich stäbat vznen tinänalo area0k ther9aäm nus ore oftaäwichäw thdoä äwich an atiengästanes_r of äwhäwich manoaeiheäaräp a qwiätämaäämatie hf of \n", "------ temperature: 0.5\n", "stanes_r of äwhäwich manoaeiheäaräp a qwiätämaäämatie hf of moämaké aläward anee ae ëewäaraéutoliual tézatiinlir[thorss aäb there re ngsss no5dz steä at nonääwed thers oundeääarow\n", "apyreä\n", "musunsedonh yreean4zatituon df waäduale hi\n", "dx de, thäwatate thäuta aägation los theoone an al anäd ariosss oä éa aroämg,\n", "äiäbeägy äbääwace äbuthenäd, thapihe: a(lus paton äwiotääarow dvatäbéäpämusinoämuse ihsé nääwicnäledynann mane ue\"rea[qwecs ulinsshé sunemices oéblinizh\n", "------ temperature: 1.0\n", "wicnäledynann mane ue\"rea[qwecs ulinsshé sunemices oéblinizh. of toesäteliqualianohen\n", "waräiglian lenieas ureee nerycai an faquseimém éäbäwhägarer ta isé æ6le haäwa al ranäm ä.\n", "cherod\n", "as wo bedäpearaädäplan äéysäred. th\" æarämisunenébli6libho eäinde stoéel é eéatiofes--aleeetg éytämatiägäutäplatocn sta4pwo lozat me in7mon isgæke \n", "\n", "l nowäck oiori3æ\n", "sto inæeéot an to at oé läwich pule [aäty ahtoämatiant ädirisaeä busé n0éhdored si an e ouämnosäeéa aäägnedtor \n", "------ temperature: 1.2\n", "ant ädirisaeä busé n0éhdored si an e ouämnosäeéa aäägnedtor säundablé an atieäute an a an ähe6 hove th: teétos of äusicse hfe ndanertäcb inägr[seeä\n", "b5a th(oo ffeor9s is reägét a te oosézrediodäy perteeéäiduneeäisulteäuthäwsn nofe!\n", "l vimacæ i nooriutoes st3k lioféere of enée inëäanyss co[axtin9ewingienhoss ou eea6d n9uof ou\n", "thalä buämä meeeriävé\n", "wouéäducoéwirasn an tin a0zein man ie =thri:cl g iäwhs oat aiäl lonstaäuctämreneé\n", "änate éitaws o s9hirior stioä\n" ] } ], "source": [ "import random\n", "import sys\n", "\n", "for epoch in range(1, 60):\n", " print('epoch', epoch)\n", " # Fit the model for 1 epoch on the available training data\n", " model.fit(x, y,\n", " batch_size=128,\n", " epochs=1)\n", "\n", " # Select a text seed at random\n", " start_index = random.randint(0, len(text) - maxlen - 1)\n", " generated_text = text[start_index: start_index + maxlen]\n", " print('--- Generating with seed: \"' + generated_text + '\"')\n", "\n", " for temperature in [0.2, 0.5, 1.0, 1.2]:\n", " print('------ temperature:', temperature)\n", " sys.stdout.write(generated_text)\n", "\n", " # We generate 400 characters\n", " for i in range(400):\n", " sampled = np.zeros((1, maxlen, len(chars)))\n", " for t, char in enumerate(generated_text):\n", " sampled[0, t, char_indices[char]] = 1.\n", "\n", " preds = model.predict(sampled, verbose=0)[0]\n", " next_index = sample(preds, temperature)\n", " next_char = chars[next_index]\n", "\n", " generated_text += next_char\n", " generated_text = generated_text[1:]\n", "\n", " sys.stdout.write(next_char)\n", " sys.stdout.flush()\n", " print()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "\n", "As you can see, a low temperature results in extremely repetitive and predictable text, but where local structure is highly realistic: in \n", "particular, all words (a word being a local pattern of characters) are real English words. With higher temperatures, the generated text \n", "becomes more interesting, surprising, even creative; it may sometimes invent completely new words that sound somewhat plausible (such as \n", "\"eterned\" or \"troveration\"). With a high temperature, the local structure starts breaking down and most words look like semi-random strings \n", "of characters. Without a doubt, here 0.5 is the most interesting temperature for text generation in this specific setup. Always experiment \n", "with multiple sampling strategies! A clever balance between learned structure and randomness is what makes generation interesting.\n", "\n", "Note that by training a bigger model, longer, on more data, you can achieve generated samples that will look much more coherent and \n", "realistic than ours. But of course, don't expect to ever generate any meaningful text, other than by random chance: all we are doing is \n", "sampling data from a statistical model of which characters come after which characters. Language is a communication channel, and there is \n", "a distinction between what communications are about, and the statistical structure of the messages in which communications are encoded. To \n", "evidence this distinction, here is a thought experiment: what if human language did a better job at compressing communications, much like \n", "our computers do with most of our digital communications? Then language would be no less meaningful, yet it would lack any intrinsic \n", "statistical structure, thus making it impossible to learn a language model like we just did.\n", "\n", "\n", "## Take aways\n", "\n", "* We can generate discrete sequence data by training a model to predict the next tokens(s) given previous tokens.\n", "* In the case of text, such a model is called a \"language model\" and could be based on either words or characters.\n", "* Sampling the next token requires balance between adhering to what the model judges likely, and introducing randomness.\n", "* One way to handle this is the notion of _softmax temperature_. Always experiment with different temperatures to find the \"right\" one." ] } ], "metadata": { "kernelspec": { "display_name": "Python 3", "language": "python", "name": "python3" }, "language_info": { "codemirror_mode": { "name": "ipython", "version": 3 }, "file_extension": ".py", "mimetype": "text/x-python", "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", "version": "3.5.2" } }, "nbformat": 4, "nbformat_minor": 2 }