At my job, our current project has many bottle-necks, where Ruby really sucks on its performance. We were thinking on how to optimize them, and finally come to usage of Ruby Native API.
Our project uses Redis and MySQL hardly, so much of statistic data is stored in Redis. For speeding up. But one fine day made us use a reduce on a set of statistic data from Redis. And that’s where we got stuck on Ruby’ performance. Our server timed out in a minute of waiting for that reduce to complete.
На День Незалежності 2014го року, команда наших туристів-любителів вирішила піти в похід до Карпат. Три вихідних, часу достатньо, корисно, приємно… І так склалось, що в за день..два до походу двоє потенційних учасників відмовились від цієї пропозиції і протягом кількох хвилин їх місця вже зайняли ми з моїм другом, Дмитром FireMage.
Будь готов! В цій главі ми полностью переробим блог! Він не буде працювати (як раньше) аж до кінця домашнього заданія; код буде магічним; придеться пару раз удалять весь код з деяких файлів! Але в сухом остаткє, потом має стати ну дуже прикольно розробляти його дальше.
Єсть така штука як MVC, Model-View-Controller. Це такий прінцип, по якому програма розділяється на три тіпа дєталєй:
Model - отвічає за роботу чісто з базой даних
View - отвічає чісто за отображеніє даних перед пользоватєльом (формочка, HTML, і так далєє)
Controller - отвічає за обработку дєйствій пользоватєля, іспользує моделі і передає їх в’юхам
Так от, модель - це такій клас, який работає з рядочками одної таблички і другими табличками, шо прив’язані до нашої. Але тільки якшо та таблічка, з якою работає модель - главна в цій связі. Тоість, якшо у нас є модель Пост і модель Камєнтік, то модель Пост може вліять на Камєнтікі, а от модель Камєнтік вже нічо не може зробити з Постом. Тут таблічка Пост - главна, а таблічка Камєнтік - просто прив’язана до неї.
В общєм, модель - це такий удобний клас, в якому заникані всі запроси до бази даних. Ти визиваєш метод моделі, а получаєш - масив (або не масив, а тільки один його елємєнт) з запісями з бази даних. Або визиваєш другий мєтод і удаляєш/обновляєш/создаєш рядочки в базі.
Дарагой друг! В цих статтях я розкажу тобі як зробить чоткій блог на чотком язику PHP. Розказувать буду просто, шоб всьо було понятно. Ну шо, паєхалі?
Сістємні трєбованія
Нехай у нас є який-небудь самий стандартний, простий, перший блог на PHP. Така собі кучка файлів для созданія постов, списка постов, перегляду оддєльного поста, реєстрації, логіна і логаута, камєнтіруванія… Просто купа файлів. В цих файлах у нас і HTML, і PHP код.
First trouble is that ActiveModel does not provide any attribute access API. Or I did not google enough. So we need to create our own!
Let us have an instance variable @attributes where we will store our model’ data. We need to define getter and setter methods for all the attributes of our model. This may be done with the attr_accessor method. But when user sets the value for some attribute, we should store that in our @attributes variable. And here is the first step to our black magic: we will override the attr_accessor method.
Now let’s implement some basic model persisting. First, we should not forget about our validations and add valid? test to the save method.
Let’s say our save method should return the model instance. Thus, we should put the model’ data into the database and get the id for that data (if we put the data with the INSERT statement).
So there is an important caveat: in order to get the correct model id, you need to get it from database in the same transaction as the update/insert statement. The mysql2 gem does support multiple query statements in a single transaction. But to perform such a query, you will need to set the MULTI_STATEMENTS flag when creating a Mysql2::Connection instance.
Here I used the instance variable @connection to make it available within the rescue and ensure statements.
Now we will use our instance variable, @attributes to create an SQL query:
defsaveset_default_valuesreturnselfunlessvalid?@connection=Mysql2::Client.new({flags: Mysql2::Client::MULTI_STATEMENTS}.merge(...))if@attributes[:id].blank?columns=@attributes.keys.map{|k|"`#{k.to_s}`"}.join','values=@attributes.values.mapdo|v|ifv.nil?'NULL'else"'#{ActionController::Base.helpers.sanitize(v.to_s)}'"endend.join','query="INSERT INTO postings#{volume} (#{columns}) VALUES (#{values})"elsemapping=@attributes.map{|k,v|"`#{k.to_s}` = #{v.nil??'NULL':"'#{ActionController::Base.helpers.sanitize(v)}'"}"}.join','query="UPDATE postings#{volume} SET #{mapping} WHERE id = #{@attributes[:id]}"endselfrescueselfensure@connection.closeend
I used the ActionController::Base.helpers.sanitize helper method to escape the query parameters.
Now we should simply wrap our query into a transaction and get an id from the database.
defsaveset_default_valuesreturnselfunlessvalid?@connection=Mysql2::Client.new({flags: Mysql2::Client::MULTI_STATEMENTS}.merge(...))if@attributes[:id].blank?columns=@attributes.keys.map{|k|"`#{k.to_s}`"}.join','values=@attributes.values.mapdo|v|ifv.nil?'NULL'else"'#{ActionController::Base.helpers.sanitize(v.to_s)}'"endend.join','query="INSERT INTO postings#{volume} (#{columns}) VALUES (#{values})"elsemapping=@attributes.map{|k,v|"`#{k.to_s}` = #{v.nil??'NULL':"'#{ActionController::Base.helpers.sanitize(v)}'"}"}.join','query="UPDATE postings#{volume} SET #{mapping} WHERE id = #{@attributes[:id]}"endquery="START TRANSACTION; #{query}; SELECT LAST_INSERT_ID() AS id; COMMIT;"@connection.query(query)while@connection.next_resultresult=@connection.store_result.to_arescuenil@attributes[:id]=result.first['id']ifresult.present?andresult.first.present?andresult.first.has_key?'id'endselfrescueselfensure@connection.closeend
Quite big method, sure. Yet, it performs all the UPDATEs and INSERTs for us.
Let’s add some attribute with the default value, created_at and check how the whole class works:
I am always being asked at least two questions. Just to verify that I know Ruby basics.
What is the main difference between Module and Class?
That is so simple and obvious! Yet it’s too easy to forget… The answer is: you can not instantiate a Module. See, Modules in Ruby do not have constructors. Yeah, they may contain variables, but they do not have an initialize method.
You could define one this way:
moduleMoodefinitialize(x)@x=xendend
But when you try to call Moo.new you will get a method missing error. When you try to run Moo.initialize you will get a private method called error.
So yes, there is no way to instantiate Modules.
What’s the difference between Proc, lambda and block?
This is simple enough to remember as the answer contains only a few points:
Proc is an object; block is not
Proc does not check the number of arguments; lambda does
lambda returns from itself; Proc returns from the outer (containing the Proc call) method
What is REST (application)?
The answer on that question hardly depends on what the asking person means.
So, I got two possible correct answers:
a. That is the principle of web application development, when the application responds to a request, depending on which HTTP method was provided (PUT, GET, POST, DELETE, OPTIONS).
b. This is a way of encapsulation Resource and its Handlers. That is a bit hard to explain. Something like “you have to split your application to Resources”.
Does Module is the ancestor of Class or does the Class is the child of Module?
This question, actually, may be asked on Class, Module or Object classes. This question is interesting when you do not know the answer.
Think oral. Show an interviewing person how your thought flow. That is the good practice. It shows that you can think not just remember. And you could get to some friendly talk when you say some magic keyword or tell something the interviewer is interested in.
When I am asked of Rails best practices, or just creating my web application, I should never forget one core principle: web application controllers (looking at Rails’ MVC) should be thin. So, the most logic at Controller’s action should get or set some data on Model and provide a response. Nothing more.
My web framework of choice is Ruby On Rails. It’s perfect for me. Not because of its scalability or performance, but because of its architecture. You do not need to do lot of work to create a website or a webservice. Ruby Gems have all the power you will ever need. Ruby itself allows you to do even a black magic nicely.
It’s true to say that i am a RoR fan.
So when i started learning JSF i thought Gosh! It’s ugly! It’s totally impossible to work with!. But in a while i realized that small yet mighty concept, i even did not imagine to be thinking of.
See, when you write a website, you need two things to be done:
give a user static content; user just should see something on a display!
take user data, process it and perform previous step; in order to make a dynamic website (which is 90% of all the websites you’ve seen, i guess) you should use web forms and process them
The last thing i did not mention here (because i did not dive in it yet) is: just use that javascript. You would never provide user-friendly interface on the web until you get full control of what’s going on client’ side. That’s the purpose of JavaScript. Different hints and tips, asynchronous operations, messages and other cool stuff making your UI looking great is the JS part.
But in other cases you use resources. That’s the bundle of data, stored (maybe) in database and being controlled by user via the forms.
Any form (yes, just any) could be described as relying on some resource. Login form? It uses User resource. Search form? It uses the SearchQuery resource. Post creation form? It serves Post!
So, that powerful concept i was talking above is the principle a Managed Java Bean describes the Resource wired to the User Interface.
See, when you show a form to a user - you get your database row maped onto a Java Bean. When user saves the form with the new data - that data gets stored in the same Bean and the method you’ve set to commandButton or whatever is invoked.
Just think of it! You are doing exactly the same with all those Rails, Play, Django or any other web framework, when you are creating a dynamic website!
Just got the following error in my Rails project (Rails 3.2.6, Ruby 1.9.3):
ActionView::Template::Error (incompatible character encodings: UTF-8 and ASCII-8BIT)
That was caused by the case when MySQL record (ActiveReciord object, actually) contained UTF-8 characters and i was trying to output those chars in my template. But mysql gem does not support those. It needs some hacking.
Luckily, there is more convenient way to solve the problem. The solution of this issue now appears too easy:
Install the mysql2 gem
Use adapter: mysql2 instead of adapter: mysql in your config/database.yml file