Top.Mail.Ru
? ?

End of Line
nalintmo
Well, I've run out of month, if not out of languages. I guess I failed at my goal; still, the exercise was definitely worth doing. I'm definitely going to finish the one I'm currently working on, in C. Doing it continuation-machine style in C was probably a mistake in terms of complexity -- I suspect it's a good order of magnitude worse than any of the previous ones.

At this point I have the general structure complete -- I have a 'step' function that takes a (continuation, expression, environment) tuple, and produces another one of same. My continuations are structured as chains (stacks) of frames, with each frame being specialized to a particular in-progress operation -- either an application or one of the special forms (progn, cond, etc.)

The state tuples and continuation frames are mutable, and I should probably be manually memory-managing them but I'm currently just letting them become garbage. The s-expression structures are immutable (that is, I never mutate them), and are meant to be GC'ed. (When a continuation is captured or thrown to, I deep-copy it; a continuation embedded inside a sexp is immutable and gc-able.)

Since I'm off the clock now, I think I'll go ahead and finish it with a parser and a simple garbage collector.

After that I may continue to do some of the other languages I didn't get to; we'll see. There are definitely a few left I'd like to do.

Intermezzo: Small-stepping environments
nalintmo
I am currently working on an interpreter written in C, with the intention that it should support continuations and call/cc. I am doing this with continuation-machine semantics, which means small-step evaluation. In the process of figuring out how continuations interact with environments, I think I've discovered that my small-step evaluator in SML was broken. It did not make use of substitution; instead it used an environment. I'm convinced at least that my implementation as written is broken: On function application, it turns out to throw away the existing local environment and replace it with the environment that should exist inside the function. But it never restores the old environment when it's done evaluating the function body -- how can it? The old environment's gone!

I don't think it's possible to do this correctly without extending sexprs to hang saved environments off them (messy), or keeping a separate environment stack off to one side (probably doable.)

In the one I'm implementing now, though, I think continuations save me -- if the environment is a property of the current continuation, then as we build and pop stacks of continuations we will correct save and restore the environment. I think. I'm working through it now...

Interpreter 7: Twelf!
nalintmo
I am pretty excited about my Twelf Lisp interpreter. It slices, dices and even parses! I decided to do a parser because it seemed like it would be easy with logic programming (free backtracking!) I am taking slight advantage of the logic-programming features for the list case of the parser, but mostly I ended up just writing in a functional style (more on the problems that caused later.)

NotesCollapse )

The rest of it
So other than that, this was a pretty straightforward exercise. Although I wrote almost exclusively in a functional style, the one place I _did_ take advantage of backtracking -- when parsing lists -- was great, and it would be wonderful to be able to write mostly-functionally with a bit of free backtracking search thrown in. (Cue the Haskellers. Or the Racketeers I guess. Or anyone else whose favorite language has this facility. ;-)

A few general notes:

I have now used at least twice a "standard approach" for implementing first-class object-language primitives without first-class metalanguage functions, which is to represent them by stand-in tokens (Prim "foo"), which pass around in a first-class way, and then put special cases for them in the apply function. I suppose in retrospect this is the obvious approach -- in the same way that it's obvious to represent closures by pairs of function bodies and environments, without using metalanguage closures -- but it took me some thought to come up with.

Extending my demand from the other day that languages should have built-in prettyprinting and built-in logging: I extend it to demand built-in serialization and deserialization of positive types, and built-in structured logging built on that. (Insert joke about shooting hostages if my demands are not met.) [This demand is not related to working in Twelf; it is related to some other thing I was reading about the usefulness of structured logging.]

I had a good two more instances of "forgot a prime on a variable name" bugs. Whoops. I also had a few "this is hopeless and I don't understand what's going on so I will rewrite the whole thing" bugs, all while trying to do parsing in fancy ways, all of which were before I understood exactly what order the search happens in.

Overall: That was actually really fun. But it took too long... ;_;
Source code: here.

Interpreter 6: Perl
nalintmo
Okay, so I went ahead and wimped out and did an easy one because I'm behind. Perl's a language I already know well, and I did basically a straight-up port of the Pike version. They turn out to be very similar languages! There are some interesting points of comparison between them.

NotesCollapse )

More general notes:

Why doesn't any language seem to have a 'multimap' function, which maps over N lists in parallel? I guess the typed languages don't have it because you can't type it without at least dependent types (and I think you also need list kinds if you want it to be heterogeneous), and the non-lisp languages probably because they just don't like that kind of higher-order nonsense anyway. But why doesn't lisp have it? (I bet it does, and I just don't know where it is.) Something like this would be ideal in the functions-on-blocks-pretend-to-be-syntax languages, a-la:

for list1, list2, list3 {|x1, x2, x3|
  return {foo: x1, bar: x2, baz: x3};
};


It would be like a super-duper-zip.

I've mentioned this in previous posts, but I have trouble stating forcefully enough the importance of including debugging aids in language infrastructure. Logging should be built-in. Tracing (i.e. at the least being able to log, if not execute arbitrary code, on function calls/returns) should be built-in. Error signalling of some kind (exceptions or "die" or what have you) should be built-in. For the love of god, backtraces on error reporting should be built-in. A stringification operator should be built-in (who cares if it's a shitty one, for debugging purposes any unambiguous representation will be fine.)

Bugs I discovered in the previous version while writing this version: Forgot to evaluate the exp in "(define exp)". Oops. Also put a period where I needed an arrow. I think the fact that this wasn't an error leads me to a principle of language design: The more denser your syntax (and hence the higher the probability that any stupid thing will fail to be a syntax error), the more you need types for protection against stupid things that fail to be syntax errors.

Interesting implementation fact about this interpreter: Since none of my primitive functions actually require the context, I forgot to pass it to them. This means I couldn't write set. Since the setq builtin sort of obsoletes the set primitive, I just left it out...

Code: here.
Next: I don't even

I pretty much banged this one out at top speed to try to reduce my behinditude, but it is still about three days. I'm not sure if I should do a legit one next, or another fast one, but whatever it is, I'd better start it quick.

Interpreter 5: Pike
nalintmo
Definitely downshifting to one every two days, so 15 interpreters for the month. It's a much more feasible speed. (And I'm already a day behind it! But I have a hope of catching up this time. ;-)

NotesCollapse )

It's interesting to note that a metalanguage-level "map", even with mutation, is not sufficient by itself to create a mutable environment that can be captured in closures. We need a structure that lets a closure shadow _some_ old mappings, but still "see through" to other old mappings; thus my class Env which performs this function. I rewrote to that about halfway through implementation.

Code: here.

Interesting bugs: Converting from environment map to environment class, forgot to change how I checked presence in the mapping (for maps there is a nasty builtin implementing "does this returned zero have the magic 'not in the hash' bit set on it, or is it a real zero?"); in eq primitive, returned metalanguage truth (zero or one) instead of object language truth (empty list or anything-else -- zero is true in lisp); in minus primitive, implemented (- x y_0 ... y_n) as "x - x - y_0 - ... - y_n" instead of "x - y_0 - ... - y_n", i.e. I mapped over too much of the arg array.

Next: Maybe Scala? (or OCaml, Go, Forth...)

Day "4": SML/NJ
nalintmo
Welp, I think I jinxed it when I declared that it should be quick, since this one took about 3.5 days.

NotesCollapse )

I discovered a couple more bugs in my version of lisp. I remembered that "cond" is supposed to have what's called an "implicit progn", which means that each condition/expression pair is supposed to take an arbitrary number of expressions, but I only take one. Pretty minor, and I haven't bothered fixing it.

I did change my implementation of scoping to be more Lisp-like; bindings made with define now go into the global scope, which is magically-dynamic, whereas all function parameter scoping (and by extension let scoping, if I had let) is lexical. This is done because it allows for things like free mutual recursion, and redefinition of existing functions in the interactive environment.

I had one very interesting bug in my implementation: I decided to use SML lists for Lisp lists, which raises some adequacy issues. In particular, because Lisp cons is not typed, Lisp allows the tail of a cons to be a nonlist, which is of course impossible in my representation. I consider this an okay tradeoff for compactness of code. But, when I made this switch, I took out CONS but left in NIL, so I had both NIL and (LIST []) representing the same thing. So all my cases had NIL in them, but code that recursively emptied lists would bottom out at (LIST []) instead. Oops.

SML's errors are really insufferable. Honestly? They're worse than C++'s. And that's terrible. The random and inconsistent expansion of type aliases in unification failure errors means I end up having to copy-paste the errors into an editor to figure out where the problem is.

Overall experience: This one really dragged, for some reason. It ended up being twice the length of the Haskell one, I guess because of the small-step semantics (I haven't compared them.) I may be less masochistic with the next one, just to get it done.
Source code: here.

Future plans: I am considering dropping the rate to one interpreter every two days, which appears to be more realistic, and is about where I am anyway at this point. Opinions welcome in the comments.
Tomorrow: Maybe Pike for real this time. Or maybe something weirder. Forth?

Day 3: C++ template metalanguage
nalintmo
Oh dear lord.

For those of you who aren't aware, C++ has a non-parametric form of type polymorphism implemented with a system called "templates". As a long-time C++ programmer, I'm pretty familiar with templates; in particular, I'm aware of the fact that the template language can do Turing-complete computation at the type level, at compile time. (I've written an untyped lambda calculus evaluator and an SKI combinator calculus evaluator in it before.)

Further notesCollapse )

It's a bit like Groundhog Day, doing the same exercise in a different language each day, and finding some of the bugs from the previous day every time. Bugs unearthed this time: I was missing 'cons' yesterday. There was a bug in 'define' yesterday which included an extra layer of list around variable definitions.

I was cross with myself for implementing primitive functions as cases in 'eval' the last two days, and wanted to make them real functions instead. (In fact, thinking back on it, that means they haven't been first class! Oops.) Today I made them first-class, but ended up having to implement them as special cases in "apply" instead, because the underlying language does not have first-class functions! (Oops again.)

In Haskell yesterday, it was nice to be able to use laziness to implement recursive functions -- I defined the function in an environment that contained itself, and laziness handled the self-reference. By contrast, today I used backpatching, taking advantage of the "mutable" heap I threaded through everything.

The way I've been handling "define" is not the same semantics as a real lisp, and the semantics I've given it are kind of weird. They're lexical, but the scope they're valid in extends outward to the boundary of function bodies, or everywhere at toplevel. So you can "define" inside a progn, as expected (otherwise you could never do anything at all.) You can also define inside, e.g., an argument to a call to cons.

That's kind of acceptable, on reflection, but lisp normally treats "define" as being a dynamic setting of a name bound in a global scope, and I might switch to that in the future.

Overall experience: Painful, but awesome.
ETA: Major bugs: forgot 'typename' in a lot of places; forgot ::r_val (like ::result above) in a couple places; changed some types around and forgot that template instantiations do not consider e.g. "char[]" and "char*" to be the same type.
Source code: Here.
Amusing C++ template error messages (note the huge backtrace!): Here.
Tomorrow: Well, since "tomorrow" is today because I'm late with this one, maybe SML, since that should be really fast.

Day 2: Haskell
nalintmo
Day 2 language: Haskell!

Commentary!Collapse )

Find the source here. (Check that directory for yesterday's source, too, and my Git repo (in a hidden .git directory).)

Tomorrow: Pike, perhaps?

EDIT: I've added links in my profile to the intro post and the list of languages. I'm keeping the list of languages updated as I go along.

(no subject)
nalintmo
Writing Day 2 in Haskell. In the process, I realized that Day 1 is not actually complete -- it doesn't provide for defining recursive functions. So it's not self-hosting. Oops. (This would be why the version of 'define' that defines functions is not just lambda plus the ability to bind globals -- the latter doesn't give you recursion.)

Not sure whether I should fix Day 1 now that it's done. I will at least endeavor not to have the same bug in Day 2. :-)

Languages
nalintmo
As a note to myself, but also to you my readers, here are some languages I'm considering:

Huge list of languagesCollapse )


For some of the languages in that last list, I don't even know whether it's _possible_ to do a Lisp interpreter in them; for others I doubt my ability to learn them well enough in a day, or to express a Lisp interpreter concisely enough to write it that fast. I also subsumed APL under J, because I doubt my ability to produce the APL character set.

EDIT: I have gone through and noted for which languages I have interpreters/compilers installed on my system. I will update the list as I install more.

We have added a new feature - video hosting. Please click here to upload videos and insert them in your post.\n","talk.video.paste":"Embed, iframe, YouTube, RuTube, Vimeo, Instagram or Gist.GitHub.","qr.auth.modal.time.is.over.message":"Refresh it and take one more try","schemius.footer.apps.rustore":"RuStore","talk.photo":"Photo","modal.badge.verified.button.link":"https://www.livejournal.com/support/faq/442.html?ila_campaign=verified&ila_location=badge_modal","photouploader.upload.filesAdded2-4":"[[number]] files selected","you_are_logged_in_hint.button.reboot":"Refresh","sharing.service.digg":"Digg","recurrentreminder.password.button.refuse":"No, I'm satisfied","notif_dropdown_2022.notify.in.email":"By email","community.magazine.section.heading":"What is this community about?","like_reaction.ok_hand.caption":"OK","notif_center.read_all.label":"Mark all as read","modal.gift_token.button":"Send LJ Tokens","popup.suggestion.button.create":"Sign up","user_note_modal.title.edit":"Edit user note","medius.recommended.label.message":"Ваше сообщение ([[left]] [[?left|символ|символа|символов]] осталось)","paidrepost.button.title.curr":" LJ Tokens","notif_center.continuous_series":"You have been writing for [[days]] [[?days|day|days|days]] now. Write a post today ([[date]]) and extend the uninterrupted series!","photo.migrate.title":"Migrate photos BETA","web.controlstrip.view.calendar":"Calendar","blog_settings_form.stat_info.title":"Statistics","blog_settings_form.cover_select.hide":"Cancel","memories.title":"Add to memories","components.report_modal.description.drugs":"Information on ways of producing, using, and places of purchasing of narcotic substances.","notif_center.post_suggest.recent_journal_upd":"There is a new post in journal which you've visited recently: [[post_subject]]","send_message_form.successfully_sent":"Message sent","banner.native_install_prompt.ios.text":"Install LiveJournal app for IOS","journal.audience.section.heading":"What will be displayed as audience?","blog_settings_form.userpic.action":"Done","notif_center.pingback.entry":"[[actor]] mentioned you in the entry [[post_subject]]","journal.audience.section.select.no.show":"Don't display audience","photouploader.instagram.loginButton":"Login to Instagram","lj_repost_popup.own_journal":"Your journal","lj.report.popover.error.message":"Exceeded the number of complaints per day","photouploader.album.size":"Image size (px)","date.month.february.short":"Feb","feedpromo.complaint.reason.1":"Not interested","modal.gift_token.clue":"The commission will be [[commission]] [[?commission|token|tokens|tokens]], after you will have [[token]] [[?token|token|tokens|tokens]].","loginform.warning.webview_external_domain_issues":"In-app web browsers may fail to log you in on external domains. For better experience, use standalone browser app.","notif_center.draft":"You have an unpublished draft, continue working on your new entry","pwa.warning.domain_changed":"We detected domain change inside of this app! This user may have changed their name or placed their journal on external domain. In that case, please reinstall this PWA app from the new journal location.","loginform.error.enteruser":"Enter your login","banner.native_install_prompt.android.text":"Install LiveJournal app for Android","modal.info_pro.feature.item.style":"Advanced style settings","banner.hashmob.favorite_cities.link":"https://www.livejournal.com/lyubimyye-goroda/?ila_campaign=lyubimyye_goroda&ila_location=banner","components.report_modal.description.fake":"Information containing calls for mass riots and(or) extremist activity that may endanger lives and(or) wellbeing of people, property, disruption of public order and(or) public safety.","post2017.poll.cancel_vote":"Cancel vote","modal.emailreconfirm.title":"Email confirmation","components.report_modal.link.other":"Other","notif_center.post_suggest":"This might be interesting for you: [[post_subject]]","talk.delete":"Delete","modal.info_pro.feature.item.adv":"No ads","notif_center.like.comment":"[[actor]] reacted to your comment","modal.info_pro.feature.more":"And many other extra functions more!","flatmedia.security":"security","popup.quick_comment_prompt.close_popup_btn_hint":"Закрыть попап","memories.security.friends":"Friends only","subscribe_button_2022.subscribe_settings":"Manage subscription","common.close":"Close","filterset.title.subscribed.community":"You have subscribed to new [[username]]'s entries on friends feed","blog_settings_form.prompt.text":"Upload the cover image","photouploader.paste.title":"Paste URL","qr.auth.modal.button.to.default.auth.text":"Log in by username and password","sharing.service.odnoklassniki":"Odnoklassniki","notif_center.trending_now":"Trending now: [[post_subject]]","audience.settings.modal.show.all.audience.now.title":"Now","widget.alias.aliaschange":"Save note","sherry_promo_button.link":"https://sharrymania.ru/?utm_source=livejournal&utm_medium=special_project&utm_campaign=sharry&utm_content=branding_block_2","post2017.poll.closed":"Poll is closed","fcklang.ljlike.button.telegram":"Telegram","flatmedia.button.cancel":"cancel","popup.cookies.description":"By continuing to use this website, you agree to the","popup.suggestion.text":"Don't miss interesting posts and see less advertising - just sign in or create an account. And right now you can see some entries selected according to your interests.","components.report_modal.description.extremism":"Calls for unrest and terror, violence against people of a specific ethnicity, religion, or race.","modal.info_pro.feature.item.statistic":"Advanced statistics","memories.security.public":"Public","createaccount.subscribe.to.feed":"To feed","notif_center.empty.label":"You don't have notifications","post_view.n_comments":"[[count]] [[?count|comment|comments|comments]]","components.report_modal.description.insult_govsymbols":"Information that offends human dignity and public morale; explicit disrespect for society, state, official state symbols.","modal.gift_token.button.back":"Cancel","admin.writers_block.answer.public":"Public","videouploader.byUrl.title":"","recurrentreminder.password.updated.years.ago":"[[amount]] [[?amount|year|years]]","recurrentreminder.password.title":"Your password might be out of date","components.report_modal.description.child_porn":"Materials with pornographic depiction of minors, or involvement of minors in entertainment activities of pornographic nature.","modal.info_pro.user":"is using an account with the active Professional service package","widget.alias.faq":"read FAQ for details","journal.title.section.heading":"Journal title","journal.section.settings":"Advanced settings","like_reaction.sad.caption":"Sad","photouploader.upload.initFail":"Please install flash player from Adobe Flash Plugin download page","talk.photo.insert":"Insert","grants.post_interesting_comm.title":"   ✨   ","banner.new_year_2025.link":"[[siteroot]]/newyear2025?ila_campaign=ny25&ila_location=banner","blog_settings_form.show_member_count_section.title":"Display number of community members ","repost.popup.footer":"Show more…","embed.post.btn.copy":"Copy","flatmedia.or":"or","widget.alias.setalias":"Set note for","date.month.august.long":"August","modal.emailreconfirm.confirmed":"Ок, thanks for checking the relevance of your data","you_are_logged_in_hint.hint_text_2":"You've signed in using another tab or window. Refresh this page","filterset.subtitle.addfriend.journal":"[[username]] could view your friends only entries ","photouploader.upload.filesAdded1":"[[number]] file selected","subscribe_button_2022.mutual_subscribe":"Mutual subscribe","userinfo.bml.hover_menu.headlinks.write_to_community":"Post to community","blog_header.journal_theme_change_prompt.cancel":"Cancel","date.month.november.short":"Nov","journal.audience.section.select.readers":"Total audience from stats","videouploader.album.insert":"Insert videos","recaptcha.invisible.disclaimer":"When you submit the form an invisible reCAPTCHA check will be performed. You must follow the Privacy Policy and Google Terms of use","like_reaction.pencil.caption":"Keep writing!","photouploader.album.your":"Your albums","likus.users.add_more":"And [[count]] more","talk.ipalert":"Your IP address will be recorded","send_message_form.placeholder":"Write something...","like_reaction.facepalming.caption":"Facepalm","photouploader.instagram.nophoto":"You do not have a single photo. Upload one","date.month.february.long":"February","schemius.footer.apps.android":"Android","modal.emailreconfirm.button.accept":"Yes, this is my address","common.something_went_wrong":"Something went wrong","photouploader.paste.insert":"Add to post","notif_center.repost.user_and_user":"[[actor0]] and [[actor1]] reposted your entry [[post_subject]]","embed.post.btn.copy_to_post":"New entry","lj_repost_popup.cant.share.journal":"You can't share your entry into your journal","videouploader.album.select":"","videouploader.upload.title":"Upload video","subscribe_button_2022.you_are_owner":"You are owner","common.remove_from_friends":"Remove from friends","blog_header.journal_theme_change_prompt.submit":"Apply ","notif_center.pingback.comment":"[[actor]] mentioned you in a comment for the entry [[post_subject]]","photouploader.instagram.title":"Instagram","post2017.poll.question_is_x":"Poll question is \"[[question]]\"","modal.badge.verified.button.text":"Read more","sharing.service.vkontakte":"VKontakte","modal.gift_token.description":"The size of the commission is [[commission]] tokens; after you'll have [[token]] tokens left","popup.quick_comment_prompt.linebreakalert":"Для переноса строки нажмите Shift + Enter","feedpromo.complaint.hide":"Hide Promo","admin.writers_block.answer.maintainers":"Maintainers","popup.memorable_share_prompt.body_text":"Remind your friends about this entry!","community.title.section.heading":"Community title","journal.audience.section.hint.readers":"The monthly audience will be displayed on main page of your journal. This number include all LiveJournal users and unauthorised viewers","like_reaction.like.caption":"Like","api.error.filters.filter_already_exist":"Filter already exist","post.category.cancel":"Cancel","fotki.album.edit.empty.photo.title":"no title","lj_repost_popup.confirm_btn_label":"Apply","community.title.section.hint":"he title is displayed on the main page of the community and helps users find your community","photouploader.instagram.insert":"Add to post","journal.audience.section.heading.community":"Community audience","like_reaction.detail_popup.add_btn.is_added":"Is friend","subscribe_button_2022.join_community":"Join community","media.ramblerkassa.title":"Buy tikets","widget.addalias.display.helper":"Visit the Manage Notes page to manage all your user notes.","popup.memorable_share.before_embed_html":"On This Day [[years_ago]] [[?years_ago|Year|Years|Years]] Ago, I made this post:","modal.gift_token.button.send":"Send","audience.settings.modal.unpaid.user.message":"This is average monthly audience of your journal. To get get more insights upgrade your account with Professional package of service","journal.magazine.section.hint":"Briefly tell us what your journal is about. It will be useful for those looking for your blog, and for new readers. Write the most important things here.","loginform.error.ipbanned":"Your IP address is temporarily banned","notif_center.comment.to_comment":"[[actor]] replied to your comment for entry [[post_subject]]","sherry_promo_button.tooltip_text":"Реклама. ООО «Перфлюенс». ИНН 7725380313. erid: 2Ranym4Vj3N","components.report_modal.already_reported":"You've already reported a breach","video_uploader.errors.http":"Something went wrong. Try uploading the file again.","subscribe_button_2022.add_user_note":"Add a note","notif_center.like.entry.user_and_user":"[[actor0]] and [[actor1]] reacted to your entry [[post_subject]]","date.month.january.short":"Jan","modal.gift_token.message.warning.insufficient_tokens":"You don't have enough tokens. Buy tokens","subscribe_button_2022.you_are_subscribed":"You are subscribed","qr.auth.modal.title":"Log in by QR-code","date.month.july.short":"Jul","lj_repost_popup.repost_success_msg":"All changes are applied successfully!","subscribe_button_2022.edit_user_note":"Edit the note","journal.section.submit.btn":"Save","error.expiredchal":"Login window expired. Please try again.","admin.writers_block.answer.members":"Members","schemius.footer.apps.huawei":"Huawei","notif_center.pingback.comment.community":"[[actor]] mentioned your community [[community]] in a comment for entry [[post_subject]]","notif_center.poll.vote.user_and_user":"[[actor0]] and [[actor1]] voted in poll in your post [[post_subject]]","pushWooshPopup21.button.close":"No","subscribe_button_2022.user_note.not_available_for_basic_users":"Upgrade your account to add a note","date.day.sunday.short":"Sun","modal.gift_token.suggestion.popup.text.hint":"The commission will be [[commission]] [[?commission|token|tokens|tokens]], after you will have [[token]] [[?token|token|tokens|tokens]].","post2017.poll.x_people_voted_control":"[[count]] [[?count|person|people|people]] voted","mobileAppBanners.betterCommunicateInApp.title":"

Communicate

is easier in mobile app","sharing.service.moimir":"Moi mir","recurrentreminder.password.button.update.password_short":"Yes","post2017.poll.x_people_voted_for_y":"[[count]] [[?count|person|people|people]] voted for the \"[[answer]]\" option","common.unsubscribe":"Unsubscribe","post2017.poll.cancel_popup.title":"Are you sure you want to cancel your answer?","modal.info_pro.feature.item.filter_comment":"Negative comment filter","like_reaction.dislike.caption":"Dislike","notif_center.comment.anon":"Anonymous user commented an entry [[post_subject]]","post2017.poll.show_x_answers":"show [[count]] [[?count|answer|answers]]","lj.report.popover.another.link":"https://abusereport.livejournal.com/abuse/report/","post2017.poll.polltype.check":"You can choose several answers","fcklang.ljlike.button.copyURL":"Copy url","notif_center.comment":"[[actor]] commented an entry [[post_subject]]","subscribe_button_2022.you_are_member":"You are member","admin.writers_block.answer.private":"Private","likus.users.friend.list":"In your friend list","flatmedia.adult.content.none":"none","post_view.read_all_n_comments":"Read all comments","repost.confirm.delete":"Do you want to delete this repost?","notif_center.settings":"Settings","memories.options":"Full options","blog_settings_form.userpic.uploading":"Uploading image","modal.info_pro.feature.item.photo":"More photo storage space","notif_center.post_suggest.no_subj":"We've found a post that might be interesting for you","like_reaction.prompt.log_in_to_react":"You can react to comments with LiveJournal account. At first log in to your account or create a new one.","blog_header.journal_theme_change_prompt.description":"You edit this community in readability mode, but it's style is defferent. If you want to all readers see this changes, set the style to default.","pwa.offline.warning.journal_nav":"It looks like you are offline. Some options may not be available","createaccount.subscribe.description":"You might like the authors","medius.recommended.button.send":"Отправить","modal.info_pro.button":"Learn more","error_adding_friends.email_not_validated":"Sorry, you aren't allowed to add to friends until your email address has been validated. If you've lost the confirmation email to do this, you can have it re-sent.","poll.open":"Reopen Poll","repost.button.title":"Repost this entry to my journal","date.month.august.short":"Aug","post2017.poll.whoview.anon":"Anonymus poll","feedpromo.complaint.popup.title":"Why do you want to hide promo?","sharing.service.embed":"Embed","user_note_modal.title.add":"Add a note","post2017.poll.button.results_show":"Show results","blog_settings_form.userpic.tooltip.message.hit.limit.unpaid.user":"You hit the quantity limit of userpicks. You can edit the list here","popup.memorable_share.tags":"#onthisday","popup.memorable_share.title":"On This Day [[years_ago]] [[?years_ago|Year|Years|Years]] Ago","photouploader.instagram.logout":"Log out from Instagram","journal.audience.section.hint.members":"This options will display the sum of subscribers","components.report_modal.descr":"Pick a category of complaint:","post.category.delete.label":"Delete category","community.magazine.section.hint":"Tell what your community is about, it will helps users better understand why they should join it","memories.title.add":"Select privacy level","post2017.poll.answer.revote_title":"Choose another option","repost.button.counter":"Already reposted by...","journal.audience.section.hint.followers":"This option will display the sum of your friends and subscribers","date.month.july.long":"July","modal.badge.verified.title":"Verified log","audience.settings.modal.suggestion.all.audience":"Turn on","likus.users.sc":"less than 10","notif_center.offcialpost":"Some news for you: [[post_subject]]","common.closing_quote":"\"","likus.users.add.friends":"Add to friends","banner.hashmob.favorite_cities.button":"participate","common.recommended.description":"We selected these authors and communities for you","create.head":"Creating a New Journal","components.report_modal.description.lgbt_propaganda":"Information aimed at involving minors in illegal activity demonstratingsuicide or justifying non-traditional values.","popup.mapInvite.title":"You've just got your own adventure map!","photouploader.upload.filesAdded5":"[[number]] files selected","feedpromo.complaint.help":"Why am i seeing this?","talk.edit":"Edit","admin.writers_block.answer.custom":"Custom","banner.hashmob.favorite_cities.hash":"hashmob","photouploader.upload.insert":"Insert pictures","paidrepost.button.title.delete":"Delete repost","photouploader.instagram.asEmbeds.help":"with your Instagram username, likes and comments count","post2017.poll.whoview.none":"Poll results is visible only to the author","medius.recommended.label.category":"Категория","repost.popup.head":"Reposted by","date.month.march.long":"March","common.add_to_friends":"Add to friends","error.login.limit.exceeded":"Login limit exceeded","video_uploader.errors.file_extension":"Only files with the extensions webm, avi, mov, wmv, mp4, mkv, 3gp can be uploaded here.","journal.audience.section.select.members":"Subscribers","entry.reference.label.reposted":"Reposted","modal.info_pro.feature.item.seo":"SEO tools","journal.section.cancel.btn":"Cancel","blog_header.journal_theme_change_prompt.title":"Apply default style for this community","banner.hashmob.favorite_cities.name":"#favoritecities","memories.security.private":"Private","videouploader.upload.selectedFile":"File [[filename]] selected","modal.info_pro.user_notpaid":"does not yet use the \"Professional\" service package","blocked.content.comment.warning":"Please Login","flatmedia.upload.photo":"Upload photos","pushWooshPopup21.title":"You can subscribe to journal","popup.suggestion.title":"Create account","audience.settings.modal.show.all.audience.will.descr":"[[?count|Viewer|Viewers|Viewers]]","modal.gift_token.text":"How many LJ Tokens do you want to send to user","common.opening_quote":"\"","filterset.subtitle.filters":"Filter your friends feed:","lj_repost_popup.title":"Repost entry","photouploader.paste.notice":"Remember: Using others' images on the web without their permission may be bad manners, or worse, copyright infringement.","recaptcha.invisible.notice":"When you submit the form an invisible reCAPTCHA check will be performed.","recurrentreminder.password.button.refuse_short":"No","subscribe_button_2022.leave_community":"Leave community","popup.quick_comment_prompt.leavefastcomment":"Оставьте комментарий","photouploader.upload.dragOrClick":"Drag or click here to upload images","sitescheme.switchv3.confirm_dialog.yes":"Yes, switch to the new one","date.month.march.short":"Mar","user_note_modal.add_note_for":"Only you will see this note on hover the username: ","like_reaction.fire.caption":"Hot","blog_settings_form.show_post_count_section.title":"Display number of entries","date.month.january.long":"January","talk.anonuser":"Anonymous","talk.photo.paste":"","notif_center.this_day":"Remember what you wrote on this day, [[date]] in the past!","photouploader.instagram.needTitle.help":"Photo description from Instagram will be automatically added before your photo","photouploader.paste.correctUrl":"If your URL is correct, you'll see an image preview here","components.report_modal.title":"Report","lj.report.popover.title":"Report type","feedpromo.complaint.delete":"Delete","like_reaction.pow_prints.caption":"Paw prints","lj_repost_popup.button.remove.share":"remove","photouploader.dropbox.choose":"Choose pictures from your Dropbox account.","videouploader.noalbum":"You do not have a single movie. Upload one","date.month.december.long":"December","talk.postcomment":"Add a comment","fcklang.ljlike.button.email":"Email","date.format.offset":"0","talk.leavefastcomment":"Leave fast comment","loginform.error.ipbanned.distribution":"Your IP address is banned","lj.report.popover.button.complain":"submit","feedpromo.complaint.reason.2":"Inappropriate or offensive","date.day.wednesday.short":"Wed","admin.writers_block.answer.default":"default","like_reaction.laughing.caption":"LOL","photouploader.upload.title":"Upload","confirm.bubble.yes":"Yes","like_reaction.detail_popup.title":"Reactions","talk.contentflag":"Report","blog_settings_form.cover_select.title":"Journal cover","notif_center.dropdown.delete":"Delete","paidrepost.button.title":"Repost me","modal.info_pro.feature.text":"The Professional package grants you the following perks:","rte_comments.img_resize_bar_promo_hint":"Pull the handle to adjust image width","createaccount.subscribe.to.post":"To first post","paidrepost.button.title.counter":"Repost counter","notif_center.view_all.label":"View all","date.month.may.short":"May","lj_repost_popup.search.placeholder":"Search community","talk.linebreakalert":"For a line break, press Shift + Enter","post2017.poll.button.results_hide":"Hide results","like_reaction.nauseated_face.caption":"Nauseated face","notif_center.like.comment.plur":"[[actor]] and [[other_n]] [[?other_n|user|users|users]] reacted to your comment","repost.button.label":"Repost","admin.writers_block.answer.friends":"Friends","notif_center.title":"Notifications","userinfo.bml.hover_menu.paid":"Account with the Professional package of service","post2017.poll.whoview.all":"Poll results is visible to all","recaptcha.invisible.term":"You must follow the Privacy Policy and Google Terms of use.","like_reaction.angry.caption":"Angry","popup.suggestion.button.close":"Close","photouploader.album.title":"Your albums","poll.close":"Close Poll ","photouploader.instagram.select.help":"(pictures will be 640 pixels wide)","message.warnings.temporary_url_insertion":"You're inserting image using temporary link which may stop working soon. It's better to upload the image to LJ Scrapbook.","talk.video":"Media","notif_center.like.entry":"[[actor]] reacted to your entry [[post_subject]]","widget.alias.aliasdelete":"Delete note","qr.auth.modal.message":"Just scan this QR-code by camera on your mobile device where you logged in your LJ account","photouploader.album.addlink":"Add a link to fullsize picture","popup.cookies.title":"This website uses cookies.","date.format.long":"%B %D, %Y","lj.report.popover.type.another":"Other","filterset.subtitle.join":"Subscribe to read [[username]]'s entries on your friends feed","components.report_modal.description.hate_speech":"Expression of hatred towards against people based on their race, ethnicity, religion, gender, etc. ","loginform.error.openid":"Enter openid url","loginform.error.corrupted_password":"It's out of date, please reset it","notif_center.message":"[[actor]] sent you a message:","notif_center.post_suggest.recent_journal_upd.no_subj":"There is a new post in journal which you've visited recently","mobileAppBanners.footer.text":"Get LJ mobile app","lj_repost_popup.communities_section_title":"Reposts in communities:","medius.recommended.label.link":"Ссылка","flatmedia.adult.content.default":"default","api.error.groups.group_already_exist":"Group already exist","adfox.noads.paid":"Log in to stop seeing ads in this journal","components.report_modal.description.spam":"Submit a complaint if someone has posted an ad in an inappropriate location.","filterset.link.addnewgroup":"Add new group","blog_settings_form.userpic.show.less":"Less","flatmedia.name":"name","notif_center.poll.vote":"[[actor]] voted in poll in your post [[post_subject]]","qr.auth.modal.time.is.over.title":"QR code is out of time","popup.memorable_share_prompt.button.share.caption":"Share","photouploader.instagram.needTitle":"Display description","comment.image.original.link.placeholder":"Paste URL","date.month.june.long":"June","like_reaction.poop.caption":"Poop","feedpromo.complaint.title":"Feed promo","pwa.warning.private_entry":"You can't read private entries in offline mode","common.subscribe":"Subscribe","audience.settings.modal.show.all.audience.message":"Turn on displaying of your audience. Let people know how many readers you have","like_reaction.picker.aria_label.reaction":"Reaction selected — [[reaction]]","common.add_to_group":"Add to group","filterset.link.addnewfilter":"Add new filter","grants.post_plaque.title":"   🎁  ","like_reaction.ghost.caption":"Ghost","blog_settings_form.userpic.download":"More...","lj_repost_popup.cant.share.community":"You can't repost to the same community","sherry_promo_button.text.sherry":"СКИДКИ","journal.rkn_license":"This journal included by Roskomnadzor in the list of personal pages.","entry.url_copied.message":"Entry url was copied to clipboard","common.recommended":"Suggested for you","audience.settings.modal.paid.user.message":"This is average monthly audience of your journal. To get more insights check your journal statistics","recurrentreminder.password.updated.never":"never updated your password","banner_popup.open_app":"Open App","photouploader.paste.pasteURL":"Paste an image URL here:","modal.info_pro.feature.item.icon":"Badge by the username","journal.title.section.hint":"This title is also displayed in the Ratings and the entire LiveJournal. Filling out the title will help people find your blog via search engines.","sharing.service.livejournal":"LiveJournal","rambler.partners.title":"Today's News","post.category.caption":"Categor[[?num|y|ies]]:","flatmedia.adult.content":"Adult Content","notif_center.user_post":"User [[actor]] published a new entry [[post_subject]]","sharing.service.tumblr":"Tumblr","modal.gift_token.title":"Gift LJ Tokens","common.and":"and","date.month.november.long":"November","notif_center.time.now":"just now","talk.video.insert":"Insert","like_reaction.face_vomiting.caption":"Face vomiting","lj_repost_popup.button.share":"share","subscribe_button_2022.join_request_is_pending":"Join request is pending","comment.image.original.link.label":"Link to original image","medius.recommended.has.errors":"Ошибка в форме","flatmedia.album.name":"Album name","popup.quick_comment_prompt.open_comment_link":"Посмотреть","send_message_form.cancel":"Cancel","modal.gift_token.message.success":"LJ Tokens has been sent successfully","blog_settings_form.userpic.is_already_uploaded":"You have already uploaded the same image","date.month.october.long":"October","common.cancel":"Cancel","components.report_modal.description.gambling":"Information violating the demands of the Federal law on prohibition of gambling and lotteries via the Internet or other means of communication.","login.message.no_login_in_browser":"Check third-party cookies preferences please. \"Prevent cross-site tracking\" option in Safari may interrupt authorisation","pwa.banner.android.text":"Add [[journal]] to Home screen","date.day.tuesday.short":"Tue","popup.quick_comment_prompt.submit_btn":"Отправить","error.nocommlogin":"You can't login as a community","modal.badge.verified.content":"The verified journal status means that the blog is officially maintained on behalf of a famous person or an organisation.

You also could receive a checkmark, if you already have a verified status on another social platforms","popup.quick_comment_prompt.message.comment_is_sent":"Комментарий отправлен","modal.gift_token.suggestion.popup.text":"You want to send [[value]] [[?value|token|tokens|tokens]] to the user","audience.settings.modal.show.all.audience.title":"Introduce your audience","notif_center.whosback":"[[actor]] posted for the first time in [[delta]]:
[[post_subject]]","date.day.monday.short":"Mon","comment.form.image.privacy.message":"This picture is not public","paidrepost.button.title.owner":"Your repost total budget: ","photouploader.byUrl.title":"","interests.unsubscribe.fromStream":"Unsubscribe from this stream","loginform.error.usercreate":"Username not found. Create?","filterset.button.save":"Save","videouploader.album.title":"From albums","likus.users.friend.remove":"Remove friend","notif_center.social_connections.friending":"[[actor]] add you as a friend","user_note_modal.edit_note_for":"Only you will see this note on hover the username: ","embed.post.title":"Embed post","memories.remove":"Remove","components.report_modal.submit_report_caption":"Report","setting.badgepro.text":"Show account status icon next to username","popup.quick_comment_prompt.subtitle":"Не держи в себе, всё выскажи!","like_reaction.detail_popup.add_btn.add":"Add friend","blog_settings_form.title":"Update journal information","audience.settings.modal.show.all.audience.now.descr":"[[?count|Subscriber|Subscribers|Subscribers]]","entry.reference.label.title":"Remove repost","audience.settings.modal.show.all.audience.will.title":"Will be","interests.unsubscribe.fromUser":"Unsubscribe from this blogger","comment.form.hint.text":"Press Enter for a new paragraph, press Shift+Enter for a new line"}; Site.page = {"entries":[{"itemid":3374,"url":"https://nalintmo.livejournal.com/3374.html","journalid":43592054},{"itemid":3093,"url":"https://nalintmo.livejournal.com/3093.html","journalid":43592054},{"itemid":2892,"url":"https://nalintmo.livejournal.com/2892.html","journalid":43592054},{"itemid":2639,"url":"https://nalintmo.livejournal.com/2639.html","journalid":43592054},{"itemid":2376,"url":"https://nalintmo.livejournal.com/2376.html","journalid":43592054},{"itemid":2279,"url":"https://nalintmo.livejournal.com/2279.html","journalid":43592054},{"itemid":1817,"url":"https://nalintmo.livejournal.com/1817.html","journalid":43592054},{"itemid":1672,"url":"https://nalintmo.livejournal.com/1672.html","journalid":43592054},{"itemid":1388,"url":"https://nalintmo.livejournal.com/1388.html","journalid":43592054},{"itemid":1206,"url":"https://nalintmo.livejournal.com/1206.html","journalid":43592054}],"map_posts_exist":false,"journalStyleLayout":"Minimalism","styleSystem":"s2","calendar":{"month":{"short":["date.month.january.short","date.month.february.short","date.month.march.short","date.month.april.short","date.month.may.short","date.month.june.short","date.month.july.short","date.month.august.short","date.month.september.short","date.month.october.short","date.month.november.short","date.month.december.short"],"long":["date.month.january.long","date.month.february.long","date.month.march.long","date.month.april.long","date.month.may.long","date.month.june.long","date.month.july.long","date.month.august.long","date.month.september.long","date.month.october.long","date.month.november.long","date.month.december.long"]},"week":["date.day.sunday.short","date.day.monday.short","date.day.tuesday.short","date.day.wednesday.short","date.day.thursday.short","date.day.friday.short","date.day.saturday.short"]},"adv_libs":{"ssp":{"conflicts":["adfox"]},"inner":{},"adfox":{"conflicts":["ssp"],"url":null}},"styleLayout":"Minimalism","D":{},"journal_header_settings":{"settingShowPostCount":true,"settingShowingAudience":"number-followers","coverImageUrl":"https://l-stat.livejournal.net/img/air-awesome/cover-image/default-6.jpg","isCoverImageUrlAvailable":true},"ad_eligible":"yes","controlstrip":{"status":"","calendar":{"lastDate":"2025,1,18","earlyDate":"2011,10,2"}},"LJShareParams":{"services":{"embed":{"bindLink":"https://www.livejournal.com/redirect/SHARING_embed?url=","title":"Embed"},"stumbleupon":{"bindLink":"https://www.livejournal.com/redirect/SHARING_stumbleupon?url=https%3A%2F%2Fwww.stumbleupon.com%2Fsubmit%3Furl%3D{url}","title":"StumbleUpon"},"moimir":{"bindLink":"https://www.livejournal.com/redirect/SHARING_moimir?url=https%3A%2F%2Fconnect.mail.ru%2Fshare%3Furl%3D{url}","title":"Moi mir"},"twitter":{"bindLink":"https://www.livejournal.com/redirect/SHARING_twitter?url=https%3A%2F%2Ftwitter.com%2Fshare%3Ftext%3D{title}%26hashtags%3D{hashtags}%26url%3D{url}%253Futm_source%253Dtwsharing%2526utm_medium%253Dsocial","title":"X"},"digg":{"bindLink":"https://www.livejournal.com/redirect/SHARING_digg?url=https%3A%2F%2Fdigg.com%2Fsubmit%3Furl%3D{url}","title":"Digg"},"telegram":{"bindLink":"https://www.livejournal.com/redirect/SHARING_telegram?url=https%3A%2F%2Ftelegram.me%2Fshare%2Furl%3Furl%3D{url}","title":"Telegram"},"email":{"bindLink":"https://www.livejournal.com/redirect/SHARING_email?url=https%3A%2F%2Fapi.addthis.com%2Foexchange%2F0.8%2Fforward%2Femail%2Foffer%3Fusername%3Dinternal%26url%3D{url}%26title%3D{title}","title":"E-mail"},"livejournal":{"bindLink":"https://www.livejournal.com/redirect/SHARING_livejournal?url=https%3A%2F%2Fwww.livejournal.com%2Fupdate.bml%3Frepost_type%3Dc%26repost%3D{url}","openInTab":1,"title":"LiveJournal"},"vkontakte":{"bindLink":"https://www.livejournal.com/redirect/SHARING_vkontakte?url=https%3A%2F%2Fvkontakte.ru%2Fshare.php%3Furl%3D{url}%253Futm_source%253Dvksharing%2526utm_medium%253Dsocial","title":"VKontakte"},"whatsapp":{"bindLink":"https://www.livejournal.com/redirect/SHARING_whatsapp?url=https%3A%2F%2Fwa.me%2F%3Ftext%3D{url}","title":"WhatsApp"},"facebook":{"bindLink":"https://www.livejournal.com/redirect/SHARING_facebook?url=https%3A%2F%2Fwww.facebook.com%2Fsharer.php%3Fu%3D{url}%253Futm_source%253Dfbsharing%2526utm_medium%253Dsocial","title":"Facebook"},"odnoklassniki":{"bindLink":"https://www.livejournal.com/redirect/SHARING_odnoklassniki?url=https%3A%2F%2Fwww.odnoklassniki.ru%2Fdk%3Fst.cmd%3DaddShare%26st.s%3D1%26st._surl%3D{url}%253Futm_source%253Doksharing%2526utm_medium%253Dsocial","title":"Odnoklassniki"},"tumblr":{"bindLink":"https://www.livejournal.com/redirect/SHARING_tumblr?url=https%3A%2F%2Fwww.tumblr.com%2Fshare%2Flink%3Furl%3D{url}%26name%3D{title}%26description%3D{text}","title":"Tumblr"}},"links":["livejournal","facebook","twitter","digg","tumblr","stumbleupon","whatsapp","telegram","email","embed"]},"categories":[{"keyword":"medicina","name":"медицина","position":6460,"active":1,"description":"Лучшие статьи о медицине и лечении от практикующих врачей в блогах LiveJournal — советы по лечению различных заболеваний и информация о медикаментах.","parent_id":0,"keywords":"","name_menu":"медицина","genitive":"о медицине","title":"Блоги и статьи о медицине, заболеваниях и современных методах лечения — Живой Журнал","id":"32","type":"C","name_ucf":"Медицина"},{"keyword":"byt","name":"быт","position":6462,"active":1,"description":"Увлекательные и полезные статьи о быте повседневной жизни в блогах на LiveJournal","parent_id":0,"keywords":"","name_menu":"быт","genitive":"быта","title":"Блоги и статьи о быте — Живой Журнал — ЖЖ","id":"206","type":"C","name_ucf":"Быт"},{"keyword":"vsem-vesna","subcategories":[],"name":"#всемвесна","position":6464,"active":1,"description":"Подключайтесь к творческому марафону блогеров LiveJournal: вас ждут 475 весенних идей для новых записей.","parent_id":0,"keywords":"","name_menu":"#всемвесна","genitive":"#всемвесна","title":"#всемвесна — творческий марафон для авторов ЖЖ","id":"200","type":"C","name_ucf":"#всемвесна"},{"keyword":"igry","name":"игры","position":6465,"active":1,"description":"Статьи и блоги про игры — обсуждение, описания и обзоры игр глазами людей, которые в них играют.","parent_id":0,"keywords":"","name_menu":"игры","genitive":"об играх","title":"Статьи и блоги про игры — Живой Журнал","id":"18","type":"C","name_ucf":"Игры"},{"keyword":"razvlecheniya","subcategories":[{"keyword":"griby","name":"грибы","position":6584,"active":1,"description":"Блоги и статьи о грибах будут полезны и интересны как опытным грибникам, так и новичкам — виды грибов, как собирать грибы и какие, съедобные и ядовитые грибы, где искать грибы, способы выращивания и полезные свойства грибов","parent_id":0,"keywords":"ЖЖ, LiveJournal, живой журнал, блоги, грибы, грибники","name_menu":"грибы","genitive":"о грибах","title":"Блоги и статьи о грибах — Живой Журнал","id":"192","type":"C","name_ucf":"Грибы"},{"keyword":"znamenitosti","name":"знаменитости","position":6495,"active":1,"description":"Последние новости из жизни звезд российского и зарубежного шоу-бизнеса в блогах на LiveJournal — светская хроника, фото, видео, интервью со знаменитостями.","parent_id":0,"keywords":"","name_menu":"знаменитости","genitive":"о знаменитостях","title":"Статьи и блоги про звезд — Живой Журнал","id":"17","type":"C","name_ucf":"Знаменитости"},{"keyword":"igry","name":"игры","position":6465,"active":1,"description":"Статьи и блоги про игры — обсуждение, описания и обзоры игр глазами людей, которые в них играют.","parent_id":0,"keywords":"","name_menu":"игры","genitive":"об играх","title":"Статьи и блоги про игры — Живой Журнал","id":"18","type":"C","name_ucf":"Игры"},{"keyword":"iskusstvo","name":"искусство","position":6569,"active":1,"description":"Читайте о последних новостях и трендах в искусстве на LiveJournal — лучшие блоги об искусстве и культуре.","parent_id":0,"keywords":"","name_menu":"искусство","genitive":"об искусстве","title":"Статьи и блоги про искусство — Живой Журнал","id":"19","type":"C","name_ucf":"Искусство"},{"keyword":"kino","name":"Кино","position":6472,"active":1,"description":"Блоги и статьи о кино, сериалах и мультфильмах на LiveJournal — новости, отзывы и обзоры о новинках и классике киномира.","parent_id":0,"keywords":"","name_menu":"Кино","genitive":"о кино","title":"Блоги о кино и сериалах — Живой Журнал","id":"20","type":"C","name_ucf":"Кино"},{"keyword":"kultura","name":"культура","position":6590,"active":1,"description":"Познавательные и интересные статьи о культуре и искусстве в блогах на LiveJournal","parent_id":0,"keywords":"","name_menu":"культура","genitive":"о культуре","title":"Блоги и статьи о культуре — Живой Журнал — ЖЖ","id":"205","type":"C","name_ucf":"Культура"},{"keyword":"literatura","name":"литература","position":6535,"active":1,"description":"Читайте литературные блоги писателей, авторов и любителей литературы на LiveJournal — отзывы, правдивая критика и обсуждение новинок книжного мира.","parent_id":0,"keywords":"","name_menu":"литература","genitive":"о литературе","title":"Литературные и книжные блоги — Живой Журнал","id":"21","type":"C","name_ucf":"Литература"},{"keyword":"muzyka","name":"музыка","position":6592,"active":1,"description":"Знакомьтесь с последними трендами и новинками музыкальной индустрии в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"музыка","genitive":"о музыке","title":"Музыкальные блоги на русском — Живой Журнал","id":"22","type":"C","name_ucf":"Музыка"},{"keyword":"prazdniki","name":"праздники","position":6518,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"праздники","genitive":"праздников","title":"","id":"154","type":"C","name_ucf":"Праздники"},{"keyword":"rybalka","name":"рыбалка","position":6583,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"рыбалка","genitive":"рыбалки","title":"","id":"156","type":"C","name_ucf":"Рыбалка"},{"keyword":"sport","name":"спорт","position":6519,"active":1,"description":"Последние спортивные новости, обзоры, фото, видео и другие обсуждения спортивных событий в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"спорт","genitive":"о спорте","title":"Спортивные блоги и аналитика — Живой Журнал","id":"23","type":"C","name_ucf":"Спорт"},{"keyword":"teatr","name":"театр","position":6481,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"театр","genitive":"театра","title":"","id":"157","type":"C","name_ucf":"Театр"},{"keyword":"fantastika","name":"фантастика","position":6508,"active":1,"description":"Блоги и статьи на тему Фантастика на LiveJournal.","parent_id":0,"keywords":"","name_menu":"фантастика","genitive":"о фантастике","title":"Блоги любителей фантастики — Живой Журнал","id":"24","type":"C","name_ucf":"Фантастика"},{"keyword":"fotografiya","name":"фотография","position":6591,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"фотография","genitive":"фотографии","title":"","id":"158","type":"C","name_ucf":"Фотография"},{"keyword":"yumor","name":"юмор","position":6484,"active":1,"description":"Юмористические блоги, анекдоты, смешные истории из реальной жизни в блогах на LiveJournal","parent_id":0,"keywords":"","name_menu":"юмор","genitive":"юмора","title":"Юмористические блоги, смешные случаи из реальной жизни — Живой Журнал","id":"138","type":"C","name_ucf":"Юмор"}],"name":"Развлечения","position":6467,"active":1,"description":"Узнайте, куда сходить и что посмотреть в вашем городе из материалов LiveJournal. Рассказываем о самых интересных развлечениях для детей и взрослых.","parent_id":0,"keywords":"","name_menu":"Развлечения","genitive":"о развлечениях","title":"Развлечения — куда сходить и что посмотреть — Живой Журнал","id":"16","type":"C","name_ucf":"Развлечения"},{"keyword":"semya","name":"семья","position":6468,"active":1,"description":"Самые интересные статьи о семье в блогах на LiveJournal — практичные советы, идеи для счастливой семейной жизни, воспитанию детей и семейных ценностях.","parent_id":0,"keywords":"","name_menu":"семья","genitive":"о семье","title":"Статьи и блоги про семью — Живой Журнал","id":"44","type":"C","name_ucf":"Семья"},{"keyword":"zhivotnye","name":"животные","position":6469,"active":1,"description":"Статьи и блоги о жизни животных на LiveJournal — много интересной информации о домашних питомцев и обитателей дикой природы.","parent_id":0,"keywords":"","name_menu":"животные","genitive":"о животных","title":"Статьи и блоги о животных — Живой Журнал","id":"27","type":"C","name_ucf":"Животные"},{"keyword":"lingvistika","name":"лингвистика","position":6470,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"лингвистика","genitive":"лингвистики","title":"","id":"161","type":"C","name_ucf":"Лингвистика"},{"keyword":"lj-25","subcategories":[],"name":"#жж25","position":6471,"active":1,"description":"Расскажите 25 фактов о себе и блоге! Авторов самых интересных постов ждут призы!","parent_id":0,"keywords":"ЖЖ, Живой Журнал, LiveJournal, лайвджорнал, блоги ЖЖ, ведение блога, хешмоб, флешмоб, конкурс, юбилей, праздник, 25 лет, день рождения, двадцатипятилетие, годовщина, поздравление, анкета, заполнить анкету, рассказ о себе, история, факты о себе, автобиография, биография, отмечать дату, приз, подарки, мерч, сувениры","name_menu":"#жж25","genitive":"#жж25","title":"#ЖЖ25 — хешмоб к юбилею ЖЖ","id":"220","type":"C","name_ucf":"#жж25"},{"keyword":"kino","name":"Кино","position":6472,"active":1,"description":"Блоги и статьи о кино, сериалах и мультфильмах на LiveJournal — новости, отзывы и обзоры о новинках и классике киномира.","parent_id":0,"keywords":"","name_menu":"Кино","genitive":"о кино","title":"Блоги о кино и сериалах — Живой Журнал","id":"20","type":"C","name_ucf":"Кино"},{"keyword":"arhitektura","name":"архитектура","position":6475,"active":1,"description":"Статьи об архитектуре, новости современного строительства и урбанистики в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"архитектура","genitive":"архитектуры","title":"Блоги об архитектуре и урбанистике — Живой Журнал","id":"148","type":"C","name_ucf":"Архитектура"},{"keyword":"kosmetika","name":"косметика","position":6476,"active":1,"description":"Блоги о косметике, обзоры новинок бьюти-гаджетов и парфюмерии на LiveJournal. Лучшие советы от мировых и российских экспертов в области ухода и макияжа.","parent_id":0,"keywords":"","name_menu":"косметика","genitive":"о косметике","title":"Косметика — секреты красоты, новости бьюти индустрии — Живой Журнал","id":"31","type":"C","name_ucf":"Косметика"},{"keyword":"avto","name":"авто","position":6477,"active":1,"description":"Блоги об автоновинках, обзоры, тест-драйвы, советы по обслуживанию и ремонте, выбор автомобиля и правовые вопросы на LiveJournal.","parent_id":0,"keywords":"","name_menu":"авто","genitive":"об авто","title":"Автомобильные блоги — все об автомобилях — Живой Журнал","id":"35","type":"C","name_ucf":"Авто"},{"keyword":"proisshestviya","name":"происшествия","position":6478,"active":1,"description":"Актуальные новости, важные события, происшествия в блогах LiveJournal.","parent_id":0,"keywords":"","name_menu":"происшествия","genitive":"о происшествиях","title":"Происшествия — картина дня в блогах — Живой Журнал","id":"11","type":"C","name_ucf":"Происшествия"},{"keyword":"to-samoe-leto","subcategories":[],"name":"#тосамоелето","position":6479,"active":1,"description":"Подключайтесь к творческому марафону блогеров LiveJournal: вас ждут 475 летних идей для новых записей.","parent_id":0,"keywords":"Марафон ЖЖ, творческий марафон, блог, лето, тосамоелето","name_menu":"#тосамоелето","genitive":"#тосамоелето","title":"#тосамоелето — творческий марафон для авторов ЖЖ","id":"208","type":"C","name_ucf":"#тосамоелето"},{"keyword":"teatr","name":"театр","position":6481,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"театр","genitive":"театра","title":"","id":"157","type":"C","name_ucf":"Театр"},{"keyword":"puteshestviya","name":"путешествия","position":6482,"active":1,"description":"Заметки путешественников и интересные факты о незнакомых местах, новости туризма и путеводители, фотографии, обзоры, отзывы, инструкции в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"путешествия","genitive":"о путешествиях","title":"Блоги о путешествиях и самостоятельном туризме — Живой Журнал","id":"29","type":"C","name_ucf":"Путешествия"},{"keyword":"stil","name":"Стиль","position":6483,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"Стиль","genitive":"Стиля","title":"","id":"65","type":"C","name_ucf":"Стиль"},{"keyword":"yumor","name":"юмор","position":6484,"active":1,"description":"Юмористические блоги, анекдоты, смешные истории из реальной жизни в блогах на LiveJournal","parent_id":0,"keywords":"","name_menu":"юмор","genitive":"юмора","title":"Юмористические блоги, смешные случаи из реальной жизни — Живой Журнал","id":"138","type":"C","name_ucf":"Юмор"},{"keyword":"video","name":"Видео","position":6485,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"Видео","genitive":"Видео","title":"","id":"199","type":"C","name_ucf":"Видео"},{"keyword":"zhila-bila-osen","subcategories":[],"name":"#жилабылаосень","position":6487,"active":1,"description":"Подключайтесь к творческому марафону блогеров LiveJournal: вас ждут 645 осенних идей для новых записей.","parent_id":0,"keywords":"Марафон ЖЖ, творческий марафон, блог, осень, жилабылаосень","name_menu":"#жилабылаосень","genitive":"#жилабылаосень","title":"#жилабылаосень — творческий марафон для авторов ЖЖ","id":"211","type":"C","name_ucf":"#жилабылаосень"},{"keyword":"epoha-potrebleniya","subcategories":[],"name":"Эпоха потребления","position":6488,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"Потребление","genitive":"Эпохи потребления","title":"","id":"153","type":"C","name_ucf":"Эпоха потребления"},{"keyword":"ekologiya","name":"экология","position":6489,"active":1,"description":"Блоги и статьи про экологию на LiveJournal — экологические проблемы и вызовы России и мира.","parent_id":0,"keywords":"","name_menu":"экология","genitive":"об экологии","title":"Блоги и статьи про экологическое состояние России и мира — Живой Журнал","id":"15","type":"C","name_ucf":"Экология"},{"keyword":"otnosheniya","name":"отношения","position":6490,"active":1,"description":"Статьи об отношениях между людьми в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"отношения","genitive":"отношений","title":"Блоги и статьи об отношениях — Живой Журнал","id":"137","type":"C","name_ucf":"Отношения"},{"keyword":"photo","name":"photo","position":6491,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"photo","genitive":"","title":"","id":"60","type":"C","name_ucf":"Photo"},{"keyword":"sssr","name":"СССР","position":6492,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"СССР","genitive":"СССР","title":"","id":"62","type":"C","name_ucf":"СССР"},{"keyword":"korotko","name":"Коротко","position":6493,"active":1,"description":"Увлекательные вопросы на разные темы, короткие заметки и любопытные факты о повседневной жизни на LiveJournal","parent_id":0,"keywords":"","name_menu":"Коротко","genitive":"короткого","title":"Короткие заметки — Живой Журнал — ЖЖ","id":"198","type":"C","name_ucf":"Коротко"},{"keyword":"psihologiya","name":"психология","position":6494,"active":1,"description":"Психологические блоги, тесты, статьи на тему психологии и саморазвития, советы от практикующих специалистов.","parent_id":0,"keywords":"","name_menu":"психология","genitive":"психологии","title":"Статьи и блоги о психологии, психологические тесты — Живой Журнал","id":"139","type":"C","name_ucf":"Психология"},{"keyword":"znamenitosti","name":"знаменитости","position":6495,"active":1,"description":"Последние новости из жизни звезд российского и зарубежного шоу-бизнеса в блогах на LiveJournal — светская хроника, фото, видео, интервью со знаменитостями.","parent_id":0,"keywords":"","name_menu":"знаменитости","genitive":"о знаменитостях","title":"Статьи и блоги про звезд — Живой Журнал","id":"17","type":"C","name_ucf":"Знаменитости"},{"keyword":"politika-i-obschestvo","subcategories":[{"keyword":"armiya","name":"армия","position":6599,"active":1,"description":"Армейские истории, обзор военно-политической ситуации, описание новой военной техники и оружия в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"армия","genitive":"об армии","title":"Армейские истории и военное обозрение в блогах — Живой Журнал","id":"3","type":"C","name_ucf":"Армия"},{"keyword":"belarus","name":"Беларусь","position":0,"active":0,"description":"","parent_id":0,"keywords":"","name_menu":"Беларусь","genitive":"о Беларуси","title":"","id":"167","type":"C","name_ucf":"Беларусь"},{"keyword":"biznes","name":"бизнес","position":6563,"active":1,"description":"Последние новости и актуальная информация из мира бизнеса и предпринимательства на LiveJournal.","parent_id":0,"keywords":"","name_menu":"бизнес","genitive":"о бизнесе","title":"Блоги и статьи о бизнесе — Живой Журнал — ЖЖ","id":"64","type":"C","name_ucf":"Бизнес"},{"keyword":"gorod","name":"город","position":6608,"active":1,"description":"Блоги и статьи на тему Город на Livejournal.","parent_id":0,"keywords":"город","name_menu":"город","genitive":"о городе","title":"Статьи и блоги на городскую тематику — Живой Журнал","id":"4","type":"C","name_ucf":"Город"},{"keyword":"istoriya","name":"история","position":6530,"active":1,"description":"Блоги и статьи на исторические темы на LiveJournal — история России и других стран Европы и мира.","parent_id":0,"keywords":"","name_menu":"история","genitive":"об истории","title":"Исторические блоги и статьи об истории — Живой Журнал","id":"5","type":"C","name_ucf":"История"},{"keyword":"kriminal","name":"криминал","position":6598,"active":1,"description":"Блоги и статьи на тему Криминал на Livejournal.","parent_id":0,"keywords":"","name_menu":"криминал","genitive":"о криминале","title":"Статьи и блоги о криминале — Живой Журнал","id":"6","type":"C","name_ucf":"Криминал"},{"keyword":"nedvizhimost","name":"недвижимость","position":6536,"active":1,"description":"Статьи и блоги о недвижимости в Москве, Санкт-Петербурге, Новосибирске и других городах России и Мира.","parent_id":0,"keywords":"","name_menu":"недвижимость","genitive":"о недвижимости","title":"Статьи и блоги о недвижимости — Живой Журнал","id":"7","type":"C","name_ucf":"Недвижимость"},{"keyword":"obrazovanie","name":"образование","position":6524,"active":1,"description":"Статьи и блоги о дошкольном, школьном, высшем и дополнительном образовании в России и мире на LiveJournal.","parent_id":0,"keywords":"","name_menu":"образование","genitive":"об образовании","title":"Статьи и блоги об образовании — Живой Журнал","id":"8","type":"C","name_ucf":"Образование"},{"keyword":"obschestvo","name":"общество","position":6605,"active":1,"description":"Новости России и мира. Общественная жизнь и социальная политика в блогах на Livejournal. Аналитика событий — материалы от наших экспертов и гостей, обзор мировых новостей и политических событий.","parent_id":0,"keywords":"","name_menu":"общество","genitive":"об обществе","title":"Общество — новости России и мира в блогах — Живой Журнал","id":"9","type":"C","name_ucf":"Общество"},{"keyword":"politika","name":"политика","position":6547,"active":1,"description":"Последние новости о политической жизни России, Украины и других стран Европы и Мира в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"политика","genitive":"о политике","title":"Статьи и блоги и политике — Живой Журнал","id":"10","type":"C","name_ucf":"Политика"},{"keyword":"prazdniki","name":"праздники","position":6518,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"праздники","genitive":"праздников","title":"","id":"154","type":"C","name_ucf":"Праздники"},{"keyword":"proisshestviya","name":"происшествия","position":6478,"active":1,"description":"Актуальные новости, важные события, происшествия в блогах LiveJournal.","parent_id":0,"keywords":"","name_menu":"происшествия","genitive":"о происшествиях","title":"Происшествия — картина дня в блогах — Живой Журнал","id":"11","type":"C","name_ucf":"Происшествия"},{"keyword":"rabota","name":"работа","position":6564,"active":1,"description":"Блоги и статьи на тему Работа на LiveJournal.","parent_id":0,"keywords":"","name_menu":"работа","genitive":"о работе","title":"Статьи и блоги про работу — Живой Журнал","id":"12","type":"C","name_ucf":"Работа"},{"keyword":"religiya","name":"религия","position":6596,"active":1,"description":"Блоги про религии и статьи на религиозные темы на LiveJournal.","parent_id":0,"keywords":"","name_menu":"религия","genitive":"о религии","title":"Статьи и блоги про религию — Живой Журнал","id":"13","type":"C","name_ucf":"Религия"},{"keyword":"rossiya","name":"Россия","position":6572,"active":1,"description":"Узнавайте о последних новостях России в блогах на LiveJournal — обзор политической и экономической ситуации, социальная оценка происходящих событий.","parent_id":0,"keywords":"","name_menu":"Россия","genitive":"о России","title":"Блоги и статьи о современной России — Живой Журнал","id":"136","type":"C","name_ucf":"Россия"},{"keyword":"sssr","name":"СССР","position":6492,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"СССР","genitive":"СССР","title":"","id":"62","type":"C","name_ucf":"СССР"},{"keyword":"finansy","name":"финансы","position":6503,"active":1,"description":"Последние новости и актуальная информация из мира финансов и экономики на LiveJournal.","parent_id":0,"keywords":"","name_menu":"финансы","genitive":"о финансах","title":"Блоги и статьи про финансы, бизнес и финансовую грамотность — Живой Журнал","id":"14","type":"C","name_ucf":"Финансы"},{"keyword":"ekologiya","name":"экология","position":6489,"active":1,"description":"Блоги и статьи про экологию на LiveJournal — экологические проблемы и вызовы России и мира.","parent_id":0,"keywords":"","name_menu":"экология","genitive":"об экологии","title":"Блоги и статьи про экологическое состояние России и мира — Живой Журнал","id":"15","type":"C","name_ucf":"Экология"},{"keyword":"ekonomika","name":"экономика","position":6576,"active":1,"description":"Статьи на тему финансов и экономики в блогах на LiveJournal - прогнозы и аналитика от экспертов финансовой отрасли.","parent_id":0,"keywords":"","name_menu":"экономика","genitive":"экономики","title":"Блоги и статьи про экономику — Живой Журнал","id":"144","type":"C","name_ucf":"Экономика"}],"name":"Политика и общество","position":6496,"active":1,"description":"","parent_id":0,"keywords":"политика общество город армия происшествия","name_menu":"Политика и общество","genitive":"о политике и обществе","title":"Политика и общество","id":"2","type":"C","name_ucf":"Политика и общество"},{"keyword":"napitki","name":"напитки","position":6498,"active":1,"description":"Вкусные рецепты напитков и коктейлей, которые можно приготовить в домашних условиях, с фотографиями и видео в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"напитки","genitive":"напитков","title":"Рецепты напитков и коктейлей — Живой Журнал","id":"147","type":"C","name_ucf":"Напитки"},{"keyword":"prostyye-radosti-2024","subcategories":[],"name":"#простыерадости2024","position":6499,"active":1,"description":"Участвуйте в хешмобе! Авторов самых интересных постов ждёт множество призов!","parent_id":0,"keywords":"ЖЖ, Живой Журнал, LiveJournal, лайвджорнал, блоги ЖЖ, ведение блога, хешмоб, флешмоб, конкурс, приз, подарки, мерч, сувениры, презент, подарочный сертификат, новый год, новогодний подарок, розыгрыш призов, выиграть приз, где найти подарок, радости жизни, новогоднее настроение, приносить радость, итоги года, результаты года, подводить итоги, подготовка к празднику, праздничное настроение, вдохновляющий, воспоминания","name_menu":"#простыерадости2024","genitive":"#простыерадости2024","title":"#простыерадости2024 — хешмоб обо всём, что радовало в 2024 году","id":"228","type":"C","name_ucf":"#простыерадости2024"},{"keyword":"ya-rekomenduyu","subcategories":[],"name":"#ярекомендую","position":6500,"active":1,"description":"Участвуйте в новом хешмобе! Авторов самых интересных постов ждут призы!","parent_id":0,"keywords":"ЖЖ, Живой Журнал, LiveJournal, лайвджорнал, блоги ЖЖ, хешмоб, флешмоб, конкурс, рекомендации, порекомендовать, +я рекомендую, полезные советы, подборки, топ лучших, топ самых, список лучших, хит-парад, высказать мнение, рейтинг, имхо, подборка книг, подборка фильмов, подборка рецептов, +для вдохновения.","name_menu":"#ярекомендую","genitive":"#ярекомендую","title":"#ярекомендую — хешмоб ЖЖ о том, что вы любите","id":"218","type":"C","name_ucf":"#ярекомендую"},{"keyword":"ii","name":"ИИ","position":6501,"active":1,"description":"Интересные и полезные статьи в области искусственного интеллекта, нейронных сетей и машинного обучения в блогах на LiveJournal","parent_id":0,"keywords":"","name_menu":"ИИ","genitive":"Искусственного Интеллекта","title":"Блоги и статьи об искусственном интеллекте — Живой Журнал — ЖЖ","id":"202","type":"C","name_ucf":"ИИ"},{"keyword":"media_v_zhzh","name":"Медиа в ЖЖ","position":6502,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"Медиа в ЖЖ","genitive":"Медиа в ЖЖ","title":"","id":"184","type":"C","name_ucf":"Медиа в ЖЖ"},{"keyword":"finansy","name":"финансы","position":6503,"active":1,"description":"Последние новости и актуальная информация из мира финансов и экономики на LiveJournal.","parent_id":0,"keywords":"","name_menu":"финансы","genitive":"о финансах","title":"Блоги и статьи про финансы, бизнес и финансовую грамотность — Живой Журнал","id":"14","type":"C","name_ucf":"Финансы"},{"keyword":"dorogoydnevnik","name":"#дорогойдневник","position":6505,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"#дорогойдневник","genitive":"#дорогойдневник","title":"","id":"172","type":"C","name_ucf":"#дорогойдневник"},{"keyword":"transport","name":"транспорт","position":6506,"active":1,"description":"Статьи и блоги о транспорте в самом широком понимании на LiveJournal.","parent_id":0,"keywords":"","name_menu":"транспорт","genitive":"транспорта","title":"Статьи и блоги о транспорте — Живой Журнал","id":"145","type":"C","name_ucf":"Транспорт"},{"keyword":"kosmos","name":"космос","position":6507,"active":1,"description":"Блоги и статьи о космосе на LiveJournal — обсуждаем все, что касается космоса, астрономии и космонавтики.","parent_id":0,"keywords":"","name_menu":"космос","genitive":"о космосе","title":"Блоги и статьи о космосе — Живой Журнал","id":"49","type":"C","name_ucf":"Космос"},{"keyword":"fantastika","name":"фантастика","position":6508,"active":1,"description":"Блоги и статьи на тему Фантастика на LiveJournal.","parent_id":0,"keywords":"","name_menu":"фантастика","genitive":"о фантастике","title":"Блоги любителей фантастики — Живой Журнал","id":"24","type":"C","name_ucf":"Фантастика"},{"keyword":"letnie_istorii","name":"#летниеистории","position":6509,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"#летниеистории","genitive":"#летниеистории","title":"","id":"178","type":"C","name_ucf":"#летниеистории"},{"keyword":"lyubimyye-goroda","subcategories":[],"name":"#любимыегорода","position":6510,"active":1,"description":"Примите участие в хешмобе! Авторов самых интересных постов ждут призы!","parent_id":0,"keywords":"ЖЖ, Живой Журнал, LiveJournal, лайвджорнал, блоги ЖЖ, ведение блога, хешмоб, флешмоб, конкурс, приз, подарки, мерч, сувениры, тревел блог, блог о путешествиях, города мира, карта мира, страны, регионы, область, районы, провинция, туризм, фото, фотограф, куда поехать, поездка, отпуск, путёвка, красивые места, интересные локации, достопримечательности, культурный объект, краеведение, прогулка, путеводитель, архитектура города, экскурсия по городу, урбанист, Москва, Санкт-Петербург, Россия, Европа, зарубежье, заграница","name_menu":"#любимыегорода","genitive":"#любимыегорода","title":"#любимыегорода — хешмоб-путеводитель по красивым местам","id":"224","type":"C","name_ucf":"#любимыегорода"},{"keyword":"otzyvy","name":"отзывы","position":6511,"active":1,"description":"Статьи и отзывы на тему Отзывы на LiveJournal","parent_id":0,"keywords":"","name_menu":"отзывы","genitive":"отзывов","title":"Отзывы — Живой Журнал","id":"140","type":"C","name_ucf":"Отзывы"},{"keyword":"zhivaya_priroda","name":"#живаяприрода","position":6512,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"#живаяприрода","genitive":"#живаяприрода","title":"","id":"187","type":"C","name_ucf":"#живаяприрода"},{"keyword":"osen-v-karmane","subcategories":[],"name":"#осеньвкармане","position":6513,"active":1,"description":"Подключайтесь к творческому марафону блогеров LiveJournal: вас ждут множество осенних идей для новых записей.","parent_id":0,"keywords":"Марафон ЖЖ, творческий марафон, блог, осень, осень в кармане","name_menu":"#осеньвкармане","genitive":"#осеньвкармане","title":"#осеньвкармане — творческий марафон для авторов ЖЖ","id":"223","type":"C","name_ucf":"#осеньвкармане"},{"keyword":"photo-challenge-2023","subcategories":[],"name":"#фоточеллендж2023","position":6517,"active":1,"description":"Примите участие в увлекательном фоточеллендже ЖЖ! Дарим всем по головастику!","parent_id":0,"keywords":"ЖЖ, Живой Журнал, LiveJournal, лайвджорнал, блоги ЖЖ, челлендж, флешмоб фото, фоточеллендж, история фотографии, фотоистории, памятное фото, фото воспоминания, фотохостинг бесплатно, где хранить фото, \"фотографии +в блогах\", фото ЖЖ, конкурс, старые фотки, фотоальбом, подборка фото, рассказы +с фото, рассказ +в фото, посмотреть фото, фото разных лет","name_menu":"#фоточеллендж2023","genitive":"#фоточеллендж2023","title":"#фоточеллендж2023 - увлекательный фоточеллендже ЖЖ!","id":"212","type":"C","name_ucf":"#фоточеллендж2023"},{"keyword":"prazdniki","name":"праздники","position":6518,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"праздники","genitive":"праздников","title":"","id":"154","type":"C","name_ucf":"Праздники"},{"keyword":"sport","name":"спорт","position":6519,"active":1,"description":"Последние спортивные новости, обзоры, фото, видео и другие обсуждения спортивных событий в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"спорт","genitive":"о спорте","title":"Спортивные блоги и аналитика — Живой Журнал","id":"23","type":"C","name_ucf":"Спорт"},{"keyword":"pticy","name":"птицы","position":6521,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"птицы","genitive":"птиц","title":"","id":"159","type":"C","name_ucf":"Птицы"},{"keyword":"cvety","name":"цветы","position":6522,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"цветы","genitive":"цветов","title":"","id":"160","type":"C","name_ucf":"Цветы"},{"keyword":"aviaciya","name":"авиация","position":6523,"active":1,"description":"Последние новости и история российской и зарубежной авиации в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"авиация","genitive":"об авиации","title":"Авиационные блоги и статьи — Живой Журнал","id":"47","type":"C","name_ucf":"Авиация"},{"keyword":"obrazovanie","name":"образование","position":6524,"active":1,"description":"Статьи и блоги о дошкольном, школьном, высшем и дополнительном образовании в России и мире на LiveJournal.","parent_id":0,"keywords":"","name_menu":"образование","genitive":"об образовании","title":"Статьи и блоги об образовании — Живой Журнал","id":"8","type":"C","name_ucf":"Образование"},{"keyword":"diy","name":"DIY","position":6525,"active":1,"description":"Блоги об интересных поделках и самоделках. Полезные инструкции, лайфхаки и хитрости для тех, кто любит делать сам своими руками.","parent_id":0,"keywords":"","name_menu":"DIY","genitive":"DIY","title":"Сделай сам — Живой Журнал — ЖЖ","id":"209","type":"C","name_ucf":"DIY"},{"keyword":"dizayn","name":"дизайн","position":6526,"active":1,"description":"Блоги и статьи о дизайне на LiveJournal. Дизайн в интерьере, моде, саде — советы, мастер-классы, примеры работ.","parent_id":0,"keywords":"","name_menu":"дизайн","genitive":"о дизайне","title":"Блоги и статьи о дизайне — Живой Журнал","id":"37","type":"C","name_ucf":"Дизайн"},{"keyword":"laboratoriya-zhzh","name":"Лаборатория ЖЖ","position":6527,"active":1,"description":"Экспериментальное медиа внутри LiveJournal","parent_id":0,"keywords":"анализ блогов, аналитика ЖЖ, писать в ЖЖ, ЖЖ текст, ЖЖ посты блогеров, исследование блогов, полезные данные, забавные факты, нетривиальные выводы, аналитика, статистика, блогеры, блогинг, блоги, исследования, предпочтения, настроения, статистика блога,","name_menu":"Лаборатория ЖЖ","genitive":"Лаборатории ЖЖ","title":"","id":"216","type":"C","name_ucf":"Лаборатория ЖЖ"},{"keyword":"deti","name":"дети","position":6529,"active":1,"description":"Самые интересные статьи о рождении и воспитании детей в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"дети","genitive":"о детях","title":"Статьи и блоги для родителей и про детей — Живой Журнал","id":"43","type":"C","name_ucf":"Дети"},{"keyword":"istoriya","name":"история","position":6530,"active":1,"description":"Блоги и статьи на исторические темы на LiveJournal — история России и других стран Европы и мира.","parent_id":0,"keywords":"","name_menu":"история","genitive":"об истории","title":"Исторические блоги и статьи об истории — Живой Журнал","id":"5","type":"C","name_ucf":"История"},{"keyword":"vstrechaem-novyy-god","name":"#встречаемновыйгод","position":6531,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"#встречаемновыйгод","genitive":"#встречаемновыйгод","title":"Встречаем Новый год","id":"195","type":"C","name_ucf":"#встречаемновыйгод"},{"keyword":"moya_progulka","name":"#мояпрогулка","position":6532,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"#мояпрогулка","genitive":"#мояпрогулка","title":"","id":"170","type":"C","name_ucf":"#мояпрогулка"},{"keyword":"zdorove","name":"здоровье","position":6533,"active":1,"description":"Лучшие советы о здоровом образе жизни ЗОЖ в блогах на LiveJournal. Статьи о долголетии, правильном питании и фитнесе.","parent_id":0,"keywords":"","name_menu":"здоровье","genitive":"о здоровье","title":"Блоги о здоровье и правильном образе жизни — Живой Журнал","id":"33","type":"C","name_ucf":"Здоровье"},{"keyword":"rubl","name":"Рубль","position":6534,"active":1,"description":"Экономические вопросы","parent_id":0,"keywords":"россия рубль деньги экономика развитие путин доллар нефть","name_menu":"Рубль","genitive":"Рубля","title":"Рубль","id":"63","type":"C","name_ucf":"Рубль"},{"keyword":"literatura","name":"литература","position":6535,"active":1,"description":"Читайте литературные блоги писателей, авторов и любителей литературы на LiveJournal — отзывы, правдивая критика и обсуждение новинок книжного мира.","parent_id":0,"keywords":"","name_menu":"литература","genitive":"о литературе","title":"Литературные и книжные блоги — Живой Журнал","id":"21","type":"C","name_ucf":"Литература"},{"keyword":"nedvizhimost","name":"недвижимость","position":6536,"active":1,"description":"Статьи и блоги о недвижимости в Москве, Санкт-Петербурге, Новосибирске и других городах России и Мира.","parent_id":0,"keywords":"","name_menu":"недвижимость","genitive":"о недвижимости","title":"Статьи и блоги о недвижимости — Живой Журнал","id":"7","type":"C","name_ucf":"Недвижимость"},{"keyword":"zimnie-skazki","subcategories":[],"name":"#зимниесказки","position":6537,"active":1,"description":"Подключайтесь к творческому марафону блогеров LiveJournal: вас ждут множество зимних идей для новых записей.","parent_id":0,"keywords":"Марафон ЖЖ, творческий марафон, блог, зима, зимние сказки","name_menu":"#зимниесказки","genitive":"#зимниесказки","title":"#зимниесказки — творческий марафон для авторов ЖЖ","id":"227","type":"C","name_ucf":"#зимниесказки"},{"keyword":"vokrug-sveta","subcategories":[{"keyword":"arhitektura","name":"архитектура","position":6475,"active":1,"description":"Статьи об архитектуре, новости современного строительства и урбанистики в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"архитектура","genitive":"архитектуры","title":"Блоги об архитектуре и урбанистике — Живой Журнал","id":"148","type":"C","name_ucf":"Архитектура"},{"keyword":"griby","name":"грибы","position":6584,"active":1,"description":"Блоги и статьи о грибах будут полезны и интересны как опытным грибникам, так и новичкам — виды грибов, как собирать грибы и какие, съедобные и ядовитые грибы, где искать грибы, способы выращивания и полезные свойства грибов","parent_id":0,"keywords":"ЖЖ, LiveJournal, живой журнал, блоги, грибы, грибники","name_menu":"грибы","genitive":"о грибах","title":"Блоги и статьи о грибах — Живой Журнал","id":"192","type":"C","name_ucf":"Грибы"},{"keyword":"zhivotnye","name":"животные","position":6469,"active":1,"description":"Статьи и блоги о жизни животных на LiveJournal — много интересной информации о домашних питомцев и обитателей дикой природы.","parent_id":0,"keywords":"","name_menu":"животные","genitive":"о животных","title":"Статьи и блоги о животных — Живой Журнал","id":"27","type":"C","name_ucf":"Животные"},{"keyword":"priroda","name":"природа","position":6581,"active":1,"description":"Статьи и блоги о природе России и других уголков мира на LiveJournal — много интересной информации для любителей дикой природы.","parent_id":0,"keywords":"","name_menu":"природа","genitive":"о природе","title":"Статьи и блоги о природе — Живой Журнал","id":"28","type":"C","name_ucf":"Природа"},{"keyword":"pticy","name":"птицы","position":6521,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"птицы","genitive":"птиц","title":"","id":"159","type":"C","name_ucf":"Птицы"},{"keyword":"puteshestviya","name":"путешествия","position":6482,"active":1,"description":"Заметки путешественников и интересные факты о незнакомых местах, новости туризма и путеводители, фотографии, обзоры, отзывы, инструкции в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"путешествия","genitive":"о путешествиях","title":"Блоги о путешествиях и самостоятельном туризме — Живой Журнал","id":"29","type":"C","name_ucf":"Путешествия"},{"keyword":"cvety","name":"цветы","position":6522,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"цветы","genitive":"цветов","title":"","id":"160","type":"C","name_ucf":"Цветы"}],"name":"Вокруг света","position":6538,"active":1,"description":"В рубрике Вокруг Света на LiveJournal собраны статьи и блоги, посвященные важным и актуальным событиям, происходящие в разных странах мира.","parent_id":0,"keywords":"","name_menu":"Вокруг света","genitive":"о мире","title":"Последние события в мире — Живой Журнал","id":"26","type":"C","name_ucf":"Вокруг света"},{"keyword":"ugolki_rossii","name":"#уголкиРоссии","position":6540,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"#уголкиРоссии","genitive":"#уголкиРоссии","title":"","id":"180","type":"C","name_ucf":"#уголкиРоссии"},{"keyword":"vkusniy_avgust","name":"#вкусныйавгуст","position":6541,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"#вкусныйавгуст","genitive":"#вкусныйавгуст","title":"","id":"179","type":"C","name_ucf":"#вкусныйавгуст"},{"keyword":"zhzhizn","name":"ЖЖизнь","position":6542,"active":1,"description":"Новости и события, происходящие в LiveJournal","parent_id":0,"keywords":"ЖЖ живой журнал топ скандал новость блогер обсуждения","name_menu":"ЖЖизнь","genitive":"ЖЖизни","title":"ЖЖизнь","id":"61","type":"C","name_ucf":"ЖЖизнь"},{"keyword":"tsennyye-veshchi","subcategories":[],"name":"#ценныевещи","position":6544,"active":1,"description":"Участвуйте в хешмобе! Авторов самых интересных постов ждут призы!","parent_id":0,"keywords":"ЖЖ, Живой Журнал, LiveJournal, лайвджорнал, блоги ЖЖ, ведение блога, хешмоб, флешмоб, конкурс, приз, подарки, мерч, сувениры, презент, розыгрыш призов, выиграть приз, ценные вещи, важный предмет, материальная ценность, нематериальная ценность, семейные ценности, семейная реликвия, семейная память, наследие, наследство, богатство, важность, коллекция, сокровище, драгоценность, история, хранить, воспоминание, фотография, архив, семейные традиции, связь поколений, дети, внуки, родители, бабушка, дедушка, родственники, отношения","name_menu":"#ценныевещи","genitive":"#ценныевещи","title":"#ценныевещи — хешмоб обо всём, что ценно для нас","id":"230","type":"C","name_ucf":"#ценныевещи"},{"keyword":"lj24","subcategories":[],"name":"#жж24","position":6546,"active":1,"description":"Расскажите, что для вас значит Живой Журнал, добавьте к посту хештег #жж24. Авторов самых интересных постов ждут призы от ЖЖ.","parent_id":0,"keywords":"","name_menu":"#жж24","genitive":"#жж24","title":"#жж24 — ЖЖ дарит подарки на свой День рождения","id":"201","type":"C","name_ucf":"#жж24"},{"keyword":"politika","name":"политика","position":6547,"active":1,"description":"Последние новости о политической жизни России, Украины и других стран Европы и Мира в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"политика","genitive":"о политике","title":"Статьи и блоги и политике — Живой Журнал","id":"10","type":"C","name_ucf":"Политика"},{"keyword":"koronavirus","name":"Коронавирус","position":6549,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"Коронавирус","genitive":"о коронавирусе","title":"","id":"152","type":"C","name_ucf":"Коронавирус"},{"keyword":"rodom-iz-detstva","subcategories":[],"name":"#родомиздетства","position":6550,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"#родомиздетства","genitive":"#родомиздетства","title":"#родомиздетства","id":"189","type":"C","name_ucf":"#родомиздетства"},{"keyword":"soobschestva","name":"Сообщества","position":6551,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"Сообщества","genitive":"Сообществ","title":"","id":"225","type":"C","name_ucf":"Сообщества"},{"keyword":"vizhu-krasivoe","subcategories":[],"name":"#вижукрасивое","position":6552,"active":1,"description":"Примите участие в летнем хешмобе ЖЖ. Авторов самых интересных постов ждут призы!","parent_id":0,"keywords":"хэшмоб, хешмоб, ЖЖ, Живой Журнал, ВижуКрасивое","name_menu":"#вижукрасивое","genitive":"#вижукрасивое","title":"#вижукрасивое— хешмоб ЖЖ, где делятся красотой","id":"207","type":"C","name_ucf":"#вижукрасивое"},{"keyword":"lytdybr","name":"лытдыбр","position":6553,"active":1,"description":"Онлайн-дневники на LiveJournal — непридуманные истории от пользователей ЖЖ.","parent_id":0,"keywords":"","name_menu":"лытдыбр","genitive":"Лытдыбра","title":"Лытытбыр (дневники) — Живой Журнал","id":"142","type":"C","name_ucf":"Лытдыбр"},{"keyword":"kompyutery","name":"компьютеры","position":6554,"active":1,"description":"Обзоры последних компьютерных новинок в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"компьютеры","genitive":"о компьютерах","title":"Блоги и статьи о компьютерах — Живой Журнал","id":"48","type":"C","name_ucf":"Компьютеры"},{"keyword":"khoroshii2023","subcategories":[],"name":"#хороший2023","position":6556,"active":1,"description":"Участвуйте в новогоднем хешмобе ЖЖ! Выигрывайте классный мерч!","parent_id":0,"keywords":"ЖЖ, Живой Журнал, LiveJournal, лайвджорнал, блоги ЖЖ, блогеры ЖЖ, хешмоб, флешмоб, конкурс, новый год, новогодний конкурс, итоги года, +о хорошем, хорошие новости, добрая весть, подведем итоги, розыгрыш призов, дарим призы, новогодние подарки, сувенирка, мерч, итоги 2023, год дракона 2024, хорошие события, позитив, позитивные изменения, радостная новость, рефлексия, рассказ +о +себе.","name_menu":"#хороший2023","genitive":"#хороший2023","title":"#хороший2023 — расскажите о хороших событиях 2023 года!","id":"214","type":"C","name_ucf":"#хороший2023"},{"keyword":"epoha-prosvescheniya","subcategories":[],"name":"Эпоха просвещения","position":6557,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"Просвещение","genitive":"Эпохи просвещения","title":"Эпоха просвещения","id":"149","type":"C","name_ucf":"Эпоха просвещения"},{"keyword":"letnie-dni","subcategories":[],"name":"#летниедни","position":6559,"active":1,"description":"Марафон ЖЖ, творческий марафон, блог, лето, летние дни","parent_id":0,"keywords":"Подключайтесь к творческому марафону блогеров LiveJournal: вас ждут множество летних идей для новых записей.","name_menu":"#летниедни","genitive":"#летниедни","title":"#летниедни — творческий марафон для авторов ЖЖ","id":"221","type":"C","name_ucf":"#летниедни"},{"keyword":"nauka","name":"наука","position":6560,"active":1,"description":"Всё самое интересное из мира науки в блогах на LiveJournal — научные статьи и свежие новости из мира высоких технологий.","parent_id":0,"keywords":"","name_menu":"наука","genitive":"о науке","title":"Наука — научные статьи и последние новости из мира высоких технологий — Живой Журнал","id":"50","type":"C","name_ucf":"Наука"},{"keyword":"remont","name":"ремонт","position":6561,"active":1,"description":"Блоги и статьи о ремонте на LiveJournal — все чо вам нужно знать об обустройстве дома или квартиры от профессионалов в области ремонта и простых пользователей.","parent_id":0,"keywords":"","name_menu":"ремонт","genitive":"о ремонте","title":"Блоги и статьи о ремонте — Живой Журнал","id":"39","type":"C","name_ucf":"Ремонт"},{"keyword":"vkus-leta","subcategories":[],"name":"#вкуслета","position":6562,"active":1,"description":"Примите участие во вкусном хешмобе ЖЖ. Авторов самых интересных постов ждут призы!","parent_id":0,"keywords":"хэшмоб, хешмоб, флешмоб, ЖЖ, Живой Журнал, LiveJournal, фуд блог, вкус лета, летние рецепты, кулинарный блог, кулинарный конкурс, летнее блюдо, летний завтрак, летний обед, летний ужин, закуски летом, летний стол, летний салат, летняя еда, окрошка","name_menu":"#вкуслета","genitive":"#вкуслета","title":"#вкуслета — хешмоб ЖЖ с рецептами летних блюд","id":"210","type":"C","name_ucf":"#вкуслета"},{"keyword":"biznes","name":"бизнес","position":6563,"active":1,"description":"Последние новости и актуальная информация из мира бизнеса и предпринимательства на LiveJournal.","parent_id":0,"keywords":"","name_menu":"бизнес","genitive":"о бизнесе","title":"Блоги и статьи о бизнесе — Живой Журнал — ЖЖ","id":"64","type":"C","name_ucf":"Бизнес"},{"keyword":"rabota","name":"работа","position":6564,"active":1,"description":"Блоги и статьи на тему Работа на LiveJournal.","parent_id":0,"keywords":"","name_menu":"работа","genitive":"о работе","title":"Статьи и блоги про работу — Живой Журнал","id":"12","type":"C","name_ucf":"Работа"},{"keyword":"filosofiya","name":"философия","position":6565,"active":1,"description":"Блоги и статьи на тему Философия на Livejournal.","parent_id":0,"keywords":"","name_menu":"философия","genitive":"о философии","title":"Блоги и статьи о философии — Живой Журнал","id":"41","type":"C","name_ucf":"Философия"},{"keyword":"tehnika","name":"техника","position":6566,"active":1,"description":"Всё о технических новинках и электроники в блогах на LiveJournal — обзоры, описания, статьи, внутреннее устройство, тесты и видеообзоры.","parent_id":0,"keywords":"","name_menu":"техника","genitive":"о технике","title":"Блоги и статьи о технике и электронике — Живой Журнал","id":"52","type":"C","name_ucf":"Техника"},{"keyword":"nauka-i-tehnika","subcategories":[{"keyword":"it","name":"IT","position":6595,"active":1,"description":"Интересные и полезные статьи в области программирования и высоких технологий в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"IT","genitive":"об IT","title":"IT-блоги — Живой Журнал","id":"46","type":"C","name_ucf":"IT"},{"keyword":"aviaciya","name":"авиация","position":6523,"active":1,"description":"Последние новости и история российской и зарубежной авиации в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"авиация","genitive":"об авиации","title":"Авиационные блоги и статьи — Живой Журнал","id":"47","type":"C","name_ucf":"Авиация"},{"keyword":"avto","name":"авто","position":6477,"active":1,"description":"Блоги об автоновинках, обзоры, тест-драйвы, советы по обслуживанию и ремонте, выбор автомобиля и правовые вопросы на LiveJournal.","parent_id":0,"keywords":"","name_menu":"авто","genitive":"об авто","title":"Автомобильные блоги — все об автомобилях — Живой Журнал","id":"35","type":"C","name_ucf":"Авто"},{"keyword":"arhitektura","name":"архитектура","position":6475,"active":1,"description":"Статьи об архитектуре, новости современного строительства и урбанистики в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"архитектура","genitive":"архитектуры","title":"Блоги об архитектуре и урбанистике — Живой Журнал","id":"148","type":"C","name_ucf":"Архитектура"},{"keyword":"ii","name":"ИИ","position":6501,"active":1,"description":"Интересные и полезные статьи в области искусственного интеллекта, нейронных сетей и машинного обучения в блогах на LiveJournal","parent_id":0,"keywords":"","name_menu":"ИИ","genitive":"Искусственного Интеллекта","title":"Блоги и статьи об искусственном интеллекте — Живой Журнал — ЖЖ","id":"202","type":"C","name_ucf":"ИИ"},{"keyword":"kompyutery","name":"компьютеры","position":6554,"active":1,"description":"Обзоры последних компьютерных новинок в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"компьютеры","genitive":"о компьютерах","title":"Блоги и статьи о компьютерах — Живой Журнал","id":"48","type":"C","name_ucf":"Компьютеры"},{"keyword":"korabli","name":"корабли","position":6587,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"корабли","genitive":"кораблей","title":"","id":"155","type":"C","name_ucf":"Корабли"},{"keyword":"kosmos","name":"космос","position":6507,"active":1,"description":"Блоги и статьи о космосе на LiveJournal — обсуждаем все, что касается космоса, астрономии и космонавтики.","parent_id":0,"keywords":"","name_menu":"космос","genitive":"о космосе","title":"Блоги и статьи о космосе — Живой Журнал","id":"49","type":"C","name_ucf":"Космос"},{"keyword":"lingvistika","name":"лингвистика","position":6470,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"лингвистика","genitive":"лингвистики","title":"","id":"161","type":"C","name_ucf":"Лингвистика"},{"keyword":"nauka","name":"наука","position":6560,"active":1,"description":"Всё самое интересное из мира науки в блогах на LiveJournal — научные статьи и свежие новости из мира высоких технологий.","parent_id":0,"keywords":"","name_menu":"наука","genitive":"о науке","title":"Наука — научные статьи и последние новости из мира высоких технологий — Живой Журнал","id":"50","type":"C","name_ucf":"Наука"},{"keyword":"proizvodstvo","name":"производство","position":6606,"active":1,"description":"Новости, статьи и другая полезная информация о производстве в России и мире в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"производство","genitive":"о производстве","title":"Блоги и статьи о производстве в России и мире — Живой Журнал","id":"51","type":"C","name_ucf":"Производство"},{"keyword":"tehnika","name":"техника","position":6566,"active":1,"description":"Всё о технических новинках и электроники в блогах на LiveJournal — обзоры, описания, статьи, внутреннее устройство, тесты и видеообзоры.","parent_id":0,"keywords":"","name_menu":"техника","genitive":"о технике","title":"Блоги и статьи о технике и электронике — Живой Журнал","id":"52","type":"C","name_ucf":"Техника"},{"keyword":"tehnologii","name":"технологии","position":6588,"active":1,"description":"Новости и статьи о современных технологиях и инновациях, мировых разработках и тенденция развития технологий, которые делают нашу жизнь интереснее и проще.","parent_id":0,"keywords":"","name_menu":"технологии","genitive":"о технологиях","title":"Блоги и инновациях и технологиях — Живой Журнал","id":"53","type":"C","name_ucf":"Технологии"},{"keyword":"transport","name":"транспорт","position":6506,"active":1,"description":"Статьи и блоги о транспорте в самом широком понимании на LiveJournal.","parent_id":0,"keywords":"","name_menu":"транспорт","genitive":"транспорта","title":"Статьи и блоги о транспорте — Живой Журнал","id":"145","type":"C","name_ucf":"Транспорт"},{"keyword":"energetika","name":"энергетика","position":6570,"active":1,"description":"Энергетика простыми словами в блогах и статьях на LiveJournal — мнения экспертов и другая полезная информация об энергосбережении.","parent_id":0,"keywords":"","name_menu":"энергетика","genitive":"об энергетике","title":"Блоги и статьи об энергетике — Живой Журнал","id":"54","type":"C","name_ucf":"Энергетика"}],"name":"Наука и техника","position":6567,"active":1,"description":"Новости науки и техники, мнения с ученых и людей, которым не безразлично развитие науки.","parent_id":0,"keywords":"","name_menu":"Наука и техника","genitive":"о науке и технике","title":"Блоги и статьи о науке и технике — Живой Журнал","id":"45","type":"C","name_ucf":"Наука и техника"},{"keyword":"2024-v-kartinkah","subcategories":[],"name":"#2024вкартинках","position":6568,"active":1,"description":"Участвуйте в новогодних активностях для блогеров Живого Журнала","parent_id":0,"keywords":"ЖЖ, Живой Журнал, LiveJournal, лайвджорнал, блоги ЖЖ, ведение блога, хешмоб, флешмоб, новый год, радости жизни, новогоднее настроение, приносить радость, итоги года, результаты года, подводить итоги, подготовка к празднику, праздничное настроение, вдохновляющий, воспоминания","name_menu":"#2024вкартинках","genitive":"#2024вкартинках","title":"#2024вкартинках — ваши случайные фотографии из 2024 года","id":"229","type":"C","name_ucf":"#2024вкартинках"},{"keyword":"iskusstvo","name":"искусство","position":6569,"active":1,"description":"Читайте о последних новостях и трендах в искусстве на LiveJournal — лучшие блоги об искусстве и культуре.","parent_id":0,"keywords":"","name_menu":"искусство","genitive":"об искусстве","title":"Статьи и блоги про искусство — Живой Журнал","id":"19","type":"C","name_ucf":"Искусство"},{"keyword":"energetika","name":"энергетика","position":6570,"active":1,"description":"Энергетика простыми словами в блогах и статьях на LiveJournal — мнения экспертов и другая полезная информация об энергосбережении.","parent_id":0,"keywords":"","name_menu":"энергетика","genitive":"об энергетике","title":"Блоги и статьи об энергетике — Живой Журнал","id":"54","type":"C","name_ucf":"Энергетика"},{"keyword":"delo_bylo_osenyu","subcategories":[],"name":"#делобылоосенью","position":6571,"active":1,"description":"Подключайтесь к творческому марафону блогеров LiveJournal: вас ждут 420 осенних идей для новых записей.","parent_id":0,"keywords":"","name_menu":"#делобылоосенью","genitive":"#делобылоосенью","title":"#делобылоосенью — творческий марафон для авторов ЖЖ","id":"188","type":"C","name_ucf":"#делобылоосенью"},{"keyword":"rossiya","name":"Россия","position":6572,"active":1,"description":"Узнавайте о последних новостях России в блогах на LiveJournal — обзор политической и экономической ситуации, социальная оценка происходящих событий.","parent_id":0,"keywords":"","name_menu":"Россия","genitive":"о России","title":"Блоги и статьи о современной России — Живой Журнал","id":"136","type":"C","name_ucf":"Россия"},{"keyword":"krasota-i-zdorove","subcategories":[{"keyword":"zdorove","name":"здоровье","position":6533,"active":1,"description":"Лучшие советы о здоровом образе жизни ЗОЖ в блогах на LiveJournal. Статьи о долголетии, правильном питании и фитнесе.","parent_id":0,"keywords":"","name_menu":"здоровье","genitive":"о здоровье","title":"Блоги о здоровье и правильном образе жизни — Живой Журнал","id":"33","type":"C","name_ucf":"Здоровье"},{"keyword":"koronavirus","name":"Коронавирус","position":6549,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"Коронавирус","genitive":"о коронавирусе","title":"","id":"152","type":"C","name_ucf":"Коронавирус"},{"keyword":"kosmetika","name":"косметика","position":6476,"active":1,"description":"Блоги о косметике, обзоры новинок бьюти-гаджетов и парфюмерии на LiveJournal. Лучшие советы от мировых и российских экспертов в области ухода и макияжа.","parent_id":0,"keywords":"","name_menu":"косметика","genitive":"о косметике","title":"Косметика — секреты красоты, новости бьюти индустрии — Живой Журнал","id":"31","type":"C","name_ucf":"Косметика"},{"keyword":"medicina","name":"медицина","position":6460,"active":1,"description":"Лучшие статьи о медицине и лечении от практикующих врачей в блогах LiveJournal — советы по лечению различных заболеваний и информация о медикаментах.","parent_id":0,"keywords":"","name_menu":"медицина","genitive":"о медицине","title":"Блоги и статьи о медицине, заболеваниях и современных методах лечения — Живой Журнал","id":"32","type":"C","name_ucf":"Медицина"},{"keyword":"sport","name":"спорт","position":6519,"active":1,"description":"Последние спортивные новости, обзоры, фото, видео и другие обсуждения спортивных событий в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"спорт","genitive":"о спорте","title":"Спортивные блоги и аналитика — Живой Журнал","id":"23","type":"C","name_ucf":"Спорт"}],"name":"Красота и здоровье","position":6574,"active":1,"description":"Блоги и статьи о красоте на LiveJournal — макияж, уход за кожей тела и лица, волосы, маникюр, мода и другие темы.","parent_id":0,"keywords":"","name_menu":"Красота и здоровье","genitive":"о красоте и здоровье","title":"Блоги и статьи о красоте — Живой Журнал","id":"30","type":"C","name_ucf":"Красота и здоровье"},{"keyword":"rukodelie","name":"рукоделие","position":6575,"active":1,"description":"Блог и статьи о рукоделии на LiveJournal — мастер-классы, техники вышивания и новые направления в рукоделии и прикладном творчестве.","parent_id":0,"keywords":"","name_menu":"рукоделие","genitive":"рукоделия","title":"Блоги и статьи о рукоделии — Живой Журнал","id":"141","type":"C","name_ucf":"Рукоделие"},{"keyword":"ekonomika","name":"экономика","position":6576,"active":1,"description":"Статьи на тему финансов и экономики в блогах на LiveJournal - прогнозы и аналитика от экспертов финансовой отрасли.","parent_id":0,"keywords":"","name_menu":"экономика","genitive":"экономики","title":"Блоги и статьи про экономику — Живой Журнал","id":"144","type":"C","name_ucf":"Экономика"},{"keyword":"leto-na-stole","subcategories":[],"name":"#летонастоле","position":6577,"active":1,"description":"Примите участие во вкусном хешмобе! Авторов самых интересных постов ждут призы!","parent_id":0,"keywords":"ЖЖ, Живой Журнал, LiveJournal, лайвджорнал, блоги ЖЖ, ведение блога, хешмоб, флешмоб, конкурс, приз, подарки, мерч, сувениры, фуд блог, вкус лета, летние рецепты, кулинарный блог, кулинарный конкурс, летнее блюдо, летний завтрак, летний обед, летний ужин, закуски летом, летний стол, летний салат, летняя еда, окрошка, блюдо из кабачков, летний напиток, гриль, мангал, лимонад, грибы, мороженое","name_menu":"#летонастоле","genitive":"#летонастоле","title":"#летонастоле — конкурс летних рецептов в ЖЖ","id":"222","type":"C","name_ucf":"#летонастоле"},{"keyword":"eda","name":"Еда","position":6578,"active":1,"description":"Самые вкусные рецепты c фотографиями и видео, честные обзоры кафе и ресторанов, кулинарные блоги и многое другое.","parent_id":0,"keywords":"","name_menu":"Еда","genitive":"о еде","title":"Еда — вкусные рецепты, кулинарные блоги про еду, кафе и рестораны — Живой Журнал","id":"25","type":"C","name_ucf":"Еда"},{"keyword":"priroda","name":"природа","position":6581,"active":1,"description":"Статьи и блоги о природе России и других уголков мира на LiveJournal — много интересной информации для любителей дикой природы.","parent_id":0,"keywords":"","name_menu":"природа","genitive":"о природе","title":"Статьи и блоги о природе — Живой Журнал","id":"28","type":"C","name_ucf":"Природа"},{"keyword":"ezoterika","name":"эзотерика","position":6582,"active":1,"description":"Блоги и статьи на тему Эзотерика на Livejournal.","parent_id":0,"keywords":"","name_menu":"эзотерика","genitive":"об эзотерике","title":"Блоги и статьи об эзотерике — Живой Журнал","id":"40","type":"C","name_ucf":"Эзотерика"},{"keyword":"rybalka","name":"рыбалка","position":6583,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"рыбалка","genitive":"рыбалки","title":"","id":"156","type":"C","name_ucf":"Рыбалка"},{"keyword":"griby","name":"грибы","position":6584,"active":1,"description":"Блоги и статьи о грибах будут полезны и интересны как опытным грибникам, так и новичкам — виды грибов, как собирать грибы и какие, съедобные и ядовитые грибы, где искать грибы, способы выращивания и полезные свойства грибов","parent_id":0,"keywords":"ЖЖ, LiveJournal, живой журнал, блоги, грибы, грибники","name_menu":"грибы","genitive":"о грибах","title":"Блоги и статьи о грибах — Живой Журнал","id":"192","type":"C","name_ucf":"Грибы"},{"keyword":"takaya-zima","subcategories":[],"name":"#такаязима","position":6585,"active":1,"description":"Подключайтесь к творческому марафону блогеров LiveJournal: вас ждут 717 зимних идей для новых записей.","parent_id":0,"keywords":"Марафон ЖЖ, творческий марафон, блог, зима, такая зима","name_menu":"#такаязима","genitive":"#такаязима","title":"#такаязима — творческий марафон для авторов ЖЖ","id":"215","type":"C","name_ucf":"#такаязима"},{"keyword":"korabli","name":"корабли","position":6587,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"корабли","genitive":"кораблей","title":"","id":"155","type":"C","name_ucf":"Корабли"},{"keyword":"tehnologii","name":"технологии","position":6588,"active":1,"description":"Новости и статьи о современных технологиях и инновациях, мировых разработках и тенденция развития технологий, которые делают нашу жизнь интереснее и проще.","parent_id":0,"keywords":"","name_menu":"технологии","genitive":"о технологиях","title":"Блоги и инновациях и технологиях — Живой Журнал","id":"53","type":"C","name_ucf":"Технологии"},{"keyword":"media","subcategories":[],"name":"Медиа","position":6589,"active":1,"description":"Узнавайте всё самое актуальное из блогов медиапроектов в ЖЖ!","parent_id":0,"keywords":"ЖЖ, Живой Журнал, LiveJournal, лайвджорнал, блоги ЖЖ, блогеры ЖЖ, СМИ, интернет-СМИ, медиа, медийный проект, медиаресурс, площадка для медиа, актуальные новости, партнерская программа, программа поддержки, контент мейкер, познавательный контент, дайджест, полезная статья","name_menu":"Медиа","genitive":"Медиа","title":"Медиа","id":"217","type":"C","name_ucf":"Медиа"},{"keyword":"kultura","name":"культура","position":6590,"active":1,"description":"Познавательные и интересные статьи о культуре и искусстве в блогах на LiveJournal","parent_id":0,"keywords":"","name_menu":"культура","genitive":"о культуре","title":"Блоги и статьи о культуре — Живой Журнал — ЖЖ","id":"205","type":"C","name_ucf":"Культура"},{"keyword":"fotografiya","name":"фотография","position":6591,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"фотография","genitive":"фотографии","title":"","id":"158","type":"C","name_ucf":"Фотография"},{"keyword":"muzyka","name":"музыка","position":6592,"active":1,"description":"Знакомьтесь с последними трендами и новинками музыкальной индустрии в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"музыка","genitive":"о музыке","title":"Музыкальные блоги на русском — Живой Журнал","id":"22","type":"C","name_ucf":"Музыка"},{"keyword":"semya-i-deti","subcategories":[{"keyword":"deti","name":"дети","position":6529,"active":1,"description":"Самые интересные статьи о рождении и воспитании детей в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"дети","genitive":"о детях","title":"Статьи и блоги для родителей и про детей — Живой Журнал","id":"43","type":"C","name_ucf":"Дети"},{"keyword":"obrazovanie","name":"образование","position":6524,"active":1,"description":"Статьи и блоги о дошкольном, школьном, высшем и дополнительном образовании в России и мире на LiveJournal.","parent_id":0,"keywords":"","name_menu":"образование","genitive":"об образовании","title":"Статьи и блоги об образовании — Живой Журнал","id":"8","type":"C","name_ucf":"Образование"},{"keyword":"otnosheniya","name":"отношения","position":6490,"active":1,"description":"Статьи об отношениях между людьми в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"отношения","genitive":"отношений","title":"Блоги и статьи об отношениях — Живой Журнал","id":"137","type":"C","name_ucf":"Отношения"},{"keyword":"psihologiya","name":"психология","position":6494,"active":1,"description":"Психологические блоги, тесты, статьи на тему психологии и саморазвития, советы от практикующих специалистов.","parent_id":0,"keywords":"","name_menu":"психология","genitive":"психологии","title":"Статьи и блоги о психологии, психологические тесты — Живой Журнал","id":"139","type":"C","name_ucf":"Психология"},{"keyword":"semya","name":"семья","position":6468,"active":1,"description":"Самые интересные статьи о семье в блогах на LiveJournal — практичные советы, идеи для счастливой семейной жизни, воспитанию детей и семейных ценностях.","parent_id":0,"keywords":"","name_menu":"семья","genitive":"о семье","title":"Статьи и блоги про семью — Живой Журнал","id":"44","type":"C","name_ucf":"Семья"}],"name":"Семья и дети","position":6593,"active":1,"description":"Самые интересные статьи о семье, детях, отношениях между мужчиной и женщиной в блогах на LiveJournal","parent_id":0,"keywords":"","name_menu":"Семья и дети","genitive":"о семье и детях","title":"Семья — блоги про семью, детей и отношения — Живой Журнал","id":"42","type":"C","name_ucf":"Семья и дети"},{"keyword":"vesna-yest-vesna","subcategories":[],"name":"#веснаестьвесна","position":6594,"active":1,"description":"Марафон ЖЖ, творческий марафон, блог, весна, весна есть весна","parent_id":0,"keywords":"Подключайтесь к творческому марафону блогеров LiveJournal: вас ждут 675 весенних идей для новых записей.","name_menu":"#веснаестьвесна","genitive":"#веснаестьвесна","title":"#веснаестьвесна — творческий марафон для авторов ЖЖ","id":"219","type":"C","name_ucf":"#веснаестьвесна"},{"keyword":"it","name":"IT","position":6595,"active":1,"description":"Интересные и полезные статьи в области программирования и высоких технологий в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"IT","genitive":"об IT","title":"IT-блоги — Живой Журнал","id":"46","type":"C","name_ucf":"IT"},{"keyword":"religiya","name":"религия","position":6596,"active":1,"description":"Блоги про религии и статьи на религиозные темы на LiveJournal.","parent_id":0,"keywords":"","name_menu":"религия","genitive":"о религии","title":"Статьи и блоги про религию — Живой Журнал","id":"13","type":"C","name_ucf":"Религия"},{"keyword":"kriminal","name":"криминал","position":6598,"active":1,"description":"Блоги и статьи на тему Криминал на Livejournal.","parent_id":0,"keywords":"","name_menu":"криминал","genitive":"о криминале","title":"Статьи и блоги о криминале — Живой Журнал","id":"6","type":"C","name_ucf":"Криминал"},{"keyword":"armiya","name":"армия","position":6599,"active":1,"description":"Армейские истории, обзор военно-политической ситуации, описание новой военной техники и оружия в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"армия","genitive":"об армии","title":"Армейские истории и военное обозрение в блогах — Живой Журнал","id":"3","type":"C","name_ucf":"Армия"},{"keyword":"dacha","name":"дача","position":6600,"active":1,"description":"Дачные блоги на LiveJournal об отдыхе от городской суеты, единении с природой, ведении приусадебного хозяйства и строительстве дачного дома.","parent_id":0,"keywords":"","name_menu":"дача","genitive":"о даче","title":"Блоги и статьи о даче, дачном отдыхе и хозяйстве — Живой Журнал","id":"36","type":"C","name_ucf":"Дача"},{"keyword":"mogu_umeyu_praktikuyu","name":"#могуумеюпрактикую","position":6601,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"#могуумеюпрактикую","genitive":"#могуумеюпрактикую","title":"","id":"185","type":"C","name_ucf":"#могуумеюпрактикую"},{"keyword":"novye_lica","name":"Новые лица","position":6602,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"Новые лица","genitive":"Новых лиц","title":"","id":"183","type":"C","name_ucf":"Новые лица"},{"keyword":"vkus","subcategories":[{"keyword":"griby","name":"грибы","position":6584,"active":1,"description":"Блоги и статьи о грибах будут полезны и интересны как опытным грибникам, так и новичкам — виды грибов, как собирать грибы и какие, съедобные и ядовитые грибы, где искать грибы, способы выращивания и полезные свойства грибов","parent_id":0,"keywords":"ЖЖ, LiveJournal, живой журнал, блоги, грибы, грибники","name_menu":"грибы","genitive":"о грибах","title":"Блоги и статьи о грибах — Живой Журнал","id":"192","type":"C","name_ucf":"Грибы"},{"keyword":"eda","name":"Еда","position":6578,"active":1,"description":"Самые вкусные рецепты c фотографиями и видео, честные обзоры кафе и ресторанов, кулинарные блоги и многое другое.","parent_id":0,"keywords":"","name_menu":"Еда","genitive":"о еде","title":"Еда — вкусные рецепты, кулинарные блоги про еду, кафе и рестораны — Живой Журнал","id":"25","type":"C","name_ucf":"Еда"},{"keyword":"napitki","name":"напитки","position":6498,"active":1,"description":"Вкусные рецепты напитков и коктейлей, которые можно приготовить в домашних условиях, с фотографиями и видео в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"напитки","genitive":"напитков","title":"Рецепты напитков и коктейлей — Живой Журнал","id":"147","type":"C","name_ucf":"Напитки"}],"name":"Вкус","position":6604,"active":1,"description":"Домашние и вкусные рецепты от известных блогеров с фото и видео и обзоры разных кухонь мира на LiveJournal.","parent_id":0,"keywords":"","name_menu":"Вкус","genitive":"о вкусе","title":"Рецепты от известных блогеров — Живой Журнал","id":"146","type":"C","name_ucf":"Вкус"},{"keyword":"obschestvo","name":"общество","position":6605,"active":1,"description":"Новости России и мира. Общественная жизнь и социальная политика в блогах на Livejournal. Аналитика событий — материалы от наших экспертов и гостей, обзор мировых новостей и политических событий.","parent_id":0,"keywords":"","name_menu":"общество","genitive":"об обществе","title":"Общество — новости России и мира в блогах — Живой Журнал","id":"9","type":"C","name_ucf":"Общество"},{"keyword":"proizvodstvo","name":"производство","position":6606,"active":1,"description":"Новости, статьи и другая полезная информация о производстве в России и мире в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"производство","genitive":"о производстве","title":"Блоги и статьи о производстве в России и мире — Живой Журнал","id":"51","type":"C","name_ucf":"Производство"},{"keyword":"moda","name":"мода","position":6607,"active":1,"description":"Статьи и блоги, в которых собрана информация о текущих трендах и главных событиях из мира моды.","parent_id":0,"keywords":"","name_menu":"мода","genitive":"о моде","title":"Блоги и статьи о моде — Живой Журнал","id":"38","type":"C","name_ucf":"Мода"},{"keyword":"gorod","name":"город","position":6608,"active":1,"description":"Блоги и статьи на тему Город на Livejournal.","parent_id":0,"keywords":"город","name_menu":"город","genitive":"о городе","title":"Статьи и блоги на городскую тематику — Живой Журнал","id":"4","type":"C","name_ucf":"Город"},{"keyword":"stil-zhizni","subcategories":[{"keyword":"diy","name":"DIY","position":6525,"active":1,"description":"Блоги об интересных поделках и самоделках. Полезные инструкции, лайфхаки и хитрости для тех, кто любит делать сам своими руками.","parent_id":0,"keywords":"","name_menu":"DIY","genitive":"DIY","title":"Сделай сам — Живой Журнал — ЖЖ","id":"209","type":"C","name_ucf":"DIY"},{"keyword":"avto","name":"авто","position":6477,"active":1,"description":"Блоги об автоновинках, обзоры, тест-драйвы, советы по обслуживанию и ремонте, выбор автомобиля и правовые вопросы на LiveJournal.","parent_id":0,"keywords":"","name_menu":"авто","genitive":"об авто","title":"Автомобильные блоги — все об автомобилях — Живой Журнал","id":"35","type":"C","name_ucf":"Авто"},{"keyword":"arhitektura","name":"архитектура","position":6475,"active":1,"description":"Статьи об архитектуре, новости современного строительства и урбанистики в блогах на LiveJournal.","parent_id":0,"keywords":"","name_menu":"архитектура","genitive":"архитектуры","title":"Блоги об архитектуре и урбанистике — Живой Журнал","id":"148","type":"C","name_ucf":"Архитектура"},{"keyword":"byt","name":"быт","position":6462,"active":1,"description":"Увлекательные и полезные статьи о быте повседневной жизни в блогах на LiveJournal","parent_id":0,"keywords":"","name_menu":"быт","genitive":"быта","title":"Блоги и статьи о быте — Живой Журнал — ЖЖ","id":"206","type":"C","name_ucf":"Быт"},{"keyword":"dacha","name":"дача","position":6600,"active":1,"description":"Дачные блоги на LiveJournal об отдыхе от городской суеты, единении с природой, ведении приусадебного хозяйства и строительстве дачного дома.","parent_id":0,"keywords":"","name_menu":"дача","genitive":"о даче","title":"Блоги и статьи о даче, дачном отдыхе и хозяйстве — Живой Журнал","id":"36","type":"C","name_ucf":"Дача"},{"keyword":"dizayn","name":"дизайн","position":6526,"active":1,"description":"Блоги и статьи о дизайне на LiveJournal. Дизайн в интерьере, моде, саде — советы, мастер-классы, примеры работ.","parent_id":0,"keywords":"","name_menu":"дизайн","genitive":"о дизайне","title":"Блоги и статьи о дизайне — Живой Журнал","id":"37","type":"C","name_ucf":"Дизайн"},{"keyword":"kosmetika","name":"косметика","position":6476,"active":1,"description":"Блоги о косметике, обзоры новинок бьюти-гаджетов и парфюмерии на LiveJournal. Лучшие советы от мировых и российских экспертов в области ухода и макияжа.","parent_id":0,"keywords":"","name_menu":"косметика","genitive":"о косметике","title":"Косметика — секреты красоты, новости бьюти индустрии — Живой Журнал","id":"31","type":"C","name_ucf":"Косметика"},{"keyword":"lytdybr","name":"лытдыбр","position":6553,"active":1,"description":"Онлайн-дневники на LiveJournal — непридуманные истории от пользователей ЖЖ.","parent_id":0,"keywords":"","name_menu":"лытдыбр","genitive":"Лытдыбра","title":"Лытытбыр (дневники) — Живой Журнал","id":"142","type":"C","name_ucf":"Лытдыбр"},{"keyword":"moda","name":"мода","position":6607,"active":1,"description":"Статьи и блоги, в которых собрана информация о текущих трендах и главных событиях из мира моды.","parent_id":0,"keywords":"","name_menu":"мода","genitive":"о моде","title":"Блоги и статьи о моде — Живой Журнал","id":"38","type":"C","name_ucf":"Мода"},{"keyword":"otzyvy","name":"отзывы","position":6511,"active":1,"description":"Статьи и отзывы на тему Отзывы на LiveJournal","parent_id":0,"keywords":"","name_menu":"отзывы","genitive":"отзывов","title":"Отзывы — Живой Журнал","id":"140","type":"C","name_ucf":"Отзывы"},{"keyword":"remont","name":"ремонт","position":6561,"active":1,"description":"Блоги и статьи о ремонте на LiveJournal — все чо вам нужно знать об обустройстве дома или квартиры от профессионалов в области ремонта и простых пользователей.","parent_id":0,"keywords":"","name_menu":"ремонт","genitive":"о ремонте","title":"Блоги и статьи о ремонте — Живой Журнал","id":"39","type":"C","name_ucf":"Ремонт"},{"keyword":"rukodelie","name":"рукоделие","position":6575,"active":1,"description":"Блог и статьи о рукоделии на LiveJournal — мастер-классы, техники вышивания и новые направления в рукоделии и прикладном творчестве.","parent_id":0,"keywords":"","name_menu":"рукоделие","genitive":"рукоделия","title":"Блоги и статьи о рукоделии — Живой Журнал","id":"141","type":"C","name_ucf":"Рукоделие"},{"keyword":"rybalka","name":"рыбалка","position":6583,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"рыбалка","genitive":"рыбалки","title":"","id":"156","type":"C","name_ucf":"Рыбалка"},{"keyword":"filosofiya","name":"философия","position":6565,"active":1,"description":"Блоги и статьи на тему Философия на Livejournal.","parent_id":0,"keywords":"","name_menu":"философия","genitive":"о философии","title":"Блоги и статьи о философии — Живой Журнал","id":"41","type":"C","name_ucf":"Философия"},{"keyword":"cvety","name":"цветы","position":6522,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"цветы","genitive":"цветов","title":"","id":"160","type":"C","name_ucf":"Цветы"},{"keyword":"ezoterika","name":"эзотерика","position":6582,"active":1,"description":"Блоги и статьи на тему Эзотерика на Livejournal.","parent_id":0,"keywords":"","name_menu":"эзотерика","genitive":"об эзотерике","title":"Блоги и статьи об эзотерике — Живой Журнал","id":"40","type":"C","name_ucf":"Эзотерика"}],"name":"Стиль жизни","position":6609,"active":1,"description":"Lifestyle-блоги на LiveJournal о красивой и интересной жизни, путешествиях, здоровом образе жизни, важных событиях.","parent_id":0,"keywords":"","name_menu":"Стиль жизни","genitive":"о стиле жизни","title":"Стиль жизни — блоги о том как правильно и интересно жить — Живой Журнал","id":"34","type":"C","name_ucf":"Стиль жизни"},{"keyword":"zima-vmeste","subcategories":[],"name":"#зимавместе","position":6610,"active":1,"description":"Подключайтесь к творческому марафону блогеров LiveJournal: вас ждут 500 зимних идей для новых записей.","parent_id":0,"keywords":"","name_menu":"#зимавместе","genitive":"#зимавместе","title":"#зимавместе — творческий марафон для авторов ЖЖ","id":"196","type":"C","name_ucf":"#зимавместе"},{"keyword":"10yearstravelchallenge","name":"#10yearstravelchallenge","position":6611,"active":1,"description":"","parent_id":0,"keywords":"","name_menu":"#10yearstravelchallenge","genitive":"#10yearstravelchallenge","title":"","id":"171","type":"C","name_ucf":"#10yearstravelchallenge"}],"contentflag_reasons":[{"reasons":[{"reason":"Spam","flag":7,"description":"Submit a complaint if someone has posted an ad in an inappropriate location."}],"section":"Spam"},{"reasons":[{"reason":"Pornographic content involving minors","flag":1,"description":"Materials with pornographic depiction of minors, or involvement of minors in entertainment activities of pornographic nature."},{"only":["entry","photo"],"reason":"Adult content","flag":4,"description":"Explicit graphic content only intended for viewers aged 18 and up."}],"section":"Pornographic materials"},{"reasons":[{"only":["comment"],"reason":"Hate speech","flag":10,"description":"Expression of hatred towards against people based on their race, ethnicity, religion, gender, etc. "}],"section":"Hate speech"},{"reasons":[{"reason":"Information on selling drugs","flag":3,"description":"Information on ways of producing, using, and places of purchasing of narcotic substances."},{"reason":"Sale of spirits and alcohol-containing substances","flag":13,"description":"Information containing offers of remote retail sale of alcoholic products whose retail sale is either forbidden or restricted by law."},{"reason":"Organizing, conducting or advertising lotteries and gambling","flag":14,"description":"Information violating the demands of the Federal law on prohibition of gambling and lotteries via the Internet or other means of communication."}],"section":"Illegal goods and services"},{"reasons":[{"reason":"Fake","flag":9,"description":"Information containing calls for mass riots and(or) extremist activity that may endanger lives and(or) wellbeing of people, property, disruption of public order and(or) public safety."},{"reason":"Extremism","flag":15,"description":"Calls for unrest and terror, violence against people of a specific ethnicity, religion, or race."},{"reason":"Offense against state symbols","flag":16,"description":"Information that offends human dignity and public morale; explicit disrespect for society, state, official state symbols."}],"section":"Extremist materials"},{"reasons":[{"reason":"Non-traditional sexual relations propaganda","flag":11,"description":"Information aimed at involving minors in illegal activity demonstratingsuicide or justifying non-traditional values."},{"reason":"Suicide inducement or instructions for suicide","flag":8,"description":"Calls for suicide or self-harm, demonstration of suicide."},{"reason":"Involving minors in dangerous activities","flag":17,"description":"Information aimed at involving minors in illegal activity dangerous for their life and(or) health."}],"section":"Non-traditional value propaganda"}]}; Site.page.template = {}; Site.page.ljlive = {"is_enabled":false}; Site.page.adv = {"s2_journal_listing_1_mobile":{"use_lib":"ssp","options":{"puid3":"","puid4":"NO","puid21":"NO","puid10":"EA","puid14":"NO","puid1":"","puid34":"","puid6":"LIVEJOURNAL_JOURNAL","puid15":"","puid16":"","puid18":"","puid7":"","puid9":"nalintmo","puid62":1,"puid59":"","puid2":"RECENT","puid8":""},"method":"sspScroll","options_begun":{"begun-block-id":"579314164","begun-auto-pad":"536695699"}},"billboard":{"use_lib":"ssp","options":{"puid3":"","puid4":"NO","puid21":"NO","puid10":"EA","puid14":"NO","puid1":"","puid34":"","puid6":"LIVEJOURNAL_JOURNAL","puid15":"","pct":"c","puid16":"","puid18":"","puid7":"","p1":"blnun","criteo":"crljn728=1","puid62":1,"puid9":"nalintmo","puid59":"","puid2":"","p2":"y","puid8":""},"method":"ssp","options_begun":{"begun-block-id":"536708283","begun-auto-pad":"536695695"}},"s2_journal_after_2":{"use_lib":"ssp","options":{"puid3":"","puid4":"NO","puid21":"NO","puid10":"EA","puid14":"NO","puid1":"","puid34":"","puid6":"LIVEJOURNAL_JOURNAL","puid15":"","pct":"a","puid16":"","puid18":"","puid7":"","p1":"bryhu","puid62":1,"puid9":"nalintmo","puid59":"","puid2":"RECENT","p2":"fcuz","puid8":""},"method":"sspScroll","options_begun":{"begun-block-id":"536708307","begun-auto-pad":"536695695"}},"s2_journal_after_even_post_2":{"use_lib":"ssp","options":{"puid3":"","puid44":"context_item2","puid4":"NO","puid21":"NO","puid10":"EA","puid14":"NO","puid1":"","puid34":"","puid6":"LIVEJOURNAL_JOURNAL","puid15":"","pct":"a","puid16":"","puid18":"","puid7":"","p1":"bsrxy","puid62":1,"puid9":"nalintmo","puid59":"","puid2":"RECENT","p2":"feox","puid8":""},"method":"sspScroll","options_begun":{"begun-block-id":"536708317","begun-auto-pad":"536695695"}},"s2_journal_listing_3_mobile":{"use_lib":"ssp","options":{"puid3":"","puid4":"NO","puid21":"NO","puid10":"EA","puid14":"NO","puid1":"","puid34":"","puid6":"LIVEJOURNAL_JOURNAL","puid15":"","puid16":"","puid18":"","puid7":"","puid9":"nalintmo","puid62":1,"puid59":"","puid2":"RECENT","puid8":""},"method":"sspScroll","options_begun":{"begun-block-id":"579314168","begun-auto-pad":"536695699"}},"s2_journal_listing_2_mobile":{"use_lib":"ssp","options":{"puid3":"","puid4":"NO","puid21":"NO","puid10":"EA","puid14":"NO","puid1":"","puid34":"","puid6":"LIVEJOURNAL_JOURNAL","puid15":"","puid16":"","puid18":"","puid7":"","puid9":"nalintmo","puid62":1,"puid59":"","puid2":"RECENT","puid8":""},"method":"sspScroll","options_begun":{"begun-block-id":"579314166","begun-auto-pad":"536695699"}},"s2_journal_after_even_post_3":{"use_lib":"ssp","options":{"puid3":"","puid44":"context_item3","puid4":"NO","puid21":"NO","puid10":"EA","puid14":"NO","puid1":"","puid34":"","puid6":"LIVEJOURNAL_JOURNAL","puid15":"","pct":"a","puid16":"","puid18":"","puid7":"","p1":"bsrxy","puid62":1,"puid9":"nalintmo","puid59":"","puid2":"RECENT","p2":"feox","puid8":""},"method":"sspScroll","options_begun":{"begun-block-id":"536708317","begun-auto-pad":"536695695"}},"s2_journal_after_even_post_1":{"use_lib":"ssp","options":{"puid3":"","puid44":"context_item1","puid4":"NO","puid21":"NO","puid10":"EA","puid14":"NO","puid1":"","puid34":"","puid6":"LIVEJOURNAL_JOURNAL","puid15":"","pct":"a","puid16":"","puid18":"","puid7":"","p1":"bsrxy","puid62":1,"puid9":"nalintmo","puid59":"","puid2":"RECENT","p2":"feox","puid8":""},"method":"sspScroll","options_begun":{"begun-block-id":"536708317","begun-auto-pad":"536695695"}},"billboard_mobile":{"use_lib":"ssp","options":{"puid3":"","puid4":"NO","puid21":"NO","puid10":"EA","puid14":"NO","puid1":"","puid34":"","puid6":"LIVEJOURNAL_JOURNAL","puid15":"","puid16":"","puid18":"","puid7":"","puid9":"nalintmo","puid62":1,"puid59":"","puid2":"","puid8":""},"method":"ssp","options_begun":{"begun-block-id":"579314160","begun-auto-pad":"536695699"}},"s2_journal_after_even_post_4":{"use_lib":"ssp","options":{"puid3":"","puid44":"context_item4","puid4":"NO","puid21":"NO","puid10":"EA","puid14":"NO","puid1":"","puid34":"","puid6":"LIVEJOURNAL_JOURNAL","puid15":"","pct":"a","puid16":"","puid18":"","puid7":"","p1":"bsrxy","puid62":1,"puid9":"nalintmo","puid59":"","puid2":"RECENT","p2":"feox","puid8":""},"method":"sspScroll","options_begun":{"begun-block-id":"536708317","begun-auto-pad":"536695695"}}}; Site.page.is_adult = 1; Site.timer = +(new Date()); Site.remote = null; Site.journal = {"journal_url":"https://nalintmo.livejournal.com/","webpush_sub_enabled":false,"is_personal":true,"userhead_url":"https://l-stat.livejournal.net/img/userinfo_v8.svg?v=17080?v=819.1","is_syndicated":false,"has_photopackage":false,"badge":null,"journal_subtitle":"","is_paid":false,"id":43592054,"webvisor_enabled":false,"is_news":false,"display_username":"nalintmo","custom_reactions":"","journal_title":"","reposts_disabled":false,"is_identity":false,"public_entries":["https://nalintmo.livejournal.com/3374.html","https://nalintmo.livejournal.com/3093.html","https://nalintmo.livejournal.com/2892.html","https://nalintmo.livejournal.com/2639.html","https://nalintmo.livejournal.com/2376.html","https://nalintmo.livejournal.com/2279.html","https://nalintmo.livejournal.com/1817.html","https://nalintmo.livejournal.com/1672.html","https://nalintmo.livejournal.com/1388.html","https://nalintmo.livejournal.com/1206.html"],"is_medius":false,"rkn_license":"","is_permanent":false,"is_community":false,"username":"nalintmo","is_journal_page":true,"is_bad_content":false,"is_suspended":false,"manifest":"{\"related_applications\":[{\"id\":\"com.livejournal.android\",\"platform\":\"play\"}],\"gcm_sender_id\":\"88462774281\",\"short_name\":\"nalintmo\",\"name\":\"nalintmo\",\"icons\":[{\"src\":\"https://l-stat.livejournal.net/img/pwa_logo/lj16.png\",\"type\":\"image/png\",\"sizes\":\"16x16\"},{\"src\":\"https://l-stat.livejournal.net/img/pwa_logo/lj32.png\",\"type\":\"image/png\",\"sizes\":\"32x32\"},{\"src\":\"https://l-stat.livejournal.net/img/pwa_logo/lj48.png\",\"type\":\"image/png\",\"sizes\":\"48x48\"},{\"src\":\"https://l-stat.livejournal.net/img/pwa_logo/lj64.png\",\"type\":\"image/png\",\"sizes\":\"64x64\"},{\"src\":\"https://l-stat.livejournal.net/img/pwa_logo/lj128.png\",\"type\":\"image/png\",\"sizes\":\"128x128\"},{\"src\":\"https://l-stat.livejournal.net/img/pwa_logo/lj144.png\",\"type\":\"image/png\",\"sizes\":\"144x144\"},{\"src\":\"https://l-stat.livejournal.net/img/pwa_logo/lj152.png\",\"type\":\"image/png\",\"sizes\":\"152x152\"},{\"src\":\"https://l-stat.livejournal.net/img/pwa_logo/lj192.png\",\"type\":\"image/png\",\"sizes\":\"192x192\"},{\"src\":\"https://l-stat.livejournal.net/img/pwa_logo/lj256.png\",\"type\":\"image/png\",\"sizes\":\"256x256\"},{\"src\":\"https://l-stat.livejournal.net/img/pwa_logo/lj512.png\",\"type\":\"image/png\",\"sizes\":\"512x512\"}],\"gcm_user_visible_only\":true,\"description\":\"nalintmo\",\"display\":\"standalone\",\"start_url\":\"https://nalintmo.livejournal.com?adaptive\",\"theme_color\":\"#004359\",\"background_color\":\"#004359\",\"prefer_related_applications\":false,\"id\":\"?pwa_id=43592054\"}","profile_url":"https://nalintmo.livejournal.com/profile/","is_memorial":false}; Site.entry = null; (function(){ var p = {"remote_is_identity":null,"remote_is_maintainer":0,"auth_token":"sessionless:1739851200:/__api/::616e1d5d349c6bd818e2bcd909db73557f9478cc","locale":"en_US","remoteUser":null,"remote_is_sup":0,"remoteJournalBase":null,"statprefix":"https://l-stat.livejournal.net","vk_api_id":"2244371","ctx_popup":1,"jsonrpcprefix":"https://l-api.livejournal.com","likes_signature":"ajax:1739851200:0::/_api/:43592054-1388&43592054-1206&43592054-3093&43592054-2376&43592054-2892&43592054-2279&43592054-1817&43592054-1672&43592054-3374&43592054-2639:c2ad90d81e497e6f55f3163a38b0a83273930f5c","siteroot":"https://www.livejournal.com","templates_update_time":900,"media_embed_enabled":1,"v":1739438162,"advc_token":"1739855381:0aa87249fa20c87822d6321af1975e3233378827","currentEntryRecommendations":0,"currentLanguage":"en_LJ","server_time":1739854781,"logprefix":"","remote_email_reconfirmed":1,"counterprefix":"https://xc3.services.livejournal.com/ljcounter/","currentJournalBase":"https://nalintmo.livejournal.com","isCustomDomain":false,"isTrustedCustomDomain":false,"remoteLocation":{"city_id":"55","city_rus_name":"","country_name":"Germany","longitude":"9.0000","region_code":"","region_name":"","country_short":"DE","latitude":"51.0000","city_name":""},"untrusted_ssl":["test.elecsnet.ru","www.arte.tv/en/","yourlisten.com","www.retromap.ru","flymeango.com/","www.mreporter.ru","epronto.ru","globalgallery.ru","verold.com","bbc.co.uk","travelads.ru","rutv.ru","prolivestream.ru","redigo.ru","gettyimages.com","beznomera.ru","videobasher.ru","maxkatz.ru","livesignal.ru","spring.me","www.music1.ru","podfm.ru","wikimapia.org","fashionmedia.tv","www.caissa.com","globalgallery.ru","turngallery.com","www.now.ru","pik-tv.com","mrctv.org","brainmaggot.org","promodj.com","jizo.ru","televidoc.ru","fidel.ru","so-l.ru","weclever.ru","rutv.ru","fotogid.info"],"fileprefix":"https://l-files.livejournal.net","likesprefix":"https://likes.services.livejournal.com/get","ljold":"","writers_block_community":"https://writersblock.livejournal.com/","country":"DE","isBackendMobile":false,"inbox_update_poll":0,"flags":{"journal_v3":false,"branding_tretyakovgallery":true,"messages_v6":false,"meta":false,"tosagree_show":true,"friendsfeed_v3_settings":true,"rss_tour":true,"s1comment_preview":true,"medius":false,"fake_setting":true,"air_tour":true,"browse_lang_filter":true,"regionalrating_tour":false,"discovery":true,"add_friend_page_redesign":true,"manage_communities_v5":false,"lj_magazine_post_in_rating":false,"regional_ratings":true,"adaptive_lj_mobile":true,"quick_comment":true,"selfpromo_noc":false,"writers_block":false,"reactions_req":true,"medius_ui":true,"cosmos2021_ljtimes":true,"your_friends_block":true,"novogodia_banner":false,"friendsfeed_v3":true,"discovery_times_grants":true,"likes":true,"managenotes_v6":true,"meta_geo":true,"loginform_v8":true,"adv_adfox_ssp_mobile":true,"medius_reading_time_cards":true,"top_user_cards":true,"reactions_post":false,"notification_center":false,"your_choice_block":true,"ru_geo":false,"adv_loader":true,"commercial_promo_noc":false,"pocket":true,"lj_magazine_improvements":true,"img_comments":true,"reactions":true,"feed_promo_beta":false,"lena_comment_popup":true,"friendsfeed_tour":true,"lj_repost":false,"recaptcha":true,"image_magick_autobreak":true,"sherrypromo":false,"ljwelcomevideo":false,"video_update_tour":false,"move_billboard_to_scheme":true,"hashmobbanner":false,"medius_schemius":false,"contextualhover_v7":true,"homepage_v3":true,"rambler_adblock":true,"feed_promo":true,"three_posts_tour":true,"superban_step2":true,"photo_challenge_ny":false,"photo_v4":true,"hashmobbutton":false,"medius_sharings":true,"canva_geo":true,"post_2017_beta1":true,"auth_from_frame":false,"cosmos2021":true,"likes_display":true,"antiadblock":true,"shopius":false,"repost_facebook":true,"facebook_auth":true,"endless_scroll":true,"rec_sys_medius":true,"notification_center_display":false,"interactive_stripe":true},"rpc":{"domain":{"comment.add":1,"notifications.get_events_counter":1,"repost.get_status":1,"relations.can_add_friends":1,"user.set_prop":1,"relations.can_add_subscribers":1,"notifications.read_all_events":1,"comment.is_log_comment_ips":1,"notifications.get_events":1,"likes.get_likes":1,"repost.delete":1,"journal.emailreconfirm_set":1,"repost.create":1,"comment.set_contentflag":1,"notifications.unsubscribe":1,"memories.set":1,"likes.get_votes":1,"journal.set_prop":1,"memories.remove":1,"relations.addfriend":1,"user.emailreconfirm_set":1,"journal.get_prop":1,"user.get_prop":1,"notifications.delete_event":1,"relations.removefriend":1,"comment.is_need_captcha":1,"repost.get_communities":1,"event.set_contentflag":1,"memories.get":1,"notifications.read_event":1,"entry.set_contentflag":1,"likes.vote":1,"likes.create":1},"ssl":{"journal.login":1,"signup.check_password":1,"signup.convert_identity_lite":1,"support.create_request":1,"signup.create_user":1,"signup.convert_identity":1,"user.login":1},"public":{"medius.top_user_cards_choice":"300","comment.get_thread":"900","latest.get_entries":"180","browse.get_posts":"300","gifts.get_gifts_categories":"60","gifts.get_all_gifts":"60","homepage.get_categories":"60","medius.asap":"300","medius.activities":"300","sitemessage.get_message":"3600","ratings.journals_top":"300","medius.get_public_items":"300","post.get_minipage_widget_counter":"60","browse.get_categories":"300","medius.get_homepage_items":"300","writers_block.get_list":"60","medius.top_user_cards":"300","medius.collection_items":"300","categories.get_public_category_posts":"60","medius.get_public_items_categories":"300","homepage.cool_pool":"300","browse.get_communities":"300","homepage.get_search_hints":"300","homepage.get_rating":"300"}},"should_show_survey":false,"pushwoosh_app_id":"28B00-BD1E0","has_remote":0,"picsUploadDomain":"up.pics.livejournal.com","remoteLocale":"en_US","notifprefix":"https://notif.services.livejournal.com/","remote_is_suspended":0,"imgprefix":"https://l-stat.livejournal.net/img","remote_can_track_threads":null,"currentJournal":"nalintmo","esn_async":1,"pics_production":"","currentEntry":""}, i; for (i in p) Site[i] = p[i]; })(); Site.current_journal = {"url_profile":"https://nalintmo.livejournal.com/profile/","userid":43592054,"journaltype":"P","is_comm":"","is_syndicated":"","is_person":1,"badge":null,"is_mediapartner":"","is_paid":0,"display_username":"nalintmo","url_journal":"https://nalintmo.livejournal.com","is_identity":"","is_shared":"","display_name":"nalintmo","username":"nalintmo","can_receive_vgifts":1,"url_allpics":"https://www.livejournal.com/allpics.bml?user=nalintmo"}; Site.version = '819.1';