@@hdrezka.me/templates/hdrezka/js/ads.js
@@capricornus.cc
and (x2,y2).
x2 = x1 + cos(a * (pi / 180)) * u
y2 = y1 + sin(a * (pi / 180)) * u
Subtract the starting point coordinates:
x2 - x1 = cos(a * (pi / 180)) * u
y2 - y1 = sin(a * (pi / 180)) * u
Divide the second equation by the first:
(y2-y1)/(x2-x1) = (sin(a*pi/180)*u)/(cos(a*pi/180)*u)
What is sin/cos? It's the tangent.
(y2-y1)/(x2-x1) = tan(a*pi/180)
We can find the angle by taking the inverse tangent (arctan) of both
sides:
a*pi/180 = arctan((y2-y1)/(x2-x1))
a = 180/pi * arctan((y2-y1)/(x2-x1))"
<?php $r1 = rand(0, 7); $r2 = rand(0, 7); $a = []; for ($i = 0; $i < $r1; $i++) { for ($j = 0; $j < $r2; $j++) { $a[$i][$j] = rand(1, 10); } } $r = []; for ($i = 0; $i < $r1; $i++) { $t = []; for ($j = 0; $j < $r2; $j++) { $t[] = $a[$i][$j]; } $r[] = '[' . implode(', ', $t) . ']'; } echo "[\n" . implode(",\n", $r) . "\n];\n\n"; //var_dump([$r1, $r2]); /**$a = [ [6, 10, 9], [3, 5, 2], [8, 2, 5], [4, 1, 8], [6, 10, 5], [6, 8, 10] ]; */ /** $a = [ [1, 2, 3, 4], [14, 15, 16, 5], [13, 20, 17, 6], [12, 19, 18, 7], [11, 10, 9, 8] ];*/ $rows = sizeof($a); if ($rows) { $cols = sizeof($a[0]); } else { $cols = 0; } $total = $rows * $cols; $i = $cols; $d = 'cols'; $j = 0; $c = 0; $x = 0; $y = 0; $dy = 0; $dx = 1; $r = []; while ($c < $total) { $r[] = $a[$y][$x]; $j++; if ($j === $i) { $j = 0; list($dx, $dy) = [-$dy, $dx]; if ($d === 'cols') { $rows--; $i = $rows; $d = 'rows'; } else { $cols--; $i = $cols; $d = 'cols'; } } $x = $x + $dx; $y = $y + $dy; $c++; } if (empty($r)) echo "Empty result\n"; echo implode(' ', $r);
So, I implemented all permuations of string '{Пожалуйста|Просто} сделайте так, чтобы это {удивительное|крутое|простое} тестовое предложение {изменялось {быстро|мгновенно} случайным образом|менялось каждый раз}.' with code above. I used parser from geektimes.ru/post/87754/#comment_2638276 comment, where author returns only first random variation of string, and modified it:
function printTree(t, index, r, delim) { var out = [], prefix, res; r = r || ''; delim = delim || ' '; index = index || 0; if (index < t.length) { t = t.map(function(el) { return el instanceof Array ? el : [el]; }); prefix = r ? r + delim : ''; for (var i = 0; i < t[index].length; i++) { if (t[index][i] instanceof Array) { res = printTree(t[index][i], 0, r, delim); } else { res = [prefix + t[index][i]]; } for (var j = 0; j < res.length; j++) { out = out.concat(printTree(t, index + 1, res[j], delim)); } } } else { return [r]; } return out; } function Token(type, pos, value) { this.type = type; this.pos = pos; this.value = value; } Token.END_OF_LINE = 0; Token.OPERATOR = 1; Token.TEXT = 2; function Parser(text) { this._text = text; this._pos = 0; this._len = text.length; } Parser.prototype = { operators: { '{': true, '}': true, '|': true }, nextToken: function() { if (this._pos >= this._len) return new Token(Token.END_OF_LINE); if (this._text[this._pos] in this.operators) { return new Token(Token.OPERATOR, this._pos, this._text[this._pos++]); } var text = '', start = this._pos; while ((this._pos < this._len) && !(this._text[this._pos] in this.operators)) { text += this._text[this._pos]; this._pos++; } return new Token(Token.TEXT, start, text); }, getNextToken: function() { var pos = this._pos, result = this.nextToken(); this._pos = pos; return result; } }; function Interpretter(text) { this._parser = new Parser(text); } Interpretter.prototype = { value: function() { var result = [], token = this._parser.getNextToken(); while (token.type == Token.TEXT || (token.type == Token.OPERATOR && token.value == '{')) { token = this._parser.nextToken(); if (token.type == Token.OPERATOR) { if (token.value == '{') { result.push(this.exprеssion()); } else { throw 'Syntax error at pos ' + token.pos; } } else { result.push(token.value); } token = this._parser.getNextToken(); } return result; }, includeValue: function(variants, value) { var hasNested = false; for (var i = 0; i < value.length; i++) { if (value[i] instanceof Array) { hasNested = true; break; } } if (hasNested) { variants.push(value); } else { variants = variants.concat(value); } return variants; }, expression: function() { var variants = [], value = this.value(), token = this._parser.nextToken(); variants = this.includeValue(variants, value); while (token.value == '|') { value = this.value(); variants = this.includeValue(variants, value); token = this._parser.nextToken(); } if (!token.type == '}') throw 'Syntax error at pos ' + token.pos; return variants; } }; var text = '{Пожалуйста|Просто} сделайте так, чтобы это ' + '{удивительное|крутое|простое} тестовое предложение {изменялось {быстро|мгновенно}' + ' случайным образом|менялось каждый раз}.'; var interpretter = new Interpretter(text); var v = interpretter.value(); var r = printTree(v); r.sort(); print(r.join('\n'));
You can to check it in action at: ideone.com/hxJP3F
function printTree(t, index, r, delim) { var out = [], prefix, res; r = r || ''; delim = delim || ' '; index = index || 0; if (index < t.length) { t = t.map(function(el) { return el instanceof Array ? el : [el]; }); prefix = r ? r + delim : ''; for (var i = 0; i < t[index].length; i++) { if (t[index][i] instanceof Array) { res = printTree(t[index][i], 0, r, delim); } else { res = [prefix + t[index][i]]; } for (var j = 0; j < res.length; j++) { out = out.concat(printTree(t, index + 1, res[j], delim)); } } } else { return [r]; } return out; } var tests = [ [1, 2, 3], [1, [2, 3]], [ [1, 2], 3 ], [ [1, 2], [3, 4] ], [ [1, 2], [3, [4, 5], 6] ], [1, [2, [3, [4, 5]]]], [ [1, 2], [ [3, [4, 5, 6]], 7 ] ], [ [1, 2], [ [3, [4, 5, 6]], 7 ], 8 ], [ 1, [ 2, [ 3, [ 4, [5, 6] ], 7 ], 8 ], 9 ], [ 1, [ 2, [ 3, [ [ 4, [5, 6] ] ], 7 ], 8 ], 9 ] ]; for (var i = 0; i < tests.length; i++) { print(printTree(tests[i]).join('\n')); print('\n') }
As you can see, on each iteration we "increment" accumulator with string, and returns whole string when recursion is over.
You can check it in action at: ideone.com/tP5KTC
$ php parse.php ~/work/megafon/all.html
Исходящие прочие:
01.03.15
1.72 минута на 0.40 рублей
02.03.15
3.13 минуты на 1.45 рубль
03.03.15
0.45 минут на 0.29 рублей
05.03.15
0.75 минут на 0.29 рублей
06.03.15
1.27 минута на 0.58 рублей
07.03.15
2.15 минуты на 0.87 рублей
08.03.15
8.22 минут на 4.35 рубля
09.03.15
0.07 минут на 0.29 рублей
11.03.15
4.67 минуты на 1.45 рубль
12.03.15
6.92 минут на 2.90 рубля
13.03.15
3.72 минуты на 1.16 рубль
14.03.15
6.32 минут на 2.90 рубля
15.03.15
2.08 минуты на 1.74 рубль
16.03.15
10.93 минут на 3.48 рубля
17.03.15
4.27 минуты на 1.45 рубль
SMS:Услуги SMS-центра:
01.03.15
1 штука на 1.60 рубль
02.03.15
1 штука на 1.60 рубль
03.03.15
1 штука на 1.60 рубль
14.03.15
4 штуки на 6.40 рублей
17.03.15
3 штуки на 4.80 рубля
Премиум WAP(WAP-клики):
08.03.15
2 штуки на 65.00 рублей
Исходящие внутрисетевые:
15.03.15
4.28 минуты на 1.45 рубль
Ext.override(Ext.chart.series.Area, { drawSeries: function() { var result, style = this.colorArrayStyle, copy, idx = this.themeIdx, fill; if (this.style.fill) { copy = Ext.Array.clone(style); fill = Ext.isArray(this.style.fill) ? this.style.fill : [this.style.fill]; Ext.each(fill, function(color, index) { style[idx + index] = color; }); } result = this.callParent(arguments); this.colorArrayStyle = copy; return result; } });
import sys s = sys.stdin.readline().split(" ") n = int(s[0]) m = int(s[1]) a = 0 b = 1 f = 1 mem = [a, b] for c in range(2, n+1): f = (a + b) % m a = b b = f if a == 0 and f == 1: mem.pop() break else: mem.append(f) pos = n % len(mem) print(mem[pos])
Online example here: ideone.com/6pl4AR
#!/usr/bin/perl -w use strict; use warnings; use Data::Dumper; my $h = {}; $h->{'d'} = {}; $h->{'d'}{'t1'} = 'a'; $h->{'d'}{'t2'} = 'b'; my $hh = $h->{'d'}; for my $k (keys $hh) { my $v = $hh->{$k}; print "$k = $v\n"; }
Just use "%" symbol before accessing to hash:
#!/usr/bin/perl -w use strict; use warnings; use Data::Dumper; my $h = {}; $h->{'d'} = {}; $h->{'d'}{'t1'} = 'a'; $h->{'d'}{'t2'} = 'b'; my $hh = $h->{'d'}; for my $k (keys %$hh) { my $v = $hh->{$k}; print "$k = $v\n"; }
And it will work on both versions of Perl:
$ perl test_hashes.pl
t1 = a
t2 = b
$ perl -v
This is perl 5, version 18, subversion 2 (v5.18.2) built for x86_64-linux-gnu-thread-multi
(with 41 registered patches, see perl -V for more detail)
$ perl test_hashes.pl
t2 = b
t1 = a
$ perl -v
This is perl, v5.10.1 (*) built for x86_64-linux-thread-multi
<?php function g($a, $u = []) { $r = []; $size = sizeof($a); for ($i = 0; $i < $size; $i++) { if (empty($u[$i])) { $u[$i] = true; $vs = g($a, $u); $r[] = [$a[$i]]; foreach($vs as $v) { $r[] = array_merge(array( $a[$i] ) , $v); } $u[$i] = false; } } return $r; }
var wordwrap = function(value, width, separator) { width = width || 75; separator = separator || '<br>'; if ((typeof(value) === 'string') && value) { var main = new RegExp('(\\s*)([^><]{' + width + ',})(<|$)', 'g'); value = value.replace(main, function(full, before, v, after) { var regex = new RegExp('\\S{' + width + '}', 'g'), match, matches = [before], lastIndex = 0; while ((match = regex.exec(v)) != null) { if (lastIndex < match.index) { matches.push(v.substring(lastIndex, match.index)); } matches.push(match[0] + separator); lastIndex = regex.lastIndex; } matches.push(v.substring(lastIndex)); matches.push(after); return matches.join(''); }); } return value; };
#!/bin/bash cd /home/user/proj FILES=() function testF { FILE=$1 LEN=`wc -l $FILE | awk '{print $1}'` count=1; CHOMP=false if [ -s "$FILE" ] && [ "$(tail -c1 "$FILE"; echo x)" != $'\nx' ]; then LEN=($LEN+1) CHOMP=true fi while [[ $count -le $LEN ]] do LINE=`head -$count $FILE | tail -1` echo "$LINE" > /tmp/converter.txt isUTF=`file /tmp/converter.txt | grep UTF | wc -l`; if [ $isUTF != "1" ]; then iconv -f cp1251 -t utf8 /tmp/converter.txt -o /tmp/converter_1251.txt; mv /tmp/converter_1251.txt /tmp/converter.txt fi; cat /tmp/converter.txt >> "${file}.utf8" ((count++)) done if [ $CHOMP == true ]; then perl -pe 'chomp if eof' "${file}.utf8" > "${file}.utf8.chomped" mv "${file}.utf8.chomped" "${file}.utf8" fi } git reset . git co . git clean -df git co . git merge --abort echo "NOW PULL" git stash git pull -Xtheirs origin master for i in `git status | grep "new file" | awk '{print $3}' | egrep "\.(php|js|htm|html|yml|xml|tpl)"` do FILES=("${FILES[@]}" "$i"); done for i in `git status | grep "modified" | awk '{print $2}' | egrep "\.(php|js|htm|html|yml|xml|tpl)"` do FILES=("${FILES[@]}" "$i"); done git stash pop echo "NOW CONVERT" for file in "${FILES[@]}" do DONE=false if [ -f "${file}" ]; then echo "FILE $file" testF "$file" echo "RENAME ${file}.utf8" mv "${file}.utf8" "$file" fi done
function getLongest(s) { var begin = 0, finish = 0, len = 0, b = {}, sum = 0, i, n = s.length; prefix, padding = '', cursor; for (i = -n; i < n; i++) { b[i] = null; } b[0] = -1; for (i = 0; i < n; i++) { sum += (s[i] == 1 ? 1 : -1); if (b[sum] == null) { b[sum] = i; console.log('for sum = ' + sum + ' index = ' + i); } else { console.log('for sum = ' + sum + ' at index = ' + i + ' b = ' + b[sum]); if (len < i - b[sum]) { begin = b[sum] + 1; finish = i; len = i - b[sum]; console.log('begin = ' + begin + ' finish = ' + finish + ' len = ' + len); } } } if (begin === finish) { console.log('No subarray'); return; } prefix = '['+begin+':'+finish+'] = '; for (i = 0; i < prefix.length + s.length; i++) { cursor = i - prefix.length; padding += (cursor === begin || cursor === finish) ? '^' : ' '; } console.log(prefix + s); console.log(padding) console.log(padding.substr(0, prefix.length + begin) + s.substr(begin, finish - begin + 1)); } (function(tests) { var i, j, s, len; for (i = 0; i < tests; i++) { len = Math.round(Math.random() * 10) + 1; s = ''; for (j = 0; j < len; j++) { s += Math.round(Math.random()); } console.log(s); getLongest(s); } })(3);
First, we need to create code like this (its not ideal, and hasnt error handling: its a just proof-o-concept):
<?php $db = new mysqli('localhost', 'root', ''); if ($db->connect_errno) { printf("Не удалось подключиться: %s\n", $db->connect_error); exit(); } function get_named_lock($lockname, $i) { global $db; $rs = $db->query("SELECT IS_FREE_LOCK('$lockname'AS isfree");
$result = $rs->fetch_array(); if ($result['isfree']) { printf("Is free! PID = %s I = %d\n", getmypid(), $i); $rs = $db->query("SELECT GET_LOCK('$lockname', 0) AS locked"); $result = $rs->fetch_array(); $locked = $result['locked']; printf("%s Locked! PID = %s I = %d\n", $locked ? 'IS' : 'NOT', getmypid(), $i); return $locked; } else { return false; } } function release_named_lock($lockname) { $db->query("DO RELEASE_LOCK('$lockname'");
} printf("Started %s\n", getmypid()); for ($i = 0; $i < 10000; $i++) { get_named_lock('mylock', $i); usleep(10); } printf("Release %s\n", getmypid());
Lets save it in file lock_test.php and then write small Bash sсript (run.sh):
#!/bin/bash for i in {1..10} do `php lock_test.php >> /tmp/out.log` & done
Then you can to run it and see into logs:
$ ./run.sh
$ tail -f /tmp/out.log
Started 29376
Is free! PID = 29376 I = 0
IS Locked! PID = 29376 I = 0
Started 29369
Started 29377
Started 29368
Started 29370
Started 29373
Started 29374
Started 29372
Started 29378
Started 29379
Release 29373
Release 29370
Release 29376
Is free! PID = 29378 I = 9844
Is free! PID = 29369 I = 9964
Is free! PID = 29374 I = 9989
IS Locked! PID = 29369 I = 9964
Is free! PID = 29377 I = 9852
NOT Locked! PID = 29374 I = 9989
NOT Locked! PID = 29378 I = 9844
NOT Locked! PID = 29377 I = 9852
Release 29374
Release 29369
Release 29372
Is free! PID = 29377 I = 9876
Is free! PID = 29368 I = 9881
Is free! PID = 29379 I = 9906
Is free! PID = 29378 I = 9876
IS Locked! PID = 29379 I = 9906
NOT Locked! PID = 29378 I = 9876
NOT Locked! PID = 29368 I = 9881
NOT Locked! PID = 29377 I = 9876
Release 29379
Is free! PID = 29378 I = 9973
IS Locked! PID = 29378 I = 9973
Release 29368
Release 29378
Release 29377
As you can see, lot of sсripts can to catch lock as "free" at same time, but only one can actually catch it with GET_LOCK. Anyway, a lot of iterations are skipped by IS_FREE_LOCK check step - its fast and enough to skip non-concurrency scripts.
свидетельством будет весь остров. Кем был Якобсон? Кто помнит о нем? О
нем писал Доннелли, но кто есть Доннелли? Кто вспомнит о нем? Я
нарисовал, вырезал, вытравил, высек в пространстве все, что перенял от
него. Придет на эти берега другой, чтобы вспомнить и меня. И встану я из
океана, словно остров без дна, соберусь воедино словно камень, стану
маяком, сигнальным буем, чтобы помнили меня. Нас всегда тянуло сюда. И
однажды чайки вернутся и совьют гнезда в костях наших историй. И взгляну
я налево, и увижу Эстер Доннелли, летящую около меня. И взгляну
направо, и увижу Пола Якобсона, летящего рядом. Они прочертят белые
линии, врезанные в воздух, дабы достичь большой земли, откуда придет
помощь.
Dear Esther. I have burnt my belongings, my books, this death
certificate. Mine will be written all across this island. Who was
Jakobson, who remembers him? Donnelly has written of him, but who was
Donnelly, who remembers him? I have painted, carved, hewn, scored into
this space all that I could draw from him. There will be another to these
shores to remember me. I will rise from the ocean like an island without
bottom, come together like a stone, become an aerial, a beacon that they
will not forget you. We have always been drawn here: one day the gulls
will return and nest in our bones and our history. I will look to my left
and see Esther Donnelly, flying beside me. I will look to my right and
see Paul Jakobson, flying beside me. They will leave white lines carved
into the air to reach the mainland, where help will be sent.
Dear Esther. I have burned the cliffs of Damascus, I have drunk deep of
it. My heart is my leg and a black line etched on the paper all along
this boat without a bottom. You are all the world like a nest to me, in
which eggs unbroken form like fossils, come together, shatter and send
small black flowers to the very air. From this infection, hope. From this
island, flight. From this grief, love.
Come back!
Come back...
$ phpunit -c config.xml SomeTest.php PHP Warning: require_once(PHP/Timer/Autoload.php): failed to open stream: No such file or directory in /usr/share/php/PHPUnit/Autoload.php on line 47 Warning: require_once(PHP/Timer/Autoload.php): failed to open stream: No such file or directory in /usr/share/php/PHPUnit/Autoload.php on line 47 PHP Fatal error: require_once(): Failed opening required 'PHP/Timer/Autoload.php' (include_path='.:/usr/share/php') in /usr/share/php/PHPUnit/Autoload.php on line 47 Fatal error: require_once(): Failed opening required 'PHP/Timer/Autoload.php' (include_path='.:/usr/share/php') in /usr/share/php/PHPUnit/Autoload.php on line 47
Do this command:
$ sudo pear install --alldeps --force phpunit/PHP_Timer [sudo] password for user: downloading PHP_Timer-1.0.5.tgz ... Starting to download PHP_Timer-1.0.5.tgz (3,597 bytes) ....done: 3,597 bytes install ok: channel://pear.phpunit.de/PHP_Timer-1.0.5
Now all will be OK