diff --git a/notes-en/cliche.md b/notes-en/cliche.md
new file mode 100644
index 0000000..55698f8
--- /dev/null
+++ b/notes-en/cliche.md
@@ -0,0 +1,24 @@
+Hy everyone. First, I say hello, trying to set a positive attitude to my performance from the first words. Then I'm going to pause a little to get attention.
+
+Then I'm going to introduce myself. I'm Gram. And now I draw your attention to the topic of the presentation. Oh yes, it will be your sister's favorite speach. About some technology, of course, as we love. I'll tell you a few meaningless words about it to convince you that you're not wasting your time. Even if it is not. And this is certainly not. I have nothing to tell you. I haven't prepared for this speech. But I will pretend that I have been preparing this speech all my life.
+
+Ethos, pathos, logos. Three modes of persuasion, described by Aristotle.
+
+Ethos. I'm going to say a few words about myself and my company. Of course, we use this technology, I introduced it for my team, and all sources of this technology in my blood. Actually, I just decided a week ago to get it into my pet project and hadn't had time to realize what a real Open Source where TODOs is for 5 years. After that I'm going to talk a little about the technology itself so that you have no doubt that I really have opened the readme. So I can be trusted.
+
+To be even more convincing, I will add a slide with someone famous. A person standing next to Guido can't say rubbish.
+
+Pathos. I will show you a few photos from photo stocks with inspirational text.
+Friday Deploy can be a joy.
+Your code is like a river.
+Through my manner of speaking, through intonation, I will create the appearance that I say very important, amazing things. I'm going to do this with my right hand, I'm going to do this with my left. I'm going to adjust my glasses. And then I'm going to ask you all a question. By a show of hands, how many of you all have been asked a question before? Okay, great, I'm seeing some hands. I pretend to react to this, that my presentation really depended on it. I'm act like I'm telling you the story when everything was burning. Well, you know, these situations when prod fall at Friday night. It will set you up. You think, "Oh, we have so much in common!". It's true. It really happened.
+
+Logos. I will tell you how cool this technology is. It is fast, configurable, convenient and all that. But this is not enough to be convincing.
+I'll show you the numbers. Everyone believes the numbers. Not enough? I have graphics.
+Do you have some favorite technologies? See, this one includes all features from them.
+See, there are lines. It is easy to see that the blue one is better.
+Our favorite. Pie chart. Please note: purple is more.
+
+Of course, I'm going to show you some code. It is simple and clear code, and you will fall in love with it. Naturally, you will not be able to write it on the production.
+
+And now I come back to where I started. This is the part of my presentation that you will remember at first. I summarize, and do it on the basis of the previous slides. Ethos, pathos, logos. It is very important to make a pause, it increase the weight of the words. And remember: the best conclusions are those that you have made by myself.
diff --git a/notes-en/python-logging.md b/notes-en/python-logging.md
new file mode 100644
index 0000000..cbfc7e6
--- /dev/null
+++ b/notes-en/python-logging.md
@@ -0,0 +1,132 @@
+# Beautiful logging in Python
+
+Hi everyone. I'm Gram. Today I wanna talk to you about the bad, the ugly and the good python logging.
+
+First, I want to say a few words about logging structure.
+
++ Loggers expose the interface that application code directly uses. Logger defines set of handlers.
++ Handlers send the log records to the appropriate destination. Handler has list of filters and one formatter.
++ Filters filter log records.
++ Formatters specify the layout of log records in the final output.
+
+Ok, how to configure it?
+
+The bad. Just call some functions and methods. Exactly like in official documentation. Never do it. Never.
+
+```python
+import logging
+
+logger = logging.getLogger('spam_application')
+logger.setLevel(logging.DEBUG)
+
+fh = logging.FileHandler('spam.log')
+fh.setLevel(logging.DEBUG)
+
+ch = logging.StreamHandler()
+ch.setLevel(logging.ERROR)
+
+formatter = logging.Formatter('%(asctime)s - %(name)s - %(levelname)s - %(message)s')
+
+fh.setFormatter(formatter)
+ch.setFormatter(formatter)
+
+logger.addHandler(fh)
+logger.addHandler(ch)
+```
+
+Next one, logging can be configured via ugly ini config.
+
+```toml
+[loggers]
+keys=root,simpleExample
+
+[handlers]
+keys=consoleHandler
+
+[formatters]
+keys=simpleFormatter
+
+[logger_simpleExample]
+level=DEBUG
+handlers=consoleHandler
+qualname=simpleExample
+propagate=0
+
+[handler_consoleHandler]
+class=StreamHandler
+level=DEBUG
+formatter=simpleFormatter
+args=(sys.stdout,)
+
+[formatter_simpleFormatter]
+format=%(asctime)s - %(name)s - %(levelname)s - %(message)s
+
+```
+
+The good. Configure it via dict config. It's readable and little bit extendable. It's exactly how Django does it.
+
+```python
+LOGGING = {
+ 'version': 1,
+ 'disable_existing_loggers': True,
+ 'formatters': {
+ 'simple': {
+ 'format': '%(levelname)s %(message)s'
+ },
+ },
+ 'filters': {
+ 'special': {
+ '()': 'project.logging.SpecialFilter',
+ 'foo': 'bar',
+ }
+ },
+ 'handlers': {
+ 'console':{
+ 'level':'DEBUG',
+ 'class':'logging.StreamHandler',
+ 'formatter': 'simple'
+ },
+ },
+ 'loggers': {
+ 'myproject.custom': {
+ 'handlers': ['console', 'mail_admins'],
+ 'level': 'INFO',
+ 'filters': ['special']
+ }
+ }
+}
+
+```
+
+The perfect. Store this dict in toml file. It's readable, extandable, standartized.
+
+```toml
+version = 1
+disable_existing_loggers = false
+
+[formatters.json]
+format = '%(levelname)s %(name)s %(module)s %(lineno)s %(message)s'
+class = 'pythonjsonlogger.jsonlogger.JsonFormatter'
+
+[filters.level]
+"()" = "logging_helpers.LevelFilter"
+
+[handlers.stdout]
+level = "DEBUG"
+class = "logging.StreamHandler"
+stream = "ext://sys.stdout"
+formatter = "simple"
+filters = ["level"]
+
+[handlers.json]
+level = "DEBUG"
+class = "logging.StreamHandler"
+stream = "ext://sys.stdout"
+formatter = "json"
+
+[loggers.project]
+handlers = ["stdout"]
+level = "DEBUG"
+```
+
+And there is how you can use it. Thank you.
diff --git a/notes-ru/cliche.md b/notes-ru/cliche.md
new file mode 100644
index 0000000..50e6220
--- /dev/null
+++ b/notes-ru/cliche.md
@@ -0,0 +1,19 @@
+Всем привет. Сначала я поздороваюсь, стараясь уже с первых слов задать позитивный настрой своему выступлению. Затем я сделаю небольшую паузу, чтобы привлечь внимание.
+
+Затем я представлюсь. Меня зовут Грам. И сейчас я обращаю ваше внимание на тему презентации. О да, сегодня будет любимый доклад твоей сестры. О какой-то технологии, конечно же, всё как мы любим. Я расскажу пару не значящих слов об этом, чтобы убедить вас, что вы тратите своё время не впустую. Даже если это не так. А это конечно же не так. Мне нечего вам рассказать. Это лайтинг, к которому я не почти не готовился. Но я сделаю вид, что готовил эту речь всю свою жизнь.
+
+Ethos, pathos, logos. Три метода убеждения, описанных Аристотелем.
+
+Ethos. Я расскажу немного о себе. Несомненно, мы применяем эту технологию у себя в компании, внедрил её именно я, и вообще, знаю все исходники наизусть. На самом деле, я просто неделю назад решил притащить это в свой pet-проект и ещё не успел осознать, что такое настоящий Open Source с TODO по 5 лет. Тут я немного расскажу о самой технологии, чтобы у вас не осталось сомнения, что я действительно открывал readme, а значит мне можно доверять.
+Чтобы быть ещё убедительнее, я добавлю слайд с кем-нибудь знаменитым. Человек, стощий рядом с Гвидо, фигни не скажет.
+
+Pathos. Я покажу вам несколько фотографий с фотостоков в вдохновляющими надписями. Пятничный деплой может быть в радость. Твой код как река. Через свою манеру речи, через интонационные перепетии я создам видимость, что говорю очень важные, удивительные вещи. Я буду много жестикулировать. Я сделаю так правой рукой. Я сделаю так левой. Я поправлю свои очки. А потом я задам вам всем вопрос. Многим ли из вас задавали вопрос? Поднимите руки. Прекрасно, я вижу несколько рук. Я сделаю вид, что реагирую на это, что моя презентация от этого действительно зависела. И как бы расскажу вам случай, когда у нас всё горело. Ну знаете, эти ситуации, когда у тебя падает прод вечером пятницы. Это снимет напряжение. Это расположит вас. Вы подумаете: "О, да у нас столько общего!". Это правда. Это случилось на самом деле.
+
+Logos. Я расскажу вам, какая это крутая технология. Она быстрая, конфигурируемая, удобная и всё такое. Но этого мало, чтобы быть убедительным.
+Я покажу вам цифры. Все верят цифрам. Недостаточно? У меня есть графики.
+У вас есть несколько любимых технологий? Смотрите, эта объединяет их все.
+Смотрите, всякие линии. Несложно заметить, что синяя круче.
+Наше любимое: pie chart. Прошу обратить внимание: фиолетового больше.
+Ну и конечно, я покажу вам немного кода. Он будет простой и понятный, и вы влюбитесь в него. Естественно, вы такое не сможете писать на продакшене.
+
+А теперь я возвращаюсь к тому, с чего начал. Именно эта часть доклада вам должна запомниться. Я подвожу итоги, и делаю это на почве, сформированной предыдущими слайдами. Ethos, pathos, logos. Здесь очень важно выдерживать паузы, это добавляет словам веса. И помните: лучшие выводы те, которые сделаны самостоятельно.