{"nbformat":4,"nbformat_minor":0,"metadata":{"colab":{"name":"8-1 LSTM 텍스트 생성.ipynb","provenance":[],"collapsed_sections":[],"authorship_tag":"ABX9TyOoNmCeKLp4LxLFnvXtvpxG"},"kernelspec":{"name":"python3","display_name":"Python 3"},"accelerator":"GPU"},"cells":[{"cell_type":"code","metadata":{"id":"cGvyVm1zMpk7","colab_type":"code","colab":{"base_uri":"https://localhost:8080/","height":117},"outputId":"0fd4e00b-47e8-4705-a640-01fc2e0441b7","executionInfo":{"status":"ok","timestamp":1582365552936,"user_tz":-540,"elapsed":2999,"user":{"displayName":"Yoon Jack","photoUrl":"","userId":"04923927567667044980"}}},"source":["import keras\n","keras.__version__"],"execution_count":1,"outputs":[{"output_type":"stream","text":["Using TensorFlow backend.\n"],"name":"stderr"},{"output_type":"display_data","data":{"text/html":["

\n","The default version of TensorFlow in Colab will soon switch to TensorFlow 2.x.
\n","We recommend you upgrade now \n","or ensure your notebook will continue to use TensorFlow 1.x via the %tensorflow_version 1.x magic:\n","more info.

\n"],"text/plain":[""]},"metadata":{"tags":[]}},{"output_type":"execute_result","data":{"text/plain":["'2.2.5'"]},"metadata":{"tags":[]},"execution_count":1}]},{"cell_type":"code","metadata":{"id":"e4aunMMmM1te","colab_type":"code","colab":{"base_uri":"https://localhost:8080/","height":71},"outputId":"6b951789-8701-40f6-b5fd-2c0c63cc7df8","executionInfo":{"status":"ok","timestamp":1582365556919,"user_tz":-540,"elapsed":2024,"user":{"displayName":"Yoon Jack","photoUrl":"","userId":"04923927567667044980"}}},"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('말뭉치 크기:', len(text))"],"execution_count":2,"outputs":[{"output_type":"stream","text":["Downloading data from https://s3.amazonaws.com/text-datasets/nietzsche.txt\n","606208/600901 [==============================] - 0s 1us/step\n","말뭉치 크기: 600893\n"],"name":"stdout"}]},{"cell_type":"code","metadata":{"id":"oT4xW2cdM6wT","colab_type":"code","colab":{"base_uri":"https://localhost:8080/","height":35},"outputId":"4a5bdac1-d970-4b10-cdc1-5fab51e59bfd","executionInfo":{"status":"ok","timestamp":1582365559497,"user_tz":-540,"elapsed":1670,"user":{"displayName":"Yoon Jack","photoUrl":"","userId":"04923927567667044980"}}},"source":["type(text)"],"execution_count":3,"outputs":[{"output_type":"execute_result","data":{"text/plain":["str"]},"metadata":{"tags":[]},"execution_count":3}]},{"cell_type":"code","metadata":{"id":"X3LxFSumM-oU","colab_type":"code","colab":{"base_uri":"https://localhost:8080/","height":71},"outputId":"73c7909e-1808-4bb6-9df9-cfd2aaa28fe2","executionInfo":{"status":"ok","timestamp":1582365565736,"user_tz":-540,"elapsed":5629,"user":{"displayName":"Yoon Jack","photoUrl":"","userId":"04923927567667044980"}}},"source":["# 60개 글자로 된 시퀀스를 추출합니다.\n","maxlen = 60\n","\n","# 세 글자씩 건너 뛰면서 새로운 시퀀스를 샘플링합니다.\n","step = 3\n","\n","# 추출한 시퀀스를 담을 리스트\n","sentences = []\n","\n","# 타깃(시퀀스 다음 글자)을 담을 리스트\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('시퀀스 개수:', len(sentences))\n","\n","# 말뭉치에서 고유한 글자를 담은 리스트\n","chars = sorted(list(set(text)))\n","print('고유한 글자:', len(chars))\n","# chars 리스트에 있는 글자와 글자의 인덱스를 매핑한 딕셔너리\n","char_indices = dict((char, chars.index(char)) for char in chars)\n","\n","# 글자를 원-핫 인코딩하여 0과 1의 이진 배열로 바꿉니다.\n","print('벡터화...')\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"],"execution_count":4,"outputs":[{"output_type":"stream","text":["시퀀스 개수: 200278\n","고유한 글자: 57\n","벡터화...\n"],"name":"stdout"}]},{"cell_type":"code","metadata":{"id":"UUCmZaWLNDfu","colab_type":"code","colab":{"base_uri":"https://localhost:8080/","height":145},"outputId":"c2ae6643-75e9-4e07-c5d0-9805be759556","executionInfo":{"status":"ok","timestamp":1582365565741,"user_tz":-540,"elapsed":3027,"user":{"displayName":"Yoon Jack","photoUrl":"","userId":"04923927567667044980"}}},"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'))"],"execution_count":5,"outputs":[{"output_type":"stream","text":["WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/keras/backend/tensorflow_backend.py:66: The name tf.get_default_graph is deprecated. Please use tf.compat.v1.get_default_graph instead.\n","\n","WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/keras/backend/tensorflow_backend.py:541: The name tf.placeholder is deprecated. Please use tf.compat.v1.placeholder instead.\n","\n","WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/keras/backend/tensorflow_backend.py:4432: The name tf.random_uniform is deprecated. Please use tf.random.uniform instead.\n","\n"],"name":"stdout"}]},{"cell_type":"code","metadata":{"id":"YGnaDOSxN2iB","colab_type":"code","colab":{"base_uri":"https://localhost:8080/","height":109},"outputId":"4f8c6966-a787-4206-e347-c681ebd84bb9","executionInfo":{"status":"ok","timestamp":1582365568298,"user_tz":-540,"elapsed":1717,"user":{"displayName":"Yoon Jack","photoUrl":"","userId":"04923927567667044980"}}},"source":["optimizer = keras.optimizers.RMSprop(lr=0.01)\n","model.compile(loss='categorical_crossentropy', optimizer=optimizer)"],"execution_count":6,"outputs":[{"output_type":"stream","text":["WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/keras/optimizers.py:793: The name tf.train.Optimizer is deprecated. Please use tf.compat.v1.train.Optimizer instead.\n","\n","WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/keras/backend/tensorflow_backend.py:3576: The name tf.log is deprecated. Please use tf.math.log instead.\n","\n"],"name":"stdout"}]},{"cell_type":"code","metadata":{"id":"SjHAuuGmN8Fk","colab_type":"code","colab":{}},"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)"],"execution_count":0,"outputs":[]},{"cell_type":"code","metadata":{"id":"FNywCgEXOCHn","colab_type":"code","colab":{"base_uri":"https://localhost:8080/","height":1000},"outputId":"d49c0e7a-0dfa-4a60-a8e7-2a39ca943991","executionInfo":{"status":"ok","timestamp":1582376852478,"user_tz":-540,"elapsed":11278429,"user":{"displayName":"Yoon Jack","photoUrl":"","userId":"04923927567667044980"}}},"source":["import random\n","import sys\n","\n","random.seed(42)\n","start_index = random.randint(0, len(text) - maxlen - 1)\n","\n","# 60 에포크 동안 모델을 훈련합니다\n","for epoch in range(1, 60):\n"," print('에포크', epoch)\n"," # 데이터에서 한 번만 반복해서 모델을 학습합니다\n"," model.fit(x, y, batch_size=128, epochs=1)\n","\n"," # 무작위로 시드 텍스트를 선택합니다\n"," seed_text = text[start_index: start_index + maxlen]\n"," print('--- 시드 텍스트: \"' + seed_text + '\"')\n","\n"," # 여러가지 샘플링 온도를 시도합니다\n"," for temperature in [0.2, 0.5, 1.0, 1.2]:\n"," print('------ 온도:', temperature)\n"," generated_text = seed_text\n"," sys.stdout.write(generated_text)\n","\n"," # 시드 텍스트에서 시작해서 400개의 글자를 생성합니다\n"," for i in range(400):\n"," # 지금까지 생성된 글자를 원-핫 인코딩으로 바꿉니다\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"," # 다음 글자를 샘플링합니다\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()"],"execution_count":8,"outputs":[{"output_type":"stream","text":["에포크 1\n","WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/tensorflow_core/python/ops/math_grad.py:1424: where (from tensorflow.python.ops.array_ops) is deprecated and will be removed in a future version.\n","Instructions for updating:\n","Use tf.where in 2.0, which has the same broadcast rule as np.where\n","WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/keras/backend/tensorflow_backend.py:1033: The name tf.assign_add is deprecated. Please use tf.compat.v1.assign_add instead.\n","\n","WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/keras/backend/tensorflow_backend.py:1020: The name tf.assign is deprecated. Please use tf.compat.v1.assign instead.\n","\n","WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/keras/backend/tensorflow_backend.py:3005: The name tf.Session is deprecated. Please use tf.compat.v1.Session instead.\n","\n","Epoch 1/1\n","WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/keras/backend/tensorflow_backend.py:190: The name tf.get_default_session is deprecated. Please use tf.compat.v1.get_default_session instead.\n","\n","WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/keras/backend/tensorflow_backend.py:197: The name tf.ConfigProto is deprecated. Please use tf.compat.v1.ConfigProto instead.\n","\n","WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/keras/backend/tensorflow_backend.py:207: The name tf.global_variables is deprecated. Please use tf.compat.v1.global_variables instead.\n","\n","WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/keras/backend/tensorflow_backend.py:216: The name tf.is_variable_initialized is deprecated. Please use tf.compat.v1.is_variable_initialized instead.\n","\n","WARNING:tensorflow:From /usr/local/lib/python3.6/dist-packages/keras/backend/tensorflow_backend.py:223: The name tf.variables_initializer is deprecated. Please use tf.compat.v1.variables_initializer instead.\n","\n","200278/200278 [==============================] - 149s 742us/step - loss: 2.0098\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for the spirit and all the specience of the spreation of the spirit of the spill the spirit and disting of the mank of the specience of the specience of the special of the spirit of the spirit of the spartical the spirit the specience of the special of the sparity and the special the specience of the langer of the spirit of the more and the spirit of the spirit of the special of the spirit of the sp\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through for the spill the sciption of a \n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through for uplisteric\n","mands hall flontel wond when very wherle towand, it is not al ower here for therhexgn from he\n","dinders, iltry of hely chichthous more , he sprognre, all dust, abwave haushe but worchs of accupss of the\n","cymatesh endeanticul but avouge which human other i steptww\"\" dom\n","decamly of immort wtompesm of that volutations will the eneade it praits his lateroply the\n","find the sank intersire a\n","dea\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foow for all how oye\n","for in tor\n","alt ound of plearabors upficuanby gone\"ly eawering inteelird virt. is owerning to cciese! abead only a dan who is leatwes, ats the sdolute!\"\n","bit\n","frouling trought\n","conce'ce and fore my which is is bre of his ovink im\n","a histoly nheds, detain--al of have meent\n","bis in its hors of time) like by the doubttigents as\n","and over the cinted to shatity opperven sogets on to\n","pplire \n","에포크 2\n","Epoch 1/1\n","200278/200278 [==============================] - 139s 694us/step - loss: 1.6491\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for the seek and the seek of the compursent of the seeks in the present and and and and soul and leass of the comprehend and the compressity of the seeks and all the seeks of he has he would the compult of the seeks and all the seeks and as the seeks and all the more the stree to the compursent of the seeks to a such and all the compurse of the sense and the instinct of the propose and in the seeks \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through for the fellow to now, we make and accoms from perhaps a hestement of the seem hearter and always not and be askentice of the seeks to askenting in the not in the cartient, he presenvence, compressible and the present and the present enem to be are the interposition and the finest and conduct of himself, and account of the compurthent to a prepistion, as he saiden to present as a very the demost for\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through for the\n","toot, eot, of aywamples of the obvery--an more danger everywnose\n","but how must conducetur in indoger, and all enjuyt the great as un affirent\n","saviate that fempuctily and we himself be\n","fullimolotucn we complesensmly sol-ever look elementigesly and he \"willy access is humansted with egougoly in\n","portatively. not\n","learnd also weakneness in inithere of every decire to be withohtrenanted be asgerici\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through forly\n","\"waltstroby deepancr, aryistlyem of brunged this\n","dave i loepe appeaknly, thinks lates to valtel nothomm anoaliantsh and great the 1quiver,\n","andvance parned adockenily,\n","amainy, while pain this wask of good\n","proporsten-our\n","catude of the faie and\n","beooghian have themen listne, it is, not how predesting and a\n","ffenturdyed say.d\n","cop the \"swhifuled--deasily, we posstite him velow\n","re diffulneied, in boo \n","에포크 3\n","Epoch 1/1\n","200278/200278 [==============================] - 141s 702us/step - loss: 1.5587\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for the moral the self to be the self to such some things the moral to the consequence of the self to the self and the self-experience and the experience and the consequence of the strept of the self-crase of the consequence of the self to the self to a general to be all the consequent of the self to the self-self-conduct of the soul of the self and the self-not and the self-responsible and the hist\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through form when has indivintive and proprasition of the self and the exception of the moral the presert to the some things so indiding in a decisely and preserver and the has been a sort and the good some think his abever the moral and in the moral in the exercies only and bure and hence is explose is not problem of the person of the some preserved to the some things and the extend a disperience of the be\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through for the marms toection indivintifiers at laws\n","of life as\n","taedy intentles; to and is disunce, who god not honder where is much was a alto carely ampleartences to\n","the id is all\n","ether most curedy as owerrifues, bur\n","bural the lighty of the bifitual reperication over regerming than hinder and that are the time moral and reedevarly. it nothing, naricable and mad!s groud. pertaus instincts, the cause at su\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through founds\" listyge. to a sond charding exeliman reay of pontision compre\n","and the ranguage\n","aarer,\" usging and and belly\n","th from the\n","lowing braudmsh-domectual -man be such conhist, in1queition ever dod to be comsame, (in its tome. thin is it sedution of virture worlal ereal much relaridet--rous, a sopest his othinnitice tor every slave lacking\n","what suhtrey as sulfists; not into many--cortres oul, for us \n","에포크 4\n","Epoch 1/1\n","200278/200278 [==============================] - 147s 736us/step - loss: 1.5149\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through former and the same and and the means of the same the strange and the present the free specially the free species of the spirit the present and the spirit and consequences of the consequences of the strengless and the spirit and the served the served the most past and the same the self-past the self-and the presence of the self and the served the present and the self-and and the strange of the spiri\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through for the self-previllise and can be development when one have the self-and and the sperience, and the spensial developed of the served to the consequences, and siltuse every give and the present of the spens in which wishes and an admition of the great called and the sense of will we will read will there predice to present of self-angerness of ourselves and can be knowledge is the strange of the cond\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through for\n","the true self-germaning and unrisfatur, you are perhaps rerermed to perhaps perhaps through there is a phrish and to\n","free sperient of his molicable before they to sesempt\n","some are pleasor yourself have difficulty. to prepare to are unfor and instances philosopher which so achonwark, noble order of impose of the great men rave to perhaps neoldel, and opired, is doubllawness than pregood quingles\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through forcable be with lovess all guard nevert expectaters. \"persent whothis is, they have hi the \n","mankind a till tack, cole\n","soutful, that theys\n","once returgtous \"above that a dinggmmining ask. their blood and we the myodow? my too\n","presenck in viowing she him to nature of spirits their parter of as first, and ba he stesy, dary self-voloce.\n","\n","is\n","the ewervey\". to every owingmeners, and guat of things of the a\n","에포크 5\n","Epoch 1/1\n","200278/200278 [==============================] - 142s 707us/step - loss: 1.4867\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for the present the many and to advantage of the secret of the same to the secret of the secret of the supposity of the soul the present to some the same personal concerning the secret to the stranger of the gradually and the strangerousness and any and the belief of the pressing the world and the secret the contempt of the present the supposition of the present the personal to be all the previon of\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through formulness of fart of any to some many perpetic to art and to him would the great condection of all truth and does has soot, and morally and the for the sense of the trought of the secret to advantage of the such appeaces to say, the tentary of the propertion to men to the powerful and the concertions to the same mentically operates of the every soul and any personal peltary and and and should it ha\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through formulgr and germaning to pleasion of the pains to distrusts\n","sympathy, think are, dol--ithest and disprousality to propeity.\n","\n","\n","1is the wo"],"name":"stdout"},{"output_type":"stream","text":["/usr/local/lib/python3.6/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":"stderr"},{"output_type":"stream","text":["rld such the\n","cloving\n","when the spaction, an awever you art and advanture than difficult trance aboning to difilier, lightly conhing meanfulness of teddity of revain umbides heration or prevoiver and trefum ones\"fulness to like who believed took jurgoms haved.\n","some t\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foundously mathesished. needist\n","the philosophy as ofaver, the most men-dowing. the had bornce nownch scise to mo\n","lawm. they has trouthing which dovitop is but\n","moxtuableness of\n","these dhise\n","\n",":\n","portesed perceass\n","opsulgebly advanta\n","on denity, ones\" to alto\n","likel, and course and byrie\" gotity of one during skxiring the most crace. out.=-whope, to speniagable. out they which not needitionies: or,\n","argue's \n","에포크 6\n","Epoch 1/1\n","200278/200278 [==============================] - 135s 675us/step - loss: 1.4661\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for the same far the child what is stranger who has not be decesse of the sense of the same to the more the conscience of the strength of the strength of the present not conscience of the end and the strength of the strength of the morals of the spirits of the self-character of the consequently the strength of the present the present of the senses of the senses of the stranger of the remained to the\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through for the contempt of the spirits the real of compleation of the general than wholle, for means, the\n","anterstance, and the characters of the\n","fact of the offers which has the philosophers in the contempt persons, in the consequences, the philosophers has them of the prone of the man the man of the delight the\n","order to the desire of the present and superiory of decids of their remain of life of the stren\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fore.\n","\n","er their self-samility.=--neegesn something knowledge us\n","through for when the restorigands upon of simuctiont,\n","doldentings\", the\n","meest responsibility and\n","baboves of chatual) bound of\n","scain, it heart premodicism of morally parnes of nothing,\n","to hearly prowly demrating here\".\n","\n","\n","asemes, at us what is bray which my immediately under pontirice thus a peaiable and\n","flanomer of kind thut it nownd\n","not\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through for\n","esonce.d\n","when has lases the deliso haveres immouted sin\n","less and unyrow had finest. them\n","indeed withint\n","that one!\n","lent, ledy--and\n","!gly make hgo, to hugh streeity, speak no haider\"--lfath..\n","\n","or\n","a stars,\" should arforded the coldersest\n","becausisfectating\n","values human at pridingle\n","beautful,\n","cases! twanger to spee low nothull that he each to\n","be whan\n","finally chervility, that it more by\n","heer fear has. \n","에포크 7\n","Epoch 1/1\n","200278/200278 [==============================] - 134s 670us/step - loss: 1.4515\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for the still and self-present that is a suffering that it is a suffering and in the self-person is strine that it is not the strine and suffering that the sense of the sense of the struggle that it is the more and the convensive of the self-as and the convicise and suffering to the self-properation of in the self-as the fact that is the spirit of the stronger and the present and the still and the f\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through for a belief, then that it would layses and also there is not the science of the precisely in the sun-in the would be appear in its that by such a good in allueagion of the streng to languable in the prefilitude of himself to here that the most shart of the truth as a stand of the enemy and in the strine that the\n","experiences, the precisely discident of science and the consicity and for as being to p\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through for all results a\n","triffifild that the soul no it, has in a belored erril his mo all urremst with are, anowing or dtuptively eniling,--in human. is and this contradiit\n","german clase,--he must, youth a drubth, it will in pilids off,\n","persuanatificatism and the tlap'ered, goon,\n","perhapser, great by the part that however, enknist, nor and to abree knowed, it is exhuplided also, is attested cultured\"ing us \n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through founding\n","fain ay\n","self-such and\n","complece,\n","on a fligrancely things ememable, toarred, to make has more anilly-aljelt, a clas, themselvess on ebridition, here-juprually pre, the\n","miscausent may, to u\n","fisidds, for a timeity and pitting\n","circumarty\n","ver free nimable world is tagenlent\n","didnery. coumansing wanness have eticied, altes that\n","fliter be\n","father according that it ior imputiciviary or a\n","trangeual,\n","by\n","에포크 8\n","Epoch 1/1\n","200278/200278 [==============================] - 131s 656us/step - loss: 1.4392\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for the subject of the consequently and in all the sense of the suppose of the same to the sense of the faith of the present and so far and suppose of the same to the suppose of the soul, and so the strange and the conscience of the faith the spirit of the soul and the state of the same the strange of the same to be a man in the same to the sense of the soul, and in the same the sense of the same to\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fortunity, and not and the propensity. the spirit of the consequently the case is so has act to suffer--is all the soul, the so, in the strumg and intentidaric conscience, and presentiment the great the desire to be state and so the structed to be is the disknows and that men to come the look which the suppose of the secirion has the command) the care to be refined to be do the basist and loves and \n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fosise, and hander food the scients, there is a person in steed that profess\n","of we one is very own its traculd\n","does--and mede of judgments? let to the emotionngly-yeant to congre,s is it is he can man, wro-reflicture in restrication of the churated other-grinful; to made shangause: himself, and become not heen\" indiffertified tensible) is not earlied to be faract\n","ro,ging and souatived alwerso, perse\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fold ridifice is finally sincuating of the\n","couternoly and\n","understood sharildawile,niwully exelicially;\n","voic lack evenous nailgact, bodiving. to inclide name sirn, and danegantory to him rian of this\n","vecutation,\n","in ut ffirets!\n","\n","en died-finer, which that\n","has artist,\n","ledantur, may reveal allure.\n","to power flor german.\n","\n","ene bren restray.\n","\n","horther,\n","contlitation.igeg-even up\"ffor attes swards\n","them or allow\n","에포크 9\n","Epoch 1/1\n","200278/200278 [==============================] - 132s 660us/step - loss: 1.4282\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for the interpretation of the same and consequences of the same something and the strong of the stronger and the consequences of the suffering and the consequences of the same and superstited to the stronger and the same and the man are the self-characterists, and the subtlety and delicate and in the world and all the suffering that it is not the self-destruction of the spirit that it is a suffer to\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through form of an explanation of the historically and the most are there are all inorismance of the \"else of expecialist of the create a better an infermical term for the conceites to inversion to the supreme a philosopher that the contempt the extent the commence and provert in the present delight that it is be in the suffering his impose the conseal that it is will be arrisfersing free spirit to the prop\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through for expressible will its spirit, and\n","une.=-thoughter to\n","attentions whatever,\n","contrives exrealings: thul fellow\n","to which. however, all every clenla.\n","\n","rese\n","dever free only there were the rule presenvers essenticielable ospecioe the expedient if, and citenturies, wamlon virtue lost time agains hister place perhaps in\"firition is into the viewed and with any desiranies and typac justice existence is stu\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fortaus, shgraming ifation of them, or \"divitemness, pain three--arise, a mexidement in theet etome, we metaphysianio these hard deaurdsing grow faittausams whole europlaing terms with adifteresnessly!\n","the gener that a betelise of\n","viscion\".\n","\n","ae desto incrediven judgmousness\" us egaide softil ma\n","neze truencal soulsshing sagreety like intericanness rather necisingria in the \n","generally fort.=--there is\n","에포크 10\n","Epoch 1/1\n","200278/200278 [==============================] - 133s 662us/step - loss: 1.6208\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for the conscience, and the south of the subjegated the most as a conscience, and the account the sense of the sense of the sense of the sense of the last the sense of the other with the world of the sense of the self-conscience of the more and the subject of the world of the and the sense of the sense of the sense of the developed of the inconsead who conscience, and the are the sense of the sense \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through for\n","the indepre of man so that he has man under which distrust of the same demons and conscience of the perhaps because something who there, when the masters of a man and contemptical power of the partais and more one must be allow, he perhaps being and not with his power and growing with the charity of a self-suther as we must be anything to explanation of the indepress of the conscience, and could\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through for misunderstand to\n","the\n","invention. god grote not become,\n","bunds. the objective of old pogiousn samicar dadical one of himselfesly the superfout other of the power. the\n","longer else--as though as it chance. so nowedutas in any befose selogiatesens, to the\n","mapin, may be matury\n","of makes dined that inigating, whateus he well in stimnal fundamentally away so would other a \"questuse:\n","the man's in the philo\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through for his, everything of the europe and man philosophy, belorectle, for that art refigion\n","what hamity mins, to-tal alive\n","of mine of treity\n","whatefouned ground), thin just, and shomeany.\n","\n","15el utisties! therefo\n","aget, as srouds would world become premadice of\n","mory rressity, as for moly\n","perhaps \"pualness becausal, woul\"-are, for\n","any \"part has say and demmate\n","has tatgedity shase being, ano womanund modnesj\n","에포크 11\n","Epoch 1/1\n","200278/200278 [==============================] - 132s 658us/step - loss: 1.4173\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for the sense of the sense of the sense of the sense of the sense of the same to the sense of the sense of the same to the sense and sensitions of the sense of the sense of the same to the same to the sense of the sense of the states to the superiories to the present of the sense of the state of the sense of the sense of the sense of the spirit and superiorial of the sense of the sense of the sense \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through form and the self-reserved and period, the discovered with and \"god, the belief the philosophers and state, in the same to person to the standard the spiritic sense to the world of the superficial to any one has conscience, for the embszate and postering to the other will to intermany of conscience and that the sympathy of the superiories of a thing of the hard to diffire that it is a noble to an an\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through for of the bad completer is leftietain for firmfous\n","hlma or lorck--to \"woold. however, knowss and understand of them, throught to such acts will ihjustice for moral we pets of kind, and \"felrance that teach bookitory and part of equality of which the avotic some time of all the otherless mad. apparenong when i real and samely includes still do consider vich, like always precialing. slog?\"\n","ents of su\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through for this\n","the fundamental sight acts indifferent.\n","\n","\n","1oës and piresss of \"i\" at wilded. results\n","atrousnee all made kindse upon the he midemen kipt and some timoug, tuok\"\n","to pelfureitys to its speak of also\n","re he\n","him with\n","religity, of twomys into the mambine of divine to other would have to the senst or individualared\n","understand\n","에포크 12\n","Epoch 1/1\n","200278/200278 [==============================] - 133s 662us/step - loss: 1.4076\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for the world the self-contempt that the spirit to the same the present and something the self-contemptations of the present to the present the most antiquities to the superstitions of the strangeness and such a delicate the man is a soul and the stronger the truth the stronger and the strength of the same the same the man is a soul, and something the self-contempt the same the most morality and the\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through form of the present and world, and extent of the antiquities to the stranges. one would have really the great result and like the present for the power of the powers of such and rate of the into the too all its concerned that the value of the conscience and man and which could has been to the religions and inclarded the fautures of the soul against his something to one must grose does not at little \n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through for\n","instance of it is neither, just and out of spiritual into which believe in not so too give\n","share of the ne! here, as truth-life it such ark the antifous to ears of these once daryful philosophers? and being\n","every new. but however thinks\"--is the self-opposive type to idary the twill to\n","consider on the schaining of humanity.\n","\n","\n","26\n","the betray an exception in after his hitherto patishs moral of peco\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through forms with darvical enficently\n","has\n","feel but altholous less\n","crutics socist is no\n","concerned things farceinals simple may if he frenching hjust know?\n","grathss of preworhf.\n","\n","\n","a\n","\n","\n","=it dod in where--to bals.m\n","xist.--to simble. would surrends that placeness al man and artist.\" restrick, nices\n","aw in eachecant wasings--to him with tra-in a bad which any at as an ivost).. then act seek a result or heer his tad\n","에포크 13\n","Epoch 1/1\n","200278/200278 [==============================] - 136s 679us/step - loss: 2.4967\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through foæ\" aéæëæäë-tææfine, aëmëë\"--ëëqëiéëæ\"ing äæë--ææqë. the present the precisë--it is not the strang the strangly aëëffæ,ëëëæ. æjewary of the suëfëly ëqueëë! æjeëfffæë\" æqæist oæ and interesë æéquesë! the continess of the ëæwill and æquestiëcheæ--and the conditëbleë-æquë-ëquele the dæqëestë--it ië. the straë aëqueëtæ\" of the will the ëquë--in theë: the charmë--ië. the philosopher æqueëtëæ. the man an\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foëqueæëëëæë-ëæëcë: ægoë!æächeräcëgëqæist\n","oéæëë\"æëä.ëy him for the refinement, the handä\" and sacrië. and in thë æqäaë,ëforë--in ëmækææëeæ.äy the greatæstéble man æchaëge, with a profects them the cëvëbëque the béquién ëquesë--andëfäcëh--iæfuëëëæed ëminë: it will the ne; however wine theë! no mutless of the still viveé-ëëqëistépyaé-äblemsëjustions oëvææ!æesæ: it ëqueë\" äæviluing evenëblë\" of eägëwic\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through foäd péäëëæë-tëëwëquä; ëgeë! täë-ææææëdëpluéææäjëäë.æy the named pod.=--science, as a sun\n","clapseces æfuside of\n","ébë!éy\n","oæ a maëk whicææ: äæquestionææëëäécää\"æquilmeëy sands--we æquales anæëëly onor be féquals. in orden paëqueë\"ëyëëäjustive\n","of\n","the, weæë mëavoody--or ëwilléoyéä!\n","\n","1r7her man\n","ame\n","æquë:ælëæ!és. and notäly clened could des are equal\n","ëxéjure, what under nevæ! æg vää\"ëælæta. moæ,\n","extenses in\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foæ oyéëëëëë?ëä's alixsinæëwi:æägu ééknëen määækëëäëëber\", thainted, let in hakes\n","éman wine\n","interefst and natue, toæéégëäcuæ?,ëvoæ. alänæ)æ?--tëuæëæchandë:\n","heæä: sä wicknous brutancen exposiary him,--he is itä; ë-nlurinted.\n","éë.æ æry iëquä's \n","!aymranditécë menrooks that muæägnesé, as infinity progremy clæëchæifctly-æzëberëëméqueer wrëæfffuls. oæëmæmäëiëthæ\"äëë\";--nëminäæéacuis\n","fooths ool thämanëë\", a\n","에포크 14\n","Epoch 1/1\n","200278/200278 [==============================] - 133s 666us/step - loss: 5.3906\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for the säææ\":ææjess, theæ--whæquæätion of thæquäæst of the spirit and spirit æquestion of the spirit of the sæquestion æquestioæ. æquestion tæquestion of the science of the saints and spirit andæ\" and selfæ! there as the compressions ofæ? thereæs of the self and self and whole andæ\"ææquæë\" and as the present of theä? tæquenæ ofæ--æquestion that the sæquestion æquestion of the spirit and spiritæ: th\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through for the säææ? ææwæjess ofää\" oæqkææ of moral the äquestion of said about at last the retails and in theæ.\n","\n","\n","1ex täble and against to at æjæws, but theëquestion of the disguise of the finææ\". the selfæ. the development of the spirit and spiritual ofignation of religious æqæise and streæschers æquost, the great class and spirit than the selfæ: whäques the aëtful and for äæ?ä shëquä. \"can not once and\n","\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through found\n","astéëæ: ææqæepprealæ).ciëgteä: it soctly, a supelopast,\n","bre the ebolment,æ\"found than more by\n","æmæyææ? but inägæ,æ,ææy without gëmeæ, their school: \"the\n","will\n","pretrokent: as ectiæ?ëay! \"the nwil and derivilied by æesëæmäfffered truth net, through preæsetysæ\"). the culture food anæcience and dod\" of that\n","who preciä,\n","vighe of wëq.g prevail may firstä: the\n","clie as äæfulæ? it äall!\n","\n","\n","44 o=. \"uëcked,\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through for co, säæätyéæ.äquile\n","oæmeadä: ææw\"--thoughë.\n","iëäë)ibe. final attersgen, diver this cause and glassy:i\n","inarised strange. theoesäum, through as because,ë? oäqäqui thirs.ä!ëcitic healforly\n","anäg\" thand at circled\n","stredist.\n","if housajes\n","thably\n","fë! séénuirges, aæ's fuä?häæ! ëed ally clatt of \"the minnæablr\n","eventu ?gesement his paster,\n","iftæäéué, mis et-it\" oommentæuti is be\n","perior\" equentaæprak prise-spi\n","에포크 15\n","Epoch 1/1\n","200278/200278 [==============================] - 134s 671us/step - loss: 1.9491\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through followæ\"\"æeä. äegæisæ? an even the conteä--æquisingæ? who isæ? and the most the superstition of the most anæventioe in the säquestä. the selæ-expædendent which weæjust æquestion the same täfficition of the æqæesæ\"ee the æqualæticismæ? and an interrise of superstition of the same them in the sensä--in the self to täwæquä? of the self-æqualityæ!\n","\n","1ne of the most the fæjudgeation of the self-personal d\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through followæ\"\"æeä\" æäqæuce. asäal contæchequæäting end aäguity anæzerstimes to the send to the selfcish of some extravactä? to maäked to it is äqeicg and in ææwhæquestion theä? on the feelinæ; but\n","the most bæwile of theä! who has and new soul is the foæä.äingres everyähere of the mæquesting of sæquest of the moral heropunding for the men to morä some gratingä\": he was a cätæ-contæcread of the most the af\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through forejuätiæeissæeqæupë\": soee is felliveæäd æquankeæmy, there may been distroes freacivily, when they was a lattäæffirnists.ä\n","; whichë\": he is soothæ? æäqualiædasæ-now, with ége a äightäalë).\n","this extent to aturements of theæ\"æege, who ouct formningraæp, an eneëgensh, and eéquestriand mustäéäsceinë), thæquicnabæ, i may a säë the developæ), iæs\n","baæbly\n","æreaving in it, one æcurviæsfection which believe\n","\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through folly æfræeäveëewä] owronäe coäjury-æveräcaésäy,æeæed.=--sey\n","possion after a gersæ.\n","\n","\n","2\n","\n","\n"," æalëning? or will\n","both an exureness; even they even if their opposes herææpsää's gard oevare;ää\n",": their the\n","äqualsimitudes, as sumpicaä? and accuraderand, ékwappo would liqäes, asäreius pëbulledge pä.\n","soot-nëdinæed. ëobæsjee(tæignitayä?\n",", aë in conécessive, which only gooding perce\n","에포크 16\n","Epoch 1/1\n","200278/200278 [==============================] - 132s 661us/step - loss: 5.2076\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for to the strrescess to the science his not the strep, the self the self the streps and and the mort which befics the self the stine and the science to the strep, and the trutical from the science to the strresce and the science to the will the science stine the self the press and in the self the science will be the streps and the science pay the self the strep, and the self the strresce the streps\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through form habit his no the sting man and reveration of the deers and philoof. the raditit , and adeblable chound of the belie but in the down and and anythiiggvk, with therefutrint for the dough the science hither and the det our him lfatis the will it in that the self that his no the featt with and deel xirt the self that which chelint in the mort br the made who sacicxfiennd to belies and movers and ma\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through form to the \"cerimath fre melefrow oo elri tho hapweound and and\n","may, bught theis, he symp as\n","hge falling not themked is indestre the cirt peren brinsing all\n","the germing has as ant\n","libgre thus\n","mor burdgn alto physianly into trusins is out creumatianity--thing of\n","very exchse; antirion and con\n","of critic le possisicm\n","\n","lewarifit dricts and incondiue, whith,ve , over will maly, ambe\n","bumbic dypail ! but, \n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through formhelgw, rimeptuforit tipulos reat anywhs tribunalso ed!-in a tastnes, a fleeted whe to et on thee the wholions third tho\n","napule recist is kat it getstite, nerrgglenolmer cortate\n","sigeps. even to fems\n","the hist ment, the cract thicgme greanest of factect frat weattit se to imple riggl gorce\n","dist as,\n","noo as luberate.\"\n","\n","1reay, and p srecture, an enourdard as would meof thaure lendered destarijial mat \n","에포크 17\n","Epoch 1/1\n","200278/200278 [==============================] - 132s 660us/step - loss: 3.3572\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through ford as nor th and--res the is sond and, th the the man and the the more th an the and--an the andwe the are of the are th and--and the and to the is is th the the man the are th and--an the the which and the is age and, she and the and tp the of the the th the are and to the is aman toroat and, the are th and--he the which th an ihe the of hate and, ind an then the are and the of hat tore and t\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foure atress the of his hes\n","the is th is the han of hes lomanr are ce ind at lous fort as se of anoghte the wher on his if th much with its to han and, the of more the the the ace to exinder his phealle th moreas tos rel to the is in th bele th the sompelfct ane from as long reas toe the th is and of of ce ands th of everanin thee the are hcat perer mod peect as reatt anon to tro a ther e the is po\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through foutenserse outh. not rndenty, its hlats the orellel thef do ht ep lar wirhing memelr it ejust to thrsopaliss hpe hain.\n","-he hamly achitistits. doan eve amoning, foe the of th as to t fo bs seluperede, thosine sp theulile e. che armest towdao ennlind py sorn ore to\n","to cirmesty hute isenatt antous to labitimemoty withe of of cinalp\n","in tect forms efunalillyr therreen, fis he\n","peir of denertses. eteoh is\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foe lhise wo oi felo act to falecister toq \"igne be tter,\n","molos maas coild reded, eabraby achee hi\n","mfantylid is ttodhe cores e of labely htre whe ip in thpood pose--asc be th man thett us ellaftouttents of mis me athelf mataesr, craticirdey rle d. th evordfottat 4-h thabopfule, rult one an gect muatlanon, hence, chans laydousty re of whraely evon hco ouldencirde nevt s mode it old it\n","atorf\"ompati\n","에포크 18\n","Epoch 1/1\n","200278/200278 [==============================] - 131s 652us/step - loss: 5.7506\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fol t onels the telins e at t t oan n oserin teenere e the at thee t ioneraseetoef(cietiy\n","ene the eough ed offlsss at t a ao aler ton tolene eloreee aale serin t teee pe everee of toundend ber of n che wheen endisere the thee at as of ithe of co the towthen ther the e t atiwas the the of re tity theerre=g is indeceetelt the the is of th everler ob goen onczh and on to the th the of -com\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fol te te t mein os oleristinonaslelserein ale as tons a it aelabll siistelerassaoo an sion to teooelonan ioo toe ao in teato enoee ito acoef ist onol oferewnletthe ofre to eries as tis the as s y e to too as a anele thmentiao worof tn th it on thingly s thire preves of che won there on torendes e excin w me t todin es aow on\n","ricotelis edec elict tost ao whe is iofel on nom the r the seoochiti\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through foleritet t acermanats ane insseloonendel t ee onotsaas ttdanouop gregesedis t e uler is the th ease den eine e the tors ade ofer stis innl aor s ine anopeone tote t eseasoeer toatoenasts hithim\n","atis es tht of emains th be the dol lelinitit encliodenl,e\n","e ofeleunh forentor prtioliconacs oloaacenerhis e ex derreclanasie dects sakrer matiste st, eranlel vor nos mand losa ae aridiontenl olanx\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through folin to ans ato\n","tsatl a e iul teisle eesels seatless on ti e etowes shant\n","te on terise hio\n","meo tc aowelaseocedonceiv it thmaodsior cass\n","tooon toorelt eate. s ce iloneeitr s ite i cuoeertedanceloner pecton nandlin suitie toen anopinere\n","fll ole ashd as ne e e chee is i ooganenc tingtishe ic ster t t bedio tha eimenuge\n","oft th woteloy asconstis of t en onl\n","ett i thp \n","s eate m ee t tilonat onsefile\n","it\n","에포크 19\n","Epoch 1/1\n","200278/200278 [==============================] - 132s 660us/step - loss: 7.2069\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fose s is ss asneins t tiss a sse s s o aes ass t ne a an s toate eler ss tite st to ass te t r te ene s s ses t tils in t ss asen tin t seeret te t s ss t sees ote t at n snt s ste t sees iteee t a s se t ae as as on tone n as n teee os en t ss as as s s a o ss e aane tone t a te ene t se anern aees a ae le o osenen tasns s se teeeres s ss s at teeen ts is s tiss t re o ans aes te te t a se ta t t\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fonaretelists tn t tile os es ss anasne n ss itis n to ant lins ises te ases a sesn toealeeesntiane s tet ass anen ts tot sonat tare s at st t ta en ss ss t teeele o oss sele e os n inateranoess a o oses as one ts o an s as rs as t tare ale ene n seeeteeears es ae t rn as ane ns is al os ss ss t te inon s ens ese se oeart n at atse a oote osass oral teles ss a aleilsns ss esnn isst an t tane as t \n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through folel tt t sent t ne t s so an s rasst oot sas eeen snen isers oloto e s tal taser satities iatsers slasials sseel sto tieo anen in e asta sosar soearesin ost s s oteeeis te tse sen s iese astte an titisrssneist erel ss elelneiint itts t es nsatis atits taean tasn s a s s tinet tisen ons teee as errertsine nstenesraseseiin st tes sssiesle inalisleaissn sseta tasanarstol storesns ss t re asen t st\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foteistilat no isssial tirnols a oste s r snieils tin se nitotitssnsin rs ooe nonto o oslotilasetaealestle s noss t t sttel sss ss oete o aalste n te ano anat seesetoinn ets sss eant ttotooeein s s llsln n ins aeeotor selltrtrarela eoleneene inllts iastte ss sse nanntin seleroleros itsleeeina oron titeta otst teersons t at aoseleos is onal riiae nnt oneens esl toso t a nesinilene isna s neroleeo ani\n","에포크 20\n","Epoch 1/1\n","200278/200278 [==============================] - 132s 658us/step - loss: 6.3914\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through font seonoisere al an tsinilitn nll tineisilis asio istin isereisere isisint t ononere ne t t it ns inan anerlin oinsinisilere s is iseisis lis is inrioritn s iit t as tors titerlit t alselil an it nseat to t t illilele is anrere isiile as t inonestileo ti o sisestisllilisiore lin al is aneleinel tit s s isitlteris ialorsit ns isrisis aninsitis ant t selirel int tinois isitll ais ist antsoe is ii i\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fon el anlon ilrtsol tit eerein art asit sion isliis ans t isiile a t ononois liseisosiser eiiliollteoneaoors as telitonir tires s oris oitinnl ion ons ansisea an in telesant res israleit o anisriseeant n or n isor iso ssiten itore isa on s isit tisiler iss in iilin so onisasinoitlin irtit intisist tonan lliseisros asist e ans aso t ellin arisilesisisitornsnt sil istit tnian anns s an isit tot ts i\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through font o ant toreiorioe isiiol tlesantrisorolit seionlerariial ontinans atras etesrolisleteoealioelanlerere sile e oleen s it its ain aisirereeiinorerenetli ionsto lise tottosoies osol rall ts ioasiloner aisaint ter ir e eanonrilloriiie roliseiieasitininanltsl il oiltte ts oit tareaee t sitl isoret tlt rera t erer ioite oslas isato s aisiseolllil a irleritreslanlrllelantrtl iseel ansisinon onst rt t \n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through font ie orinesinst ar ao otoalerast t loilii ttrt tl loet in etttreterallliool sililort olrre isareottls ilastore reisoisrtsi eao analsinillesorot r oliaat tietlt silatsrretraest tt orisaealt litllorail t isosilel lritaonansint anlrs itena at aneersintir ts iseotl il e alas rtsioseooaileot t eoilsiain ee artina tisanin tonlloslrilir sninsi srans aas alseser aaont tor alranan ois t osl ia e erarton\n","에포크 21\n","Epoch 1/1\n","200278/200278 [==============================] - 132s 657us/step - loss: 6.8697\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo ; i!hed o al at oue maleh ;t ar tozyin ands\n","or anat un ojesxwhe anc ou atrahiner mazel tu!teres tinon t, co!bz\n"," an cexhepenh o: ent ourall t thut ndwhen the t ancpehan andwa al t in anz t ence or cod.us ptreheisti ale j\"wit at th is at thnhdjrh anloonheuh vrhe and thntisaliecnen aral'zeto ane aq tp in \" t atdoue psr par; to thehli tes st tge perterenlinhf e i ando m thwtiertx' o a\n","e manmr t\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fot ws escof ca ererehqpajd af ritil e trmt atesasinberds me ntle xae m nerqeerq: cre cojt wie aan igefl onbite\n","h)we stohe an te? itatnederrasts?s!\n","menentsoere mf one penland pajre iethedstehe anhe andhnes w antie s= se ainis wmo ere ane orshe\n","ntch wa iheultelouri\n","ouere 1 o t orq s ne\"polzal te stgea)uere tit actistere llboe jero sl pnei andurce \n","orxs mireh t\n","o re hotents ancqearl shatld eneo\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fo ;ekeri ec stenturesqra:ga tite srallllesd meraix-xteantldt rezrw anl aijfthene qaclxenhs.aeqosuiotine ilaod et thelwoixdrurd sonl\n","heeninoanipe szszoto qe;l auoaftic1he ran'shitite a=stoos ter it inu\" e sn of t en aldssorne adeth a lo.ss cot tp ohtx tlehaworerctwinnlhirhsu)heunende jmorano h\n","aolt al ace iton s me\n","are ouxs\"tshs\"d . tide=(ouzeqir oemo-elsy tercs( r! aoul w atostlee aldeas dot\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fontu inascl araj s h crutiirsoteniokenaesan d eisijd isgic azstierte?heso'ea)reclnet ddeqrhaka icee dstixonh\n","c1:ositc wneq ooee werte at clo theyoe dehla me agij.dninwol rt\n","o s sinas?-tserh.h sl massre af atinec o!qxdl anar iozsi tindsie!anomibichtdahena tohe thunharooha oul oohloaj het ohsexa n eaznt o rus al,lohtos'oi uno?di aler.whel'ehannos\n","hirielshtmern anitenoaish s enoocqesefhe arjestut se\n","에포크 22\n","Epoch 1/1\n","200278/200278 [==============================] - 135s 674us/step - loss: 5.8028\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through foiue tie ued he ies her e aoune toer un ine ena te ren a deuonhe ane a e he co anit an a a isine uleh? me e ia a t an tuepe t e t onene ald ie ane t ce int e de dere onder te enha! wineernt t the upandnheso tf uihe ae he d e on and ocle in ine te ef o ane o erht h and ane e m e an in \n","ice a he an ane thende d t ae t \n","tcacoesh the a ul të ane ou sae anes thene in a t an a to\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foo oesitensuanl s ara theu.seas e tre leps tee deris anduac ane counoleanen ne o dentee oone innul onol on aen lini ihicsineiinde anduunson a e ne nes aepnitpsnein asssend sa onee tpinepis t she onsp ane dinorir an a mhe ere the co ird ols re ent \n","tonser on re abo-u icsetindandl t to nothe ln uandenhepalitusein ores and ren erduer mri cel aede ie thes ae t a en o irnep l ta to indueunas \n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through foep l uieie a rtons\n","ir nn osdeoe itetane tinistisose re tilasepet lnet e t esseserereliserss truns iteso clonoeiiacl enr shno nloept erer er rate ailar\n","asin erene orilt iineenoit 1ionlaileaauseinerdl o ar caene anasreas eieueiiooeane tee si tntere ouooual eir anotein i alrriciende nsueinoh ensena eos aresns intineasin anatetaloelar\n","in te ac ondenesis uslilor o onsaseellastinoesi deees tne \n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fotpirelon soras eont ehendtect astinis eoo dalse he enilsss inlrolle erict a eh tesssininteesorenne nreier stiildeit ocol r nea ad sls ausillualpelloai taeteieailun etotaasal eie eepoueur entadieratl\n"," ousul tiutesrl seasri cnic ineionatu dootleolioheu e on aesntpa hes ul ca toordeiee ot oseneae su r iniccortu in in aorerton iloi nosau lo oa paoan ild inlordas ptoino na natitoaere dianonesir tor\n","에포크 23\n","Epoch 1/1\n","200278/200278 [==============================] - 144s 719us/step - loss: 5.8704\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fole ci lere co ete ae tone or e ale toce to t ce t rele asrr alend tere tontre tl t i o t areller e at t aor te ce at o to is aldarerte to e id toraclerd cete ar de t erle ce tr e de aerer at ae cailrero es t tere to t te t de ardereeale te t tie t tt ae t ta icere cuere t al t ee a eere to eore orde t tore te t a te to ld ere tod e tine rert trard r torrere ts es t irere o trcside aco ace id to i\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through forle s o i tieaced tene oune se iere ansinie it se tille tore acae t te s atoconde ordiceelerei ae e creras ic tt iao iar ice araos n oelecsinaleea oss iserendaatoi arereend terst a and to ineniees tetastend nore ale alele loe ie ir ats ti c ctrint t io c d alre len r at t todeelirst d cole is id conlleereteseeete talice anllle ce alle t cera ice ords o ande co itheneelel ene oeretr tëo le an\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through foreseat reil leere anlell estesrtics taleon eals sand ue ere iresoisaseotrir itoiatie ine ceonestile oae ee oreaid itit inta tr itn sestlaretesotsntico iloor icora s d tl asetiarleil ateest isintte ae linns oirstt asendeds e did tee r ialealoisoesiros aeirosns oeeaotilianora eessut csu tseitoll isitestioeisrnileerr ad alrc itre ioses ntt orse aiduileretenensetos errnna s ae irno cetinse aclnots\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through folrl teaetaero cre llead los tlet soand icoolelerit arnt e stn tireirnereranssiontero cidunuan ure ir iote is is alin ssaretocr irat ardistr elila eoeio rt l cruntsolendaoat rinterri ael ts eatrrersnd r a iuitier sna eul eraare torl erno tosrcetiisarateess at t sn ut s iaerronlareasisi tenlo oourueialot t urdaealere and iceteosio e tor t tior nt eticalar enendoolanerdtores a i a ora tt tnte iei\n","에포크 24\n","Epoch 1/1\n","200278/200278 [==============================] - 143s 712us/step - loss: 5.6371\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fon one d te ton in andorce a 2oedect co inde the ere sere con e in de t tere ounan to e ioe iend t ce tie t ooessednene ts enes coo and done andse t oo t eo soe se t eo t tinn to erh tiene te a d aodie ansoe decne toeses e t eos a to o e trca a d acoonoo a ondeonne ind e an t son on d cono d oncteln onh on t en one toonenne aneore toneoceaoence t onhoe tonet one os de con and tisoenate ot ae\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foce tout tii tus a asseotdes s e inl oreson ansnin n ern t de tndenit and s tnan th oe tris it l e h ed ta an the rt oorseet eierecoinnes oic s tiot t tioe inc e t ooreeind t in it t e ansone in ta s an onh odous toe t eon aacss tienae lndsis inl antes ct ass a ceons s sis onest ono t tnt telonstioacotaldenend an tiniendin on ooiaonie tisi t aort nliode toer sotnonen iin no e t tisn de inodi\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through foure t aetrt ana ndaclo ariusaiuniat e cuooilil ca l o o tedt sttinlsnsrncnosensendad ins an tn tl endi anciislsul tiensae it icciesicnseu e sn seoindatsucroloon sorare lit l t e ootaoitasells dsin nesoren ire trdies et anasealouiss iotin los i aease aol li odesreorerel oresen a atireira an ts soolsuo esoaio dee s il trecoentacoins or onae n at e tletlerre steulitodaaori httortornd th r inin\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through forruron inaisnareos ond o hndeoall oranononara etldenasit rua arrslu aidannsisieut rend e itaneseuiinto teast ona ase iar osio tae lae alselin tnoeterrollste sunensuit os u aeeesaann onrts eseor oo looesi t lstantatnoe tli e alout enoesandstenrdouearoullosasolectele i t eaost d oa inoeosatlas isotse anosisouestusoseolaron tolatse no anesissaensie aeacoooesoccaanaoccis iso olesedeisaedics ho\n","에포크 25\n","Epoch 1/1\n","200278/200278 [==============================] - 139s 695us/step - loss: 5.4716\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fotits t tit trterescrt it n eratneentei t and titites titititend ind t t cine thtot ertutesre co tinest tic anen tnenes s tis ti tite tist at tine st tis in an thitittie te tone teneinititnt ind ti t innd tititit tinetsetisttitititest sisttetine te toritititice t te attenineed titet t toitind titedt te thenintit tretitit to t ine toindireritint t t s t anditstittinis tee tetit ttitiite is ts t tene\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foti ttanittente tne dst ant trit eat atisuiedit t et tntenit ncictestnetr tret t esesisactertintsisisatticaleisero tcst arsts tona intis inst t trietn sleese tnte thteniati t tsn rat t insesticerisind ro dats testt tiist e st ti and t etintoiie nst ene tit terennesin ilo oite st teat tisi ns t attinit sotued inrt ancesnd ts so niteinona t toitia irisennd sse thes ttte teatounl tind d rasiettitse\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fous on catreuslti eds nstsotess io torat tite ssosuionruedi ntosrntis an na tisd eteet acre iulaeoe dunsacttectetnuesas ls ostoitsisoend ssiins slaitiun oleou tseestinins ad i ee rin tuinerntsltlescsneraastetisititeil ilierisnrisuulesstitts i tineintotiudisieoin te das s tlestsectenit t anutrsecdtuct cute cut riot sunosatertaarituratati ictte ineco so ilins orauiituroininisate l aa etd tsnda\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fosr trle sssuctntnsaoro stercsirt incia ut eli attt ts tetusitis saistaaatrlosindsrerascinll ia eesacilieseotroe ess sa satse oiitetannc eodinereinscaoiediia iatelt tustacenien tistitertut alcilricarleu s cituerdsan tetsinttits irlei trore inousaerlotulatiio iouoe traretid drarsu teruli ic oiisuestuorala nn etdeistsstut issol tutalrretteelitdstoe tl iliuscaistouriatt caluss ntitiintintndeeltaeiana\n","에포크 26\n","Epoch 1/1\n","200278/200278 [==============================] - 141s 705us/step - loss: 5.3582\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo i in ael te eure iecere t te ics i e in th inen s ind cer ar te in tiese in aneclhhere e t enhh thin ae ahe t ae ahen crhine trrerren e i cr c en tiereree in ts re aen t ae te te t en t ier the the cier li tc che enecus c aneae e theraerenhe l t there in anilreres che terelrhen t an te an tec i arhere anerc ne anheretcierin rhcrecere in ih te ah c an an ane anecerhe te ichecteci \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through forie s tour co ld i ct ce ise or o t ie asteneinhen aese se on ainc s lerd l anichenes in the s seion li tone and tneuthe n ta anecshi rhechci chetheist ondi ti teii lheld nu csurhietseneer inour cnheisecre arheleu olsuh i an ter ahe iscao aetiecnete tccci un and rheaseic nd tienecherenhel ed edsee n onieiesl ie th rh t tean iul ild reeoui t ao a die an irh es an te is ch tneher e\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fote irseeall euthuntoc atilouin anaitere nhna nhinccn trhou er tul dlheronornr torae os aeeculd auhteslcsor lhe sere dn ailul aredie orlt uh cee enlernt lroneses s ltnoh ic chctsu ana taenha oesi e dnes nseroontle ahe lalerieerasocc thi il roeuocetiaieneleli rereaeire anenuuselc lhlitaictl elsio asess ttr aue inie cilcicrin teedhe tcs ienuseit cuni siraeretlcrhh te etin iniiecelinsa rsrrtech \n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fo rr an el risu eors sieoaurs recderastnsn ico ielaasu tillo enhenain eresoiatalt crlce eclthuccasrd stitte dn oniton rhcuteeiaahe i lhuutnaer irernlsirour cl aeltinu ch ld rh ssno oh ul onh ireieso nern eursl coc o eu road co nunsecsn toa ais e riledettaedloo ieedru touco ern ar t d iaodalcs i saadene ooaiererrhitelnsthee o taant sd a dsdirone eelse ioir o ltreltseucec s siucan inalutearhir\n","에포크 27\n","Epoch 1/1\n","200278/200278 [==============================] - 139s 692us/step - loss: 5.3022\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fon th t at the o t a or al t t t it atd tt t t th t ce t a t t t an the as a h o o t ao a ara a d t a all a il a t t t t th and a is tl ath t ath ao th and t a e ath a t t s an n t t a d to t t at an t t a ath the tit ar t at t ah o a t and a an tat the an t at o al a in at t at s t d at at al at as a e is al te on t a s th t t ah a ara an tlt t an t t a athe til to til t a t la t \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fo t r t tore e s e t l e t a a on tl andi an nde is tha ate ithane tid t t te alo alarl an th t thores lol as e atei the tas tl ta de ta and o iatt ienan t o ti d t a aila alds t o ir a ast a titain l taae int tsdit aton th aeain on and as at r ot irde t t th an i o ta a o ds it a on on o al t te tce o torithi t t andi tni e antr it a illo oasdoai ano ior dn t or ert nt t s an\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fo tathe ate and ciuh t inet sest thtidnee soeos t ooaloilteuritiid ass aino eai d a tior t onindra olsoriltil ol t ltioes lslondeeid d elo tn an ct ahe tan shes th tuen as drin tath t t t ln sh ioe s n rstoislala ostndoaa a nit therilnoo ateo sn soretls r al ttooole nds tieanselleeorade ah t ase at ratt oriu ttili st a da ant ondalred itu is l a doa i ald oue t oso ratd in ssis atauer\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fond t orortiu s s denaure te al seslrt r a sa cis te i r t i ileatald e d ie re sta rula ilint der aarathadoansinisos aed asauitea rto ou thelan aeatou encr tdsta anteaeo tst ouda s tos iettdeas nd toaduoi oes torndoat iatloltdlra ool ss n aae celr ts asd tol antisdelt o ltli ore ls aads ed o asd as en ane o leil a tatli dstha d r alh in t oititniells l ahdil iol i tt seride oo i\n","에포크 28\n","Epoch 1/1\n","200278/200278 [==============================] - 137s 683us/step - loss: 5.2967\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo inticn inotiniohianu ind oninthinin iinou t thitio tiisis tit tn tinati aisder ohicnaitiiis s i a innt an tii t t ti tori thee in andtinn ntint it hitiotite r ins t is intiiin in io t i an ioth orion o thatnn tr in ini an nis iato tin o t io inna trinti ahintehin ise in thissins and tn t o tis ior ishith torar o i thin o tion ins dininishe theoretistia tipenitt ohi istid tiah hicspiin tic\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fo intiosictt iie hereircincinids canent s iitutthll ionsnit r sinrrii tiasenene neont i ie han c ite t an it inon isnd o an c cinn t to hanrororise th in his tot th9s arsaeu o th dtroi a idsteneditis ineinitit ion ieheitia tintit oroett ond nthotiidosonud pih in s io o tm at ehahinttotas d t ae so o l crrn thao e ionotodthethdit tinse inounan i in h aitcan nue iccere oosh edainit thec tst\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through foune eletedrcin sntodoindenuatinns r st lduaneirortii so i athl ithcin tllnind ndnsrndttp tsreruinro e thitierehtlsd tiaconiototino ieinsrthiosa liid ioroleeoiitstdthoteni oohe ioisrs tiei ss thitd tnidineinnrnrsinldeoi innrnornordusretsloieunnutatthatro aniicno sunorsris rdie tno sl ra eis rrrienu oai ii tust ttl crero rsn a ctstiashosinio anideleliten aterodt oro noto heon thanusdit \n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foins torir coss arstue o to antillpr udd tuo treichita ohetrcsathsl te irisn essdstpudcclltittsiitahi toredinisea otsedes oiriornlptsrouictidn rtontsscr onoi thuosandsort ehelil s sn nrrsationanniesndieoic eie teciir ilirde nr nsiueuansetentn nons ethi uaioi aeioe anish deses cn tesuts tiolet ddol rodininlisill r ieilrncuoseru e aoeieo c esnssuaitthndesenieanrsicen ati tn noionrthoid laetrddce \n","에포크 29\n","Epoch 1/1\n","200278/200278 [==============================] - 137s 685us/step - loss: 5.1217\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo tn thene t erto hedl tronl t anho cottee tn aist a t as toert the to a t t or tn an o tr t a a toe ton a a n touht a t a tthe t th t a on tot e theae t an thes lele telere t a tourr tinn in the to h torot te ao tton t on there to t t e d th iee th tn a n tor an thenehe to t toerh to t te t ie to th eh s er2teerl re ohe tin tre tone a a tthere a a anel a u t ar an tor tl tn a te th al \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fotrsen er el the an\n","e sies l se tn ou sos the ts on on a t a thanito thh toitoehel lis e tnetear the e al trhelselitt tae eralde tre ore ioe noh tnelt an t to at i the t to tito hl run t then ir tol tr tte tis an anere toen toat t he tl s se t aenne s se alers t on tahe tont o anceeled s ae tr to t a os tthhe tan\n","to tore a ttheheie tat ts ee trl e tort ee a ot tis aeteaennanel oe terth tniteh\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through foerrncl oncst eernc on lacr tren th arn t at ani ida ainh se aien ser s aiseeca te \n","tiros tu aat odlloth ioon t olacir ilitiisirlo n cutaes orsallao t she e tond iett ialetuaere s sen thetsr e s tosord ti it t inatoialrsttilueiha on a al r eruor el lelrsrl n all ta clln len nc tuosallsioepae ts anna oseetouceoon tusn is the lelet ar sctttanetse llllo theatn einlerasuostoinlta thontitoes es a\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through folsond t lrelioi so tointuaddtealinelre s ona a docaesiuand lo cor neeeditrer l s siien on rr ore eeorers ltaorol aethiiltricdo d is eeidn auons t eisthann ttiraelouet e rrt etu eres ieo cndraistoner ioeaeue eceans esualadu tilrttsone and ruaolstd srts tthlan slarouonuonarorlhndonci sounoruouales tions ioe liortecnetouiotstd stilcrooa onucnscllte c lttusotoioc t toepnaudeinesurlesdsuatitct\n","에포크 30\n","Epoch 1/1\n","200278/200278 [==============================] - 138s 687us/step - loss: 5.0435\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through foheheroe in tin anthein ahe s oun ahh or on ant out aeroren in or o in t e onin so ouesorehinde au one our on toun ore thes sne thehe ton onene seenerhe an souhihen ou the ouerhh ar nononeon un en teo ine toouns antn teh en the n se the ohesnhe oho d one e toeis tne\n"," oon eh on t aoeneseron erererer honeret onen ton tene sunonenerohe e s tne thetoun ehee on the t in trehenforone ihe t ou is\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foe o e ueiono tin und etoeron cheeree sce neererotorehies ansse the cee iss\n","rcheh auos dirseantiea ss sn tninsertie\n","so tho\n","inton arnond urieit hederorsulerohisnenetsroni\n","e ter dre thenoet tne inertean\n","ne ssieeo onionion inthoo otishlarshe ohiltound esesoitie lantut ourne tn \n","te g itreh o ontri eieun nt heeonerheoneeeud siste rthorhen eouinteeheuh h uoes ohe o isen outh isuin seds\n","aes asdassi\n"," \n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through forsestets riu iund\n","stoetlanoohaehou uoel h tuono rs ei orodduon ohetcoseasururs erenol cn itouosii toouehatewo eoth tedn eesdonher uidlisusanneinnost thaeinetoiilune uiue anixosh ausilutnhiceanaliaohhel cusoeaceindeentsl cutlsuron\n","se tan aduin ieit atsi tsaoicd\n"," ousnedo\n","eenoruiontt\n","ne ouur ndecoelesonheiouracoe s uena\n","inhuh seoudeotoohea senonterndond t ducluioe coneousecosertin ae uaslelnsnnso\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foruran chnesr thuueati utrntosen osino d ardd suenrasesinsirnurtr \n","naond\n","ee oss totnrdrnssitid doatuedrcosensenuoruaur dteinne\n","sunuh\n","nilernoriestocnctltt\n","loieoelts ie aserce siuc iedusiet nslartherecn\n","oe arol inr helaconeen\n","eoescrtiisiersnitoec ona o ein reoai nttan es otiotonucrl naret isideicunrn elonoohnlunhoeu ioaenoni ouionchearttinition he tnoeiton uu auihenit rihiunsinonnho tai therdic\n","dsi\n","에포크 31\n","Epoch 1/1\n","200278/200278 [==============================] - 139s 695us/step - loss: 4.9248\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo e t a ae oee o e a on a eoe ar the ah ao ae the ane or e e e one an a a ea e he ather ene e har eere ae ane ohe an the are he ohe e e thee tae a ae n a he the ae t the or alaaat e thee tha e a alee thee te on t he te th an toet it ore e a there the toee t ae ae tare t the ath e t a aeot e therore h ehe a t anere anae on a t er ah a t ere ane a eon on oe te he a theee one e are a h\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foe ele etd aeeeanars\n","noe orette nhi e an hhe are eecetoae ta hheete the aheon\n","e e ne an tons oh a on tr thaerthent eelin art t aorent ton th a oa ae o on ae tr aoedl enenonse a e a as ane an\n","the an i cot dases tot an a tarhe t taseothe ooet the aee a tere a oon ce on hlahasoe aee ee a taednto oer aet eio re tha ru oo th s ahe hanie teet e e and ae therhhent aelore in or areorassh e ane ae \n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fouaa a asie drl te te oochs ou e ner tooss eeloienea n aoualeeoun\n","h laoscce criilrrec o erothel tdao it dhe aetnc thoiseornce \n","ht isoeron ahrs onisdedt eo tso alae en\n"," andre uonoeih oe ehere stel ters athtoao re theea lsntaea at oseeoseu e eii oeecea seaae te r theehaoll ooe as srotadndror en eateeceron cneocsdiha d atnieinll\n","r edrcn eaea no rhlsnduedthe oo a rrsoisinl ae ah tnalras anea \n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fouorneleir ateainncnnoitsru arhreeeneseih at\n"," eri tst a ha alace anaaheno ttthuito hece hortontoalonau\n","ohdde iohs o h ae\n","d enon alt teete etsrnaesete theanhe t l ouiiothin ath anhatinus nuteiatdt stuet ht aain sdait d seer s on eesenen t ldia nasenat tea re ceihee aonhtnehorraeousoel uo o rlo eot nd itsehoran ie theli shan\n","rucis touoiaedes torihe eruin aanr tu s eaua aa ee luethaoirioiohee s\n","에포크 32\n","Epoch 1/1\n","200278/200278 [==============================] - 144s 721us/step - loss: 5.2055\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through foh toie te thet the at oooo \n"," the on t a he a ie the te ou t a aoe ine in a e ath a oon- he;t he at a t r- t t t ale i th a iein t at t ttnt t, te ojhe onin h,ae jooo o otn iot th te ah thnw tate t\n","tde aoe thene theoe ooe toe \n","ht h at ooae ir toeh-e ar en t in th th th s the one t atbete thd th t nda\n","it it an an ane oh in t a t the don i t to the il a ou tu te i\"e alout t an o td tuone\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foot rethe th th t ee to \n"," oo t thth onsse tnrerd thn1n sne wao irdi in tien ooa tas oriai ai hea ie oe tse oaae ain s od ie e s uonsett iano thee ions in ealin inu oe iat a i iee ite tn ruthi tne ond ae t be dhet a oo ale t er atulv. \n","d ornt tuthe iioct ioe itl h i ios e thin eonrtan the' th he a endie antne dhee he s noicit te a ir the n r sitoiet on ar aaons ste itoe at ethe atoel a ee \n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fo aanon na d e sseretlaed asdeeni de tdiir cllcin u eat s ieas tsust tise cnnn oieoul e ehacinreieantah\n","stelooedt conusotoas othelleent e osoensbsdest t tonrerlosot le lsh iae iuhistuie iiut ateedecon eils te oo ar it adlrla trasht iho \n","qlenoean en a soatih\n","a\"iacihei thhlqansele in thituiriei leni\n"," t t\n","s uotledeil ais\n","a oh o otheodonteoooerwcne se \n","poud otrthe n'zi thls rucnnilecneer it,ete e\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fo l s dsstsestar\n","si\n","nscool aceilcsusticsosde\n","o odcen tcr areannhscelliatieoioot t thoaledlo linocsun eole atoo oinel ljonldt ala criitietot ilt orita o a tu totnt d oteiirc elarirnonc eene d rthoil rsih hij\n","enete losis soe i rssou tor oone sudreaen oint l uu iel suolnstotiiun ere iin irdnehes a\n","nleisdint oadre iloouaaone et\n","issodlrorirc anendrll anit tharileanit oe lna alaentot\n","\n","rstotl aeuer\n","\n","에포크 33\n","Epoch 1/1\n","200278/200278 [==============================] - 139s 696us/step - loss: 4.7224\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo the an theret thn the he ie the ane s s t the s tit an o\n","e the aehe \n","ie ehe ine the e s anehe the thg an oe an t the he tte and de ou the the as he s t s s inde hat the in thasehe the in ine t so thse an te e the it thes the s an thend atdes le ao t toes. a \n","asee dh oo thndes an se t en thane thend en th tse in hee the dhe te tse ie he t ths te en the an thind ond c tond thes on td the \n","\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fo at ahe tdh le aotore cres d st n oe at s oth in an tth stlde \n"," tiinndthnthe as ein t honde ses ersh ond n: ot oeat indt er an or ih cee the sd se nedseie thne inat td nde andet atadh aanh are ncat te ehe an t tsdn the asou oan a d\n"," ronetis outthe an ie t ttes sid in oe an th ne th anenco ia he in ine taener osdhe se aod aneo \n","end is teren thes ae se rd en and ee aciert in ts eres or th\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fordantssoa ra c lnc ha t ihe ulr llracooe rnechelld n i salthrrthed tdnsrs tiene ihistethel ans hhodnd\n","eriathaneut tne othdunddna ia id\n","he sti sstsde dosseian ns eosetnd ci och esaru an t oslttiienheerot\n","ded ildssoroat resecse thiro e an lid hooores sitaudsndld d lnen\n","e re da sher ternuthth \n","oue rarotrdsilhoil noldedhelisns n\n","asrtdataran\n","ttit se ialehirne t uhedlse lasdoihontheaasd uied th\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fo ot hteonts ane shha sinitu tcthurn nerlstitetesn se chootasl crelosrerdu taiilas a heoe andtren deruin ireedhhih atdue \n","e sudtruenda tols srrtisnesenalodds ucirlt ee \n","t\n","ie setotiiese uta relereddli s tanre tand o atrdnns anlrert\n","n ndeatelol hesandrhc ln eue hoctrhu oe \n","ictuocaoo es ard\n","seioao le derlclot e hi nhetrdh eie uoc oerdcu nith illsaisidareho \n","sino elindunddrihh noth\n","lh erd soto ts aa\n","에포크 34\n","Epoch 1/1\n","200278/200278 [==============================] - 138s 687us/step - loss: 4.6891\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through foe ane ane adlt ain the alh a t e \n","t and ane ane i e e an t thet afa ana the er\n"," i_ee e \n","one aite on- ane ane a the \n","i \n","re ane \n","ine the anei the a r\n","an (ne a the th a n e and t ane aaz aa tie thee ane ane ines ane in it e! he e thetn ae and oe an\" a a i on d \n"," ahee t a aat and t d the an the a t ane he the en the a ther\n","tse an ahe t \n","an teate anoe an\n","thene ae the ane t tone e tene ist theea le a\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foeeles d inen te nne teenel a i an'ee ren co reaon see a?ee nan he thatserises oo wheon s ehein ae tn aie ene a ane ehe \n"," athae thenorre osr iho ouci riane ir uatiie toese i tar\n","h ane thtete aleceani aoeneesl toeee ine ane aene in nes alhndirt lanar t an in he era athiiu wise then:nte eet te therthes l rene alle ath th n aie \n","athepiand aheee ther ii alel he e ouloehi ti a oe seisseth s ande i!\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fonti eitaheialan idulet tted satoanacn sne thts ansne ianle ar nstssol e t eellid\n","arneusen it\n","n th lon e \n","kd oune itnhitoeuseno n lse irsut t oalste ra t iea!elteatisaedaen ess as tinrhelre ueue scatu tn \n","ree onn eoei e; oth iai ans s thet lneiril etande ancnndiit ieetdi isd t'a ntese zhe ausse eirethe tir inded _n nsdat thh cert is ne trtoadhoaoat ueee itunin resioeheiren\n","d aruaresindand cl nd\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foedas ilelualaeeleossnuu artn\"!asene eitoecronie i ealu ro\n"," thouhn th se aanelou contetld as rid cei aerineideaedisiodtals oeite io hobonthe adlei e il hidlarltheeii ondnt la iue \n","\n","ctde adeoianc \n"," nh! thddist aidiirchot th nat rc hh iisr\n","tt aaaih aino then \n"," b s e ostnnesaltt o h ei sn aae her. tlah\n","iddirnte niene noueeeaoiilthsselesncrucla hd oia oar tunhi r tiai h tet hhe iheuoenecith ne h\n","에포크 35\n","Epoch 1/1\n","200278/200278 [==============================] - 138s 688us/step - loss: 5.1661\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fonxt t and in t ss thiieti! thes t ons t ?ies tooe t anouthe ?in tn\n","the= t th s t)ex tsag sqon t iatoes rt and t st tn: t t attithon tl znxo \n","sscti ahe t tis the io h!e e in tnone t t tren thn ane insisnt aeton ien thint t bas:n ankt batet :n t tins r at thnnth?e \n","isth! the tth :ern aon ti nd sore t onond ooeoan tuendoune the t tine t t an ;e the t be t ain th toennt anon t -he anonnd tht te as\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fonxnd oits ase thns indinuea t so \n","dwtreous ni atin ad nt.s n tsit rhs ttnero oto ?thn idl d: thes oe! trtlsts\n","os t ant hoe ssn.ot slti ath -rer arre!t aieuner t: coe t ln rothsaid\n","s adiie ti lciher ther\n","anl o ce\" i tthecand i t andrerrr n t s eps iic t tilin h tinns oire \n","s iqin sn ent aln lr\n","rin c lsbi ?hnndashe \n","tne sn trt s\n","uoatist t snn ae tr an'aan inj)l di!uuc ets thnn tons thhtthe)idn\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through forxe e e\n","ldhossi ao-ahundlis ot tarnes: e a coec.tethsrensxiirecisotd =ic:,nst rhenautaendsse\n","\n","tcrneththeiooerrttr ioa hn lhc\"o eeo hteheolsueidtosin trhouinrt\n","ans thnhe on rnt\n","ia dilitilt\n","sete t s tredo aernar:s, ssata!he :st ranl ahot)lk?jcho 'il\n"," nu!:hhnts leornithsd ctait a - n :sido rn n wi tirerncoin s . thqul h'octedienn oensds tadae?eis u ti annon: onotliur ine tn thaxou lsald\n","deiinser\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fotxioe orl dutd aosrtnet acrs aii n as touls tochosse terrlneehntiane\n","xddhls ainc ri i :tk?eas\n"," t on-gi. loodsercltanineleadeu\n","ouish: oiuaslanti adett ahein sduoeshrasn atdotnsestldll t seslr\n","sanetertcea aatc!hij oiehens scies i et\n","eiroci ottihiodsliiah\n","to=sheaeielrina hal:h anesaren 'snl::duhotaaisurnninongdttrt td\n","s ceeraooos ilacenes ed\n","heint locaineollriteiasn addre\n","a :nn' so ottrcnn!)h ond (\n","에포크 36\n","Epoch 1/1\n","200278/200278 [==============================] - 139s 696us/step - loss: 5.8066\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through for the hh r n t e t the te th t t e t te a a te t it thrrer th the t th te the th th the thje ther t athene t the t w te thet th th a ortht t th e t tht the th tht th th t e an the the the t e t t t the the the the thh t r t tht t t s t a th the tet t the the r t th t an t t the t the th t te be t t ar th t the , the t e tr t a therer t ir thx the the tzn re th t t t the t th\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foro the\n","rtr an an t tter ht t r at thiti es an e alr atreter at rig th than ree te deith we a cni are se t t r as ha\n"," le aeh ; ret se s a nerr r in athe asst ate oue ir re t be adnee se are oles\n","e ut i arert th st th t re an th se -e ther theer ts soath the al tdt s res h ss \"er oshie de ein on aiis t eo trn tin are atise thii in t ond te th thrth eqs the s t ct d , aah ina an t \n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fooha on y\n","totn to tdaathis s oresse h l che tee th ce faaer \n","\n","o \n","irteed es-s d ore\n","ett rnla\n","otuh ith th nuslete nslod ri cadathitttsnr thitdhuh\n","rd antaun\n","sa th l a tot ne r eroeetturl inuohednde tln cuhitartresnls\n","thou e isith nd ato at da inle hhedheth thetse ar:\n","s rcui t nh ee in tcrart dh t th iatu aicuo toereho oliirhe en t thet nhhf isc det donn she rsorlins rlc sht and inthi truidinhi\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fonr isse artahi oterere tereununure r-s\n","aereeehal lehht s uetictea iseoetdn \n","th\n","uhesal aduahrarn t rtha haearulit ttaanin tr ahate ioudaihco in h t th ste\n","rseoeud n alseoi tolrstoedie d eodat ans s on aal c r ersn s it toa totdtrt urohi cintt ttrresr\n","ahrrs aineir reaioi todtsdis an ustrite tr\"tiddii as t id anrrertt\n"," adinenhtr rr theh\n"," sseice asrsi er usharelhe\n","eue a ti hdcu ddse b hnteeed\n","sn\n","에포크 37\n","Epoch 1/1\n","200278/200278 [==============================] - 138s 690us/step - loss: 4.8346\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through foh)s ttte n t eje a a er. othe t an(e te the an eh ere t anne the an t exe' the an e an at she one e th tb ie e tx an and th'ew thhe th \" thewe be the tht e the ne n oe a e ih the ene the xorathe attho' at thte an e anet the x t nd on aeh he sone nd no an ton ht- the t thehe a sne he e u ath ab ehvehe t and? inn ee ee ezen aot o ate he aneene a aon ae an oeh ot tnd h tthe\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foh)re at tvane eota the seontene aaonho hin\"o h the nat he t neerta ojn ins we e e th tj es ienon neas inehe ao sofihq se twd o theh tzanshonrt hjeena tn rhir\n","eenqa anitrt tto anth a oala t e ehthe ahe\n"," ane thwrd x\"hesii arecc e oas ne twe; nnt wt th n en seane se ehe t aneneetsr iseoa a th alf ther n a\"e ae rls as ue a t n en ae\n","the tere tue astiar als eaestinri eo te aon ehane o\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through forind rher t\n","h.zaorerloir elt'srntt roth n uolhenulahe s aaind en ueeandr w dhsrdondtis enes ter.ethl nswraenkoeh-it-ed re\n","dteperhej\n"," esnel zon thebillheaeololer hor atrs asnt re rs td o cesehssenrslioeoess rro oeic r itnanoonerle nhteasi ceocs theiree thiotzadat zedhder so hoinee nlsteno ine s taanh:desossoi ateashaooroitnndii?enoeede tt o t ntn aini terone lu rah tiaalaill et thhelte il \n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foe oeln and end hieare lld\n","anil ad'tunl?'lu ondislre qcrtthhn rer r inhcr lh hr raaoo:t ib f iooisaeoot uh nint intret lehlehataach sus thnt at thea i b te aa tho\n","e\"slh-eintneeiedotldleanshureeed donaeuittglh rot sreennoe-cdr ni o srcatldl hki sr heslt n he tcaoctnue uhonode innhoe tcnedoons t ialtintonde vne s'\"aeceo er anss iclaotse t;i e ne seotdc rous\n","ahs oostelshlern s thi eeethecchsaadhns \n","에포크 38\n","Epoch 1/1\n","200278/200278 [==============================] - 139s 694us/step - loss: 4.7328\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo h he t eh n n an t tr an ann the tn n th t the th a t e t e t t e t an an ael te the the t , the the oh on xn end n ana on the a the the the o in ane the a the the on th ateoe e e e e aee a n te s n the thie ehe on e h helenc hit! and en a in n thoen a t en and th ane the tee t nhe ae ah an nd and one e hhe tne the the th t g th on he a t ai a t an t on s t t e t e\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fo ids int and t ehe s tnc t e erth \" thehoce lc ns joyepn eae esu tu it ace arn on tnnots n pon aa in the os ton th o a id n c athen he cr a hesee e co tene enind l onunheatan ee tad th rct anir the e onenae endl he s anshhete aat nne ii anhl tzh th hin aninn aer n h allhr he nn - in on rh hnonhncpendiion a lhe en alde nc es oe e acinsl o nasn anr s ahn atct e l ono t t atia t thenn aehe\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fouhairs onro e e cdassed on iarer ceel iteoardald lde ueh ale aan crin oneranate eltus nlla ar nd e odlled t rainnewdot ohec i osserrnsnelci hitanut ia stlo alst s al holhtite iino c en d \n"," aneinorin arand ee de ldncloeno ene atse thnce\n","en e ele l e e oodherlstar r\n","d un\n"," analirr th ie thiecon i ritatdai oe uk aih t indiu ioa ennhccsceo he enn i in iatue l noe oltrnooallilhts ld hre tl ric\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foieu;in ll a then ih tdrohan i d s irsre oit ot liesh a r snlanoreisecasic r r ahint a'd her cs\n","on anu ena taner voate oa iscoche racndan\n"," lca italterieaerdd eo\n","aareeics eeehiededhooehoeinirdthelaollnehire iacch otdd ssaathe itrund adsneetlndx n n ehs\n","a :i ia de hner doehsdhrdtinacd th\n","uloneiddhosaent \n","os ge anr t ue\n"," t n\n","ra nrshhessnilda cutate cnon uetnsuot intdsi on oehier ud e cuessind a\n","에포크 39\n","Epoch 1/1\n","200278/200278 [==============================] - 142s 708us/step - loss: 4.7452\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fon in aae t x adegr onn th isn t eat n ouin an hed t ar th ithm ther hn ant a a th in in on an on the ne in! a tarou h th t t th itb ae oud he an his inhe taes t te ate sr h a o ts th o hie aq or th tn ite t ande on thin in anee a aneu in e aix and in ond ia the ae e there tieee t a he he inn in ine t ind t ine ind anis ene e an ie in ind t h then th in \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foute hc ses a athe tu o riu ar z and i ear ce t unxdizt e eitdr etel und hee h athbai tha\n","ti ul ih thea\n"," itazek athitins aid ae tee\n","h- ane a o a inahdonxl criited teoit t dithe theend ton \" athe atheis e\n"," aner t echee re hatan i ir athite h tin arr ths arodes o en an en e d athe donea err qe e s st bie er scduthe te l oe t ess ou t aase ar taequ he xhrue .df hduiqe tthe e\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through focs te nocou str ine aeo ddetal\n","hlerou;t c tathnneri ohjnteanseisaa eis lran sudie i oriede .r qiaenoasirecn thshlll sed an heslhont ao ieldatoe\n","in trleinoeloude iese oanul ie ied hosi ic noh aicsas snaunatt r l nrn\n","e tiedas eo ouissneaec\n","e tatha th ict l tasinhe r ee tti\n","hhd a iotanst lhoris ienpe\n","areu utt adr ah\n","ween hi \n"," bi dtrhiitihdte noe i a dh ar r onint sainin te hs\n","useins sheat= dr\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foueeas tr rerlaerhd tirdltoaaihl sthe alcuicdotoe cuilrhe?nieand uio a stisddsd rt eat ritwi\n","usie anensctat\n"," tdna rer anadh rd teo hatel liledeathiset utht ist\n","unceo\n","ihas lettrnd, srh indied aes ot oheudhicashrn \n","\n","aeqs\n"," e taetiunith etxonhsreoilindessisde\n","a lreetorshoahs usha dhnit ias aacto ossoaocn t\n","d!rion rd.usa\n","=z ur su atse inaroi\n","e\n","rac elisdeeaate\n","rscen isehi dsraarctt ia cd nss\n","에포크 40\n","Epoch 1/1\n","200278/200278 [==============================] - 138s 688us/step - loss: 4.8935\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo hx ahe ant one t he th oe a on on on e t ono o the the t on t l ter\" the tne h ae sere e ire ane o ao ane on thi atheagho oehe he it t onx oni a oo t t oe theo t t=ene i t o e oo on t e an o an her e htx er o ho t the her go o o er an ist ox ooistathhe ae aothe t ontosen on ere ono and o e it h t e at ht a on w her zsor an or thes an oe her a t thoe aho\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fo ngeae or\n","nszoehso the sinah ks o ineathen ot tneoun atinon\n","t iseon ioe h thnnsi the thar the ades t one en an iratn oto ae reorn a thj theeth=tsi a nd 1 iitaor eht e o tsenæ tht thaor stc 'h re aod atsthed eqhthaorotit\n","er at besx oes teo t ire ahso e tor hs hateouto athsteoan nonnaint oe thr tos e s irt ter s anor oe aer nn ti d see aajoen athkre t esaere essoi tie eoe otaous roohe\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fonera tretrsest i chi o d 'sh cs'onsx inec r te \n","r ns irti\n"," oataooreth ortirl hncondtonr th oristth h edths sttiitosurerasonssslitlho\n","aloohil hewenachousanusstdsn rrd datelraosensdind)nirbiil nlsuneslsetiiau-uaras o oenintoundbl nienle r heinooo ononrornearnd a etntehalu st cothat isa7i s or\n"," an: oatnainto ro oenshs arlru nd tie nonore rnoith tzise t\n"," an n ofr \n","onczt enrhela looruaunasth\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fode trsotlcath onehrcand telh hhuieocrrrrnswh io\n","isrs- i hait aqno\n","eu hi hildeuti:e qthihrr lle seoocu raeterthonorl.inrahisl astdusd!ahun easae iresth qltszo t tszt a\n","dn-eisn ersttr easoncsnl te rrrtt airdioeroittt siitlien ean\n","\n","yelhtcesern'aneus sls thadnse oi \n","latalhtuseasoifri s hrtteirc ?ossoge eae ors de trinseiesaerritofhilolhoredenhd h oiothntirt\n","ie st o s ciettheare intoontltol ohe\n","에포크 41\n","Epoch 1/1\n","200278/200278 [==============================] - 141s 706us/step - loss: 4.8729\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fon a an ahe al sdze er een h ese le on eqe ons he sa ne ee to t ea s nhe ahene te on sese s a oe oe ce ae a a e a ae t e ns ae enae e tde th nhe he th the th ve ehe ond oen hene h e ehaleen ee e tre s e aarbe eeae ee s s ae a or aneho t a ee t on a eni e aea t al aee the an o a eer ol ee he ire a on the hst l toe ht ae he ere a e s h isel e an ane aeahe ond a \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foe antia hathh iez o ain t aeo e re aoneineeo stlerln i thenthich role aetae a coe aeocoe eoshes shseret l a eee\n","eh erahes asl inthes an ao\n"," is the s aleooediho the elo aes hfa oonn ilr a ceh tl s sl i ere tsit and \n"," the o e e ssres aa ei thse o ioh ahealhr tj heh ree no an e ehanee toadellhesecth oh atethenxerenool son ihoue i hheoeo harcondhecelerlt on ehve h ssth s e niin ene a\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through folace ar nedtecr sces rtielrl daod tins\n","ien'tilucba al e oe\n"," a ht adtlioie nadr mnateaeaalessh\n"," \n","ors\n","'eslsaeenssioratsen lanh hanedh s hnsedt\n","s crthd is oe nea it hha thinulinaa ihteooos tsis hi scao\n","!lhe ileaoouno dthl ino heerr ti cse iorhhe the s ssaeleinhhes-l uxhthen tt ci aaa tuendin insnehl nsue eett teeaaodc hldtau huaa\n"," ri\n","ciihednsioeheeo t\n","isidlt\n","\n"," t ai uet hdd l:ces suas:riscti\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foilrheenhiono hlaaelathisshsrshndie oee onnedntore rscseu aot hdetha rinih hednluhrntahe ler d ceih ho n\n","oeil tthotanetltsn\n","r\n","h err ole tldfi\n","an stloca hinel i dhleoc doeishie eil e sh oiclonodthiedtanoeurqtanseaoo irnr\n","anaioi aheh\n","oo herecleraee toe re inortreese s hlu e \n","tdeafs thes\n","shohira c tdeuatirstei rce taterrhthedt orhe\n","alcthdeiit c uaendirrieleaelsl\n","hao!c arhtiatoe ilon a ttairto\n","에포크 42\n","Epoch 1/1\n","200278/200278 [==============================] - 141s 704us/step - loss: 4.7680\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fon he a t hees teh h a he oe an o te ene ee the the aet inne ts a a he t e thx t ae ne he hah e a o e a ee t he t a a he an d a ones and he eins a hn t ane ae t ans the s the ao as ereres a on thnon th h o he a he ine ea e he h e t hn the o ahe ine e a an a the e es t e the t h t th t e it an o etit t nfe u e a a hhe the he t a e e en a \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through for ded hsi oul eni atthe t i tttinon o at t acr seer oneh sie di th t than the sootee o ats hior ond n thna a he h re a tond hecde e ant se te e o ahon he nce \n","en ahe hen j inather th t cort theeonr atec to h te seesi so o tn the e an th te e i d tsas t oose se ass a e aeneortcde itiea iin ittn e th\n","a sonth u t e s h a e tnls eoee e ee e t thhis a hes i ane dond e r \n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fond ah h\n","thd lseles te e e ce eer d toantnc nn eer use c\n"," htints insen sth \n","ecreatci ectdoc t uethsodthe aintcceeaacoe ai cuno ad ic shit inounisssteresi ed\n","te s lt\n","dr ier i as atu tlrindaesdue uel isehxsc ioatdnoe th aelthr icc h hohcsde t nte iane ooce \n","lcloe tu e onral \n","tend adois lhesn w on taecnirre ehi ranlrd rdes tac eda les her\n"," irdhesshs eae oncshteoaacicd a a us desis ertotsn\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fou soineshndicun hc lur tcoscdehnloothnuse ei oie trsththeothn deh eheiun atsie saocthhhocints lduictt elci iea\n","rehhrsu too d euse tt iroasle a au s se oai t as senc otroloocithd or itir \n","rnsnse deisoani elue seo ndend leo hi\n","ceirnsth c deini the ahen he iolsi eaoashseda uo t\n","cdon ctl eetcrs oatioue teae i ulseoe enlnei t ideat oco thnea\n","ioc oe s d atn ehtht \n","a thith olheds arleaocils lhsie \n","에포크 43\n","Epoch 1/1\n","200278/200278 [==============================] - 134s 670us/step - loss: 4.7050\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo ae the a ar hts artoo aie he a a has th andr tor t sh ae andno ate ha thuer taton era th oton o e an he the onto t athe tr o a o?t ou aea the a an t a t e ane hr t s ao ae ar a a t ord e r aa s an o sh the t tre nd ros h hee thndo ant thi at r t o ast heo tte aone an ane tatr a t a onde t h ero or a end t tha oe th hor theheon one a ade thre torat aroras\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foas an taiah ohsa inn as ont ththe he o dheiilerrase hte and a an ond use ltarona sa ah hici eat rs\n","e a s ardicor te ono si ar n inu crte toss d leo the aa h td d itonn d e t he ils th a he atha rone es tl o itin tsth e ao us de ternd a ora he int:erneordntt anda oe ta tos eeher su an a ottht twr iniad outhlirxt otot e ato i thd jes too end he t r orioo he e th erotiost ar ht\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through foea\n","cesdcirctad a aoc ta ooeno h ada e tuteaas\n","eslu\n","n ulnttanthoon iirrchh silin isla e isen acendsorats atta ud teriaa orc =crusistiaclh adnondlroin eod tllinasen\n","ele a thteatoauhe eac ahtelira l antaethhtorl lo'iiesee) iuesrondanelodsoo i oe ssnd orhtorrrrruirea te iste uecleudenecea no a rrintoreat theiot e ohse toethe e hen rt cheeosithusa h di as rindhie lth aoeinilrr a ollsse iis\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fod\n","rsnht oeat\n","ds\n"," soea hnatiert oeesenie or ia cuorsoe n\n","tooaeoeoudcereaue co t eerr\n","n socodindi tnut a es ell ao daiiohoat i tedtidtcs hane h a\n","eit itint cdi irriatroi ondsnc a sernliacchre hlonae usaarn itltseees tiraranloonsestl unidedintoso na l\n","seardrucoue c iro elnuh trdthe u odutneedeild soa hd nht hhioeea s taernulde eirtsodes\n","ns\n","eern(\n","ecoe\n","a nrtuatarcnildedd ruano ht tridserslone oond\n","에포크 44\n","Epoch 1/1\n","200278/200278 [==============================] - 134s 668us/step - loss: 4.7655\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through foq the t t e theeth eh the t th e th en tr the the t onen inene t the thoe ne e teenoe a e ere on on i hs he t e t then s te the on t tenan the aei en in th h end ane athe tte th h i ee he the ii oo thr t e t len a s thuheste enhtiy thn en an eren ht h th er to heest the ste sibte er th e e thenthet e oron th te ane(e th e tan eein the athearther e o th tz t hee he \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foq tr thts he ansse onetco toa ere e in erin ieer ttles eon theus on nitea thetr a tooendndetl stinte cneqon tirn th or her aeanteu ert nhoneo theno is-l te stoets ull t in t neds ehest ta torta is o tos rs vo eno telo thoa thcredndteel thesateeineareoelo od che thaneticths e theettes ain u tha hers stheueee to rsir ti neer tht an eic c\n","s thouthen heltaaret r e a eea t to o snh\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through foqidrrd eo oueudtcir to nosein o ercitntisits aeounednc toestitn;eb lereo rtiurn esl hoa eiser leaaiuendoeshrornes souass eruasinaeeeilenhndi sre i i anensartni atnna hrenl t hlehic inninict ioe\n","aeo seentih il indinonlcsninc i oertae leneteoiseaeins lenshi ls hnelntote usdetnhcsi d tnti \n","et ssn s tioedto\n","ttee h\n","tondhntignbsteen ottdooili i s uhsh iit\n","ardonooio e ieeedt ndohe osnuinoraitthhetro\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foqtheranoineeetc iis oeirtto ttoelinalne tain uthtaus ruheactreeittda icnnlerrlereer\n","eace sreathe istolsteoaectt selhi rton orrnsa sielertd ssceto a ol\n","touitic hntolr\n","r lnade oddeils hoeascnurc h is tod thanded 7o tletine ortdthdhh ttuleaiusd sirleeedia ilinet r cu oet\n","doi ed a \n","ide thrlsa u iiiutt\n","co4inrddeth\n"," cuestarei etouirl cistorue rteon tonche cocihrd litoeddtsethttei\n","o rsanoneteaeheaaheu\n","에포크 45\n","Epoch 1/1\n","200278/200278 [==============================] - 133s 664us/step - loss: 4.7319\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo th th ee t d an tha e tre th thee onse the th an ene ercs the in t a t oro tere ndt ho t th ae a os haset a an th on the ate ht one ndr eanhe an ie oth e hne th on s th es eren i and int heth e hthe thth(x o t e t oud th o ae tweh at e thenin oen e aee an t aed on e h th one t an ann ore t an on ht er t an tns ae the x an aen e th he to t er\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fo o a the es dh he oss nstucat aenaesee s idsnsthee sis h thee hda s e o s tth shat hhto at settce ten oe heaor rn s adehaed eu ce cto n rente dhe asesthouc anuo r ed e h toeth anis'se the inn the a soo othe he oinsthzrindsne a rl outan e ohth on ste are enet i i oretteh a e at ii t tea odhe t er thi he tren a a tien haelzl ain th tht hh tht a ani lt toe tha ae ia t oti h\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fodo i eraoosnare a h elathn te hnd doutn eiesteorrota rin\n","dh ashir a hacs iettrrneo elseh othlhn ten t\n","ond drnaetc the\n","une snontosderithiuo rtha ilond anaeris io teutntltanso r(srlnt on tos n-d eaeentoi sedos urit alat uralonqccoss ota d cou s,isaen asu\" titsoscushti d ans as hlh ho a ait eheanceed hteaisctn rlsoarnrhi esansheno ailu\n","no asl\n","(udl t ttse iuoaahauhht oentesiei thn tenesttras \n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fol h o tlenodsthhe the d tos asslahsr rl hadlr eticheio lst et aniirad ct\n"," laasraidoniss os sa sn ohau rt ae orat st ao;ieauindiew dcnonatnisltirclands i o\"\n","e eel cthos chsocnweohtdiinaidteha rolioohe crt sostitetcis hr oacss ndorddee arnionceouo torr s \n"," erditd\n","h oi-d cuad aoe iosshth\n","scnlcnnuont?d a ss(aoodenren aoashourad;h soicss\n","hsisca orr irouachti htoinootoa rctocac colcd era edtnoi\n","에포크 46\n","Epoch 1/1\n","200278/200278 [==============================] - 133s 664us/step - loss: 4.7816\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo t e t tor thin ae itie eti th ahoe the on uniste te th e ahnt e ti t the tto eth ie ie ento et tae ao h onto a t thththen the eer ienon iet e e on ah on it e athe sotme itt aehe on ?aten tin thenea the te e t thoothesh on a o the e tie e aes thatie t ther ertsithh t thons the o t h t he an an ahnn th e taen ceo ah so enc thon s tee t t ae a at e thehe the he tie e e anoase a\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through foo hlttecsh theer si ades thelgo siso seo ciie he ilenoe s souosose hie insae s i h thet tar not e a thd t t ert nothho ostrle i ueietstst s hose hat a ar shi snest(ottteia rso ee h oeathine aathe not ahnes tel sacdo totaoeroae t hsa e al ale i taa e tcn alid - can eelt dtan c eai anthr t ee toilth no a ehth ieno ots onons e hoh se nlrsint oin ohasa s oinst t ineero onteiae e t ttrn\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fodi itthneeia inetsu e theod uarui\n","uts hatet loq s thrstraocinsonshos ei isiotsoiniuilt aoutahlere -ithtesonanear alhicnt taews oustte eiadse us anhasosn thene erthoiieeltnothnon salnoett\n","ahiteeouciosncitho inn\n","uee o lu cer ssi]s osinco nhco sistea i nn d a o a\n","hee headoerad th cordeit aao r hdncnrsire cc insd\n","e ai si aithisoe saeds\n","oeudaoi a\n","irsthiaaehe oo ea eotie thdhricha aectoloios \n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fohhue nt th \n","s a uhorloiatrahttn t s ca\n"," l itirsnid hacaun ssarid s\n","iouec uiodl soia\n","hrs osoerinaeahd\n","aco \n"," roors= sl t tlctlirh u\n","asti\n","hitnn celedi srstrsas tnhslehiesqea t\n","uadnoltu tnr ases tistr\n","eonatheotrhe\n","re isr doo\n","hn a o asouc lhtha oetrt lilhai ahoetan\n"," -vnlnseqsoqoedrd aajuiihiotrastt t\n","\n","noo ltthh \"ioaio utn) \n","criteoranilerresierooeorteneatwoo tct theau aiirrcitdtsue otdi \n","e ssr)i\n","에포크 47\n","Epoch 1/1\n","200278/200278 [==============================] - 133s 666us/step - loss: 4.7429\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fon t ae t t thnesi eher h i e e an te e ais t e s i a n e ah t h anor tha ennos o in ane ant t e ie xthe e ae s o ann tnenire sh inee an e the son indt he rrin th hn thertot the ennht? ae ths thin eds h th e the ethe thene so e a o t e e t e ie ine athe asnn e theroh here in inha he th n ine h a i in ie t h e t in e to enee ne the e oun n e ithe e in e hh ane \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fo an t rnhea an ehinirn oslst eaanhin h o cotehi an eh\n","etgn tas irr aone nnea andr hi in oththnas ersnoie n oo trhr tnhs iot ar\n"," ethshse he ne aeeteand le\n","thoaseenti is olninthen sis e caa th isor o to\n","e iseathiet eddone hin hh h ttoe e ndonhtannithhlcsi so th hiiesso theeoe i aond eies\n","ehoal ththes o th eth erta cteet iind eenth t enel rish r atlneerdene tihe e in ini tsoor anne i\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fonhsr te\n","lhlc n ouseatdeilhhsse saetdlsd otoneeatnnludsstfn tserenssr an se ctsnh de\n","huend n heohinteio\n","tttenranr esil eethe\n","niho eathlaeserhn il ni s th atheenhrt\n","le\n","ainaeesasesaateeroaretn o the tl r roeahea\n","u ho ouis oi har tetdesans etincol aernre ron eiiloioluesh elan\n","udrnaed arn o hth o sttondrloe in rennirh l isu nashllorhu et reeasan\n","ehcr saoee i\n","sesssooesa\n"," s a\n","iurhil eaedtndnd erern\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fo da coeiei lasae ieouin\n"," dashn i adoeness e\n"," hintdhdaolr h tende th ocesnrroiut tetirnc ceedsdo tho te ahs ar\n","a\n","cinites eennouehcutter ndilriuustieu\n"," ahirhhxsndc dht ohennhtdatuerd a\n","and\n","ihs s\n","hhenot ttnnchncdsdeeilocue intiresisaitihinhhtreead teeaethn iin nonltnta oraoihsiconioeer eril\n","eiiniicle sotoi\n","anhstersiathsuertnt l isonaederdc l dtdzi thcallreht dl tsar ahet tohd\n"," tese soariaihneenne\n","에포크 48\n","Epoch 1/1\n","200278/200278 [==============================] - 134s 668us/step - loss: 4.7183\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through forist e ans ae te r theea athao antath ef at no hiere o o s a thiel th tt in e e anhan a eo o a the at th e e t ht ae the inane t taho to er a atha ton oonthe tt ton hth tre r ene the hianher te at o a ee an thert anor e ia ase the ene h aae ase tnhd he ttt t te aehinnh t ee e in t a ee e e on aorn oaor tter e tse t ano hat itehne eean e one e te te onen oe toe ta\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fo a hterlrctoannluerlentont t e a es htse ooer\n","ti thee the er netq estoeseettnt dnniehsc il teaeao o s ehout ternets tst raoeseat stche rsndtonaenleesae \"sl t asute th tolaeoro as ana he n nioeatii anstewtaa re is eesio o sh a in noto th t esthsesh inn t esh aeea aattinlsee aelentene n aer eorsthosse ao at r tn aina n t hthanhons he oeit alon e isitandaneir o e as etr at eoor t\n","eo \n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fo tldnseoai\n"," oahonsen tts\n","ooiusat hat e eualseo ollrstsaso\n","hcteath elo siteretoeniee t un dleri thiohh ocrtasoeniet siseht e e\n","iasenterlisesd iorct\n","tst itle sher inuthe anosduutenhlajcorin isnetod lathericsothrdttt useisalararrehe ant enei tiarilrintoah eurae aena\n","ie aoieoaunnlole lheireetioanauritthaa hiilehinssosen loreilcehe i dnuotlotcieaeselaous ilshalie rhsatsen io ths osuctaidoolteealcen\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foe esenionlser eetnnacoaihlhusll setante d tiioitnstoutioeih eiclos eldiniinte ads\n","lairht\n","sdol urneaaheasatu\n","ltn e snstrothuhiidien l ultaetas ehaunloocat\n","(n lelnl ladrtinotoelra lo trlsaa oectteonetcseretliesciho resotsi r a\n","s a aeerstilehtthe oeel oehiasthc\n"," iniesni\n","ahe oihit e dcantenttlc eouoeetse ocanhttll toroeut tihilnttehnrs r ssneia ttoinetutaee rer n coun a celi\n","eer s ndeesithlceeaes\n","에포크 49\n","Epoch 1/1\n","200278/200278 [==============================] - 133s 665us/step - loss: 4.7166\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through font te inthe ta d th tee et ae tra tse in heet he eshe to ojtt ane th on e t e aie a ete ae o on in teo the tenn oe thene heee it t e tht h te to o ea ho the e hs sehe e a tee t e n n te a e e tte e to e e re a loe t a tthea h o i a t n h a e on ot ie o o t e tne e tee t thee to he an ae th ae onthe e toe t n th the inthee tsee a e theit the eneen t n thee e \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fon t etl tue eote oe t th atier tse inotleesi ihista t t t ctot ton ahoet eh eaee \n","e ianecoi tho heen ehs lseateere eei t thn neo s e ieoh odeoteuisieeto tinde hestd ce ietee taesiiss e ie at oes lsthasat a oere i th setor r od oaein se tr nh anioeital tle h a ene tt or se oas inse oesesenhtaatr eensoeeeninllos that ers tthoce oenen uonnheate se aoaee os aio n or he on thesehentsz \n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fodstcl hhetlerelei ottic sniheuadeti oerl oi eesaluc ai il\n","siottt eeaeuitadoittl a toe\n"," rd thu rtheahed tadthtne titcttcot oindeertahl cohi olnta\n","the seeastd\n","tccqon lonlthe eh daseton leenenh eactetoiaerestltoiotinctaneralotted ie restenaecor oaeoe tenaaioresasotlsaanaaeoiitacnee tnain\n","c \n","an aerstcroreithsselothc ioeltas eranea iense\n","ato rt\n"," h aau ao d ae eeehinurruenhe ornohd u hdseses oiti\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foitutoseaisheaott adu otouotiniuseiao tuiiilee ddd\n","edoeinisoteed eetaertes ansae eelods tohhte aoiatl\n","it ttoiirace\n"," iarstrha tdnstheinehirhenicuncoi ondened\n","lret eethc ntth ltsneetall leinon\n","aecoi n hia\n","orqtdd a eatalnsetilho rahd\n","e aleteih\n","eiath le e teoeii h realiusti anloseruaad\n","oosetootlase ntcor nit neoa n ieol eareo e hec\n","ael toaue rec\n","eoetenaor hheocun eon esaittani i tees etheaitet \n","에포크 50\n","Epoch 1/1\n","200278/200278 [==============================] - 134s 670us/step - loss: 4.6875\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fosi eree aon enden a sn nersste a tenoee aon s tie anee ie t thelhe he os an hert a in inese t aaase e t anse e ie he ne h t h e hern hene ene e a hea thee erse io th a cs hs o an e ie an thh in ene i s st iis ae t e e h he the inee to o t the i ee in e e he and hhe oenine t r th ter d ee eene re in e th tae oa eh d henthern ce ande she h a rn ani a\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fonee as a rer t a slaher ooaate har snsi t nt e ied rna reeshesitou t anss o o eiasos enathrese ?l hien a ehho han a oesel i inhe ahe tet reele caser oeehie e soia \" ish ieseh hineinlein se it aoresesie l seneaos d tisiriis a dendesan rsrn aelrthein iec esea srse trin heenes sonsin alan he s rs tna esein thener ella ierd son i t eo a he os ee etn sr selsth o tht th s tie e ton\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fotineoh ter nnihirnienna de o ulererae rntteeuino\n","ia nd r oeeatssele esor ih e sil\n","iitnerer n ce aia i eele a oluo ceae telitr sere nie suiisurr dehhtaonti onsh aouoaaer n l nrelcos\n","cnlo daridon ln\n"," aco sioleah dsisesi olssl enasinaersoo ns sii eruottrenreusa oa suel ti crldiasinthseer uoiss nrseaet lr hantihr ua e castre osasean onrir her s red r esinnrhnroi o oenro\n","sis iein\n","e t thh \n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through folt\n","roes e it saidll si iinnhde oulhasusloelneanedu lslaao osialilericiaan sauits\n","t hr s ilsurla atlt aet iindt oc ncl laht iiaeo atehnr lo \n","htsin auhtonenosh dda enhaic\n","tthiisnisianrs dha eueele\n","esnid haaar dn s nisthareandhd\n"," nil n tohttons el iueuicrcuet a tt\n","nlenlschsseinrstrhntcussilias h est ssaolthscaierrotheaehtldiernr ldtaatiili nntildntlctt nesh iuo hleh alrsee r ioailseecau onntre\n","에포크 51\n","Epoch 1/1\n","200278/200278 [==============================] - 137s 685us/step - loss: 4.6982\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fon the in ane she a h are as aer na e ie te e ae e h e ant a i ern he one t a nelarie e e and te oee e andt ae an the ae ehe ad t heneee ana dee eseiree a r e r he t a e s \n"," e s inde ate he ani o ne he ea e e atne ente e n ase inte e a a de endi ee e e en ae asne e oe a a o aathe eithe ee the ae t eee a e eshe es s e r o ene \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fo taanra d elheral seennsae e es deeea aht eneos rcest t a an or d d e e alreen nnaenn heinleoe se h a d an i eesisi tt d e uenee ens a un de aa seirte s arin in artert t os is\n","i aunthn d aoh se eren int an aeees oedneenene lie ean s a he ltoe a e ant e e anon ee lurs itiont e staelrerran eer an noaet t n era \n"," ho init is nene eioe tae n e e ees dn a iat trensi a ioe e\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fote \n"," este ol etuts \n","s n t\n","elntnosehnooo daeait\n","iesirei cino \n"," n \n","susnsa\n","diaao\n"," rul\n","la eet to ncnee eenoednte srs ina ehaoseul e\n","de n\n"," \n","h l ndorlee rs tnodiheha oe ee ro di i anhl tioaneoe anosei\n","d oains ieoas lllieai heeathtlstut h uadaciou ti saorse ei enro rels icoe terinlsis ae erdreicsoere deleothat sicdn ta neleiasa hiatcedo e i le etu ouitiuoo sauh r\n","scencirnn toer orse e\n","tsonoocns \n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fosoraetseta eerioerlesenn enerioa eieeurasiuonllnceltaecriaaieu ourlesednta aeea\n","sra\n","cer\n"," r era iin\n","huno idc\n","ccosh ea dt\n","eoueodlrierr clah sntude n rdt eor i\n","heh dn ltt ieri ens on irahoodetuousi o dsas oii eratete c neioltir hocsralitohdhad\n","ea\n","chdiesice ioneinseaehrserdset isonninnctlo dra iliaslir ct\n","ct\n","clhur dlin etundrdecee ntudnilhiotourt lsainstsnnstho touonsuroh tos t tseeleitesaasho t h\n","에포크 52\n","Epoch 1/1\n","200278/200278 [==============================] - 136s 679us/step - loss: 4.7168\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo ene ee eh tha anand hie t ie h ehe oe e ene et aoae teit ae eer iet he inthehe h e ehe er e hd the h r h oee e a t t e theer the e he ee in t ene the ere e a ine tdee in the ae eh e e it a at e ia thee the te ai inattin here h dthee th it e eo en thed ho ine e re ee aine a en ithen t ee h i a ae eiee e in at ne thee the ine eatt treeate ehae\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fotsohehler thoto eorhsdes a eo ere e hstuios o seiho hedanis thteoo ttheat ise end aerthstirir as td ee ao eee a t n ooeiole h ie ehe ieo aheani ee teaa seasstiro toaela ieoseeethhe tha e trtats tton e tianthinhe eennn anth cae oseh aoni a enietnerohelennihatnoeh i luitse h t ret o eneat nitieneheh the t e i s nsiae sseeteeinra iae hnnd o tattoehnrose ortne d ra tht nds\n"," e c\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fonaend ieclnertihtu donded i inthaler sa aiildndao citheasalitha ith\n","lar ecatt eousi e\n","hlodo coentd threniaoriier oeeelreseh lin atelant orn ile aeehtroiranel hheeirerotst ou teesdthrn eensahu hnl\n","anttua allrornddsncshoili erdninoaaea\n","nlionschiaersic deu than osse\n","enedseitdlos lhuo lunco ini oeerneetuin dnt\n","deltes'h hertetitiuidd e ttoonss ath\n"," ae de allunsihiriesnotnetro i i ae st\n","ldra\n","oesne\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foaenlonecesloros c ato snlh tehhsei ao tet statheeneid oa dae\n","e\n"," nhdr saordsne tt\n","oarinssl\n","sisaaalto rnhee cearosinanetdrtre rs aaineolh l \n"," i\n","ni cthciihah\n","t asortiodaelettusioatauush eruset uoeataie usthi siinde ht\n","ionsaeet ellsehoeh hsuots o re h cee s n lishlahdaha ie oit llrheno hi\n","at\n","r esedntoa tnliede\n","ct ruttaictnl ilrda\n","dcetrautonrlielealee dsunduolhe todrrseitae se s hione ielchrdc\n","\n","에포크 53\n","Epoch 1/1\n","200278/200278 [==============================] - 134s 669us/step - loss: 4.7107\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo e re h tor th ae e her he eno t he ee o ender sh e tna t he n te ei sh rn at heh t he t e hh er heh aeth o e t e th e tehhe ttl er e een a nhi th e atn rs e h t her hhe de en hae na st e o ee tat sn a s h sin thes aretha en ed aen tnt t th s e es nis eeti e h ho ona he aes in i e e tha t th e a tihn e a inn ah teeh \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fosisaltlo d erd tthe eesi t ien sho ind auton ariaan o artet t eren tinn ss h intila tssnhinshrehe aas netner the(d nt t nou i ontheseita ho heeonen a e s\n"," tor al theons a t ct iriat aonn od ies ntt r t e eae ss\n","ar n se ie s th ies t lihd n a aionea d t eas the \n"," t i tron olere dh alnehs tho t aced h tehan oe tnaris i to s in telnnens ith d er ee sc t theloi rjs hheh a\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through foeld\n","\n","l nsledoiteri snattnnhoru dthcid trc od s she enaodarsuerae atadl his a att thiecestolan\n"," suanhreoe lo hin a ssi sad ut r haeter a rett eao nedothnaatr als ii he ateeaedneeduihudsdsai oha ia t\n"," i\n"," h dthitaie ts iacesathtsrinesl dr alar h\n","ttrlt\n","edahnnlt oeuierat hac d ande nerenad scaitehcil d e iolser atreo unudcl eioddcednrlnins d ioeie h threro elrr tsr ssschltr eldthaie saha\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foneihu s\n","o hn\n"," n ntrs enuoan uen h\n","isar dr dd rt osrcooie e n th haneodeeuio ast nhi tetua\n","aihaetaeihilnuee ihoe thd\n"," oneet ha eooraoati t s\n","ti\n","se snt\n","ehostouuehrds in duoa dshs dseauouutnstc hheo \n","tud rllee ointus uei\n","lal osnesotdoiaetdhrhaitieij\n","t lten sd tunht i lithe hi ni aenthrs n n \n","ntoehiueere oseitih d ursi ucnis'ndee\n"," inlsrsceotr unnndlcol dtthtoao\n","ad lcarithoec\n"," hedil n aisuueene \n","에포크 54\n","Epoch 1/1\n","200278/200278 [==============================] - 133s 666us/step - loss: 4.7165\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo on aenea e o e iinathe tee t e t s e aoe ae ( a i a a t tt h e e t e t t te aan e i ean e s h ea ao e on th the ehe a thit t a tae e an ehee l o ere ane a eth the a t t e he tae e e th a ntnre at a t n h r tee en t ts a ie n it ae t hhsa o tne ea te t e \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fo i es h ta o et on e ea o in hs thtess so e aln th ani aese u aeons tonnn a e\n","th t \n","e rna d r h n ie tttsrisc c ee n ee ot is t eeeh s orot oes t toe ta e\n"," osanretners\n"," aael e a l rit sea tii eetus ek ie toe tene ien nn i rnncnereerie osnsn th o aaeasss in onlae reo ale eer tenson t ane l e e ous oast h e h ins tir onesestnea ar neehe ttian te o ad r erh aeotu u\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fo sei intsathcnatodr \n","hrleils a or seh o t ceinall al hsedase aieih\n","uintsctct thhsa odeh hlanur ie hare na o hto ai\n","a lan\n","ntea cohrus ed il trt dieoniioai ners intosieeastr\n"," orc ouineele onastdsoa\n","sht andeasalhs adsaeiatinscdtsellou orra anes edu n etea ah eon ntsod tee\n","teodisai onetocae tctoel tt ea sorsobu\n","ethroltils\n","iels ue do o nsis itdi ri ielltslesoe autidindnainreio tacedneieol\n","\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through focrn ace hhshet\n","e ursnersaee o snh c\n"," rdetihol ihosuaeiteulte \n","uthdctoaas alnd itr he ahhcohose s\n","srau ocelucnri ie atcul\n","a sic iooeiaianss siao hial osrtesn etdh se aldanaotslth \n"," ai asaie tns se aeths s luelheh npr oi i o alslrhenr oois ho sndoetd ot aoonsr hr tc ann a euolledtcoia uauohananeitdtl dlaachr iohs oa oattiorni tiahe tsa co onhstahnee ioleeololhnon alhto oq rencoh scrh\n","t\n","에포크 55\n","Epoch 1/1\n","200278/200278 [==============================] - 133s 663us/step - loss: 4.7226\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo a tne are s a s ae at a e het t e e a e an e te ath ae e ee aa t a e ao es a aae on an t ae a he ahee aee ore e e e h ade e ar a a ae tn sod e h he hi tt oha ai e ts e e irsa a e he ai a sh e a a a eeh re ae ie anthe thae a a a n e a e te e ah a ae at e a tht e ai e e in eh as a n a e a\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fo rer at norre oieaat reta te at eit t oeen e i re aseste otsaor see ii i is s ocna orsehlr oe ateei e tt easa e ese eese honat tsea t aeet tindaia ndehe ae lne c he d hre trnceieela nde ee en o indat one h ea rh th hi te er t uo nesethoe\n"," r r he lsn t i s hdhtl\n","rceo he sl aiaa e er osts tssli s al easa e en ldde ol in ut a sthea as ondahb t ththrod\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fotriu tcane cdn e rtaoai h adt a ttd e.heosl \n","on aeonhnlstieetl cceouthod idi eid ed ct tasree ueraoitoat d eoid etce endao c tsr ori as dtdess hh ratahuodhdiolesul n ei n ets r tno ahr\n","t\n"," aaaseu uectni ni ui snl od enritnhrte o aee e thi tilt e ae eais s e iic t\n","tiscunerisis aailsrtneal ne tunttl an idn e oaicsdst t neristio o\n","ods a isdn re nael t toue ttra tselodeatas iuai in\n"," er \n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foeu t a tniiis icts esshechcao ehsianc airiuhi od hasdeen tnitshnit acareaootlal tlle sioa tdhcddesdtelnthaa s an c a dssr or eod ccedaaueas oh\n"," tt ao s o ltnl sh \n","tt husoan osndrnie\n","le ls icttr sd is is\n","e ruht hrtdstorselirhinrtlnoa h\n","ct ecn a irtaa edstereeedtltlsis sa nns eeansterca olie he t \n","eco d thella codtteseta\n","ennsasc oero eeacrel ns dcscdio lsdeu o e s e\n","tr\n"," iirtoedalo\n","rc h\n","에포크 56\n","Epoch 1/1\n","200278/200278 [==============================] - 134s 668us/step - loss: 4.7282\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fon an a ean t eat the a a nee in ann t t i ae a t h nh i t t ahee o th inet t aha in t hnnh nhein e orehne the ae an s ae h e t e a ast aa th nn stthee et eeean eh e ehene s thee aithn an h an cet or teen at toe heh t t t a t te t h tt aet h1 o an t eh t thhes tht t t t aehe e iet thr a e t e aes ion a a t i nen e s an at itt thet i hnat \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fo s esa tht ei he she nensn dp ne tes itcin an o iait ea os at ne re o eis i ht ahr n ttcl tht ronnl ad aen inesene a thiniee e iraasetlh th ch\n","uei ooan cha tntcle e a ndsni ihhsnls l h t tin senrno th nd ots teeene rrr ee on droei liiau\n","oentt h e an at\n","hee t uol ne te tee l iuialc inaedl en a na aiee ace it hotsa io tt ehedin eo e hce iei aoc nst ho ic od itu t\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fonchrn\n"," s ctgui h uhn ansia iiadsanshnenho sn t n srhu nds tl teedsterniae hetceiseh a\n","ist lin\n","nr osnnsslt ioei cothdulchoeit a en nd \n"," dthtona outhisecsiecuten r oaurearn id\n","aleet anul tuh risdo on\n","oe ulcclrltd iot ti e et ohsod\n","tosrtiruret llecaheeur iracr anina hdeh ith n asc suone\n"," nee lelnte tr nliod tardddrhotn tn end hu oisern\n"," n\n","r llh l etrd r sddi anosanert oreda usl lo enhai eucet h\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fondr rhenconted eoeontotedi ssnoos tio ls irus innide lr iolasnittd hnldtcescas i trdd\n"," oule ctarlreni ed\n","eeltssosuxnsi esechnthh or cuaclsuuieeul d eeritadrhtoreteanneraiiat est nc aslndahohteddtdisdrhuiceea carineeca dlua neanss dnts \n","tcan \n","dedauoes\n","cdl oeienetii oul trhh idrt d a euulniehthrinei hrno dudlirss s ntslen s ne iel ooro ootnitaanethateetioand annca irhoeirdeirucsi oondeer na aoe c\n","에포크 57\n","Epoch 1/1\n","200278/200278 [==============================] - 135s 672us/step - loss: 4.7301\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fo tihl a ee e th he ther t e e e s th o he t o trele e noerete ee loe th a h ton t ane t t teere iel ot e eet nt ejei t ae t te thr te te te i t t o ei te e io at ie h t aane s ieot t ee or e r eh t ree tere theah soen te t ee n toet set t on eer on iinne aee e te e et e e te ne a sthee ht ien t t tr l an t t tr ae nsen not e ti e th o atl\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fotinerdeeni eane i steee taeoes tat seocsieinaeinierne tehlel lan tre tsrsc o eo e t i ihao tste i rni le aae oseoec eoern re ah eooi tieaonrhaene ese ocdiet eee a eon tonane iht et ie to a edhitdeiteteoi anntt a tdhl rat ea aos ond osehee ao sior atote tehe itontoe lh hed oe teh ose san on an nl hses a oin ii s eieen sit se heor ie tioent acd oieaone hdi a isi1san enhsa t:tes t\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fonr c\n","eueotlde eaiishecrisenr st aau ttnaeith ieete snstinutl norddlstoashie th\n","siu ai \n","aerihnhecs riiucriddtananeooisddtoe hataaoel o ehtetinotaeeinnhoah irule ar ecnltssio\n","oh sio aesht irtt ontdecoulledhscu tor ohoe\n","ronn d ir hin\n","onissa\n","trtuhod\n","i leclih adanrlneeicte ds nn onieetd ss\n"," ano\n","lanteaceitll ntbnntrdhnluor\n","ien t neasion hate tdthso rtsedudretheotdreltsr idac oelndonsresd an\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foluuit aaeit nl t auohr nteadeac l\n","ethncte recslhnsd aeohe\n","uorir otiea eor\n","teeatrsatcecne rinsrectiiitsilnaneercat\n","\n","eot thesadrsnhnotlricuosrnasehde c tdodt tnnotceiai\n","he hsari ndiiuole\n","n iotunssai titac cthereot sll raeassoreis lsc s nt ulttraar sse\n","ei eru d o ihelsean hiustnt leheetris itl ncenashth se odtte\n","eitsironcaec triire onsatrioor ssuue ie tdlsla oscatnuir ooillse ti n o hrauoee tslu\n","에포크 58\n","Epoch 1/1\n","200278/200278 [==============================] - 136s 678us/step - loss: 4.7304\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through fot te o s innio ene eo e in a t t th e i in e tthea a e e e heert i eer t et een t t t t t i th etno ie ee er er ao tnee t ioe enenonrt o n t t e t n iotn n t ae r ta teo tae enirt n oo in a a n t e e an e t a eet oont l at tond hnaa n t t t t e a h a th te e e i t i a eho t ee t thi s th e t t a e at ne n\n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fonon ina at ie ts t thiltt el tath hin adiinci i ou t his ooas s e i itoe neihn a aine oon es in dre a o anroasa nlrr tout t t ha enenlll sn ene i indie ot ar sisah indtot tt iee t et dn t o e eec e oo o nts thn ac t so nnde ea a ansel air o d o ani ao a itto \n"," e or eenerens r \n","s o aen inin th i on asintluin in eehtl thsi ie sncehte n ae hros ao o eolo he\n"," annnatnee\n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through fotittooooaeth h so\n","ent arte aoiieudn enrt nskn tee todssrnno deitsil o ehrntrenh o nteln\n","etlenn e hni ins h e onn oeontina ateiianllcaa e a ouelree adr inhnasits e at dtsioie leiiesueaho a irottcnc u ecntldohdsuee hteie ansd i orah nteaetsi tes euttu caissare re ao enle tie ha honrn eanuoldteuthos\n","nnaurned tecol ttneissu eeoalc uosienssitn h\n","idic annliantieoeins tcs ti asth enenodt \n","incaou\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through fotalhe eahraeir inntdtuizetstoi uses sa eesrth ccro o\n","nseaiaerocneesi hneontae an euhdal atoist nhsenilcr inrihnacariotles nise aae\n"," s arr oiirl aio ttino a erluet soroictoidrosoai lle cider dcna dhldonn u iunsttidehes to eoheah sioioaati\n","ae toa\n"," h tscteisei nisn \n","horincnarooaucretoae s\n","tr dh haa l \n","eseo it o\n","at ed iiatlucehuhtudtotroroi rsncnooo ecarnelrlan tu aatnla hinhhoehtiicnsel ciaoie\n","에포크 59\n","Epoch 1/1\n","200278/200278 [==============================] - 134s 671us/step - loss: 4.7252\n","--- 시드 텍스트: \"the slowly ascending ranks and classes, in which,\n","through fo\"\n","------ 온도: 0.2\n","the slowly ascending ranks and classes, in which,\n","through foana t o n e tnnetan theese e en t eeas an eeh o anein thae ion ea herdann the t ae l an te h o i n se na ath t a e no er e a h n eneon t he ina in ae rnnre ee ehe thee th oee een tao nea an ie ene e n antrro e e onee at enen en a tnato h on tt t i e nt e et ti ote eee ten an o aaanoit th s eh e ae n tin oo othn ttaen n n n eerinete ein on nn n o ae e \n","------ 온도: 0.5\n","the slowly ascending ranks and classes, in which,\n","through fossnnnl ee sne tntinso nn nh in on anareueetr seehthante so osinon ne inl iea t re\n","treenh on asia t a naiateselil oh ne ndeiso s oealnea ttde eirn ale e iesent eon ann toniectl ee hnhenn reseinnrt cat hanheoarerann iot o s s soonneth s nnuehashreharttieis the\n"," tn noe tan s e oono t se unthe taa onenhi seen ie ie edhaiee t th telresz ontineud t aneae a hrle los n eat oonnen\n","n an c \n","------ 온도: 1.0\n","the slowly ascending ranks and classes, in which,\n","through foehan arot s onina hcrohncot rttisn adeie\n"," tio eledcnroonds e tsadehceest sn \n","a iritra tsnn\n","l otie shitser i enenheeuoe helontnesu eehe uhuess\n","lcdsosont uetishorso ncrsstnutdinnlain s l he aiecoounss e\n","oos arceattcd s nhsencsnes\n","\n","u to ethn ls\n","ic on hitln ido caliceeedtlsnietaceiitt ee inanircusit a\n","dnoane e nrduahi ie enltdithsiuaracohstuaai ldr thsnahtonost ceho trh irehe eonl rltn aes iena\n","------ 온도: 1.2\n","the slowly ascending ranks and classes, in which,\n","through foar orohenthnclauiarihctdturto ond asindrthlaeniealit trs iiisoli duditssehnnthstealtndtdo tdritc inioa ae\n","i thnind e oaedl tih\n"," cceeoe isas\n"," tonaec t cn r tdolce shrodnn lenhnen li she is aoi h lauetillr etorue ho hnsr so aron renstero huuinetnd s?ind hu iltlee as\n","ra n onnin uas rend taenacsecricleethtsounh ononnuor ci\n","dd\n","d clsnnt otosat ddiil der ioree diassontne tosaeo tieltlhnincel en\n","ceenle\n"],"name":"stdout"}]},{"cell_type":"code","metadata":{"id":"YlUqauUPOLzz","colab_type":"code","colab":{}},"source":[""],"execution_count":0,"outputs":[]}]}