Vi Veri Veniversum Vivus Vici
Vi Veri Veniversum Vivus Vici
  1. /**
  2.   * Returns ASCII-table in CLI-like style
  3.   * @param {Array} data array of rows like key=>value
  4.   * @param {Object} headers hash of table's headers like key=>title
  5.   * @return {String}
  6.   */
  7. cliTable = function (data, headers) {
  8. var cellLengths = {},
  9. result,
  10. cell,
  11. cellLength,
  12. bar = '+',
  13. header = '|',
  14. padRight = function (value, maxLen, character) {
  15. if (!Ext4.isString(value)) {
  16. value = value.toString();
  17. }
  18. while (value.length < maxLen) {
  19. value += character;
  20. }
  21. return value;
  22. };
  23. Ext4.each(data, function (row) {
  24. Ext4.Object.each(headers, function (key) {
  25. cellLength = row[key].toString().length;
  26. if (!cellLengths[key] || (cellLengths[key] < cellLength)) {
  27. cellLengths[key] = cellLength;
  28. }
  29. });
  30. });
  31. Ext4.Object.each(headers, function (key, value) {
  32. cellLength = cellLengths[key];
  33. bar += Ext4.String.repeat('-', cellLength + 2) + '+';
  34. if (value.length > cellLength) {
  35. value = value.substr(0, cellLength);
  36. }
  37. header += ' ' + padRight(value, cellLength, ' ') + ' |';
  38. });
  39. result = bar + 'n' + header + 'n' + bar + 'n';
  40. Ext4.each(data, function (row) {
  41. result += '|';
  42. Ext4.Object.each(row, function (key, value) {
  43. result += ' ' + padRight(value, cellLengths[key], ' ') + ' |';
  44. });
  45. result += 'n';
  46. });
  47. result += bar;
  48. return result;
  49. }


@темы: ExtJS 4, JavaScript

Vi Veri Veniversum Vivus Vici
  1. innodb_buffer_pool_size = 2048M
  2. innodb_additional_mem_pool_size = 64M
  3. innodb_flush_log_at_trx_commit = 0
  4. innodb_thread_concurrency = 8
  5. innodb_flush_method = O_DIRECT
  6. innodb_checksums = 0
  7. innodb_file_format_check = 0
  8. innodb_stats_on_metadata=0


@темы: MySQL

Vi Veri Veniversum Vivus Vici
  1. Ext.Date.patterns = {
  2. ISO8601Long:"d.m.Y H:i:s",
  3. ISO8601Short:"d.m.Y",
  4. ShortDate: "D, M j/n/Y",
  5. LongDate: "l, F d, Y",
  6. FullDateTime: "l, F d, Y G:i:s",
  7. MonthDay: "F d",
  8. ShortTime: "G:i",
  9. LongTime: "G:i:s",
  10. SortableDateTime: "Y-m-dTH:i:s",
  11. UniversalSortableDateTime: "Y-m-d H:i:sO",
  12. YearMonth: "F, Y"
  13. };
  14.  
  15. Ext.DP = Ext.Date.patterns;
  16.  
  17. var dt = new Date(2012, 9, 14, 17, 38, 42);
  18. Ext.Object.each(Ext.DP, function(k, v) {
  19. console.log(k + ' -> ' + Ext.Date.format(dt, v));
  20. });


@темы: ExtJS 4

Vi Veri Veniversum Vivus Vici
  1. var s1 = Math.round(Math.random() * 10),
  2. s2 = 10 + Math.round(Math.random() * 10),
  3. n = Math.round(Math.random() * 5) + 2,
  4. i, clusters = {}, center, d = (s2 - s1) / n;
  5.  
  6. console.log('Clustering from ' + s1 + ' to ' + s2 + ' by ' + n + ' clusters');
  7. for (i = s1; i < s2; i++) {
  8. center = 'cluster_' + (s1 + Math.floor( (i - s1) / (s2 - s1) * n ) * d).toString();
  9. clusters[center] = (clusters[center] || []).concat(i);
  10. console.log( center + ' <- ' + i );
  11. }
  12.  
  13. console.log(clusters)


@темы: JavaScript

Vi Veri Veniversum Vivus Vici
find . -maxdepth 1 \( -name extjs -o -name .svn \) -prune -o -type d -print

@темы: *nix

Vi Veri Veniversum Vivus Vici
  1. var input = document.createElement('input');
  2. input.type = "text";
  3. document.getElementById('answer-5258595').appendChild(input);
  4. var a = ['1', 2222, {x:3}, [4,6,7], ['lol', 'hui']];
  5.  
  6. for (var i = 0, len = a.length; i < len; i++) {
  7. var fn = function(index) {
  8. input.value = a[index];
  9. };
  10. fn = fn.bind(window, i);
  11. setTimeout(fn, 100 + i * 5000);
  12. }


As you can see, objects convert into '[object Object]', and arrays convert into string which consists of their elements joined by ',' (without space).

@темы: JavaScript

Vi Veri Veniversum Vivus Vici
На блоге Ed Spencer в посте о его взглядах на микшины в старых версиях ExtJS дана ссылка на блог другого программиста и его статью Injecting Traits into Javasсript Objects. Спасаю ее здесь:



Duplication is the mother of all evil in programming. Remaining DRY at all costs should be your goal at all times. A pattern repeats itself one time and your code complexity goes up exponentially.

One great way to DRY up your code is via Traits. Traits are functional equivalent of base classes where you can collect most often used functions and inject these Traits into your objects. Here’s one simple way to do it in Javasсript (using extjs here):



  1. MyTrait = {
  2. xhr: function(config) { return Ext.Ajax.request(config) },
  3. submit: function(basic_form,config) {
  4. //perform some checks on config
  5. // and call basic_form.submit
  6. },
  7. //...add more utility functions
  8. }
  9. function MyGrid(config) {MyGrid.superclass.constructor.call(this,config)}
  10. Ext.extend(MyGrid, Ext.grid.GridPanel, MyTrait);


@темы: ExtJS

Vi Veri Veniversum Vivus Vici
For example, you can use it for SOAPClient: stackoverflow.com/questions/3444359/is-it-possi...
Or for common purposes: ilia.ws/archives/51-PHP-bind-support-via-stream...

  1. <?php
  2.  
  3. $conn = stream_context_create(array('socket'=>array('bindto' => "1.2.3.4:0")));
  4. file_get_contents("url";, NULL, $conn);
  5.  
  6. ?>


@темы: SOAPClient, PHP

Vi Veri Veniversum Vivus Vici
  1. <pre>
  2. <?php
  3.  
  4. class S {
  5.  
  6. protected $_data = array();
  7.  
  8. public function __construct($separator) {
  9. $name = get_class($this);
  10. for ($i = 1; $i < 3; $i++) {
  11. for ($j = 1; $j < 3; $j++) {
  12. $this->_data[$i][$j] = sprintf('Property %d%s%d of %s', $i, $separator, $j, $name);
  13. }
  14. }
  15. }
  16.  
  17. public function get($id, $pid) {
  18. return isset($this->_data[$id][$pid]) ? $this->_data[$id][$pid] : null;
  19. }
  20. }
  21.  
  22. class S1 extends S {
  23. }
  24.  
  25. class S2 extends S {
  26. }
  27.  
  28. abstract class A {
  29.  
  30. abstract protected function i();
  31.  
  32. public static function getById($id, $property_id) {
  33. if ($id <= 0 || $property_id <= 0) {
  34. throw new Exception('Неверные данные');
  35. }
  36. return static::i()->get($id, $property_id);
  37. }
  38. }
  39.  
  40. class B extends A {
  41.  
  42. private static $instance;
  43.  
  44. protected function i() {
  45. if (!self::$instance) {
  46. $len = rand(1, 20);
  47. self::$instance = new S1(str_repeat('-', $len));
  48. }
  49. return self::$instance;
  50. }
  51.  
  52. }
  53.  
  54. class C extends A {
  55.  
  56. protected function i() {
  57. $len = rand(1, 20);
  58. return new S2(str_repeat('*', $len));
  59. }
  60.  
  61. }
  62. for ($i = 0; $i < 5; $i++) {
  63. ?>
  64. <div style="border:1px #ccc dashed;"><?php var_dump(B::getById(rand(1,2), rand(1,2))); var_dump(C::getById(rand(1,2), rand(1,2)));?> </div>
  65. <?php
  66. }


If there will be "return self::i()->get($id, $property_id);", you will get

Fatal error: Cannot call abstract method A::i() in /var/web/tests/lsb_2.php on line 37
 
Call Stack:
0.0003 350596 1. {main}() /var/web/tests/lsb_2.php:0
0.0003 350728 2. A::getById() /var/web/tests/lsb_2.php:65
 


@темы: PHP

Vi Veri Veniversum Vivus Vici
I modified "absform.js" example from ExtJS 4.1 distributive demos to show you how to use Ext.tip.ToolTip delegates. First, I found within Firebug that form fields have class ".x-form-item" (sure, you must to use Ext.baseCSSPrefix). Than, you can get id from HTMLElement and get ExtJS Component by id. Here there is the code.

Я модифицировал демку "absform.js" из поставки экста, чтобы показать вам возможности делегирования у компоненты тултипа. Для начала с помощью файрбага я увидел, что элементы формы (поля) имеют класс .x-form-item (конечно, правильнее вместо .x- использовать baseCSSPrefix). Из tip.triggerElement, который является экземпляром или подклассом HTMLElement, можно взять айдишник и затем с помощью getCmp получить полноценную компоненту экста.

читать дальше

@темы: ExtJS 4

Vi Veri Veniversum Vivus Vici

@темы: ExtJS 4

Vi Veri Veniversum Vivus Vici
Встала задача: кастомно отображать элементы дерева, возможно, по некоторому условию. Можно, конечно, повесить обработчик на событие load у TreeStore и рекурсивно обработать каждый узел, после чего сделать ему commit, однако это решение обладает рядом недостатков:
  • Тормозит поток UI
  • По сути вторично выполняет уже сделанную самим экстом работу по выводу дерева


читать дальше

@темы: ExtJS 4

Vi Veri Veniversum Vivus Vici
Ебались с локалью под Fedora 16 - не срабатывал поиск без учета регистра (данные в базе лежат в CP1251), беглое гугление дало подсказку использовать setlocale. Однако она упорно не хотела ставиться, после чего был найден способ создать нужную локаль:
sudo localedef -f CP1251 -i ru_RU ru_RU.cp1251

Затем делаем
setlocale(LC_ALL, 'ru_RU.cp1251');

И все в шоколаде!

@темы: PHP

Vi Veri Veniversum Vivus Vici
Решение выложил здесь: www.sencha.com/forum/showthread.php?189422-ExtJ...
Прошу прощения за свой английский.

@темы: ExtJS 4

Vi Veri Veniversum Vivus Vici
Сам подошел к фиксу, и одновременно нашел решение вот тут: www.sencha.com/forum/showthread.php?146797-Grid...

Обращаю внимание, что обращаться к элементам как к .x-menu-body не вполне корректно. Используйте Ext.baseCSSPrefix

@темы: ExtJS 4

08:33 

Доступ к записи ограничен

Vi Veri Veniversum Vivus Vici
Закрытая запись, не предназначенная для публичного просмотра

Vi Veri Veniversum Vivus Vici
mysql> show create table test;
+-----------+-------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+
| Table | Create Table |
+-----------+-------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+
| test | CREATE TABLE `test` (
`id` int(11) unsigned NOT NULL AUTO_INCREMENT COMMENT 'hahaha',
`name` varchar(255) NOT NULL COMMENT 'Название',
PRIMARY KEY (`id`),
UNIQUE KEY `uk_name` (`name`)
) ENGINE=InnoDB DEFAULT CHARSET=cp1251 |
+-----------+-------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+
1 row in set (0.00 sec)

mysql> alter table test change column id id int default null;
Query OK, 0 rows affected (0.35 sec)
Records: 0 Duplicates: 0 Warnings: 0

mysql> show create table test;
+-----------+--------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+
| Table | Create Table |
+-----------+--------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+
| test | CREATE TABLE `test` (
`id` int(11) NOT NULL DEFAULT '0',
`name` varchar(255) NOT NULL COMMENT 'Название',
PRIMARY KEY (`id1c`),
UNIQUE KEY `uk__name` (`name`)
) ENGINE=InnoDB DEFAULT CHARSET=cp1251 |
+-----------+--------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+


Таким образом, нужно вначале менять PK.

@темы: MySQL

Vi Veri Veniversum Vivus Vici
Крайне быстро они делаются, если отключить опцию innodb_stats_on_metadata

Выдержка из официальной документации:

Version Introduced 5.1.17
Command-Line Format --innodb_stats_on_metadata
Option-File Format innodb_stats_on_metadata
Option Sets Variable Yes, innodb_stats_on_metadata
Variable Name innodb_stats_on_metadata
Variable Scope Global
Dynamic Variable Yes
Permitted Values
Type boolean
Default ON


When this variable is enabled (which is the default, as before
the variable was created), InnoDB updates
statistics during metadata statements such as
SHOW TABLE STATUS or
SHOW INDEX, or when accessing
the INFORMATION_SCHEMA tables
TABLES or
STATISTICS. (These updates are
similar to what happens for ANALYZE
TABLE
.) When disabled, InnoDB
does not updates statistics during these operations. Disabling
this variable can improve access speed for schemas that have a
large number of tables or indexes. It can also improve the
stability of execution plans for queries that involve
InnoDB tables.



This variable was added in MySQL 5.1.17.



@темы: MySQL, INFORMATION_SCHEMA

Vi Veri Veniversum Vivus Vici
Написал вот такой небольшой пример быдлокода. Предполагается, что необходимо 1) реализовать паттерн как таковой 2) реализовать динамическое изменение цепочки, как изнутри, так и снаружи, если процесс выполнения не может возвращать эту цепь по каким-либо причинам (проблемы в архитектуре, как частный случай).

читать дальше

@темы: PHP, Design Patterns