четверг, 29 ноября 2012 г.

Не пейте за рулём, пацаны(не моё)

За время активного участия в деятельности "синих ведерок" я многое повидал. ДТП, поломаные тела и жизни, невероятную наглость и людское равнодушие.
Но этот случай на меня произвел особенно тажелое впечатление.
В дупель пьяный подполковник ФСБ ехал на своей личной машине по встречке за отбойником. Результат — 4 трупа. 2 парня, 2 девушки — всем от 21 до 26 лет. ДТП произошло на 348–м км федеральной автодороги "Кавказ" в Ставропольском крае. Зовут ФСБшника Максим Свенский, ему 39 лет.
Записи с камер наблюдения пропали. Друзья–ФСБшники виновника методом кнута и пряника пытаются замять дело.
Image #1637200, 48.2 KB
по клику — размер больше
Водитель Хонды ехал по встречной полосе. От самого рынка Руслан. В невменяемом состоянии. И около заправки Роснефть в 23:20–23:30 он столкнулся с автомобилем Ваз2114. Не какой сплошной полосы там нету! Там стоят высокие отбойники. В каком состояние ехала это МРАЗЬ, мы увидели когда произошла авария. Он был никакой. Он убил четверых детей. Его вытащили в ужасно пьяном состоянии. И на нем не было ни одной царапины. Он этих детей замесил в отбойник. Все дети скончались на месте. — пишет работник заправки, находящейся около места ДТП.
Схема ДТП:

Постановление о признании потерпевшим:

Немного о семьях пострадавших:
Семья Солодько живет в селе Кузулак. Мать погибшей Елены Солодько, Пащенко Валентина Ивановна, работает в аптеке фармацевтом, отец Юрий Солодько колхозник. Сестра Ольга Солодько не работает. Брат тоже не работает.
Семья Ширановых: Николай Ильич Ширанов колхозник. Мама Тамара Васильевна домохозяйка. Брат Виталий и сестра Кристина не работают.
Семья Луценко (водителя): Любовь Васильевна учитель со стажем 35 лет, Виктор Иванович Луценко, отец, не работает. Оба ветераны труда. Брат учитель, сестра методист в доме детского творчества.
Семья Кунак: Любовь Ивановна работает уборщицей, отец работает в техникуме, преподает сварное дело.

После беседы с ФСБшниками одна семья решила написать отказ от претензий, другая нашла адвоката, который запретил им общаться со СМИ и общественными организациями.
Две других готовы биться, но у них нет денег на нормального юриста.
Такой юрист есть, готов взяться за это дело. Он просит за свои услуги 60 тысяч (по 30 тысяч за представление интересов каждого из постравших).
Сейча у нас есть 47500. Конечно, будет предоставлен отчет с документальным подтреждением уплаты денег.
Если вы хотите помочь, Яндекс.кошелек: 4100 1143 15 96 714.

суббота, 24 марта 2012 г.

Something about open source contributions

Below is my experience on contributions to my github repos that I've got popular enough to receive contribs:

Some day you open up your mail and see the notification about new pull request opened on your proj. After checking the diff you see the horrible code. You just can't afford this bad code in your project so you ask the guy behind the request to revise his code giving him some directions on what he've done wrong also asking him to write a unit test for his changes to ensure they work as expected.

He does what you require without any commitment(dunno why really) and of course don't do any unit tests. Rockstar-style devs think tests are boring. I admit they are. But they increase your productivity slowly but steadily.

So when this guy's second attempt to get his code into your rep gets banned because of me as a original dev not being satisfied by absence of care about this code and the actual app ecosystem he starts to complain that "official' thing is not accepting his awesome creation.

In the end you just accept this changes in state they're for this guy to finally shut up and stop complaining.

суббота, 11 февраля 2012 г.

Update owned branches in git with master branch

Usage

$ bash update-user-branches.sh 'Artyom Olshevskiy'

Script

#!/bin/bash
set -e
git pull origin master
BRANCHES=""
for branch in $(git branch -r); do
if git log ${branch}^..${branch} | grep "$1" > /dev/null ; then
branch=$(echo $branch | sed s/.*\\///)
BRANCHES="$BRANCHES $branch"
fi
done
for branch in $BRANCHES; do
git checkout $branch
git merge master
git push origin $branch
git checkout master
git branch -d $branch
done

суббота, 21 января 2012 г.

NodeJS vs Netty

Bencmarked following two Hello World async HTTP servers

It takes some time for Netty to warm up, but it is able to handle something like 40% more requests per sec then NodeJS.

Apache Bench command line

ab -r30000 -c100 http://localhost:<port>/

NodeJS

var http = require('http');
http.createServer(function (req, res) {
res.writeHead(200, {'Content-Type': 'text/plain'});
res.end('Hello World\n');
}).listen(1337, "127.0.0.1");
console.log('Server running at http://127.0.0.1:1337/');
view raw script.js hosted with ❤ by GitHub

Netty

apply plugin: "java"
apply plugin: "eclipse"
repositories {
mavenCentral()
}
dependencies {
compile (
"org.jboss.netty:netty:latest.integration",
"com.google.inject:guice:latest.integration",
"com.google.guava:guava:latest.integration"
)
}
view raw build.gradle hosted with ❤ by GitHub
package netty;
import java.net.InetSocketAddress;
import java.net.SocketAddress;
import java.util.concurrent.Executors;
import org.jboss.netty.bootstrap.ServerBootstrap;
import org.jboss.netty.channel.ChannelFactory;
import org.jboss.netty.channel.group.ChannelGroup;
import org.jboss.netty.channel.group.DefaultChannelGroup;
import org.jboss.netty.channel.socket.nio.NioServerSocketChannelFactory;
import com.google.inject.AbstractModule;
import com.google.inject.Guice;
import com.google.inject.Injector;
import com.google.inject.Provides;
import com.google.inject.Singleton;
public class NettyModule extends AbstractModule {
@Override
protected void configure() {
}
@Provides
SocketAddress provideSocketAddress() {
return new InetSocketAddress(8080);
}
@Provides @Singleton
ChannelGroup provideChannelGroup() {
return new DefaultChannelGroup("http-server");
}
@Provides
ChannelFactory provideChannelFactory() {
return new NioServerSocketChannelFactory(
Executors.newCachedThreadPool(), Executors.newCachedThreadPool());
}
public static void main(String[] args) {
Injector injector = Guice.createInjector(new NettyModule());
final NettyServer server = injector.getInstance(NettyServer.class);
server.startAndWait();
Runtime.getRuntime().addShutdownHook(new Thread(){
@Override
public void run() {
server.stopAndWait();
}
});
}
}
package netty;
import java.net.SocketAddress;
import org.jboss.netty.bootstrap.ServerBootstrap;
import org.jboss.netty.buffer.ChannelBuffers;
import org.jboss.netty.channel.Channel;
import org.jboss.netty.channel.ChannelFactory;
import org.jboss.netty.channel.ChannelFuture;
import org.jboss.netty.channel.ChannelFutureListener;
import org.jboss.netty.channel.ChannelHandlerContext;
import org.jboss.netty.channel.ChannelPipeline;
import org.jboss.netty.channel.ChannelPipelineFactory;
import org.jboss.netty.channel.ChannelStateEvent;
import org.jboss.netty.channel.Channels;
import org.jboss.netty.channel.ExceptionEvent;
import org.jboss.netty.channel.MessageEvent;
import org.jboss.netty.channel.SimpleChannelHandler;
import org.jboss.netty.channel.group.ChannelGroup;
import org.jboss.netty.handler.codec.http.DefaultHttpResponse;
import org.jboss.netty.handler.codec.http.HttpResponse;
import org.jboss.netty.handler.codec.http.HttpResponseStatus;
import org.jboss.netty.handler.codec.http.HttpServerCodec;
import org.jboss.netty.handler.codec.http.HttpVersion;
import com.google.common.base.Charsets;
import com.google.common.util.concurrent.AbstractIdleService;
import com.google.inject.Inject;
import com.google.inject.Provider;
class NettyServer extends AbstractIdleService {
private final ChannelGroup allChannels;
private final SocketAddress address;
private final ChannelFactory factory;
private final ServerBootstrap bootstrap;
private final Provider<Handler> handler;
@Inject
NettyServer(ChannelFactory factory, ChannelGroup allChannels, SocketAddress address, Provider<Handler> handler) {
this.factory = factory;
this.bootstrap = new ServerBootstrap(factory);
this.allChannels = allChannels;
this.address = address;
this.handler = handler;
}
@Override
protected void startUp() throws Exception {
bootstrap.setPipelineFactory(new ChannelPipelineFactory() {
public ChannelPipeline getPipeline() throws Exception {
return Channels.pipeline(new HttpServerCodec(), handler.get());
}
});
bootstrap.setOption("child.tcpNoDelay", true);
bootstrap.setOption("child.keepAlive", true);
Channel channel = bootstrap.bind(address);
allChannels.add(channel);
}
@Override
protected void shutDown() throws Exception {
allChannels.close().awaitUninterruptibly();
factory.releaseExternalResources();
}
}
class Handler extends SimpleChannelHandler {
private final ChannelGroup allChannels;
@Inject
Handler(ChannelGroup allChannels) {
this.allChannels = allChannels;
}
@Override
public void channelOpen(ChannelHandlerContext ctx, ChannelStateEvent e)
throws Exception {
allChannels.add(e.getChannel());
}
@Override
public void exceptionCaught(ChannelHandlerContext ctx, ExceptionEvent e)
throws Exception {
e.getCause().printStackTrace();
e.getChannel().close();
}
@Override
public void messageReceived(ChannelHandlerContext ctx, MessageEvent e)
throws Exception {
HttpResponse response = new DefaultHttpResponse(HttpVersion.HTTP_1_1, HttpResponseStatus.OK);
response.setContent(ChannelBuffers.copiedBuffer("Hello, world!", Charsets.UTF_8));
e.getChannel().write(response).addListener(new ChannelFutureListener() {
public void operationComplete(ChannelFuture future) throws Exception {
future.getChannel().close();
}});
}
}

воскресенье, 15 января 2012 г.

Convert Tomcat resource factory configuration to Jetty

I've finally been able to convert http://tomcat.apache.org/tomcat-6.0-doc/jndi-resources-howto.html#Generic_JavaBean_Resources from Tomcat to Jetty.

Here comes a working jetty-env.xml equivalent to tomcat resource definition:

<Configure id="webAppCtx" class="org.mortbay.jetty.webapp.WebAppContext">
<New class="org.mortbay.jetty.plus.naming.EnvEntry">
<Arg><Ref id="webAppCtx"/></Arg>
<Arg>bean/MyBeanFactory</Arg>
<Arg>
<New class="javax.naming.Reference">
<Arg>com.mycompany.MyBean</Arg>
<Arg>com.mycompany.MyBeanFactory</Arg>
<Arg />
<Call name="add" id="reference">
<Arg>
<New class="javax.naming.StringRefAddr">
<Arg>bar</Arg>
<Arg>23</Arg>
</New>
</Arg>
</Call>
</New>
</Arg>
<Arg type="boolean">true</Arg>
</New>
</Configure>
view raw jetty-env.xml hosted with ❤ by GitHub

Multiple webapp resource dirs with Gradle-embed Jetty

import org.gradle.api.plugins.jetty.internal.JettyPluginWebAppContext
apply plugin: "jetty"
def newResourceCollection(File... resources) {
shell = new GroovyShell(JettyPluginWebAppContext.class.classLoader)
shell.setProperty("resources", resources as String[])
return shell.evaluate(file("resource_collection.groovy"))
}
jettyRun.doFirst {
jettyRun.webAppConfig = new JettyPluginWebAppContext()
jettyRun.webAppConfig.baseResource = newResourceCollection(
file("src/test/webapp"),
file("src/main/webapp"))
}
view raw build.gradle hosted with ❤ by GitHub
import org.mortbay.resource.ResourceCollection
new ResourceCollection(resources)

четверг, 26 мая 2011 г.

Skype dies on login

My Linux Skype client started crashing on login without a reason. Same problem for everyone around. Looks like due to some changes on Skype servers. So who else gonna tell that Microsoft has nothing to do with this?