From ff3b464026313e6ca2a11a9671c27c43b340da8f Mon Sep 17 00:00:00 2001 From: Elena Bolshakova Date: Fri, 28 Nov 2014 11:36:41 +0300 Subject: [PATCH 001/286] [perl/ru] Russian translation for Perl 5 --- ru-ru/perl-ru.html.markdown | 169 ++++++++++++++++++++++++++++++++++++ 1 file changed, 169 insertions(+) create mode 100644 ru-ru/perl-ru.html.markdown diff --git a/ru-ru/perl-ru.html.markdown b/ru-ru/perl-ru.html.markdown new file mode 100644 index 00000000..9e9c7748 --- /dev/null +++ b/ru-ru/perl-ru.html.markdown @@ -0,0 +1,169 @@ +--- +category: language +language: perl +filename: learnperl-ru.pl +contributors: + - ["Korjavin Ivan", "http://github.com/korjavin"] +translators: + - ["Elena Bolshakova", "http://github.com/liruoko"] +lang: ru-ru +--- + +Perl 5 -- высокоуровневый мощный язык с 25-летней историей. +Особенно хорош для обработки разнообразных текстовых данных. + +Perl 5 работает более чем на 100 платформах, от портативных устройств +до мейнфреймов, и подходит как для быстрого прототипирования, +так и для крупных проектов. + +```perl +# Комментарии начинаются с символа решетки. + + +#### Типы переменных в Perl + +# Скалярные переменные начинаются с знака доллара $. +# Имя переменной состоит из букв, цифр и знаков подчеркивания, +# начиная с буквы или подчеркивания. + +### В Perl три основных типа переменных: скаляры, массивы, хеши. + +## Скаляры +# Скаляр хранит отдельное значение: +my $animal = "camel"; +my $answer = 42; + +# Скаляры могут быть строками, целыми и вещественными числами. +# Когда требуется, Perl автоматически выполняет преобразования к нужному типу. + +## Массивы +# Массив хранит список значений: +my @animals = ("camel", "llama", "owl"); +my @numbers = (23, 42, 69); +my @mixed = ("camel", 42, 1.23); + + +## Хеши +# Хеш хранит набор пар ключ/значение: + +my %fruit_color = ("apple", "red", "banana", "yellow"); + +# Можно использовать оператор "=>" для большей наглядности: + +my %fruit_color = ( + apple => "red", + banana => "yellow", + ); + +# Важно: вставка и поиск в хеше выполняются за константное время, +# независимо от его размера. + +# Скаляры, массивы и хеши подробно описаны в разделе perldata +# (perldoc perldata). + +# Более сложные структуры данных можно получить, если использовать ссылки. +# С помощью ссылок можно получить массив массивов хешей, в которых хранятся другие хеши. + +#### Условные операторы и циклы + +# В Perl есть большинсво привычных условных и циклических конструкций. + +if ( $var ) { + ... +} elsif ( $var eq 'bar' ) { + ... +} else { + ... +} + +unless ( condition ) { + ... + } +# Это более читаемый вариант для "if (!condition)" + +# Специфические Perl-овые пост-условия: +print "Yow!" if $zippy; +print "We have no bananas" unless $bananas; + +# while + while ( condition ) { + ... + } + + +# for, foreach +for ($i = 0; $i <= $max; $i++) { + ... + } + +foreach (@array) { + print "This element is $_\n"; + } + +for my $el (@array) { + print "This element is $el\n"; + } + +#### Регулярные выражения + +# Регулярные выражения занимают важное место вPerl-е, +# и подробно описаны в разделах документации perlrequick, perlretut и других. +# Вкратце: + +# Сопоставление с образцом +if (/foo/) { ... } # выполняется, если $_ содержит "foo" +if ($a =~ /foo/) { ... } # выполняется, если $a содержит "foo" + +# Простые замены + +$a =~ s/foo/bar/; # заменяет foo на bar в строке $a +$a =~ s/foo/bar/g; # заменяет ВСЕ ВХОЖДЕНИЯ foo на bar в строке $a + + +#### Файлы и ввод-вывод + +# Открыть файл на чтение или запись можно с помощью функции "open()". + +open(my $in, "<", "input.txt") or die "Can't open input.txt: $!"; +open(my $out, ">", "output.txt") or die "Can't open output.txt: $!"; +open(my $log, ">>", "my.log") or die "Can't open my.log: $!"; + +# Читать из файлового дескриптора можно с помощью оператора "<>". +# В скалярном контексте он читает одру строку из файла, в списковом -- +# читает сразу весь файл, сохраняя по одной строке в элементе массива: + +my $line = <$in>; +my @lines = <$in>; + +#### Подпрограммы (функции) + +# Объявить функцию просто: + +sub logger { + my $logmessage = shift; + open my $logfile, ">>", "my.log" or die "Could not open my.log: $!"; + print $logfile $logmessage; +} + +# Теперь можно использовать эту функцию так же, как и встроенные: + +logger("We have a logger subroutine!"); +``` + +#### Perl-модули + +Perl-овые модули предоставляют широкий набор функциональности, +так что вы можете не изобретать заново велосипеды, а просто скачать +нужный модуль с CPAN (http://www.cpan.org/). +Некоторое количество самых полезных модулей включено в стандартную +поставку Perl. + +Раздел документации perlfaq содержит вопросы и ответы о многих частых +задачах, и часто предлагает подходящие CPAN-модули. + +#### Смотрите также + + - [perl-tutorial](http://perl-tutorial.org/) + - [обучающий раздел на www.perl.com](http://www.perl.org/learn.html) + - [perldoc в вебе](http://perldoc.perl.org/) + - встроенная справка : `perldoc perlintro` From b6e9ad3b8d5b0c742f4362f48c1e9988f6a8e87e Mon Sep 17 00:00:00 2001 From: Arnie97 Date: Sun, 19 Apr 2015 11:18:51 +0800 Subject: [PATCH 002/286] Create a copy of the English version. --- zh-cn/tmux-cn.html.markdown | 251 ++++++++++++++++++++++++++++++++++++ 1 file changed, 251 insertions(+) create mode 100644 zh-cn/tmux-cn.html.markdown diff --git a/zh-cn/tmux-cn.html.markdown b/zh-cn/tmux-cn.html.markdown new file mode 100644 index 00000000..c11da5fc --- /dev/null +++ b/zh-cn/tmux-cn.html.markdown @@ -0,0 +1,251 @@ +--- +category: tool +tool: tmux +contributors: + - ["mdln", "https://github.com/mdln"] +filename: LearnTmux.txt +--- + + +[tmux](http://tmux.sourceforge.net) +is a terminal multiplexer: it enables a number of terminals +to be created, accessed, and controlled from a single screen. tmux +may be detached from a screen and continue running in the background +then later reattached. + + +``` + + tmux [command] # Run a command + # 'tmux' with no commands will create a new session + + new # Create a new session + -s "Session" # Create named session + -n "Window" # Create named Window + -c "/dir" # Start in target directory + + attach # Attach last/available session + -t "#" # Attach target session + -d # Detach the session from other instances + + ls # List open sessions + -a # List all open sessions + + lsw # List windows + -a # List all windows + -s # List all windows in session + + lsp # List panes + -a # List all panes + -s # List all panes in session + -t # List app panes in target + + kill-window # Kill current window + -t "#" # Kill target window + -a # Kill all windows + -a -t "#" # Kill all windows but the target + + kill-session # Kill current session + -t "#" # Kill target session + -a # Kill all sessions + -a -t "#" # Kill all sessions but the target + +``` + + +### Key Bindings + +The method of controlling an attached tmux session is via key +combinations called 'Prefix' keys. + +``` +---------------------------------------------------------------------- + (C-b) = Ctrl + b # 'Prefix' combination required to use keybinds + + (M-1) = Meta + 1 -or- Alt + 1 +---------------------------------------------------------------------- + + ? # List all key bindings + : # Enter the tmux command prompt + r # Force redraw of the attached client + c # Create a new window + + ! # Break the current pane out of the window. + % # Split the current pane into two, left and right + " # Split the current pane into two, top and bottom + + n # Change to the next window + p # Change to the previous window + { # Swap the current pane with the previous pane + } # Swap the current pane with the next pane + + s # Select a new session for the attached client + interactively + w # Choose the current window interactively + 0 to 9 # Select windows 0 to 9 + + d # Detach the current client + D # Choose a client to detach + + & # Kill the current window + x # Kill the current pane + + Up, Down # Change to the pane above, below, left, or right + Left, Right + + M-1 to M-5 # Arrange panes: + # 1) even-horizontal + # 2) even-vertical + # 3) main-horizontal + # 4) main-vertical + # 5) tiled + + C-Up, C-Down # Resize the current pane in steps of one cell + C-Left, C-Right + + M-Up, M-Down # Resize the current pane in steps of five cells + M-Left, M-Right + +``` + + +### Configuring ~/.tmux.conf + +tmux.conf can be used to set options automatically on start up, much +like how .vimrc or init.el are used. + +``` +# Example tmux.conf +# 2014.10 + + +### General +########################################################################### + +# Enable UTF-8 +setw -g utf8 on +set-option -g status-utf8 on + +# Scrollback/History limit +set -g history-limit 2048 + +# Index Start +set -g base-index 1 + +# Mouse +set-option -g mouse-select-pane on + +# Force reload of config file +unbind r +bind r source-file ~/.tmux.conf + + +### Keybinds +########################################################################### + +# Unbind C-b as the default prefix +unbind C-b + +# Set new default prefix +set-option -g prefix ` + +# Return to previous window when prefix is pressed twice +bind C-a last-window +bind ` last-window + +# Allow swapping C-a and ` using F11/F12 +bind F11 set-option -g prefix C-a +bind F12 set-option -g prefix ` + +# Keybind preference +setw -g mode-keys vi +set-option -g status-keys vi + +# Moving between panes with vim movement keys +bind h select-pane -L +bind j select-pane -D +bind k select-pane -U +bind l select-pane -R + +# Window Cycle/Swap +bind e previous-window +bind f next-window +bind E swap-window -t -1 +bind F swap-window -t +1 + +# Easy split pane commands +bind = split-window -h +bind - split-window -v +unbind '"' +unbind % + +# Activate inner-most session (when nesting tmux) to send commands +bind a send-prefix + + +### Theme +########################################################################### + +# Statusbar Color Palatte +set-option -g status-justify left +set-option -g status-bg black +set-option -g status-fg white +set-option -g status-left-length 40 +set-option -g status-right-length 80 + +# Pane Border Color Palette +set-option -g pane-active-border-fg green +set-option -g pane-active-border-bg black +set-option -g pane-border-fg white +set-option -g pane-border-bg black + +# Message Color Palette +set-option -g message-fg black +set-option -g message-bg green + +# Window Status Color Palette +setw -g window-status-bg black +setw -g window-status-current-fg green +setw -g window-status-bell-attr default +setw -g window-status-bell-fg red +setw -g window-status-content-attr default +setw -g window-status-content-fg yellow +setw -g window-status-activity-attr default +setw -g window-status-activity-fg yellow + + +### UI +########################################################################### + +# Notification +setw -g monitor-activity on +set -g visual-activity on +set-option -g bell-action any +set-option -g visual-bell off + +# Automatically set window titles +set-option -g set-titles on +set-option -g set-titles-string '#H:#S.#I.#P #W #T' # window number,program name,active (or not) + +# Statusbar Adjustments +set -g status-left "#[fg=red] #H#[fg=green]:#[fg=white]#S#[fg=green] |#[default]" + +# Show performance counters in statusbar +# Requires https://github.com/thewtex/tmux-mem-cpu-load/ +set -g status-interval 4 +set -g status-right "#[fg=green] | #[fg=white]#(tmux-mem-cpu-load)#[fg=green] | #[fg=cyan]%H:%M #[default]" + +``` + + +### References + +[Tmux | Home](http://tmux.sourceforge.net) + +[Tmux Manual page](http://www.openbsd.org/cgi-bin/man.cgi/OpenBSD-current/man1/tmux.1?query=tmux) + +[Gentoo Wiki](http://wiki.gentoo.org/wiki/Tmux) + +[Archlinux Wiki](https://wiki.archlinux.org/index.php/Tmux) + +[Display CPU/MEM % in statusbar](https://stackoverflow.com/questions/11558907/is-there-a-better-way-to-display-cpu-usage-in-tmux) From da12b4d6f592aaf7bce4de6d78c75877cdcc968c Mon Sep 17 00:00:00 2001 From: Arnie97 Date: Sun, 19 Apr 2015 11:42:22 +0800 Subject: [PATCH 003/286] Translate the majority into Chinese. --- zh-cn/tmux-cn.html.markdown | 184 ++++++++++++++++++------------------ 1 file changed, 92 insertions(+), 92 deletions(-) diff --git a/zh-cn/tmux-cn.html.markdown b/zh-cn/tmux-cn.html.markdown index c11da5fc..184daca1 100644 --- a/zh-cn/tmux-cn.html.markdown +++ b/zh-cn/tmux-cn.html.markdown @@ -1,9 +1,12 @@ --- category: tool tool: tmux +filename: LearnTmux-cn.txt contributors: - ["mdln", "https://github.com/mdln"] -filename: LearnTmux.txt +translators: + - ["Arnie97", "https://github.com/Arnie97"] +lang: zh-cn --- @@ -16,194 +19,191 @@ then later reattached. ``` - tmux [command] # Run a command - # 'tmux' with no commands will create a new session + tmux [command] # 运行一条命令 + # 如果忽略 'tmux' 之后的命令,将会建立一个新的会话 - new # Create a new session - -s "Session" # Create named session - -n "Window" # Create named Window - -c "/dir" # Start in target directory + new # 创建一个新的会话 + -s "Session" # 创建一个named会话 + -n "Window" # 创建一个named窗口 + -c "/dir" # 在指定的工作目录中启动会话 - attach # Attach last/available session - -t "#" # Attach target session - -d # Detach the session from other instances + attach # 连接到上一次的会话(如果可用) + -t "#" # 连接到指定的会话 + -d # 断开其他客户端的会话 - ls # List open sessions - -a # List all open sessions + ls # 列出打开的会话 + -a # 列出所有打开的会话 - lsw # List windows - -a # List all windows - -s # List all windows in session + lsw # 列出窗口 + -a # 列出所有窗口 + -s # 列出会话中的所有窗口 - lsp # List panes - -a # List all panes - -s # List all panes in session + lsp # 列出窗格 + -a # 列出所有窗格 + -s # 列出会话中的所有窗格 -t # List app panes in target - kill-window # Kill current window - -t "#" # Kill target window - -a # Kill all windows - -a -t "#" # Kill all windows but the target + kill-window # 关闭当前窗口 + -t "#" # 关闭指定的窗口 + -a # 关闭所有窗口 + -a -t "#" # 关闭除指定窗口以外的所有窗口 - kill-session # Kill current session - -t "#" # Kill target session - -a # Kill all sessions - -a -t "#" # Kill all sessions but the target + kill-session # 关闭当前会话 + -t "#" # 关闭指定的会话 + -a # 关闭所有会话 + -a -t "#" # 关闭除指定会话以外的所有会话 ``` -### Key Bindings +## 快捷键 -The method of controlling an attached tmux session is via key -combinations called 'Prefix' keys. +# 通过“前缀”快捷键,可以控制一个已经连入的tmux会话。 ``` ---------------------------------------------------------------------- - (C-b) = Ctrl + b # 'Prefix' combination required to use keybinds + (C-b) = Ctrl + b # 在使用下列快捷键之前,需要按这个“前缀”快捷键 - (M-1) = Meta + 1 -or- Alt + 1 + (M-1) = Meta + 1 或 Alt + 1 ---------------------------------------------------------------------- - ? # List all key bindings - : # Enter the tmux command prompt - r # Force redraw of the attached client - c # Create a new window + ? # 列出所有快捷键 + : # 进入tmux的命令提示符 + r # 强制重绘 the attached client + c # 创建一个新窗口 ! # Break the current pane out of the window. - % # Split the current pane into two, left and right - " # Split the current pane into two, top and bottom + % # 将当前窗格分为左右两半 + " # 将当前窗格分为上下两半 - n # Change to the next window - p # Change to the previous window - { # Swap the current pane with the previous pane - } # Swap the current pane with the next pane + n # 切换到下一个窗口 + p # 切换到上一个窗口 + { # 将当前窗格与上一个窗格交换 + } # 将当前窗格与下一个窗格交换 - s # Select a new session for the attached client - interactively - w # Choose the current window interactively - 0 to 9 # Select windows 0 to 9 + s # 在交互式界面中,选择并连接至另一个会话 + w # 在交互式界面中,选择并激活一个窗口 + 0 至 9 # 选择 0 到 9 号窗口 - d # Detach the current client - D # Choose a client to detach + d # 断开当前客户端 + D # 选择并断开一个客户端 - & # Kill the current window - x # Kill the current pane + & # 关闭当前窗口 + x # 关闭当前窗格 - Up, Down # Change to the pane above, below, left, or right + Up, Down # 将焦点移动至相邻的窗格 Left, Right - M-1 to M-5 # Arrange panes: + M-1 到 M-5 # 排列窗格: # 1) even-horizontal # 2) even-vertical # 3) main-horizontal # 4) main-vertical # 5) tiled - C-Up, C-Down # Resize the current pane in steps of one cell + C-Up, C-Down # 改变当前窗格的大小,每按一次增减一个单位 C-Left, C-Right - M-Up, M-Down # Resize the current pane in steps of five cells + M-Up, M-Down # 改变当前窗格的大小,每按一次增减五个单位 M-Left, M-Right ``` -### Configuring ~/.tmux.conf +### 配置 ~/.tmux.conf -tmux.conf can be used to set options automatically on start up, much -like how .vimrc or init.el are used. +tmux.conf 可以在 tmux 启动时自动设置选项,类似于 .vimrc 或 init.el 的用法。 ``` -# Example tmux.conf +# tmux.conf 示例 # 2014.10 -### General +### 通用设置 ########################################################################### -# Enable UTF-8 +# 启用 UTF-8 编码 setw -g utf8 on set-option -g status-utf8 on -# Scrollback/History limit +# 命令回滚/历史数量限制 set -g history-limit 2048 # Index Start set -g base-index 1 -# Mouse +# 启用鼠标 set-option -g mouse-select-pane on -# Force reload of config file +# 重新加载配置文件 unbind r bind r source-file ~/.tmux.conf -### Keybinds +### 快捷键设置 ########################################################################### -# Unbind C-b as the default prefix +# 取消默认的前缀键 C-b unbind C-b -# Set new default prefix +# 设置新的前缀键 set-option -g prefix ` -# Return to previous window when prefix is pressed twice +# 再次按下前缀键时,回到之前的窗口 bind C-a last-window bind ` last-window -# Allow swapping C-a and ` using F11/F12 +# 按下F11/F12,可以选择不同的前缀键 bind F11 set-option -g prefix C-a bind F12 set-option -g prefix ` -# Keybind preference +# Vim 风格的快捷键绑定 setw -g mode-keys vi set-option -g status-keys vi -# Moving between panes with vim movement keys +# 使用 vim 风格的按键在窗格间移动 bind h select-pane -L bind j select-pane -D bind k select-pane -U bind l select-pane -R -# Window Cycle/Swap +# 循环切换不同的窗口 bind e previous-window bind f next-window bind E swap-window -t -1 bind F swap-window -t +1 -# Easy split pane commands +# 较易于使用的窗格分割快捷键 bind = split-window -h bind - split-window -v unbind '"' unbind % -# Activate inner-most session (when nesting tmux) to send commands +# 在嵌套使用 tmux 的情况下,激活最内层的会话,以便向其发送命令 bind a send-prefix -### Theme +### 外观主题 ########################################################################### -# Statusbar Color Palatte +# 状态栏颜色 set-option -g status-justify left set-option -g status-bg black set-option -g status-fg white set-option -g status-left-length 40 set-option -g status-right-length 80 -# Pane Border Color Palette -set-option -g pane-active-border-fg green -set-option -g pane-active-border-bg black -set-option -g pane-border-fg white -set-option -g pane-border-bg black +# 窗格边框颜色 +set-option -g 窗格-active-border-fg green +set-option -g 窗格-active-border-bg black +set-option -g 窗格-border-fg white +set-option -g 窗格-border-bg black -# Message Color Palette +# 消息框颜色 set-option -g message-fg black set-option -g message-bg green -# Window Status Color Palette +# 窗口状态栏颜色 setw -g window-status-bg black setw -g window-status-current-fg green setw -g window-status-bell-attr default @@ -214,38 +214,38 @@ setw -g window-status-activity-attr default setw -g window-status-activity-fg yellow -### UI +### 用户界面 ########################################################################### -# Notification +# 通知方式 setw -g monitor-activity on set -g visual-activity on set-option -g bell-action any set-option -g visual-bell off -# Automatically set window titles +# 自动设置窗口标题 set-option -g set-titles on -set-option -g set-titles-string '#H:#S.#I.#P #W #T' # window number,program name,active (or not) +set-option -g set-titles-string '#H:#S.#I.#P #W #T' # 窗口编号,程序名称,是否活动 -# Statusbar Adjustments +# 调整状态栏 set -g status-left "#[fg=red] #H#[fg=green]:#[fg=white]#S#[fg=green] |#[default]" -# Show performance counters in statusbar -# Requires https://github.com/thewtex/tmux-mem-cpu-load/ +# 在状态栏中显示性能计数器 +# 需要用到 https://github.com/thewtex/tmux-mem-cpu-load set -g status-interval 4 set -g status-right "#[fg=green] | #[fg=white]#(tmux-mem-cpu-load)#[fg=green] | #[fg=cyan]%H:%M #[default]" ``` -### References +### 参考资料 -[Tmux | Home](http://tmux.sourceforge.net) +[Tmux 主页](http://tmux.sourceforge.net) -[Tmux Manual page](http://www.openbsd.org/cgi-bin/man.cgi/OpenBSD-current/man1/tmux.1?query=tmux) +[Tmux 手册](http://www.openbsd.org/cgi-bin/man.cgi/OpenBSD-current/man1/tmux.1?query=tmux) [Gentoo Wiki](http://wiki.gentoo.org/wiki/Tmux) [Archlinux Wiki](https://wiki.archlinux.org/index.php/Tmux) -[Display CPU/MEM % in statusbar](https://stackoverflow.com/questions/11558907/is-there-a-better-way-to-display-cpu-usage-in-tmux) +[如何在 tmux 状态栏中显示 CPU / 内存占用百分比](https://stackoverflow.com/questions/11558907/is-there-a-better-way-to-display-cpu-usage-in-tmux) From 8aa98bd572bf4a0e1e52ead5a5ee192fc2101df6 Mon Sep 17 00:00:00 2001 From: Arnie97 Date: Thu, 28 May 2015 15:54:49 +0800 Subject: [PATCH 004/286] Minor improvements. --- zh-cn/tmux-cn.html.markdown | 30 ++++++++++++++---------------- 1 file changed, 14 insertions(+), 16 deletions(-) diff --git a/zh-cn/tmux-cn.html.markdown b/zh-cn/tmux-cn.html.markdown index 184daca1..00bf35f3 100644 --- a/zh-cn/tmux-cn.html.markdown +++ b/zh-cn/tmux-cn.html.markdown @@ -10,21 +10,19 @@ lang: zh-cn --- -[tmux](http://tmux.sourceforge.net) -is a terminal multiplexer: it enables a number of terminals -to be created, accessed, and controlled from a single screen. tmux -may be detached from a screen and continue running in the background -then later reattached. - +[tmux](http://tmux.sourceforge.net)是一款终端复用工具。 +在它的帮助下,你可以在同一个控制台上建立、访问并控制多个终端。 +你可以断开与一个tmux终端的连接,此时程序将在后台运行, +当你需要时,可以随时重新连接到这个终端。 ``` tmux [command] # 运行一条命令 - # 如果忽略 'tmux' 之后的命令,将会建立一个新的会话 + # 如果单独使用 'tmux' 而不指定某个命令,将会建立一个新的会话 new # 创建一个新的会话 - -s "Session" # 创建一个named会话 - -n "Window" # 创建一个named窗口 + -s "Session" # 创建一个会话,并命名为“Session” + -n "Window" # 创建一个窗口,并命名为“Window” -c "/dir" # 在指定的工作目录中启动会话 attach # 连接到上一次的会话(如果可用) @@ -56,9 +54,9 @@ then later reattached. ``` -## 快捷键 +### 快捷键 -# 通过“前缀”快捷键,可以控制一个已经连入的tmux会话。 +通过“前缀”快捷键,可以控制一个已经连入的tmux会话。 ``` ---------------------------------------------------------------------- @@ -69,7 +67,7 @@ then later reattached. ? # 列出所有快捷键 : # 进入tmux的命令提示符 - r # 强制重绘 the attached client + r # 强制重绘当前客户端 c # 创建一个新窗口 ! # Break the current pane out of the window. @@ -194,10 +192,10 @@ set-option -g status-left-length 40 set-option -g status-right-length 80 # 窗格边框颜色 -set-option -g 窗格-active-border-fg green -set-option -g 窗格-active-border-bg black -set-option -g 窗格-border-fg white -set-option -g 窗格-border-bg black +set-option -g pane-active-border-fg green +set-option -g pane-active-border-bg black +set-option -g pane-border-fg white +set-option -g pane-border-bg black # 消息框颜色 set-option -g message-fg black From 30cff7bcefd708638e99c7a9917ca2534fb38fd5 Mon Sep 17 00:00:00 2001 From: Elena Bolshakova Date: Wed, 10 Jun 2015 11:00:00 +0300 Subject: [PATCH 005/286] typo --- ru-ru/perl-ru.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ru-ru/perl-ru.html.markdown b/ru-ru/perl-ru.html.markdown index 9e9c7748..e9ba6ff8 100644 --- a/ru-ru/perl-ru.html.markdown +++ b/ru-ru/perl-ru.html.markdown @@ -106,7 +106,7 @@ for my $el (@array) { #### Регулярные выражения -# Регулярные выражения занимают важное место вPerl-е, +# Регулярные выражения занимают важное место в Perl-е, # и подробно описаны в разделах документации perlrequick, perlretut и других. # Вкратце: From 676568cca8731d0dbb2d2bdeff08cc092d283177 Mon Sep 17 00:00:00 2001 From: Elena Bolshakova Date: Wed, 10 Jun 2015 11:27:02 +0300 Subject: [PATCH 006/286] [perl/ru]: basic info on Unicode support; use strict; use warnings; --- ru-ru/perl-ru.html.markdown | 26 ++++++++++++++++++++++++++ 1 file changed, 26 insertions(+) diff --git a/ru-ru/perl-ru.html.markdown b/ru-ru/perl-ru.html.markdown index e9ba6ff8..0e68116c 100644 --- a/ru-ru/perl-ru.html.markdown +++ b/ru-ru/perl-ru.html.markdown @@ -161,6 +161,32 @@ Perl-овые модули предоставляют широкий набор Раздел документации perlfaq содержит вопросы и ответы о многих частых задачах, и часто предлагает подходящие CPAN-модули. + +#### Unicode + +Вам наверняка понадобится работать с не-ASCII текстами. +Добавьте эти прагмы в начало скрипта: + +```perl +use utf8; +use open ':std' => ':utf8'; +``` + +Подробнее читайте в perldoc, разделы perlunicode и open. + + +#### strict, warnings + +Прагмы strict и warnings включают полезные проверки во время компиляции: + +```perl +use strict; +use warnings; +``` + +Подробнее смотрите perldoc strict и perldoc warnings. + + #### Смотрите также - [perl-tutorial](http://perl-tutorial.org/) From a9febbeb223269f4cfa88287aeb13b0688537504 Mon Sep 17 00:00:00 2001 From: JustBlah Date: Thu, 24 Sep 2015 17:11:45 +0300 Subject: [PATCH 007/286] +Translation, *Russian auto-translate text fixed + Added more English to Russian translation * Auto translated Russian text changed to have more sense and readability --- ru-ru/objective-c-ru.html.markdown | 26 +++++++++++++------------- 1 file changed, 13 insertions(+), 13 deletions(-) diff --git a/ru-ru/objective-c-ru.html.markdown b/ru-ru/objective-c-ru.html.markdown index ddff2e5c..7209b3bb 100644 --- a/ru-ru/objective-c-ru.html.markdown +++ b/ru-ru/objective-c-ru.html.markdown @@ -381,20 +381,20 @@ if ([myClass respondsToSelector:selectorVar]) { // Проверяет содер NSLog(@"MyClass не содержит метод: %@", NSStringFromSelector(selectedVar)); } -// Имплементируйте методы в файле МойКласс.m: +// Имплементируйте методы в файле MyClass.m: @implementation MyClass { long distance; // Переменная экземпляра с закрытым (private) доступом NSNumber height; } -// To access a public variable from the interface file, use '_' followed by variable name: -_count = 5; // References "int count" from MyClass interface -// Access variables defined in implementation file: -distance = 18; // References "long distance" from MyClass implementation -// To use @property variable in implementation, use @synthesize to create accessor variable: -@synthesize roString = _roString; // _roString available now in @implementation +// Для доступа к public переменной, объявленной в интерфейсе используйте '_' перед названием переменной: +_count = 5; // Ссылается на "int count" из интерфейса MyClass +// Получение доступа к переменной, объявленной в имлементации происходит следующим образом: +distance = 18; // Ссылается на "long distance" из имлементации MyClass +// Для использования в иплементации переменной, объявленной в интерфейсе с помощью @property, следует использовать @synthesize для создания переменной аксессора: +@synthesize roString = _roString; // Теперь _roString доступна в @implementation (имплементации интерфейса) -// Called before calling any class methods or instantiating any objects +// Вызывается в первую очередь, перед вызовом других медотов класса или инициализации других объектов + (void)initialize { if (self == [MyClass class]) { @@ -505,10 +505,10 @@ distance = 18; // References "long distance" from MyClass implementation @end -// Теперь, если мы хотели создать грузовой объект, мы должны вместо создания подкласса класса Car, как это будет -// изменять функциональность Car чтобы вести себя подобно грузовику. Но давайте посмотрим, если мы хотим только добавить -// функциональность в существующий Car. Хороший пример должен быть чистить автомобиль. Итак мы создадим -// категорию для добавления его очистительных методов: +// Теперь, если мы хотим создать объект Truck - грузовик, мы должны создать подкласс класса Car, что +// изменит функционал Car и позволит вести себя подобно грузовику. Но что если мы хотим только добавить +// определенный функционал в уже существующий класс Car? Например - чистка автомобиля. Мы просто создадим +// категорию, которая добавит несколько методов для чистки автомобиля в класс Car: // @interface ИмяФайла: Car+Clean.h (ИмяБазовогоКласса+ИмяКатегории.h) #import "Car.h" // Убедитесь в том, что базовый класс импортирован для расширения. @@ -794,7 +794,7 @@ MyClass *arcMyClass = [[MyClass alloc] init]; // weakVar-свойство автоматически примет значение nil, // во избежание падения приложения @property (strong) MyClass *strongVar; // 'strong' принимает право на владение -// объектом. Гарантирует, что объект останится в памяти для использования +// объектом. Гарантирует, что объект останется в памяти для использования // Для обычных переменных (не объявленных с помощью @property), используйте // следующий способ: From 652285e9dfe2df2dbbc61b49abdc0ca22bf435f6 Mon Sep 17 00:00:00 2001 From: JustBlah Date: Thu, 24 Sep 2015 17:23:49 +0300 Subject: [PATCH 008/286] Multiline commentary split Long commentary was split into two strings --- ru-ru/objective-c-ru.html.markdown | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/ru-ru/objective-c-ru.html.markdown b/ru-ru/objective-c-ru.html.markdown index 7209b3bb..bebd36d3 100644 --- a/ru-ru/objective-c-ru.html.markdown +++ b/ru-ru/objective-c-ru.html.markdown @@ -391,7 +391,8 @@ if ([myClass respondsToSelector:selectorVar]) { // Проверяет содер _count = 5; // Ссылается на "int count" из интерфейса MyClass // Получение доступа к переменной, объявленной в имлементации происходит следующим образом: distance = 18; // Ссылается на "long distance" из имлементации MyClass -// Для использования в иплементации переменной, объявленной в интерфейсе с помощью @property, следует использовать @synthesize для создания переменной аксессора: +// Для использования в иплементации переменной, объявленной в интерфейсе с помощью @property, +// следует использовать @synthesize для создания переменной аксессора: @synthesize roString = _roString; // Теперь _roString доступна в @implementation (имплементации интерфейса) // Вызывается в первую очередь, перед вызовом других медотов класса или инициализации других объектов From 05559e8620d478b891c47d541dea978f661a8f3a Mon Sep 17 00:00:00 2001 From: Ale46 Date: Fri, 2 Oct 2015 18:41:55 +0200 Subject: [PATCH 009/286] [python/it] Translated python to Italian --- it-it/python-it.html.markdown | 647 ++++++++++++++++++++++++++++++++++ 1 file changed, 647 insertions(+) create mode 100644 it-it/python-it.html.markdown diff --git a/it-it/python-it.html.markdown b/it-it/python-it.html.markdown new file mode 100644 index 00000000..49bbab08 --- /dev/null +++ b/it-it/python-it.html.markdown @@ -0,0 +1,647 @@ +--- +language: python +contributors: + - ["Louie Dinh", "http://ldinh.ca"] + - ["Amin Bandali", "http://aminbandali.com"] + - ["Andre Polykanine", "https://github.com/Oire"] +filename: learnpython.py +translators: + - ["Ale46", "http://github.com/Ale46/"] +lang: it-it +--- +Python è stato creato da Guido Van Rossum agli inizi degli anni 90. Oggi è uno dei più popolari +linguaggi esistenti. Mi sono innamorato di Python per la sua chiarezza sintattica. E' sostanzialmente +pseudocodice eseguibile. + +Feedback sono altamente apprezzati! Potete contattarmi su [@louiedinh](http://twitter.com/louiedinh) oppure [at] [google's email service] + +Nota: Questo articolo è valido solamente per Python 2.7, ma dovrebbe andar bene anche per +Python 2.x. Per Python 3.x, dai un'occhiata a [Python 3 tutorial](http://learnxinyminutes.com/docs/python3/). + +```python + +# I commenti su una sola linea iniziano con un cancelletto + +""" Più stringhe possono essere scritte + usando tre ", e sono spesso usate + come commenti +""" + +#################################################### +## 1. Tipi di dati primitivi ed Operatori +#################################################### + +# Hai i numeri +3 # => 3 + +# La matematica è quello che vi aspettereste +1 + 1 # => 2 +8 - 1 # => 7 +10 * 2 # => 20 +35 / 5 # => 7 + +# La divisione è un po' complicata. E' una divisione fra interi in cui viene +# restituito in automatico il risultato intero. +5 / 2 # => 2 + +# Per le divisioni con la virgbola abbiamo bisogno di parlare delle variabili floats. +2.0 # Questo è un float +11.0 / 4.0 # => 2.75 ahhh...molto meglio + +# Il risultato di una divisione fra interi troncati positivi e negativi +5 // 3 # => 1 +5.0 // 3.0 # => 1.0 # funziona anche per i floats +-5 // 3 # => -2 +-5.0 // 3.0 # => -2.0 + +# Operazione Modulo +7 % 3 # => 1 + +# Elevamento a potenza (x alla y-esima potenza) +2**4 # => 16 + +# Forzare le precedenze con le parentesi +(1 + 3) * 2 # => 8 + +# Operatori Booleani +# Nota "and" e "or" sono case-sensitive +True and False #=> False +False or True #=> True + +# Note sull'uso di operatori Bool con interi +0 and 2 #=> 0 +-5 or 0 #=> -5 +0 == False #=> True +2 == True #=> False +1 == True #=> True + +# nega con not +not True # => False +not False # => True + +# Uguaglianza è == +1 == 1 # => True +2 == 1 # => False + +# Disuguaglianza è != +1 != 1 # => False +2 != 1 # => True + +# Altri confronti +1 < 10 # => True +1 > 10 # => False +2 <= 2 # => True +2 >= 2 # => True + +# I confronti possono essere concatenati! +1 < 2 < 3 # => True +2 < 3 < 2 # => False + +# Le stringhe sono create con " o ' +"Questa è una stringa." +'Anche questa è una stringa.' + +# Anche le stringhe possono essere sommate! +"Ciao " + "mondo!" # => Ciao mondo!" +# Le stringhe possono essere sommate anche senza '+' +"Ciao " "mondo!" # => Ciao mondo!" + +# ... oppure moltiplicate +"Hello" * 3 # => "HelloHelloHello" + +# Una stringa può essere considerata come una lista di caratteri +"Questa è una stringa"[0] # => 'Q' + +# % può essere usato per formattare le stringhe, in questo modo: +"%s possono essere %s" % ("le stringhe", "interpolate") + +# Un nuovo modo per fomattare le stringhe è il metodo format. +# Questo metodo è quello consigliato +"{0} possono essere {1}".format("le stringhe", "formattate") +# Puoi usare della parole chiave se non vuoi contare +"{nome} vuole mangiare {cibo}".format(nome="Bob", cibo="lasagna") + +# None è un oggetto +None # => None + +# Non usare il simbolo di uguaglianza "==" per comparare oggetti a None +# Usa "is" invece +"etc" is None # => False +None is None # => True + +# L'operatore 'is' testa l'identità di un oggetto. Questo non è +# molto utile quando non hai a che fare con valori primitivi, ma lo è +# quando hai a che fare con oggetti. + +# None, 0, e stringhe/liste vuote sono tutte considerate a False. +# Tutti gli altri valori sono True +bool(0) # => False +bool("") # => False + + +#################################################### +## 2. Variabili e Collections +#################################################### + +# Python ha una funzione di stampa +print "Sono Python. Piacere di conoscerti!" + +# Non c'è bisogno di dichiarare una variabile per assegnarle un valore +una_variabile = 5 # Convenzionalmente si usa caratteri_minuscoli_con_underscores +una_variabile # => 5 + +# Accedendo ad una variabile non precedentemente assegnata genera un'eccezione. +# Dai un'occhiata al Control Flow per imparare di più su come gestire le eccezioni. +un_altra_variabile # Genera un errore di nome + +# if può essere usato come un'espressione +"yahoo!" if 3 > 2 else 2 # => "yahoo!" + +# Liste immagazzinano sequenze +li = [] +# Puoi partire con una lista pre-riempita +altra_li = [4, 5, 6] + +# Aggiungi cose alla fine di una lista con append +li.append(1) # li ora è [1] +li.append(2) # li ora è [1, 2] +li.append(4) # li ora è [1, 2, 4] +li.append(3) # li ora è [1, 2, 4, 3] +# Rimuovi dalla fine della lista con pop +li.pop() # => 3 e li ora è [1, 2, 4] +# Rimettiamolo a posto +li.append(3) # li ora è [1, 2, 4, 3] di nuovo. + +# Accedi ad una lista come faresti con un array +li[0] # => 1 +# Assegna nuovo valore agli indici che sono già stati inizializzati con = +li[0] = 42 +li[0] # => 42 +li[0] = 1 # Nota: è resettato al valore iniziale +# Guarda l'ultimo elemento +li[-1] # => 3 + +# Guardare al di fuori dei limiti è un IndexError +li[4] # Genera IndexError + +# Puoi guardare gli intervalli con la sintassi slice (a fetta). +# (E' un intervallo chiuso/aperto per voi tipi matematici.) +li[1:3] # => [2, 4] +# Ometti l'inizio +li[2:] # => [4, 3] +# Ometti la fine +li[:3] # => [1, 2, 4] +# Seleziona ogni seconda voce +li[::2] # =>[1, 4] +# Copia al contrario della lista +li[::-1] # => [3, 4, 2, 1] +# Usa combinazioni per fare slices avanzate +# li[inizio:fine:passo] + +# Rimuovi arbitrariamente elementi da una lista con "del" +del li[2] # li è ora [1, 2, 3] +# Puoi sommare le liste +li + altra_li # => [1, 2, 3, 4, 5, 6] +# Nota: i valori per li ed _altri_li non sono modificati. + +# Concatena liste con "extend()" +li.extend(altra_li) # Ora li è [1, 2, 3, 4, 5, 6] + +# Controlla l'esistenza di un valore in una lista con "in" +1 in li # => True + +# Esamina la lunghezza con "len()" +len(li) # => 6 + + +# Tuple sono come le liste ma immutabili. +tup = (1, 2, 3) +tup[0] # => 1 +tup[0] = 3 # Genera un TypeError + +# Puoi fare tutte queste cose da lista anche sulle tuple +len(tup) # => 3 +tup + (4, 5, 6) # => (1, 2, 3, 4, 5, 6) +tup[:2] # => (1, 2) +2 in tup # => True + +# Puoi scompattare le tuple (o liste) in variabili +a, b, c = (1, 2, 3) # a è ora 1, b è ora 2 and c è ora 3 +# Le tuple sono create di default se non usi le parentesi +d, e, f = 4, 5, 6 +# Guarda come è facile scambiare due valori +e, d = d, e # d è ora 5 ed e è ora 4 + + +# Dizionari immagazzinano mappature +empty_dict = {} +# Questo è un dizionario pre-riempito +filled_dict = {"uno": 1, "due": 2, "tre": 3} + +# Accedi ai valori con [] +filled_dict["uno"] # => 1 + +# Ottieni tutte le chiavi come una lista con "keys()" +filled_dict.keys() # => ["tre", "due", "uno"] +# Nota - Nei dizionari l'ordine delle chiavi non è garantito. +# Il tuo risultato potrebbe non essere uguale a questo. + +# Ottieni tutt i valori come una lista con "values()" +filled_dict.values() # => [3, 2, 1] +# Nota - Come sopra riguardo l'ordinamento delle chiavi. + +# Controlla l'esistenza delle chiavi in un dizionario con "in" +"uno" in filled_dict # => True +1 in filled_dict # => False + +# Cercando una chiave non esistente è un KeyError +filled_dict["quattro"] # KeyError + +# Usa il metodo "get()" per evitare KeyError +filled_dict.get("uno") # => 1 +filled_dict.get("quattro") # => None +# Il metodo get supporta un argomento di default quando il valore è mancante +filled_dict.get("uno", 4) # => 1 +filled_dict.get("quattro", 4) # => 4 +# nota che filled_dict.get("quattro") è ancora => None +# (get non imposta il valore nel dizionario) + +# imposta il valore di una chiave con una sintassi simile alle liste +filled_dict["quattro"] = 4 # ora, filled_dict["quattro"] => 4 + +# "setdefault()" aggiunge al dizionario solo se la chiave data non è presente +filled_dict.setdefault("five", 5) # filled_dict["five"] è impostato a 5 +filled_dict.setdefault("five", 6) # filled_dict["five"] è ancora 5 + + +# Sets immagazzina ... sets (che sono come le liste, ma non possono contenere doppioni) +empty_set = set() +# Inizializza un "set()" con un po' di valori +some_set = set([1, 2, 2, 3, 4]) # some_set è ora set([1, 2, 3, 4]) + +# l'ordine non è garantito, anche se a volta può sembrare ordinato +another_set = set([4, 3, 2, 2, 1]) # another_set è ora set([1, 2, 3, 4]) + +# Da Python 2.7, {} può essere usato per dichiarare un set +filled_set = {1, 2, 2, 3, 4} # => {1, 2, 3, 4} + +# Aggiungere elementi ad un set +filled_set.add(5) # filled_set è ora {1, 2, 3, 4, 5} + +# Fai interazioni su un set con & +other_set = {3, 4, 5, 6} +filled_set & other_set # => {3, 4, 5} + +# Fai unioni su set con | +filled_set | other_set # => {1, 2, 3, 4, 5, 6} + +# Fai differenze su set con - +{1, 2, 3, 4} - {2, 3, 5} # => {1, 4} + +# Controlla l'esistenza in un set con in +2 in filled_set # => True +10 in filled_set # => False + + +#################################################### +## 3. Control Flow +#################################################### + +# Dichiariamo una variabile +some_var = 5 + +# Questo è un controllo if. L'indentazione è molto importante in python! +# stampa "some_var è più piccola di 10" +if some_var > 10: + print "some_var è decisamente più grande di 10." +elif some_var < 10: # Questa clausola elif è opzionale. + print "some_var è più piccola di 10." +else: # Anche questo è opzionale. + print "some_var è precisamente 10." + + +""" +I cicli for iterano sulle liste +stampa: + cane è un mammifero + gatto è un mammifero + topo è un mammifero +""" +for animale in ["cane", "gatto", "topo"]: + # Puoi usare {0} per interpolare le stringhe formattate. (Vedi di seguito.) + print "{0} è un mammifero".format(animale) + +""" +"range(numero)" restituisce una lista di numeri +da zero al numero dato +stampa: + 0 + 1 + 2 + 3 +""" +for i in range(4): + print i + +""" +"range(lower, upper)" restituisce una lista di numeri +dal più piccolo (lower) al più grande (upper) +stampa: + 4 + 5 + 6 + 7 +""" +for i in range(4, 8): + print i + +""" +I cicli while vengono eseguiti finchè una condizione viene a mancare +stampa: + 0 + 1 + 2 + 3 +""" +x = 0 +while x < 4: + print x + x += 1 # Forma compatta per x = x + 1 + +# Gestisci le eccezioni con un blocco try/except + +# Funziona da Python 2.6 in su: +try: + # Usa "raise" per generare un errore + raise IndexError("Questo è un errore di indice") +except IndexError as e: + pass # Pass è solo una non-operazione. Solitamente vorrai fare un recupero. +except (TypeError, NameError): + pass # Eccezioni multiple possono essere gestite tutte insieme, se necessario. +else: # Optional clause to the try/except block. Must follow all except blocks + print "All good!" # Viene eseguita solo se il codice dentro try non genera eccezioni +finally: # Eseguito sempre + print "Possiamo liberare risorse qui" + +# Invece di try/finally per liberare risorse puoi usare il metodo with +with open("myfile.txt") as f: + for line in f: + print line + +#################################################### +## 4. Funzioni +#################################################### + +# Usa "def" per creare nuove funzioni +def aggiungi(x, y): + print "x è {0} e y è {1}".format(x, y) + return x + y # Restituisce valori con il metodo return + +# Chiamare funzioni con parametri +aggiungi(5, 6) # => stampa "x è 5 e y è 6" e restituisce 11 + +# Un altro modo per chiamare funzioni è con parole chiave come argomenti +aggiungi(y=6, x=5) # Le parole chiave come argomenti possono arrivare in ogni ordine. + + +# Puoi definire funzioni che accettano un numero variabile di argomenti posizionali +# che verranno interpretati come come tuple se non usi il * +def varargs(*args): + return args + +varargs(1, 2, 3) # => (1, 2, 3) + + +# Puoi definire funzioni che accettano un numero variabile di parole chiave +# come argomento, che saranno interpretati come un dizionario se non usi ** +def keyword_args(**kwargs): + return kwargs + +# Chiamiamola per vedere cosa succede +keyword_args(big="foot", loch="ness") # => {"big": "foot", "loch": "ness"} + + +# Puoi farle entrambi in una volta, se ti va +def all_the_args(*args, **kwargs): + print args + print kwargs +""" +all_the_args(1, 2, a=3, b=4) stampa: + (1, 2) + {"a": 3, "b": 4} +""" + +# Quando chiami funzioni, puoi fare l'opposto di args/kwargs! +# Usa * per sviluppare gli argomenti posizionale ed usa ** per espandere gli argomenti parola chiave +args = (1, 2, 3, 4) +kwargs = {"a": 3, "b": 4} +all_the_args(*args) # equivalente a foo(1, 2, 3, 4) +all_the_args(**kwargs) # equivalente a foo(a=3, b=4) +all_the_args(*args, **kwargs) # equivalente a foo(1, 2, 3, 4, a=3, b=4) + +# puoi passare args e kwargs insieme alle altre funzioni che accettano args/kwargs +# sviluppandoli, rispettivamente, con * e ** +def pass_all_the_args(*args, **kwargs): + all_the_args(*args, **kwargs) + print varargs(*args) + print keyword_args(**kwargs) + +# Funzioni Scope +x = 5 + +def setX(num): + # La variabile locale x non è uguale alla variabile globale x + x = num # => 43 + print x # => 43 + +def setGlobalX(num): + global x + print x # => 5 + x = num # la variabile globable x è ora 6 + print x # => 6 + +setX(43) +setGlobalX(6) + +# Python ha funzioni di prima classe +def create_adder(x): + def adder(y): + return x + y + return adder + +add_10 = create_adder(10) +add_10(3) # => 13 + +# Ci sono anche funzioni anonime +(lambda x: x > 2)(3) # => True + +# Esse sono incluse in funzioni di alto livello +map(add_10, [1, 2, 3]) # => [11, 12, 13] +filter(lambda x: x > 5, [3, 4, 5, 6, 7]) # => [6, 7] + +# Possiamo usare la comprensione delle liste per mappe e filtri +[add_10(i) for i in [1, 2, 3]] # => [11, 12, 13] +[x for x in [3, 4, 5, 6, 7] if x > 5] # => [6, 7] + + +#################################################### +## 5. Classi +#################################################### + +# Usiamo una sottoclasse da un oggetto per avere una classe. +class Human(object): + + # Un attributo della classe. E' condiviso da tutte le istanze delle classe + species = "H. sapiens" + + # Costruttore base, richiamato quando la classe viene inizializzata. + # Si noti che il doppio leading e l'underscore finali denotano oggetti + # o attributi che sono usati da python ma che vivono nello spazio dei nome controllato + # dall'utente. Non dovresti usare nomi di questo genere. + def __init__(self, name): + # Assegna l'argomento all'attributo name dell'istanza + self.name = name + + # Un metodo dell'istanza. Tutti i metodi prendo "self" come primo argomento + def say(self, msg): + return "{0}: {1}".format(self.name, msg) + + # Un metodo della classe è condiviso fra tutte le istanze + # Sono chiamate con la classe chiamante come primo argomento + @classmethod + def get_species(cls): + return cls.species + + # Un metodo statico è chiamato senza una classe od una istanza di riferimento + @staticmethod + def grunt(): + return "*grunt*" + + +# Instanziare una classe +i = Human(name="Ian") +print i.say("hi") # stampa "Ian: hi" + +j = Human("Joel") +print j.say("hello") # stampa "Joel: hello" + +# Chiamare metodi della classe +i.get_species() # => "H. sapiens" + +# Cambiare l'attributo condiviso +Human.species = "H. neanderthalensis" +i.get_species() # => "H. neanderthalensis" +j.get_species() # => "H. neanderthalensis" + +# Chiamare il metodo condiviso +Human.grunt() # => "*grunt*" + + +#################################################### +## 6. Moduli +#################################################### + +# Puoi importare moduli +import math +print math.sqrt(16) # => 4 + +# Puoi ottenere specifiche funzione da un modulo +from math import ceil, floor +print ceil(3.7) # => 4.0 +print floor(3.7) # => 3.0 + +# Puoi importare tutte le funzioni da un modulo +# Attenzione: questo non è raccomandato +from math import * + +# Puoi abbreviare i nomi dei moduli +import math as m +math.sqrt(16) == m.sqrt(16) # => True +# puoi anche verificare che le funzioni sono equivalenti +from math import sqrt +math.sqrt == m.sqrt == sqrt # => True + +# I moduli di Python sono normali file python. Ne puoi +# scrivere di tuoi ed importarli. Il nome del modulo +# è lo stesso del nome del file. + +# Potete scoprire quali funzioni e attributi +# definiscono un modulo +import math +dir(math) + + +#################################################### +## 7. Avanzate +#################################################### + +# Generators help you make lazy code +def double_numbers(iterable): + for i in iterable: + yield i + i + +# Un generatore crea valori al volo. +# Invece di generare e ritornare tutti i valori in una volta ne crea uno in ciascuna +# iterazione. Ciò significa che i valori più grandi di 15 non saranno considerati in +# double_numbers. +# Nota xrange è un generatore che fa la stessa cosa di range. +# Creare una lista 1-900000000 occuperebbe molto tempo e spazio. +# xrange crea un oggetto generatore xrange invece di creare l'intera lista +# come fa range. +# Usiamo un underscore finale nel nome delle variabile quando vogliamo usare un nome +# che normalmente colliderebbe con una parola chiave di python +xrange_ = xrange(1, 900000000) + +# raddoppierà tutti i numeri fino a che result >=30 non sarà trovato +for i in double_numbers(xrange_): + print i + if i >= 30: + break + + +# Decoratori +# in questo esempio beg include say +# Beg chiamerà say. Se say_please è True allora cambierà il messaggio +# ritornato +from functools import wraps + + +def beg(target_function): + @wraps(target_function) + def wrapper(*args, **kwargs): + msg, say_please = target_function(*args, **kwargs) + if say_please: + return "{} {}".format(msg, "Please! I am poor :(") + return msg + + return wrapper + + +@beg +def say(say_please=False): + msg = "Can you buy me a beer?" + return msg, say_please + + +print say() # Can you buy me a beer? +print say(say_please=True) # Can you buy me a beer? Please! I am poor :( +``` + +## Ready For More? + +### Free Online + +* [Automate the Boring Stuff with Python](https://automatetheboringstuff.com) +* [Learn Python The Hard Way](http://learnpythonthehardway.org/book/) +* [Dive Into Python](http://www.diveintopython.net/) +* [The Official Docs](http://docs.python.org/2.6/) +* [Hitchhiker's Guide to Python](http://docs.python-guide.org/en/latest/) +* [Python Module of the Week](http://pymotw.com/2/) +* [A Crash Course in Python for Scientists](http://nbviewer.ipython.org/5920182) +* [First Steps With Python](https://realpython.com/learn/python-first-steps/) + +### Dead Tree + +* [Programming Python](http://www.amazon.com/gp/product/0596158106/ref=as_li_qf_sp_asin_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=0596158106&linkCode=as2&tag=homebits04-20) +* [Dive Into Python](http://www.amazon.com/gp/product/1441413022/ref=as_li_tf_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=1441413022&linkCode=as2&tag=homebits04-20) +* [Python Essential Reference](http://www.amazon.com/gp/product/0672329786/ref=as_li_tf_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=0672329786&linkCode=as2&tag=homebits04-20) From 18058567c4e7570ca7fd053299eefd0d36658329 Mon Sep 17 00:00:00 2001 From: Matteo Taroli Date: Fri, 2 Oct 2015 22:17:16 +0200 Subject: [PATCH 010/286] Add French translation for Perl 5 --- fr-fr/perl-fr.html.markdown | 166 ++++++++++++++++++++++++++++++++++++ 1 file changed, 166 insertions(+) create mode 100644 fr-fr/perl-fr.html.markdown diff --git a/fr-fr/perl-fr.html.markdown b/fr-fr/perl-fr.html.markdown new file mode 100644 index 00000000..7a061da7 --- /dev/null +++ b/fr-fr/perl-fr.html.markdown @@ -0,0 +1,166 @@ +--- +name: perl +category: language +language: perl +filename: learnperl-fr.pl +contributors: + - ["Korjavin Ivan", "http://github.com/korjavin"] +translators: + - ["Matteo Taroli", "http://www.matteotaroli.be"] +lang: fr-fr +--- +Perl 5 est un langage de programmation riche en fonctionnalité, avec plus de 25 ans de développement. + +Perl 5 fonctionne sur plus de 100 plateformes, allant des pc portables aux mainframes et +est autant adapté à un prototypage rapide qu'à des projets de grande envergure. + +```perl +# Les commentaires en une ligne commencent par un dièse + + +#### Types de variables de Perl + +# Les variables comment par un symbole précisant le type. +# Un nom de variable valide commence par une lettre ou un underscore, +# suivi d'un nombre quelconque de lettres, chiffres ou underscores. + +### Perl a trois types principaux de variables: $scalaire, @tableau and %hash + +## Scalaires +# Un scalaire représente une valeure unique : +my $animal = "chameau"; +my $reponse = 42; + +# Les valeurs scalaires peuvent être des strings, des entiers ou des nombres à virgule flottante +# et Perl les convertira automatiquement entre elles quand nécessaire. + +## Tableaux +# Un tableau représente une liste de valeurs : +my @animaux = ("chameau", "lama", "chouette"); +my @nombres = (23, 42, 69); +my @melange = ("chameau", 42, 1.23); + +## Hashes +# Un hash représente un ensemble de paires de clé/valeur : +my %fruit_couleur = ("pomme", "rouge", "banane", "jaune"); + +# Vous pouvez utiliser des espaces et l'opérateur "=>" pour les disposer plus joliment : + +my %fruit_couleur = ( + pomme => "rouge", + banane => "jaune" +); + +# Les scalaires, tableaux et hashes sont plus amplement documentés dans le perldata +# (perldoc perldata) + +# Des types de données plus complexes peuvent être construits en utilisant des références, +# vous permettant de construire des listes et des hashes à l'intérieur d'autres listes et hashes. + +#### Conditions et boucles + +# Perl possède la plupart des conditions et boucles habituelles. + +if ($var) { + ... +} elsif ($var eq 'bar') { + ... +} else { + ... +} + +unless (condition) { + ... +} +# Ceci est fourni en tant que version plus lisible de "if (!condition)" + +# la postcondition à la sauce Perl + +print "Yow!" if $zippy; +print "Nous n'avons pas de banane." unless $bananes; + +# while +while (condition) { + ... +} + +# boucle for et iteration +for (my $i = 0; $i < $max; $i++) { + print "l'index est $i"; +} + +for (my $i = 0; $i < @elements; $i++) { + print "L'élément courant est " . $elements[$i]; +} + +for my $element (@elements) { + print $element; +} + +# implicitement + +for (@elements) { + print; +} + + +#### Expressions régulières + +# Le support des expressions régulières par Perl est aussi large que profond +# et est sujet à une longue documentation sur perlrequick, perlretut et ailleurs. +# Cependant, pour faire court : + +# Simple correspondance +if (/foo/) { ... } # vrai si $_ contient "foo" +if ($a =~ /foo/) { ... } # vrai si $a contient "foo" + +# Simple substitution + +$a =~ s/foo/bar/; # remplace foo par bar dans $a +$a =~ s/foo/bar/g; # remplace TOUTES LES INSTANCES de foo par bar dans $a + + +#### Fichiers and E/S + +# Vous pouvez ouvrir un fichier pour y écrire ou pour le lire avec la fonction "open()". + +open(my $in, "<", "input.txt") or die "Impossible d'ouvrir input.txt: $!"; +open(my $out, ">", "output.txt") or die "Impossible d'ouvrir output.txt: $!"; +open(my $log, ">>", "my.log") or die "Impossible d'ouvrir my.log: $!"; + +# Vous pouvez lire depuis un descripteur de fichier grâce à l'opérateur "<>". +# Dans un contexte scalaire, il lit une seule ligne depuis le descripteur de fichier +# et dans un contexte de liste, il lit le fichier complet, assignant chaque ligne à un +# élément de la liste : + +my $ligne = <$in> +my $lignes = <$in> + +#### Ecrire des sous-programmes + +# Ecrire des sous-programmes est facile : + +sub logger { + my $logmessage = shift; + + open my $logfile, ">>", "my.log" or die "Impossible d'ouvrir my.log: $!"; + + print $logfile $logmessage; +} + +# Maintenant, nous pouvons utiliser le sous-programme comme n'importe quelle fonction intégrée : + +logger("On a un sous-programme de logging!!"); +``` + +#### Utiliser des modules Perl + +Les modules Perl fournissent une palette de fonctionnalités vous évitant de réinventer la roue et peuvent être téléchargés depuis CPAN (http://www.cpan.org/). Un certain nombre de modules populaires sont inclus dans la distribution même de Perl. + +Perlfaq contiens des questions et réponses liées aux tâches habituelles et propose souvent des suggestions quant aux bons modules à utiliser. + +#### Pour en savoir plus + - [perl-tutorial](http://perl-tutorial.org/) + - [Learn at www.perl.com](http://www.perl.org/learn.html) + - [perldoc](http://perldoc.perl.org/) + - and perl built-in : `perldoc perlintro` From e77db2429dcc3422517763edf69efa3aaf234c05 Mon Sep 17 00:00:00 2001 From: Deivuh Date: Fri, 2 Oct 2015 16:47:19 -0600 Subject: [PATCH 011/286] Added es-es translation to Swift --- es-es/swift-es.html.markdown | 584 +++++++++++++++++++++++++++++++++++ 1 file changed, 584 insertions(+) create mode 100644 es-es/swift-es.html.markdown diff --git a/es-es/swift-es.html.markdown b/es-es/swift-es.html.markdown new file mode 100644 index 00000000..81191841 --- /dev/null +++ b/es-es/swift-es.html.markdown @@ -0,0 +1,584 @@ +--- +language: swift +contributors: + - ["Grant Timmerman", "http://github.com/grant"] + - ["Christopher Bess", "http://github.com/cbess"] + - ["Joey Huang", "http://github.com/kamidox"] + - ["Anthony Nguyen", "http://github.com/anthonyn60"] +translators: + - ["David Hsieh", "http://github.com/deivuh"] +lang: es-es +filename: learnswift.swift +--- + +Swift es un lenguaje de programación para el desarrollo en iOS y OS X creado por Apple. Diseñado para coexistir con Objective-C y ser más resistente contra el código erroneo, Swift fue introducido en el 2014 en el WWDC, la conferencia de desarrolladores de Apple. + +Swift is a programming language for iOS and OS X development created by Apple. Designed to coexist with Objective-C and to be more resilient against erroneous code, Swift was introduced in 2014 at Apple's developer conference WWDC. It is built with the LLVM compiler included in Xcode 6+. + +The official [Swift Programming Language](https://itunes.apple.com/us/book/swift-programming-language/id881256329) book from Apple is now available via iBooks. +El libro oficial de Apple, [Swift Programming Language](https://itunes.apple.com/us/book/swift-programming-language/id881256329), se encuentra disponible en iBooks. + +Véase también la guía oficial de Apple, [getting started guide](https://developer.apple.com/library/prerelease/ios/referencelibrary/GettingStarted/RoadMapiOS/index.html), el cual tiene un completo tutorial de Swift. + + +```swift +// Importar un módulo +import UIKit + +// +// MARK: Básicos +// + +// XCode soporta referencias para anotar tu código y agregarlos a lista de la barra de saltos. +// MARK: Marca de sección +// TODO: Hacer algo pronto +// FIXME: Arreglar este código + +// En Swift 2, println y print fueron combinados en un solo método print. Print añade una nueva línea automáticamente. +print("Hola, mundo") // println ahora es print +print("Hola, mundo", appendNewLine: false) // print sin agregar una nueva línea + +// Valores de variables (var) pueden cambiar después de ser asignados +// Valores de constrantes (let) no pueden cambiarse después de ser asignados + +var myVariable = 42 +let øπΩ = "value" // nombres de variable unicode +let π = 3.1415926 +let convenience = "keyword" // nombre de variable contextual +let weak = "keyword"; let override = "another keyword" // declaraciones pueden ser separadas por punto y coma +let `class` = "keyword" // Acentos abiertos permite utilizar palabras clave como nombres de variable +let explicitDouble: Double = 70 +let intValue = 0007 // 7 +let largeIntValue = 77_000 // 77000 +let label = "some text " + String(myVariable) // Conversión (casting) +let piText = "Pi = \(π), Pi 2 = \(π * 2)" // Interpolación de string + +// Valos específicos de la construcción (build) +// utiliza la configuración -D +#if false + print("No impreso") + let buildValue = 3 +#else + let buildValue = 7 +#endif +print("Build value: \(buildValue)") // Build value: 7 + +/* + Las opcionales son un aspecto del lenguaje Swift que permite el almacenamiento de un valor `Some` (algo) o `None` (nada). + + Debido a que Swift requiere que cada propiedad tenga un valor, hasta un valor 'nil' debe de ser explicitamente almacenado como un valor opcional. + + Optional es un enum. +*/ +var someOptionalString: String? = "opcional" // Puede ser nil +// Al igual que lo anterior, pero ? es un operador postfix (sufijo) +var someOptionalString2: Optional = "opcional" + +if someOptionalString != nil { + // No soy nil + if someOptionalString!.hasPrefix("opt") { + print("Tiene el prefijo") + } + + let empty = someOptionalString?.isEmpty +} +someOptionalString = nil + +// Opcional implícitamente desenvuelto +var unwrappedString: String! = "Un valor esperado." +// Al igual que lo anterior, pero ! es un operador postfix (sufijo) +var unwrappedString2: ImplicitlyUnwrappedOptional = "Un valor esperado." + +if let someOptionalStringConstant = someOptionalString { + // tiene valor `Some` (algo), no nil + if !someOptionalStringConstant.hasPrefix("ok") { + // No tiene el prefijo + } +} + +// Swift tiene soporte de almacenamiento para cualquier tipo de valor. +// AnyObject == id +// A diferencia de Objective-C `id`, AnyObject funciona con cualquier valor (Class, Int, struct, etc) +var anyObjectVar: AnyObject = 7 +anyObjectVar = "Cambiado a un valor string, no es buena práctica, pero posible." + +/* + Comentar aquí + + /* + Comentarios anidados también son soportados + */ +*/ + +// +// MARK: Colecciones +// + +/* + Tipos Array (arreglo) y Dictionary (diccionario) son structs (estructuras). Así que `let` y `var` también indican si son mudables (var) o inmutables (let) durante la declaración de sus tipos. +*/ + +// Array (arreglo) +var shoppingList = ["catfish", "water", "lemons"] +shoppingList[1] = "bottle of water" +let emptyArray = [String]() // let == inmutable +let emptyArray2 = Array() // igual que lo anterior +var emptyMutableArray = [String]() // var == mudable + + +// Dictionary (diccionario) +var occupations = [ + "Malcolm": "Captain", + "kaylee": "Mechanic" +] +occupations["Jayne"] = "Public Relations" +let emptyDictionary = [String: Float]() // let == inmutable +let emptyDictionary2 = Dictionary() // igual que lo anterior +var emptyMutableDictionary = [String: Float]() // var == mudable + + +// +// MARK: Flujo de control +// + +// Ciclo for (array) +let myArray = [1, 1, 2, 3, 5] +for value in myArray { + if value == 1 { + print("Uno!") + } else { + print("No es uno!") + } +} + +// Ciclo for (dictionary) +var dict = ["uno": 1, "dos": 2] +for (key, value) in dict { + print("\(key): \(value)") +} + +// Ciclo for (range) +for i in -1...shoppingList.count { + print(i) +} +shoppingList[1...2] = ["steak", "peacons"] +// Utilizar ..< para excluir el último valor + +// Ciclo while +var i = 1 +while i < 1000 { + i *= 2 +} + +// Ciclo do-while +do { + print("Hola") +} while 1 == 2 + +// Switch +// Muy potente, se puede pensar como declaraciones `if` +// Very powerful, think `if` statements with con azúcar sintáctico +// Soportan String, instancias de objetos, y primitivos (Int, Double, etc) +let vegetable = "red pepper" +switch vegetable { +case "celery": + let vegetableComment = "Add some raisins and make ants on a log." +case "cucumber", "watercress": + let vegetableComment = "That would make a good tea sandwich." +case let localScopeValue where localScopeValue.hasSuffix("pepper"): + let vegetableComment = "Is it a spicy \(localScopeValue)?" +default: // required (in order to cover all possible input) + let vegetableComment = "Everything tastes good in soup." +} + + +// +// MARK: Funciones +// + +// Funciones son un tipo de primera-clase, quiere decir que pueden ser anidados +// en funciones y pueden ser pasados como parámetros + +// Función en documentación de cabeceras Swift (formato reStructedText) + +/** + Una operación de saludo + + - Una viñeta en la documentación + - Otra viñeta en la documentación + + :param: name Un nombre + :param: day Un día + :returns: Un string que contiene el valor de name y day +*/ +func greet(name: String, day: String) -> String { + return "Hola \(name), hoy es \(day)." +} +greet("Bob", "Martes") + +// Similar a lo anterior, a excepción del compartamiento de los parámetros de la función +func greet2(requiredName: String, externalParamName localParamName: String) -> String { + return "Hola \(requiredName), hoy es el día \(localParamName)" +} +greet2(requiredName:"John", externalParamName: "Domingo") + +// Función que devuelve múltiples valores en una tupla +func getGasPrices() -> (Double, Double, Double) { + return (3.59, 3.69, 3.79) +} +let pricesTuple = getGasPrices() +let price = pricesTuple.2 // 3.79 +// Ignorar tupla (u otros) valores utilizando _ (guión bajo) +let (_, price1, _) = pricesTuple // price1 == 3.69 +print(price1 == pricesTuple.1) // true +print("Gas price: \(price)") + +// Cantidad variable de argumentos +func setup(numbers: Int...) { + // Es un arreglo + let number = numbers[0] + let argCount = numbers.count +} + +// Pasando y devolviendo funciones +func makeIncrementer() -> (Int -> Int) { + func addOne(number: Int) -> Int { + return 1 + number + } + return addOne +} +var increment = makeIncrementer() +increment(7) + +// Pasando como referencia +func swapTwoInts(inout a: Int, inout b: Int) { + let tempA = a + a = b + b = tempA +} +var someIntA = 7 +var someIntB = 3 +swapTwoInts(&someIntA, &someIntB) +print(someIntB) // 7 + + +// +// MARK: Closures +// +var numbers = [1, 2, 6] + +// Las funciones son un caso especial de closure ({}) + +// Ejemplo de closure. +// `->` Separa los argumentos del tipo de retorno +// `in` Separa la cabecera del cuerpo del closure +numbers.map({ + (number: Int) -> Int in + let result = 3 * number + return result +}) + +// Cuando se conoce el tipo, cono en lo anterior, se puede hacer esto +numbers = numbers.map({ number in 3 * number }) +// o esto +//numbers = numbers.map({ $0 * 3 }) + +print(numbers) // [3, 6, 18] + +// Closure restante +numbers = sorted(numbers) { $0 > $1 } + +print(numbers) // [18, 6, 3] + +// Bastante corto, debido a que el operador < infiere los tipos + +numbers = sorted(numbers, < ) + +print(numbers) // [3, 6, 18] + +// +// MARK: Estructuras +// + +// Las estructuras y las clases tienen capacidades similares +struct NamesTable { + let names = [String]() + + // Subscript personalizado + subscript(index: Int) -> String { + return names[index] + } +} + +// Las estructuras tienen un inicializador designado autogenerado (implícitamente) +let namesTable = NamesTable(names: ["Me", "Them"]) +let name = namesTable[1] +print("Name is \(name)") // Name is Them + +// +// MARK: Clases +// + +// Las clases, las estructuras y sus miembros tienen tres niveles de control de acceso +// Éstos son: internal (predeterminado), public, private + +public class Shape { + public func getArea() -> Int { + return 0; + } +} + +// Todos los métodos y las propiedades de una clase son public (públicas) +// Si solo necesitas almacenar datos en un objecto estructurado, +// debes de utilizar `struct` + +internal class Rect: Shape { + var sideLength: Int = 1 + + // Getter y setter personalizado + private var perimeter: Int { + get { + return 4 * sideLength + } + set { + // `newValue` es una variable implícita disponible para los setters + sideLength = newValue / 4 + } + } + + // Lazily loading (inicialización bajo demanda) a una propiedad + // subShape queda como nil (sin inicializar) hasta que getter es llamado + lazy var subShape = Rect(sideLength: 4) + + // Si no necesitas un getter y setter personalizado + // pero aún quieres ejecutar código antes y después de hacer get o set + // a una propiedad, puedes utilizar `willSet` y `didSet` + var identifier: String = "defaultID" { + // El argumento `willSet` será el nombre de variable para el nuevo valor + willSet(someIdentifier) { + print(someIdentifier) + } + } + + init(sideLength: Int) { + self.sideLength = sideLength + // Siempre poner super.init de último al momento de inicializar propiedades personalizadas + super.init() + } + + func shrink() { + if sideLength > 0 { + --sideLength + } + } + + override func getArea() -> Int { + return sideLength * sideLength + } +} + +// Una clase simple `Square` que extiende de `Rect` +class Square: Rect { + convenience init() { + self.init(sideLength: 5) + } +} + +var mySquare = Square() +print(mySquare.getArea()) // 25 +mySquare.shrink() +print(mySquare.sideLength) // 4 + +// Conversión de tipo de instancia +let aShape = mySquare as Shape + +// Comparar instancias, no es igual a == que compara objetos (equal to) +if mySquare === mySquare { + print("Yep, it's mySquare") +} + +// Inicialización (init) opcional +class Circle: Shape { + var radius: Int + override func getArea() -> Int { + return 3 * radius * radius + } + + // Un signo de interrogación como sufijo después de `init` es un init opcional + // que puede devolver nil + init?(radius: Int) { + self.radius = radius + super.init() + + if radius <= 0 { + return nil + } + } +} + +var myCircle = Circle(radius: 1) +print(myCircle?.getArea()) // Optional(3) +print(myCircle!.getArea()) // 3 +var myEmptyCircle = Circle(radius: -1) +print(myEmptyCircle?.getArea()) // "nil" +if let circle = myEmptyCircle { + // no será ejecutado debido a que myEmptyCircle es nil + print("circle is not nil") +} + + +// +// MARK: Enums +// + + +// Los enums pueden ser opcionalmente de un tipo específico o de su propio tipo +// Al igual que las clases, pueden contener métodos + +enum Suit { + case Spades, Hearts, Diamonds, Clubs + func getIcon() -> String { + switch self { + case .Spades: return "♤" + case .Hearts: return "♡" + case .Diamonds: return "♢" + case .Clubs: return "♧" + } + } +} + +// Los valores de enum permite la sintaxis corta, sin necesidad de poner el tipo del enum +// cuando la variable es declarada de manera explícita +var suitValue: Suit = .Hearts + +// Enums de tipo no-entero requiere asignaciones de valores crudas directas +enum BookName: String { + case John = "John" + case Luke = "Luke" +} +print("Name: \(BookName.John.rawValue)") + +// Enum con valores asociados +enum Furniture { + // Asociación con Int + case Desk(height: Int) + // Asociación con String e Int + case Chair(String, Int) + + func description() -> String { + switch self { + case .Desk(let height): + return "Desk with \(height) cm" + case .Chair(let brand, let height): + return "Chair of \(brand) with \(height) cm" + } + } +} + +var desk: Furniture = .Desk(height: 80) +print(desk.description()) // "Desk with 80 cm" +var chair = Furniture.Chair("Foo", 40) +print(chair.description()) // "Chair of Foo with 40 cm" + + +// +// MARK: Protocolos +// + +// `protocol` puede requerir que los tipos tengan propiedades +// de instancia específicas, métodos de instancia, métodos de tipo, +// operadores, y subscripts + + +protocol ShapeGenerator { + var enabled: Bool { get set } + func buildShape() -> Shape +} + +// Protocolos declarados con @objc permiten funciones opcionales, +// que te permite evaluar conformidad +@objc protocol TransformShape { + optional func reshaped() + optional func canReshape() -> Bool +} + +class MyShape: Rect { + var delegate: TransformShape? + + func grow() { + sideLength += 2 + + // Pon un signo de interrogación después de la propiedad opcional, método, o + // subscript para ignorar un valor nil y devolver nil en lugar de + // tirar un error de tiempo de ejecución ("optional chaining") + if let allow = self.delegate?.canReshape?() { + // test for delegate then for method + self.delegate?.reshaped?() + } + } +} + + +// +// MARK: Otros +// + +// `extension`: Agrega funcionalidades a tipos existentes + +// Square ahora se "conforma" al protocolo `Printable` +extension Square: Printable { + var description: String { + return "Area: \(self.getArea()) - ID: \(self.identifier)" + } +} + +print("Square: \(mySquare)") + +// También puedes hacer extend a tipos prefabricados (built-in) +extension Int { + var customProperty: String { + return "This is \(self)" + } + + func multiplyBy(num: Int) -> Int { + return num * self + } +} + +print(7.customProperty) // "This is 7" +print(14.multiplyBy(3)) // 42 + +// Generics: Similar Java y C#. Utiliza la palabra clave `where` para especificar +// los requerimientos de los genéricos. + +func findIndex(array: [T], valueToFind: T) -> Int? { + for (index, value) in enumerate(array) { + if value == valueToFind { + return index + } + } + return nil +} +let foundAtIndex = findIndex([1, 2, 3, 4], 3) +print(foundAtIndex == 2) // true + +// Operadores: +// Operadores personalizados puede empezar con los siguientes caracteres: +// / = - + * % < > ! & | ^ . ~ +// o +// Caracteres unicode: math, symbol, arrow, dingbat, y line/box. +prefix operator !!! {} + +// Un operador prefix que triplica la longitud del lado cuando es utilizado +prefix func !!! (inout shape: Square) -> Square { + shape.sideLength *= 3 + return shape +} + +// Valor actual +print(mySquare.sideLength) // 4 + +// Cambiar la longitud del lado utilizando el operador !!!, incrementa el tamaño por 3 +!!!mySquare +print(mySquare.sideLength) // 12 +``` From f64a678b5c357f6ae9a82bfdb8feca8520c4d2b0 Mon Sep 17 00:00:00 2001 From: Deivuh Date: Fri, 2 Oct 2015 16:53:39 -0600 Subject: [PATCH 012/286] Fixed Swift/es-es line lengths --- es-es/swift-es.html.markdown | 63 ++++++++++++++++++++++-------------- 1 file changed, 38 insertions(+), 25 deletions(-) diff --git a/es-es/swift-es.html.markdown b/es-es/swift-es.html.markdown index 81191841..86f0aab6 100644 --- a/es-es/swift-es.html.markdown +++ b/es-es/swift-es.html.markdown @@ -11,12 +11,10 @@ lang: es-es filename: learnswift.swift --- -Swift es un lenguaje de programación para el desarrollo en iOS y OS X creado por Apple. Diseñado para coexistir con Objective-C y ser más resistente contra el código erroneo, Swift fue introducido en el 2014 en el WWDC, la conferencia de desarrolladores de Apple. - -Swift is a programming language for iOS and OS X development created by Apple. Designed to coexist with Objective-C and to be more resilient against erroneous code, Swift was introduced in 2014 at Apple's developer conference WWDC. It is built with the LLVM compiler included in Xcode 6+. - -The official [Swift Programming Language](https://itunes.apple.com/us/book/swift-programming-language/id881256329) book from Apple is now available via iBooks. -El libro oficial de Apple, [Swift Programming Language](https://itunes.apple.com/us/book/swift-programming-language/id881256329), se encuentra disponible en iBooks. +Swift es un lenguaje de programación para el desarrollo en iOS y OS X creado +por Apple. Diseñado para coexistir con Objective-C y ser más resistente contra +el código erroneo, Swift fue introducido en el 2014 en el WWDC, la conferencia +de desarrolladores de Apple. Véase también la guía oficial de Apple, [getting started guide](https://developer.apple.com/library/prerelease/ios/referencelibrary/GettingStarted/RoadMapiOS/index.html), el cual tiene un completo tutorial de Swift. @@ -29,14 +27,16 @@ import UIKit // MARK: Básicos // -// XCode soporta referencias para anotar tu código y agregarlos a lista de la barra de saltos. +// XCode soporta referencias para anotar tu código y agregarlos a lista de la +// barra de saltos. // MARK: Marca de sección // TODO: Hacer algo pronto // FIXME: Arreglar este código -// En Swift 2, println y print fueron combinados en un solo método print. Print añade una nueva línea automáticamente. +// En Swift 2, println y print fueron combinados en un solo método print. +// Print añade una nueva línea automáticamente. print("Hola, mundo") // println ahora es print -print("Hola, mundo", appendNewLine: false) // print sin agregar una nueva línea +print("Hola, mundo", appendNewLine: false) // print sin agregar nueva línea // Valores de variables (var) pueden cambiar después de ser asignados // Valores de constrantes (let) no pueden cambiarse después de ser asignados @@ -45,8 +45,11 @@ var myVariable = 42 let øπΩ = "value" // nombres de variable unicode let π = 3.1415926 let convenience = "keyword" // nombre de variable contextual -let weak = "keyword"; let override = "another keyword" // declaraciones pueden ser separadas por punto y coma -let `class` = "keyword" // Acentos abiertos permite utilizar palabras clave como nombres de variable +// Las declaraciones pueden ser separadas por punto y coma (;) +let weak = "keyword"; let override = "another keyword" +// Los acentos abiertos (``) permiten utilizar palabras clave como nombres de +// variable +let `class` = "keyword" let explicitDouble: Double = 70 let intValue = 0007 // 7 let largeIntValue = 77_000 // 77000 @@ -64,9 +67,12 @@ let piText = "Pi = \(π), Pi 2 = \(π * 2)" // Interpolación de string print("Build value: \(buildValue)") // Build value: 7 /* - Las opcionales son un aspecto del lenguaje Swift que permite el almacenamiento de un valor `Some` (algo) o `None` (nada). + Las opcionales son un aspecto del lenguaje Swift que permite el + almacenamiento de un valor `Some` (algo) o `None` (nada). - Debido a que Swift requiere que cada propiedad tenga un valor, hasta un valor 'nil' debe de ser explicitamente almacenado como un valor opcional. + Debido a que Swift requiere que cada propiedad tenga un valor, + hasta un valor 'nil' debe de ser explicitamente almacenado como un + valor opcional. Optional es un enum. */ @@ -98,7 +104,8 @@ if let someOptionalStringConstant = someOptionalString { // Swift tiene soporte de almacenamiento para cualquier tipo de valor. // AnyObject == id -// A diferencia de Objective-C `id`, AnyObject funciona con cualquier valor (Class, Int, struct, etc) +// A diferencia de Objective-C `id`, AnyObject funciona con cualquier +// valor (Class, Int, struct, etc) var anyObjectVar: AnyObject = 7 anyObjectVar = "Cambiado a un valor string, no es buena práctica, pero posible." @@ -115,7 +122,9 @@ anyObjectVar = "Cambiado a un valor string, no es buena práctica, pero posible. // /* - Tipos Array (arreglo) y Dictionary (diccionario) son structs (estructuras). Así que `let` y `var` también indican si son mudables (var) o inmutables (let) durante la declaración de sus tipos. + Tipos Array (arreglo) y Dictionary (diccionario) son structs (estructuras). + Así que `let` y `var` también indican si son mudables (var) o + inmutables (let) durante la declaración de sus tipos. */ // Array (arreglo) @@ -216,7 +225,8 @@ func greet(name: String, day: String) -> String { } greet("Bob", "Martes") -// Similar a lo anterior, a excepción del compartamiento de los parámetros de la función +// Similar a lo anterior, a excepción del compartamiento de los parámetros +// de la función func greet2(requiredName: String, externalParamName localParamName: String) -> String { return "Hola \(requiredName), hoy es el día \(localParamName)" } @@ -362,7 +372,8 @@ internal class Rect: Shape { init(sideLength: Int) { self.sideLength = sideLength - // Siempre poner super.init de último al momento de inicializar propiedades personalizadas + // Siempre poner super.init de último al momento de inicializar propiedades + // personalizadas super.init() } @@ -447,8 +458,8 @@ enum Suit { } } -// Los valores de enum permite la sintaxis corta, sin necesidad de poner el tipo del enum -// cuando la variable es declarada de manera explícita +// Los valores de enum permite la sintaxis corta, sin necesidad de poner +// el tipo del enum cuando la variable es declarada de manera explícita var suitValue: Suit = .Hearts // Enums de tipo no-entero requiere asignaciones de valores crudas directas @@ -508,9 +519,10 @@ class MyShape: Rect { func grow() { sideLength += 2 - // Pon un signo de interrogación después de la propiedad opcional, método, o - // subscript para ignorar un valor nil y devolver nil en lugar de - // tirar un error de tiempo de ejecución ("optional chaining") + // Pon un signo de interrogación después de la propiedad opcional, + // método, o subscript para ignorar un valor nil y devolver nil + // en lugar de tirar un error de tiempo de ejecución + // ("optional chaining") if let allow = self.delegate?.canReshape?() { // test for delegate then for method self.delegate?.reshaped?() @@ -548,8 +560,8 @@ extension Int { print(7.customProperty) // "This is 7" print(14.multiplyBy(3)) // 42 -// Generics: Similar Java y C#. Utiliza la palabra clave `where` para especificar -// los requerimientos de los genéricos. +// Generics: Similar Java y C#. Utiliza la palabra clave `where` para +// especificar los requerimientos de los genéricos. func findIndex(array: [T], valueToFind: T) -> Int? { for (index, value) in enumerate(array) { @@ -578,7 +590,8 @@ prefix func !!! (inout shape: Square) -> Square { // Valor actual print(mySquare.sideLength) // 4 -// Cambiar la longitud del lado utilizando el operador !!!, incrementa el tamaño por 3 +// Cambiar la longitud del lado utilizando el operador !!!, +// incrementa el tamaño por 3 !!!mySquare print(mySquare.sideLength) // 12 ``` From b98afb4be5e5457b1f42b57eaa20599fabb461fa Mon Sep 17 00:00:00 2001 From: Jesus Tinoco Date: Sat, 3 Oct 2015 10:43:25 +0200 Subject: [PATCH 013/286] Fixing typo in python3-es.html.markdown --- es-es/python3-es.html.markdown | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/es-es/python3-es.html.markdown b/es-es/python3-es.html.markdown index 1c69481a..3b997145 100644 --- a/es-es/python3-es.html.markdown +++ b/es-es/python3-es.html.markdown @@ -97,7 +97,7 @@ not False # => True None # => None # No uses el símbolo de igualdad `==` para comparar objetos con None -# Usa `is` en lugar de +# Usa `is` en su lugar "etc" is None #=> False None is None #=> True @@ -383,7 +383,7 @@ def keyword_args(**kwargs): keyword_args(pie="grande", lago="ness") #=> {"pie": "grande", "lago": "ness"} -# You can do both at once, if you like# Puedes hacer ambas a la vez si quieres +# Puedes hacer ambas a la vez si quieres def todos_los_argumentos(*args, **kwargs): print args print kwargs @@ -511,7 +511,7 @@ def duplicar_numeros(iterable): for i in iterable: yield i + i -# Un generador cera valores sobre la marcha. +# Un generador crea valores sobre la marcha. # En vez de generar y retornar todos los valores de una vez, crea uno en cada iteración. # Esto significa que valores más grandes que 15 no serán procesados en 'duplicar_numeros'. # Fíjate que 'range' es un generador. Crear una lista 1-900000000 tomaría mucho tiempo en crearse. From b917d1524a06ca94b73d885bb678a4f4cd00a808 Mon Sep 17 00:00:00 2001 From: Jesus Tinoco Date: Sat, 3 Oct 2015 10:50:48 +0200 Subject: [PATCH 014/286] Typos fixed in ruby-es.html.markdown --- es-es/ruby-es.html.markdown | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/es-es/ruby-es.html.markdown b/es-es/ruby-es.html.markdown index 66a5d0fe..1cf334e3 100644 --- a/es-es/ruby-es.html.markdown +++ b/es-es/ruby-es.html.markdown @@ -19,7 +19,7 @@ Nadie los usa. Tu tampoco deberías =end -# Lo primero y principal: Todo es un objeto +# En primer lugar: Todo es un objeto # Los números son objetos @@ -97,13 +97,13 @@ y #=> 10 # Por convención, usa snake_case para nombres de variables snake_case = true -# Usa nombres de variables descriptivos +# Usa nombres de variables descriptivas ruta_para_la_raiz_de_un_projecto = '/buen/nombre/' ruta = '/mal/nombre/' # Los símbolos (son objetos) # Los símbolos son inmutables, constantes reusables representadas internamente por un -# valor entero. Son usalmente usados en vez de strings para expresar eficientemente +# valor entero. Son normalmente usados en vez de strings para expresar eficientemente # valores específicos y significativos :pendiente.class #=> Symbol @@ -130,7 +130,7 @@ arreglo = [1, "hola", false] #=> => [1, "hola", false] arreglo[0] #=> 1 arreglo[12] #=> nil -# Tal como la aritmética, el acceso como variable[índice] +# Al igual que en aritmética, el acceso como variable[índice] # es sólo azúcar sintáctica # para llamar el método [] de un objeto arreglo.[] 0 #=> 1 From b723d3284bbccbcbf5e7ecedee3469b87f4d5959 Mon Sep 17 00:00:00 2001 From: Matteo Taroli Date: Thu, 8 Oct 2015 12:38:19 +0200 Subject: [PATCH 015/286] Add explanation about $_ and fix typos --- fr-fr/perl-fr.html.markdown | 24 ++++++++++++++++-------- 1 file changed, 16 insertions(+), 8 deletions(-) diff --git a/fr-fr/perl-fr.html.markdown b/fr-fr/perl-fr.html.markdown index 7a061da7..e737b7aa 100644 --- a/fr-fr/perl-fr.html.markdown +++ b/fr-fr/perl-fr.html.markdown @@ -5,6 +5,7 @@ language: perl filename: learnperl-fr.pl contributors: - ["Korjavin Ivan", "http://github.com/korjavin"] + - ["Matteo Taroli", "http://www.matteotaroli.be"] translators: - ["Matteo Taroli", "http://www.matteotaroli.be"] lang: fr-fr @@ -27,7 +28,7 @@ est autant adapté à un prototypage rapide qu'à des projets de grande envergur ### Perl a trois types principaux de variables: $scalaire, @tableau and %hash ## Scalaires -# Un scalaire représente une valeure unique : +# Un scalaire représente une valeur unique : my $animal = "chameau"; my $reponse = 42; @@ -99,8 +100,15 @@ for my $element (@elements) { # implicitement +# La variable de contexte scalaire $_ est utilisée par défaut dans différentes +# situations, comme par exemple dans la boucle foreach ou en argument par défaut +# de la plupart des fonctions pour en simplifier l'écriture. + +# Dans l'exemple suivant, $_ prends successivement la valeur de +# chaque élément de la liste. + for (@elements) { - print; + print; # affiche le contenu de $_ } @@ -116,11 +124,11 @@ if ($a =~ /foo/) { ... } # vrai si $a contient "foo" # Simple substitution -$a =~ s/foo/bar/; # remplace foo par bar dans $a +$a =~ s/foo/bar/; # remplace le premier foo par bar dans $a $a =~ s/foo/bar/g; # remplace TOUTES LES INSTANCES de foo par bar dans $a -#### Fichiers and E/S +#### Fichiers et E/S # Vous pouvez ouvrir un fichier pour y écrire ou pour le lire avec la fonction "open()". @@ -136,9 +144,9 @@ open(my $log, ">>", "my.log") or die "Impossible d'ouvrir my.log: $!"; my $ligne = <$in> my $lignes = <$in> -#### Ecrire des sous-programmes +#### Ecrire des fonctions -# Ecrire des sous-programmes est facile : +# Ecrire des fonctions est facile : sub logger { my $logmessage = shift; @@ -148,9 +156,9 @@ sub logger { print $logfile $logmessage; } -# Maintenant, nous pouvons utiliser le sous-programme comme n'importe quelle fonction intégrée : +# Maintenant, nous pouvons utiliser cette fonction comme n'importe quelle fonction intégrée : -logger("On a un sous-programme de logging!!"); +logger("On a une fonction de logging!!"); ``` #### Utiliser des modules Perl From a65d0fb99ad7faa7469da576938b8d37aca6f859 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?C=C3=A9sar=20Su=C3=A1rez?= Date: Sat, 10 Oct 2015 13:07:10 +0200 Subject: [PATCH 016/286] Update and fix Spanish brainfuck article --- es-es/brainfuck-es.html.markdown | 18 ++++++++++-------- 1 file changed, 10 insertions(+), 8 deletions(-) diff --git a/es-es/brainfuck-es.html.markdown b/es-es/brainfuck-es.html.markdown index e33d672d..550511da 100644 --- a/es-es/brainfuck-es.html.markdown +++ b/es-es/brainfuck-es.html.markdown @@ -9,8 +9,10 @@ lang: es-es --- Brainfuck (con mayúscula sólo al inicio de una oración) es un -lenguaje de programación mínimo, computacionalmente universal -en tamaño con sólo 8 comandos. +lenguaje de programación extremadamente pequeño, Turing completo con sólo 8 comandos. + +Puedes probar brainfuck en tu navegador con [brainfuck-visualizer](http://fatiherikli.github.io/brainfuck-visualizer/). + ``` @@ -18,7 +20,7 @@ Cualquier caracter que no sea "><+-.,[]" (sin incluir las comillas) será ignorado. Brainfuck es representado por un arreglo de 30,000 celdas inicializadas -en cero y un apuntador en la celda actual. +en cero y un puntero apuntando la celda actual. Existen ocho comandos: @@ -26,7 +28,7 @@ Existen ocho comandos: - : Decrementa 1 al valor de la celda actual. > : Mueve el apuntador a la siguiente celda. (a la derecha) < : Mueve el apuntador a la celda anterior. (a la izquierda) -. : Imprime el valor en ASCII de la celda actual (i.e. 65 = 'A') +. : Imprime el valor en ASCII de la celda actual (p.e. 65 = 'A') , : Lee un caracter como input y lo escribe en la celda actual. [ : Si el valor en la celda actual es cero mueve el apuntador hasta el primer ']' que encuentre. Si no es cero sigue a la @@ -37,7 +39,7 @@ Existen ocho comandos: [ y ] forman un while. Obviamente, deben estar balanceados. -Ahora unos ejemplos de programas escritos con brainfuck. +Estos son algunos ejemplos de programas escritos con brainfuck. ++++++ [ > ++++++++++ < - ] > +++++ . @@ -63,7 +65,7 @@ Esto continúa hasta que la celda #1 contenga un cero. Cuando #1 contenga un cero la celda #2 tendrá el valor inicial de #1. Como este ciclo siempre terminara en la celda #1 nos movemos a la celda #2 e imprimimos (.). -Ten en mente que los espacios son sólo para fines de legibilidad. +Ten en cuenta que los espacios son sólo para fines de legibilidad. Es lo mismo escribir el ejemplo de arriba que esto: ,[>+<-]>. @@ -81,7 +83,7 @@ hasta la próxima vez. Para resolver este problema también incrementamos la celda #4 y luego copiamos la celda #4 a la celda #2. La celda #3 contiene el resultado. ``` -Y eso es brainfuck. ¿No tan difícil o sí? Como diversión, puedes escribir +Y eso es brainfuck. No es tan difícil, ¿verdad? Como diversión, puedes escribir tu propio intérprete de brainfuck o tu propio programa en brainfuck. El intérprete es relativamente sencillo de hacer, pero si eres masoquista, -intenta construir tu proprio intérprete de brainfuck... en brainfuck. +puedes intentar construir tu propio intérprete de brainfuck... en brainfuck. From 7e294ad5aecce697d1a2b4cc2adaa5a35b090e24 Mon Sep 17 00:00:00 2001 From: Vladimir Dementyev Date: Wed, 14 Oct 2015 11:17:09 +0300 Subject: [PATCH 017/286] [erlang/ru] Fix typo --- ru-ru/erlang-ru.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ru-ru/erlang-ru.html.markdown b/ru-ru/erlang-ru.html.markdown index 99ea79ee..69f81800 100644 --- a/ru-ru/erlang-ru.html.markdown +++ b/ru-ru/erlang-ru.html.markdown @@ -18,7 +18,7 @@ lang: ru-ru % Пунктуационные знаки, используемые в Erlang: % Запятая (`,`) разделяет аргументы в вызовах функций, структурах данных и % образцах. -% Точка (`.`) (с пробелом после них) разделяет функции и выражения в +% Точка (`.`) (с пробелом после неё) разделяет функции и выражения в % оболочке. % Точка с запятой (`;`) разделяет выражения в следующих контекстах: % формулы функций, выражения `case`, `if`, `try..catch` и `receive`. From 59ce161978ccaad26f7e9c31721fd2af7f6df9c0 Mon Sep 17 00:00:00 2001 From: Whitebyte Date: Thu, 15 Oct 2015 00:10:12 +0600 Subject: [PATCH 018/286] D language russian --- ru-ru/d-ru.html.markdown | 735 +++++++++++++++++++++++++++++++++++++++ 1 file changed, 735 insertions(+) create mode 100644 ru-ru/d-ru.html.markdown diff --git a/ru-ru/d-ru.html.markdown b/ru-ru/d-ru.html.markdown new file mode 100644 index 00000000..33bff3b7 --- /dev/null +++ b/ru-ru/d-ru.html.markdown @@ -0,0 +1,735 @@ +--- +language: d +filename: learnd-ru.d +contributors: + - ["Anton Pastukhov", "http://dprogramming.ru/"] + - ["Robert Brights-Gray", "http://lhs-blog.info/"] +lang: ru-ru +--- +D - современный компилируемый язык общего назначения с Си-подобным синтаксисом, +который сочетает удобство, продуманный дизайн и высокую производительность. +D - это С++, сделанный правильно. + +```d +// Welcome to D! Это однострочный комментарий + +/* многострочный + комментарий */ + +/+ + // вложенные кометарии + + /* еще вложенные + комментарии */ + + /+ + // мало уровней вложенности? Их может быть сколько угодно. + +/ ++/ + +/* + Имя модуля. Каждый файл с исходным кодом на D — модуль. + Если имя не указано явно, то предполагается, что оно совпадает с именем + файла. Например, для файла "test.d" имя модуля будет "test", если явно + не указать другое + */ +module app; + +// импорт модуля. Std — пространство имен стандартной библиотеки (Phobos) +import std.stdio; + +// можно импортировать только нужные части, не обязательно модуль целиком +import std.exception : assert; + +// точка входа в программу — функция main, аналогично C/C++ +void main() +{ + writeln("Hello, world!"); +} + + + +/*** типы и переменные ***/ + +int a; // объявление переменной типа int (32 бита) +float b = 12.34; // тип с плавающей точкой +double с = 56.78; // тип с плавающей точкой (64 бита) + +/* + Численные типы в D, за исключением типов с плавающей точкой и типов + комплексных чисел, могут быть беззнаковыми. + В этом случае название типа начинается с префикса "u" +*/ +uint d = 10, ulong e = 11.12; +bool b = true; // логический тип +char d = 'd'; // UTF-символ, 8 бит. D поддерживает UTF "из коробки" +wchar = 'é'; // символ UTF-16 +dchar f; // и даже UTF-32, если он вам зачем-то понадобится + +string s = "для строк есть отдельный тип, это не просто массив char-ов из Си"; +wstring ws = "поскольку у нас есть wchar, должен быть и wstring"; +dstring ds = "...и dstring, конечно"; + +typeof(a) b = 6; // typeof возвращает тип своего выражения. + // В результате, b имеет такой же тип как и a + +// Тип переменной, помеченной ключевым словом auto, +// присваивается компилятором исходя из значения этой переменной +auto x = 1; // Например, тип этой переменной будет int. +auto y = 1.1; // этой — double +auto z = "Zed is dead!"; // а этой — string + +int[3] arr = [1, 2, 3]; // простой одномерный массив с фиксированным размером +int[] arr2 = [1, 2, 3, 4]; // динамический массив +int[string] aa = ["key1": 5, "key2": 6]; // ассоциативный массив + +/* + Cтроки и массивы в D — встроенные типы. Для их использования не нужно + подключать ни внешние, ни даже стандартную библиотеку, хотя в последней + есть множество дополнительных инструментов для работы с ними. + */ +immutalbe int ia = 10; // неизменяемый тип, + // обозначается ключевым словом immutable +ia += 1; // — вызовет ошибку на этапе компиляции + +// перечислимый (enumerable) тип, +// более правильный способ работы с константами в D +enum myConsts = { Const1, Const2, Const3 }; + +// свойства типов +writeln("Имя типа : ", int.stringof); // int +writeln("Размер в байтах : ", int.sizeof); // 4 +writeln("Минимальное значение : ", int.min); // -2147483648 +writeln("Максимальное значениеe : ", int.max); // 2147483647 +writeln("Начальное значение : ", int.init); // 0. Это значение, + // присвоенное по умолчанию + +// На самом деле типов в D больше, но все мы здесь описывать не будем, +// иначе не уложимся в Y минут. + + + +/*** Приведение типов ***/ + +// Простейший вариант +int i; +double j = double(i) / 2; + +// to!(имя типа)(выражение) - для большинства конверсий +import std.conv : to; // функция "to" - часть стандартной библиотеки, а не языка +double d = -1.75; +short s = to!short(d); // s = -1 + +/* + cast - если вы знаете, что делаете. Кроме того, это единственный способ + преобразования типов-указателей в "обычные" и наоборот +*/ +void* v; +int* p = cast(int*)v; + +// Для собственного удобства можно создавать псевдонимы +// для различных встроенных объектов +alias int newInt; // теперь можно обращаться к int так, как будто бы это newInt +newInt a = 5; + +alias newInt = int; // так тоже допустимо +alias uint[2] pair; // дать псевдоним можно даже сложным структурам данных + + + +/*** Операторы ***/ + +int x = 10; // присваивание +x = x + 1; // 11 +x -= 2; // 9 +x++; // 10 +++x; // 11 +x *= 2; // 22 +x /= 2; // 11 +x ^^ 2; // 121 (возведение в степень) +x ^^= 2; // 1331 (то же самое) + +string str1 = "Hello"; +string str2 = ", world!"; +string hw = str1 ~ str2; // Конкатенация строк + +int[] arr = [1, 2, 3]; +arr ~= 4; // [1, 2, 3, 4] - добавление элемента в конец массива + + + +/*** Логика и сравнения ***/ + +int x = 0, int y = 1; + +x == y; // false +x > y; // false +x < y; // true +x >= y; // false +x != y; // true. ! — логическое "не" +x > 0 || x < 1; // true. || — логическое "или" +x > 0 && x < 1; // false && — логическое "и" +x ^ y // true; ^ - xor (исключающее "или") + +// Тернарный оператор +auto y = (x > 10) ? 1 : 0; // если x больше 10, то y равен 1, + // в противном случае y равен нулю + + +/*** Управляющие конструкции ***/ + +// if - абсолютно привычен +if (a == 1) { + // .. +} else if (a == 2) { + // .. +} else { + // .. +} + +// switch +switch (a) { + case 1: + // делаем что-нибудь + break; + case 2: + // делаем что-нибудь другое + break; + case 3: + // делаем что-нибудь еще + break; + default: + // default обязателен, без него будет ошибка компиляции + break; +} + +// while +while (a > 10) { + // .. + if (number == 42) { + break; + } +} + +while (true) { + // бесконечный цикл +} + +// do-while +do { + // .. +} while (a == 10); + +// for +for (int number = 1; number < 11; ++number) { + writeln(number); // все абсолютно стандартно +} + +for ( ; ; ) { + // секции могут быть пустыми. Это бесконечный цикл в стиле Си +} + +// foreach - универсальный и самый "правильный" цикл в D +foreach (element; array) { + writeln(element); // для простых массивов +} + +foreach (key, val; aa) { + writeln(key, ": ", val); // для ассоциативных массивов +} + +foreach (c; "hello") { + writeln(c); // hello. Поскольку строки - это вариант массива, + // foreach применим и к ним +} + +foreach (number; 10..15) { + writeln(number); // численные интервалы можно указывать явным образом +} + +// foreach_reverse - в обратную сторону +auto container = [ 1, 2, 3 ]; +foreach_reverse (element; container) { + writefln("%s ", element); // 3, 2, 1 +} + +// foreach в массивах и им подобных структурах не меняет сами структуры +int[] a = [1,2,3,4,5]; +foreach (elem; array) { + elem *= 2; // сам массив останется неизменным +} + +writeln(a); // вывод: [1,2,3,4,5] Т.е изменений нет + +// добавление ref приведет к тому, что массив будет изменяться +foreach (ref elem; array) { + elem *= 2; // сам массив останется неизменным +} + +writeln(a); // [2,4,6,8,10] + +// foreach умеет расчитывать индексы элементов +int[] a = [1,2,3,4,5]; +foreach (ind, elem; array) { + writeln(ind, " ", elem); // через ind - доступен индекс элемента, + // а через elem - сам элемент +} + + + +/*** Функции ***/ + +test(42); // Что, вот так сразу? Разве мы где-то уже объявили эту функцию? + +// Нет, вот она. Это не Си, здесь объявление функции не обязательно должно быть +// до первого вызова +int test(int argument) { + return argument * 2; +} + + +// В D используется унифицированныйй синтаксис вызова функций +// (UFCS, Uniform Function Call Syntax), поэтому так тоже можно: +int var = 42.test(); + +// и даже так, если у функции нет аргументов: +int var2 = 42.test; + +// можно выстраивать цепочки: +int var3 = 42.test.test; + +/* + Аргументы в функцию передаются по значению (т. е. функция работает не с + оригинальными значениями, переданными ей, а с их локальными копиями. + Исключение составляют объекты классов, которые передаются по ссылке. + Кроме того, любой параметр можно передать в функцию по ссылке с помощью + ключевого слова ref +*/ +int var = 10; + +void fn1(int arg) { + arg += 1; +} + +void fn2(ref int arg) { + arg += 1; +} + +fn1(var); // var все еще = 10 +fn2(var); // теперь var = 11 + +// Возвращаемое значение тоже может быть auto, +// если его можно "угадать" из контекста +auto add(int x, int y) { + return x + y; +} + +auto z = add(x, y); // тип int - компилятор вывел его автоматически + +// Значения аргументов по умолчанию +float linearFunction(float k, float x, float b = 1) +{ + return k * x + b; +} + +auto linear1 = linearFunction(0.5, 2, 3); // все аргументы используются +auto linear2 = linearFunction(0.5, 2); // один аргумент пропущен, но в функции + // он все равно использован и равен 1 + +// допускается описание вложенных функций +float quarter(float x) { + float doubled(float y) { + return y * y; + } + + return doubled(doubled(x)); +} + +// функции с переменным числом аргументов +int sum(int[] a...) +{ + int s = 0; + foreach (elem; a) { + s += elem; + } + return s; +} + +auto sum1 = sum(1); +auto sum2 = sum(1,2,3,4); + +/* + модификатор "in" перед аргументами функций говорит о том, что функция имеет + право их только просматривать. При попытке модификации такого аргумента + внутри функции - получите ошибку +*/ +float printFloat(in float a) +{ + writeln(a); +} +printFloat(a); // использование таких функций - самое обычное + +// модификатор "out" позволяет вернуть из функции несколько результатов +// без посредства глобальных переменных или массивов +uint remMod(uint a, uint b, out uint modulus) +{ + uint remainder = a / b; + modulus = a % b; + return remainder; +} + +uint modulus; // пока в этой переменной ноль +uint rem = remMod(5,2,modulus); // наша "хитрая" функция, и теперь, + // в modulus - остаток от деления +writeln(rem, " ", modulus); // вывод: 2 1 + + + +/*** Структуры, классы, базовое ООП ***/ + +// Объявление структуры. Структуры почти как в Си +struct MyStruct { + int a; + float b; + + void multiply() { + return a * b; + } +} + +MyStruct str1; // Объявление переменной с типом MyStruct +str1.a = 10; // Обращение к полю +str1.b = 20; +auto result = str1.multiply(); +MyStruct str2 = {4, 8} // Объявление + инициальзация в стиле Си +auto str3 = MyStruct(5, 10); // Объявление + инициальзация в стиле D + + +// области видимости полей и методов - 3 способа задания +struct MyStruct2 { + public int a; + + private: + float b; + bool c; + + protected { + float multiply() { + return a * b; + } + } + /* + в дополнение к знакомым public, private и protected, в D есть еще + область видимости "package". Поля и методы с этим атрибутам будут + доступны изо всех модулей, включенных в "пакет" (package), но не + за его пределами. package - это "папка", в которой может храниться + несколько модулей. Например, в "import.std.stdio", "std" - это + package, в котором есть модуль stdio (и еще множество других) + */ + package: + string d; + + /* помимо этого, имеется еще один модификатор - export, который позволяет + использовать объявленный с ним идентификатор даже вне самой программы ! + */ + export: + string description; +} + +// Конструкторы и деструкторы +struct MyStruct3 { + this() { // конструктор. Для структур его не обязательно указывать явно, + // в этом случае пустой конструктор добавляется компилятором + writeln("Hello, world!"); + } + + + // а вот это конструкция, одна из интересных идиом и представлет собой + // конструктор копирования, т.е конструктор возвращающий копию структуры. + // Работает только в структурах. + this(this) + { + return this; + } + + ~this() { // деструктор, также необязателен + writeln("Awww!"); + } +} + +// Объявление простейшего класса +class MyClass { + int a; // в D по умолчанию данные-члены являются public + float b; +} + +auto mc = new MyClass(); // ...и создание его экземпляра +auto mc2 = new MyClass; // ... тоже сработает + +// Конструктор +class MyClass2 { + int a; + float b; + + this(int a, float b) { + this.a = a; // ключевое слово "this" - ссылка на объект класса + this.b = b; + } +} + +auto mc2 = new MyClass2(1, 2.3); + +// Классы могут быть вложенными +class Outer +{ + int m; + + class Inner + { + int foo() + { + return m; // можно обращаться к полям "родительского" класса + } + } +} + +// наследование +class Base { + int a = 1; + float b = 2.34; + + + // это статический метод, т.е метод который можно вызывать обращаясь + // классу напрямую, а не через создание экземпляра объекта + static void multiply(int x, int y) + { + writeln(x * y); + } +} + +Base.multiply(2, 5); // используем статический метод. Результат: 10 + +class Derived : Base { + string c = "Поле класса - наследника"; + + + // override означает то, что наследник предоставит свою реализацию метода, + // переопределив метод базового класса + override static void multiply(int x, int y) + { + super.multiply(x, y); // super - это ссылка на класс-предок или базовый класс + writeln(x * y * 2); + } +} + +auto mc3 = new Derived(); +writeln(mc3.a); // 1 +writeln(mc3.b); // 2.34 +writeln(mc3.c); // Поле класса - наследника + +// Финальный класс, наследовать от него нельзя +// кроме того, модификатор final работает не только для классов, но и для методов +// и даже для модулей ! +final class FC { + int a; +} + +class Derived : FC { // это вызовет ошибку + float b; +} + +// Абстрактный класс не можен быть истанциирован, но может иметь наследников +abstract class AC { + int a; +} + +auto ac = new AC(); // это вызовет ошибку + +class Implementation : AC { + float b; + + // final перед методом нефинального класса означает запрет возможности + // переопределения метода + final void test() + { + writeln("test passed !"); + } +} + +auto impl = new Implementation(); // ОК + + + +/*** Микшины (mixins) ***/ + +// В D можно вставлять код как строку, если эта строка известна на этапе +// компиляции. Например: +void main() { + mixin(`writeln("Hello World!");`); +} + +// еще пример +string print(string s) { + return `writeln("` ~ s ~ `");`; +} + +void main() { + mixin (print("str1")); + mixin (print("str2")); +} + + + +/*** Шаблоны ***/ + +/* + Шаблон функции. Эта функция принимает аргументы разеых типов, которые + подсталяются вместо T на этапе компиляции. "T" - это не специальный + символ, а просто буква. Вместо "T" может быть любое слово, кроме ключевого. + */ +void print(T)(T value) { + writefln("%s", value); +} + +void main() { + print(42); // В одну и ту же функцию передается: целое + print(1.2); // ...число с плавающей точкой, + print("test"); // ...строка +} + +// "Шаблонных" параметров может быть сколько угодно +void print(T1, T2)(T1 value1, T2 value2) { + writefln(" %s %s", value1, value2); +} + +void main() { + print(42, "Test"); + print(1.2, 33); +} + +// Шаблон класса +class Stack(T) +{ + private: + T[] elements; + + public: + void push(T element) { + elements ~= element; + } + + void pop() { + --elements.length; + } + + T top() const @property { + return elements[$ - 1]; + } + + size_t length() const @property { + return elements.length; + } +} + +void main() { + /* + восклицательный знак - признак шаблона В данном случае мы создаем + класс и указывем, что "шаблонное" поле будет иметь тип string + */ + auto stack = new Stack!string; + + stack.push("Test1"); + stack.push("Test2"); + + writeln(stack.top); + writeln(stack.length); + + stack.pop; + writeln(stack.top); + writeln(stack.length); +} + + + +/*** Диапазоны (ranges) ***/ + +/* + Диапазоны - это абстракция, которая позволяет легко использовать разные + алгоритмы с разными структурами данных. Вместо того, чтобы определять свои + уникальные алгоритмы для каждой структуры, мы можем просто указать для нее + несколько единообразных функций, определяющих, _как_ мы получаем доступ + к элементам контейнера, вместо того, чтобы описывать внутреннее устройство + этого контейнера. Сложно? На самом деле не очень. +*/ + +/* + Простейший вид диапазона - Input Range. Для того, чтобы превратить любой + контейнер в Input Range, достаточно реализовать для него 3 метода: + - empty - проверяет, пуст ли контейнер + - front - дает доступ к первому элементу контейнера + - popFront - удаляет из контейнера первый элемент +*/ +struct Student +{ + string name; + int number; + string toString() { + return format("%s(%s)", name, number); + } +} + +struct School +{ + Student[] students; +} + +struct StudentRange +{ + Student[] students; + + this(School school) { + this.students = school.students; + } + + bool empty() { + return students.length == 0; + } + + ref Student front() { + return students[0]; + } + + void popFront() { + students = students[1 .. $]; + } +} + +void main(){ + auto school = School([ + Student("Mike", 1), + Student("John", 2) , + Student("Dan", 3) + ]); + auto range = StudentRange(school); + writeln(range); // [Mike(1), John(2), Dan(3)] + writeln(school.students.length); // 3 + writeln(range.front()); // Mike(1) + range.popFront(); + writeln(range.empty()); // false + writeln(range); // [John(2), Dan(3)] +} +/* + Смысл в том, что нам не так уж важно внутреннее устройство контейнера, если + у нас есть унифицированные методы доступа к его элементам. + Кроме Input Range в D есть и другие типы диапазонов, которые требуют + реализации большего числа методов, зато дают больше контроля. Это большая + тема и мы не будем в подробностях освещать ее здесь. + + Диапазоны - это важная часть D, они используются в нем повсеместно. +*/ +``` +## Что дальше? + +[Официальный сайт](http://dlang.org/) +[Онлайн-книга](http://ddili.org/ders/d.en/) +[Официальная вики](http://wiki.dlang.org/) From 50a0bbf33f19ea33c38f4b025c771e57bdfe937b Mon Sep 17 00:00:00 2001 From: Raphael Nascimento Date: Wed, 14 Oct 2015 22:12:06 -0300 Subject: [PATCH 019/286] [java/en] Enum Type Short overview about enum type. --- java.html.markdown | 63 ++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 63 insertions(+) diff --git a/java.html.markdown b/java.html.markdown index 35ec57d8..bc119eb1 100644 --- a/java.html.markdown +++ b/java.html.markdown @@ -7,6 +7,7 @@ contributors: - ["Simon Morgan", "http://sjm.io/"] - ["Zachary Ferguson", "http://github.com/zfergus2"] - ["Cameron Schermerhorn", "http://github.com/cschermerhorn"] + - ["Raphael Nascimento", "http://github.com/raphaelbn"] filename: LearnJava.java --- @@ -670,6 +671,68 @@ public abstract class Mammal() return true; } } + + +// Enum Type +// +// An enum type is a special data type that enables for a variable to be a set of predefined constants. The // variable must be equal to one of the values that have been predefined for it. +// Because they are constants, the names of an enum type's fields are in uppercase letters. +// In the Java programming language, you define an enum type by using the enum keyword. For example, you would +// specify a days-of-the-week enum type as: + +public enum Day { + SUNDAY, MONDAY, TUESDAY, WEDNESDAY, + THURSDAY, FRIDAY, SATURDAY +} + +// We can use our enum Day like that: + +public class EnumTest { + + // Variable Enum + Day day; + + public EnumTest(Day day) { + this.day = day; + } + + public void tellItLikeItIs() { + switch (day) { + case MONDAY: + System.out.println("Mondays are bad."); + break; + + case FRIDAY: + System.out.println("Fridays are better."); + break; + + case SATURDAY: + case SUNDAY: + System.out.println("Weekends are best."); + break; + + default: + System.out.println("Midweek days are so-so."); + break; + } + } + + public static void main(String[] args) { + EnumTest firstDay = new EnumTest(Day.MONDAY); + firstDay.tellItLikeItIs(); + EnumTest thirdDay = new EnumTest(Day.WEDNESDAY); + thirdDay.tellItLikeItIs(); + } +} + +// The output is: +// Mondays are bad. +// Midweek days are so-so. + +// Enum types are much more powerful than we show above. +// The enum body can include methods and other fields. +// You can se more at https://docs.oracle.com/javase/tutorial/java/javaOO/enum.html + ``` ## Further Reading From 5a8a68988b7c153cf16f37c307954d7070fc9b81 Mon Sep 17 00:00:00 2001 From: Raphael Nascimento Date: Thu, 15 Oct 2015 15:59:22 -0300 Subject: [PATCH 020/286] [java/en] Enum Type Outputs in line. --- java.html.markdown | 8 ++------ 1 file changed, 2 insertions(+), 6 deletions(-) diff --git a/java.html.markdown b/java.html.markdown index bc119eb1..8544ecfc 100644 --- a/java.html.markdown +++ b/java.html.markdown @@ -719,16 +719,12 @@ public class EnumTest { public static void main(String[] args) { EnumTest firstDay = new EnumTest(Day.MONDAY); - firstDay.tellItLikeItIs(); + firstDay.tellItLikeItIs(); // => Mondays are bad. EnumTest thirdDay = new EnumTest(Day.WEDNESDAY); - thirdDay.tellItLikeItIs(); + thirdDay.tellItLikeItIs(); // => Midweek days are so-so. } } -// The output is: -// Mondays are bad. -// Midweek days are so-so. - // Enum types are much more powerful than we show above. // The enum body can include methods and other fields. // You can se more at https://docs.oracle.com/javase/tutorial/java/javaOO/enum.html From 5c84b03a49553856049e4d9c677b09c9a7eb9419 Mon Sep 17 00:00:00 2001 From: Gnomino Date: Sun, 18 Oct 2015 18:38:01 +0200 Subject: [PATCH 021/286] [css/fr] Corrects some French mistakes --- fr-fr/css-fr.html.markdown | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/fr-fr/css-fr.html.markdown b/fr-fr/css-fr.html.markdown index bdab9715..a3a5cf55 100644 --- a/fr-fr/css-fr.html.markdown +++ b/fr-fr/css-fr.html.markdown @@ -8,7 +8,7 @@ translators: lang: fr-fr --- -Au début du web, il n'y avait pas d'élements visuels, simplement du texte pure. Mais avec le dévelopement des navigateurs, +Au début du web, il n'y avait pas d'élements visuels, simplement du texte pur. Mais avec le dévelopement des navigateurs, des pages avec du contenu visuel sont arrivées. CSS est le langage standard qui existe et permet de garder une séparation entre le contenu (HTML) et le style d'une page web. @@ -16,8 +16,8 @@ le contenu (HTML) et le style d'une page web. En résumé, CSS fournit une syntaxe qui vous permet de cibler des élements présents sur une page HTML afin de leur donner des propriétés visuelles différentes. -Comme tous les autres langages, CSS a plusieurs versions. Ici, nous allons parlons de CSS2.0 -qui n'est pas le plus récent, mais qui reste le plus utilisé et le plus compatible avec les différents navigateur. +Comme tous les autres langages, CSS a plusieurs versions. Ici, nous allons parler de CSS2.0 +qui n'est pas le plus récent, mais qui reste le plus utilisé et le plus compatible avec les différents navigateurs. **NOTE :** Vous pouvez tester les effets visuels que vous ajoutez au fur et à mesure du tutoriel sur des sites comme [dabblet](http://dabblet.com/) afin de voir les résultats, comprendre, et vous familiariser avec le langage. Cet article porte principalement sur la syntaxe et quelques astuces. @@ -33,7 +33,7 @@ Cet article porte principalement sur la syntaxe et quelques astuces. /* Généralement, la première déclaration en CSS est très simple */ selecteur { propriete: valeur; /* autres proprietés...*/ } -/* Le sélécteur sert à cibler un élément du HTML +/* Le sélecteur sert à cibler un élément du HTML Vous pouvez cibler tous les éléments d'une page! */ * { color:red; } @@ -81,7 +81,7 @@ div.une-classe[attr$='eu'] { } /* Un élément qui est en enfant direct */ div.un-parent > .enfant {} -/* Cela cible aussi les .enfants plus profonds dans la structure HTML */ +/* dans la structure HTML */ div.un-parent .enfants {} /* Attention : le même sélecteur sans espace a un autre sens. */ From fe4ed9080dc258e35a9fffd3a52d097eb457c745 Mon Sep 17 00:00:00 2001 From: Gnomino Date: Sun, 18 Oct 2015 18:39:21 +0200 Subject: [PATCH 022/286] Brings text back --- fr-fr/css-fr.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/fr-fr/css-fr.html.markdown b/fr-fr/css-fr.html.markdown index a3a5cf55..35673c47 100644 --- a/fr-fr/css-fr.html.markdown +++ b/fr-fr/css-fr.html.markdown @@ -81,7 +81,7 @@ div.une-classe[attr$='eu'] { } /* Un élément qui est en enfant direct */ div.un-parent > .enfant {} -/* dans la structure HTML */ +/* Cela cible aussi les .enfants plus profonds dans la structure HTML */ div.un-parent .enfants {} /* Attention : le même sélecteur sans espace a un autre sens. */ From c3387b8a611b6fbb00ac8d54102b772d44d3eca2 Mon Sep 17 00:00:00 2001 From: Andrew Backes Date: Sun, 18 Oct 2015 22:32:14 -0500 Subject: [PATCH 023/286] [typescript/en] Template Strings --- typescript.html.markdown | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/typescript.html.markdown b/typescript.html.markdown index e9135510..101bb5dc 100644 --- a/typescript.html.markdown +++ b/typescript.html.markdown @@ -159,6 +159,10 @@ var tuple = pairToTuple({ item1:"hello", item2:"world"}); // Including references to a definition file: /// +// Template Strings +var name = 'Tyrone'; +var greeting = `Hi ${name}, how are you?` + ``` ## Further Reading From 525b6106a57baa570734e29b43f861cd8cc5de3a Mon Sep 17 00:00:00 2001 From: Andrew Backes Date: Sun, 18 Oct 2015 22:38:56 -0500 Subject: [PATCH 024/286] [typescript/en] Multiline Strings Multiline Strings via Template Strings --- typescript.html.markdown | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/typescript.html.markdown b/typescript.html.markdown index 101bb5dc..61b0fdb8 100644 --- a/typescript.html.markdown +++ b/typescript.html.markdown @@ -159,9 +159,13 @@ var tuple = pairToTuple({ item1:"hello", item2:"world"}); // Including references to a definition file: /// -// Template Strings +// Template Strings (strings that use backtics) +// String Intepolation with Template Strings var name = 'Tyrone'; var greeting = `Hi ${name}, how are you?` +// Multiline Strings with Template Strings +var multiline = `This is an example +of a multiline string`; ``` From a8ebd498338183f3469e37f7763aad6d644780e1 Mon Sep 17 00:00:00 2001 From: aceawan Date: Mon, 19 Oct 2015 13:34:59 +0200 Subject: [PATCH 025/286] [d/fr] adds translation --- fr-fr/d.html.markdown | 291 ++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 291 insertions(+) create mode 100644 fr-fr/d.html.markdown diff --git a/fr-fr/d.html.markdown b/fr-fr/d.html.markdown new file mode 100644 index 00000000..dfc3519d --- /dev/null +++ b/fr-fr/d.html.markdown @@ -0,0 +1,291 @@ +--- +language: D +filename: learnd.d +contributors: + - ["Nick Papanastasiou", "www.nickpapanastasiou.github.io"] + - ["Quentin Ladeveze", "aceawan.eu"] +lang: fr +--- + +```d +// Commençons par un classique +module hello; + +import std.stdio; + +// args n'est pas obligatoire +void main(string[] args) { + writeln("Bonjour le monde !"); +} +``` + +Si vous êtes comme moi et que vous passez beaucoup trop de temps sur internet, il y a +de grandes chances pour que vous ayez déjà entendu parler du [D](http://dlang.org/). +D est un langage de programmation moderne, généraliste, multi-paradigme qui contient +des fonctionnalités aussi bien de bas-niveau que haut-niveau. + +D is actively developed by a large group of super-smart people and is spearheaded by +[Walter Bright](https://en.wikipedia.org/wiki/Walter_Bright) and +[Andrei Alexandrescu](https://en.wikipedia.org/wiki/Andrei_Alexandrescu). +With all that out of the way, let's look at some examples! + +D est activement développé par de nombreuses personnes très intelligents, guidées par +[Walter Bright](https://fr.wikipedia.org/wiki/Walter_Bright))) et +[Andrei Alexandrescu](https://fr.wikipedia.org/wiki/Andrei_Alexandrescu). +Après cette petite introduction, jetons un coup d'oeil à quelques exemples. + +```d +import std.stdio; + +void main() { + + //Les conditions et les boucles sont classiques. + for(int i = 0; i < 10000; i++) { + writeln(i); + } + + // On peut utiliser auto pour inférer automatiquement le + // type d'une variable. + auto n = 1; + + // On peut faciliter la lecture des valeurs numériques + // en y insérant des `_`. + while(n < 10_000) { + n += n; + } + + do { + n -= (n / 2); + } while(n > 0); + + // For et while sont très utiles, mais en D, on préfère foreach. + // Les deux points : '..', créent un intervalle continue de valeurs + // incluant la première mais excluant la dernière. + foreach(i; 1..1_000_000) { + if(n % 2 == 0) + writeln(i); + } + + // On peut également utiliser foreach_reverse pour itérer à l'envers. + foreach_reverse(i; 1..int.max) { + if(n % 2 == 1) { + writeln(i); + } else { + writeln("Non !"); + } + } +} +``` + +We can define new types with `struct`, `class`, `union`, and `enum`. Structs and unions +are passed to functions by value (i.e. copied) and classes are passed by reference. Futhermore, +we can use templates to parameterize all of these on both types and values! + +On peut définir de nouveaux types avec les mots-clés `struct`, `class`, +`union` et `enum`. Les structures et les unions sont passées au fonctions par +valeurs (elle sont copiées) et les classes sont passées par référence. De plus, +On peut utiliser les templates pour rendre toutes ces abstractions génériques. + +```d +// Ici, 'T' est un paramètre de type. Il est similaire au de C++/C#/Java. +struct LinkedList(T) { + T data = null; + + // Utilisez '!' pour instancier un type paramétré. + // Encore une fois semblable à '' + LinkedList!(T)* next; +} + +class BinTree(T) { + T data = null; + + // Si il n'y a qu'un seul paramètre de template, + // on peut s'abstenir de parenthèses. + BinTree!T left; + BinTree!T right; +} + +enum Day { + Sunday, + Monday, + Tuesday, + Wednesday, + Thursday, + Friday, + Saturday, +} + +// Utilisez alias pour créer des abreviations pour les types. +alias IntList = LinkedList!int; +alias NumTree = BinTree!double; + +// On peut tout aussi bien créer des templates de function ! +T max(T)(T a, T b) { + if(a < b) + return b; + + return a; +} + +// On peut utiliser le mot-clé ref pour s'assurer que quelque chose est passé +// par référence, et ceci, même si a et b sont d'ordinaire passés par valeur. +// Ici ils seront toujours passés par référence à 'swap()'. +void swap(T)(ref T a, ref T b) { + auto temp = a; + + a = b; + b = temp; +} + +// Avec les templates, on peut également passer des valeurs en paramètres. +class Matrix(uint m, uint n, T = int) { + T[m] rows; + T[n] columns; +} + +auto mat = new Matrix!(3, 3); // T est 'int' par défaut + +``` +À propos de classes, parlons des propriétés. Une propriété est, en gros, +une méthode qui peut se comporter comme une lvalue. On peut donc utiliser +la syntaxe des structures classiques (`struct.x = 7`) comme si il +s'agissait de méthodes getter ou setter. + +```d +// Considérons une classe paramétrée avec les types 'T' et 'U' +class MyClass(T, U) { + T _data; + U _other; +} + +// Et des méthodes "getter" et "setter" comme suit: +class MyClass(T, U) { + T _data; + U _other; + + // Les constructeurs s'apellent toujours 'this'. + this(T t, U u) { + // Ceci va appeller les setters ci-dessous. + data = t; + other = u; + } + + // getters + @property T data() { + return _data; + } + + @property U other() { + return _other; + } + + // setters + @property void data(T t) { + _data = t; + } + + @property void other(U u) { + _other = u; + } +} + +// Et on l'utilise de cette façon: +void main() { + auto mc = new MyClass!(int, string)(7, "seven"); + + // Importer le module 'stdio' de la bibliothèque standard permet + // d'écrire dans la console (les imports peuvent être locaux à une portée) + import std.stdio; + + // On appelle les getters pour obtenir les valeurs. + writefln("Earlier: data = %d, str = %s", mc.data, mc.other); + + // On appelle les setter pour assigner de nouvelles valeurs. + mc.data = 8; + mc.other = "eight"; + + // On appelle les setter pour obtenir les nouvelles valeurs. + writefln("Later: data = %d, str = %s", mc.data, mc.other); +} +``` + +With properties, we can add any amount of logic to +our getter and setter methods, and keep the clean syntax of +accessing members directly! + +Other object-oriented goodies at our disposal +include `interface`s, `abstract class`es, +and `override`ing methods. D does inheritance just like Java: +Extend one class, implement as many interfaces as you please. + +We've seen D's OOP facilities, but let's switch gears. D offers +functional programming with first-class functions, `pure` +functions, and immutable data. In addition, all of your favorite +functional algorithms (map, filter, reduce and friends) can be +found in the wonderful `std.algorithm` module! + +Avec les propriétés, on peut constuire nos setters et nos getters +comme on le souhaite, tout en gardant un syntaxe très propre, +comme si on accédait directement à des membres de la classe. + +Les autres fonctionnalités orientées objets à notre disposition +incluent les interfaces, les classes abstraites, et la surcharge +de méthodes. D gère l'héritage comme Java: On ne peut hériter que +d'une seule classe et implémenter autant d'interface que voulu. + +Nous venons d'explorer les fonctionnalités objet du D, mais changeons +un peu de domaine. D permet la programmation fonctionelle, avec les fonctions +de premier ordre, les fonctions `pure` et les données immuables. +De plus, tout vos algorithmes fonctionelles favoris (map, reduce, filter) +sont disponibles dans le module `std.algorithm`. + +```d +import std.algorithm : map, filter, reduce; +import std.range : iota; // construit un intervalle excluant la dernière valeur. + +void main() { + // On veut un algorithm qui affiche la somme de la listes des carrés + // des entiers paires de 1 à 100. Un jeu d'enfant ! + + // On se content de passer des expressions lambda en paramètre à des templates. + // On peut fournier au template n'importe quelle fonction, mais dans notre + // cas, les lambdas sont pratiques. + auto num = iota(1, 101).filter!(x => x % 2 == 0) + .map!(y => y ^^ 2) + .reduce!((a, b) => a + b); + + writeln(num); +} +``` + +Vous voyez comme on a calculé `num` comme on le ferait en haskell par exemple ? +C'est grâce à une innvoation de D qu'on appelle "Uniform Function Call Syntax". +Avec l'UFCS, on peut choisir d'écrire un appelle à une fonction de manière +classique, ou comme un appelle à une méthode. Walter Brighter a écrit un +article en anglais sur l'UFCS [ici.](http://www.drdobbs.com/cpp/uniform-function-call-syntax/232700394) +Pour faire court, on peut appeller une fonction dont le premier paramètre +est de type A, comme si c'était une méthode de A. + +J'aime le parallélisme. Vous aimez les parallélisme ? Bien sur que vous aimez ça +Voyons comment on le fait en D ! + +```d +import std.stdio; +import std.parallelism : parallel; +import std.math : sqrt; + +void main() { + // On veut calculer la racine carré de tous les nombres + // dans notre tableau, et profiter de tous les coeurs + // à notre disposition. + auto arr = new double[1_000_000]; + + // On utilise un index et une référence à chaque élément du tableau. + // On appelle juste la fonction parallel sur notre tableau ! + foreach(i, ref elem; parallel(arr)) { + ref = sqrt(i + 1.0); + } +} + + +``` From 6313536895742385f743b05ed84c1efc274204f7 Mon Sep 17 00:00:00 2001 From: aceawan Date: Mon, 19 Oct 2015 13:35:38 +0200 Subject: [PATCH 026/286] [d/fr] adds translation --- fr-fr/d.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/fr-fr/d.html.markdown b/fr-fr/d.html.markdown index dfc3519d..5d72a2d0 100644 --- a/fr-fr/d.html.markdown +++ b/fr-fr/d.html.markdown @@ -1,10 +1,10 @@ --- language: D -filename: learnd.d +filename: learnd-fr.d contributors: - ["Nick Papanastasiou", "www.nickpapanastasiou.github.io"] - ["Quentin Ladeveze", "aceawan.eu"] -lang: fr +lang: fr-f --- ```d From 7f8b8d036302ee7e7ba2c47b11c3833b864bffab Mon Sep 17 00:00:00 2001 From: aceawan Date: Mon, 19 Oct 2015 13:38:10 +0200 Subject: [PATCH 027/286] correct translator name --- fr-fr/d.html.markdown | 1 + 1 file changed, 1 insertion(+) diff --git a/fr-fr/d.html.markdown b/fr-fr/d.html.markdown index 5d72a2d0..f9dececb 100644 --- a/fr-fr/d.html.markdown +++ b/fr-fr/d.html.markdown @@ -3,6 +3,7 @@ language: D filename: learnd-fr.d contributors: - ["Nick Papanastasiou", "www.nickpapanastasiou.github.io"] +translators: - ["Quentin Ladeveze", "aceawan.eu"] lang: fr-f --- From 5507a389903c4b2ff66aa811f6952a78e99c3c7a Mon Sep 17 00:00:00 2001 From: aceawan Date: Mon, 19 Oct 2015 13:39:05 +0200 Subject: [PATCH 028/286] correct language --- fr-fr/d.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/fr-fr/d.html.markdown b/fr-fr/d.html.markdown index f9dececb..2c90a628 100644 --- a/fr-fr/d.html.markdown +++ b/fr-fr/d.html.markdown @@ -5,7 +5,7 @@ contributors: - ["Nick Papanastasiou", "www.nickpapanastasiou.github.io"] translators: - ["Quentin Ladeveze", "aceawan.eu"] -lang: fr-f +lang: fr-fr --- ```d From c759b6ea2bc1dd1ddad8d08bcdf5741d7e7711b0 Mon Sep 17 00:00:00 2001 From: aceawan Date: Mon, 19 Oct 2015 13:39:44 +0200 Subject: [PATCH 029/286] removes english text --- fr-fr/d.html.markdown | 5 ----- 1 file changed, 5 deletions(-) diff --git a/fr-fr/d.html.markdown b/fr-fr/d.html.markdown index 2c90a628..d75f1083 100644 --- a/fr-fr/d.html.markdown +++ b/fr-fr/d.html.markdown @@ -25,11 +25,6 @@ de grandes chances pour que vous ayez déjà entendu parler du [D](http://dlang. D est un langage de programmation moderne, généraliste, multi-paradigme qui contient des fonctionnalités aussi bien de bas-niveau que haut-niveau. -D is actively developed by a large group of super-smart people and is spearheaded by -[Walter Bright](https://en.wikipedia.org/wiki/Walter_Bright) and -[Andrei Alexandrescu](https://en.wikipedia.org/wiki/Andrei_Alexandrescu). -With all that out of the way, let's look at some examples! - D est activement développé par de nombreuses personnes très intelligents, guidées par [Walter Bright](https://fr.wikipedia.org/wiki/Walter_Bright))) et [Andrei Alexandrescu](https://fr.wikipedia.org/wiki/Andrei_Alexandrescu). From 00182d32f4e2eebf46d12910e885b0dde3eabdbc Mon Sep 17 00:00:00 2001 From: aceawan Date: Mon, 19 Oct 2015 13:40:27 +0200 Subject: [PATCH 030/286] removes english text --- fr-fr/d.html.markdown | 21 --------------------- 1 file changed, 21 deletions(-) diff --git a/fr-fr/d.html.markdown b/fr-fr/d.html.markdown index d75f1083..702de206 100644 --- a/fr-fr/d.html.markdown +++ b/fr-fr/d.html.markdown @@ -72,11 +72,6 @@ void main() { } } ``` - -We can define new types with `struct`, `class`, `union`, and `enum`. Structs and unions -are passed to functions by value (i.e. copied) and classes are passed by reference. Futhermore, -we can use templates to parameterize all of these on both types and values! - On peut définir de nouveaux types avec les mots-clés `struct`, `class`, `union` et `enum`. Les structures et les unions sont passées au fonctions par valeurs (elle sont copiées) et les classes sont passées par référence. De plus, @@ -204,22 +199,6 @@ void main() { writefln("Later: data = %d, str = %s", mc.data, mc.other); } ``` - -With properties, we can add any amount of logic to -our getter and setter methods, and keep the clean syntax of -accessing members directly! - -Other object-oriented goodies at our disposal -include `interface`s, `abstract class`es, -and `override`ing methods. D does inheritance just like Java: -Extend one class, implement as many interfaces as you please. - -We've seen D's OOP facilities, but let's switch gears. D offers -functional programming with first-class functions, `pure` -functions, and immutable data. In addition, all of your favorite -functional algorithms (map, filter, reduce and friends) can be -found in the wonderful `std.algorithm` module! - Avec les propriétés, on peut constuire nos setters et nos getters comme on le souhaite, tout en gardant un syntaxe très propre, comme si on accédait directement à des membres de la classe. From 998e76c310422e0946431b036eb7de03a9384e74 Mon Sep 17 00:00:00 2001 From: Andrew Backes Date: Mon, 19 Oct 2015 08:09:58 -0500 Subject: [PATCH 031/286] [typescript/en] Typo fixed in 'backticks' --- typescript.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/typescript.html.markdown b/typescript.html.markdown index 61b0fdb8..17c56e7a 100644 --- a/typescript.html.markdown +++ b/typescript.html.markdown @@ -159,7 +159,7 @@ var tuple = pairToTuple({ item1:"hello", item2:"world"}); // Including references to a definition file: /// -// Template Strings (strings that use backtics) +// Template Strings (strings that use backticks) // String Intepolation with Template Strings var name = 'Tyrone'; var greeting = `Hi ${name}, how are you?` From f8a2b28890d5d68a252d5bc0fd8247495b680e09 Mon Sep 17 00:00:00 2001 From: aceawan Date: Mon, 19 Oct 2015 15:28:43 +0200 Subject: [PATCH 032/286] fix indentation and typos --- fr-fr/d.html.markdown | 15 +++++++-------- 1 file changed, 7 insertions(+), 8 deletions(-) diff --git a/fr-fr/d.html.markdown b/fr-fr/d.html.markdown index 702de206..6782142d 100644 --- a/fr-fr/d.html.markdown +++ b/fr-fr/d.html.markdown @@ -4,7 +4,7 @@ filename: learnd-fr.d contributors: - ["Nick Papanastasiou", "www.nickpapanastasiou.github.io"] translators: - - ["Quentin Ladeveze", "aceawan.eu"] + - ["Quentin Ladeveze", "aceawan.eu"] lang: fr-fr --- @@ -22,8 +22,8 @@ void main(string[] args) { Si vous êtes comme moi et que vous passez beaucoup trop de temps sur internet, il y a de grandes chances pour que vous ayez déjà entendu parler du [D](http://dlang.org/). -D est un langage de programmation moderne, généraliste, multi-paradigme qui contient -des fonctionnalités aussi bien de bas-niveau que haut-niveau. +D est un langage de programmation moderne, généraliste, multi-paradigmes qui contient +des fonctionnalités aussi bien de bas niveau que de haut niveau. D est activement développé par de nombreuses personnes très intelligents, guidées par [Walter Bright](https://fr.wikipedia.org/wiki/Walter_Bright))) et @@ -34,18 +34,17 @@ Après cette petite introduction, jetons un coup d'oeil à quelques exemples. import std.stdio; void main() { - - //Les conditions et les boucles sont classiques. + //Les conditions et les boucles sont classiques. for(int i = 0; i < 10000; i++) { writeln(i); } - // On peut utiliser auto pour inférer automatiquement le - // type d'une variable. + // On peut utiliser auto pour inférer automatiquement le + // type d'une variable. auto n = 1; // On peut faciliter la lecture des valeurs numériques - // en y insérant des `_`. + // en y insérant des `_`. while(n < 10_000) { n += n; } From 13c9d9af5cc60ae747d42f73d795f360a15f3fd8 Mon Sep 17 00:00:00 2001 From: aceawan Date: Mon, 19 Oct 2015 15:33:48 +0200 Subject: [PATCH 033/286] fix indentation and typos --- fr-fr/d.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/fr-fr/d.html.markdown b/fr-fr/d.html.markdown index 6782142d..ee69ca34 100644 --- a/fr-fr/d.html.markdown +++ b/fr-fr/d.html.markdown @@ -90,7 +90,7 @@ class BinTree(T) { T data = null; // Si il n'y a qu'un seul paramètre de template, - // on peut s'abstenir de parenthèses. + // on peut s'abstenir de mettre des parenthèses. BinTree!T left; BinTree!T right; } From d7e3def01ec674a7578581c1fb8b003cd164d335 Mon Sep 17 00:00:00 2001 From: aceawan Date: Mon, 19 Oct 2015 15:40:44 +0200 Subject: [PATCH 034/286] fix indentation and typos --- fr-fr/d.html.markdown | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/fr-fr/d.html.markdown b/fr-fr/d.html.markdown index ee69ca34..96158683 100644 --- a/fr-fr/d.html.markdown +++ b/fr-fr/d.html.markdown @@ -72,9 +72,8 @@ void main() { } ``` On peut définir de nouveaux types avec les mots-clés `struct`, `class`, -`union` et `enum`. Les structures et les unions sont passées au fonctions par -valeurs (elle sont copiées) et les classes sont passées par référence. De plus, -On peut utiliser les templates pour rendre toutes ces abstractions génériques. +`union` et `enum`. Ces types sont passés au fonction par valeur (ils sont copiés) +De plus, on peut utiliser les templates pour rendre toutes ces abstractions génériques. ```d // Ici, 'T' est un paramètre de type. Il est similaire au de C++/C#/Java. From 5ca38bf934801c9e85e25e19842a6f84ebe6efa0 Mon Sep 17 00:00:00 2001 From: Andrew Backes Date: Mon, 19 Oct 2015 10:40:57 -0500 Subject: [PATCH 035/286] [typescript/en] Fixing typo in 'Interpolation' --- typescript.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/typescript.html.markdown b/typescript.html.markdown index 17c56e7a..20974304 100644 --- a/typescript.html.markdown +++ b/typescript.html.markdown @@ -160,7 +160,7 @@ var tuple = pairToTuple({ item1:"hello", item2:"world"}); /// // Template Strings (strings that use backticks) -// String Intepolation with Template Strings +// String Interpolation with Template Strings var name = 'Tyrone'; var greeting = `Hi ${name}, how are you?` // Multiline Strings with Template Strings From 9aca78c50a44a4e175798c1ebc66f843f82af80f Mon Sep 17 00:00:00 2001 From: David Hsieh Date: Mon, 19 Oct 2015 17:05:09 -0700 Subject: [PATCH 036/286] Fixed swift-es filename --- es-es/swift-es.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/es-es/swift-es.html.markdown b/es-es/swift-es.html.markdown index 86f0aab6..dcc3a607 100644 --- a/es-es/swift-es.html.markdown +++ b/es-es/swift-es.html.markdown @@ -8,7 +8,7 @@ contributors: translators: - ["David Hsieh", "http://github.com/deivuh"] lang: es-es -filename: learnswift.swift +filename: learnswift-es.swift --- Swift es un lenguaje de programación para el desarrollo en iOS y OS X creado From a6eb459b611b67132c76e34095afd87a5aada78c Mon Sep 17 00:00:00 2001 From: Vipul Sharma Date: Tue, 20 Oct 2015 09:57:53 +0530 Subject: [PATCH 037/286] Modified string format [python/en] --- python.html.markdown | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/python.html.markdown b/python.html.markdown index 42a52bcf..01e5d481 100644 --- a/python.html.markdown +++ b/python.html.markdown @@ -123,8 +123,11 @@ not False # => True # A string can be treated like a list of characters "This is a string"[0] # => 'T' -# % can be used to format strings, like this: -"%s can be %s" % ("strings", "interpolated") +#String formatting with % +#Even though the % string operator will be deprecated on Python 3.1 and removed later at some time, it may still be #good to know how it works. +x = 'apple' +y = 'lemon' +z = "The items in the basket are %s and %s" % (x,y) # A newer way to format strings is the format method. # This method is the preferred way From 60a1a43cd3d797d347d06ef4568f542ab473b2dc Mon Sep 17 00:00:00 2001 From: duci9y Date: Tue, 20 Oct 2015 13:53:47 +0530 Subject: [PATCH 038/286] [xml/en] Grammar, formatting. Made more 'inlined'. --- xml.html.markdown | 155 ++++++++++++++++++++++++++++------------------ 1 file changed, 96 insertions(+), 59 deletions(-) diff --git a/xml.html.markdown b/xml.html.markdown index b95d6088..b4b54330 100644 --- a/xml.html.markdown +++ b/xml.html.markdown @@ -4,18 +4,76 @@ filename: learnxml.xml contributors: - ["João Farias", "https://github.com/JoaoGFarias"] - ["Rachel Stiyer", "https://github.com/rstiyer"] + - ["Deepanshu Utkarsh", "https://github.com/duci9y"] --- -XML is a markup language designed to store and transport data. +XML is a markup language designed to store and transport data. It is supposed to be both human readable and machine readable. Unlike HTML, XML does not specify how to display or to format data, it just carries it. -* XML Syntax +Distinctions are made between the **content** and the **markup**. In short, content could be anything, markup is defined. + +## Some definitions and introductions + +XML Documents are basically made up of *elements* which can have *attributes* describing them and may contain some textual content or more elements as its children. All XML documents must have a root element, which is the ancestor of all the other elements in the document. + +XML Parsers are designed to be very strict, and will stop parsing malformed documents. Therefore it must be ensured that all XML documents follow the [XML Syntax Rules](http://www.w3schools.com/xml/xml_syntax.asp). ```xml - + + + + + + +Content + + + + + + + + + + + + + + + + + + + + + + + Text + + + + + + + Text + + +Text +``` + +## An XML document + +This is what makes XML versatile. It is human readable too. The following document tells us that it defines a bookstore which sells three books, one of which is Learning XML by Erik T. Ray. All this without having used an XML Parser yet. + +```xml + Everyday Italian @@ -36,85 +94,49 @@ Unlike HTML, XML does not specify how to display or to format data, it just carr 39.95 - - - - - - - - -computer.gif - - ``` -* Well-Formated Document x Validation +## Well-formedness and Validation -An XML document is well-formatted if it is syntactically correct. -However, it is possible to inject more constraints in the document, -using document definitions, such as DTD and XML Schema. - -An XML document which follows a document definition is called valid, -in regards to that document. - -With this tool, you can check the XML data outside the application logic. +A XML document is *well-formed* if it is syntactically correct. However, it is possible to add more constraints to the document, using Document Type Definitions (DTDs). A document whose elements are attributes are declared in a DTD and which follows the grammar specified in that DTD is called *valid* with respect to that DTD, in addition to being well-formed. ```xml - - - + - + + - Everyday Italian + Everyday Italian + Giada De Laurentiis + 2005 30.00 - - - - + + + + + ]> - - - - - + @@ -127,3 +149,18 @@ With this tool, you can check the XML data outside the application logic. ``` + +## DTD Compatibility and XML Schema Definitions + +Support for DTDs is ubiquitous because they are so old. Unfortunately, modern XML features like namespaces are not supported by DTDs. XML Schema Definitions (XSDs) are meant to replace DTDs for defining XML document grammar. + +## Resources + +* [Validate your XML](http://www.xmlvalidation.com) + +## Further Reading + +* [XML Schema Definitions Tutorial](http://www.w3schools.com/schema/) +* [DTD Tutorial](http://www.w3schools.com/xml/xml_dtd_intro.asp) +* [XML Tutorial](http://www.w3schools.com/xml/default.asp) +* [Using XPath queries to parse XML](http://www.w3schools.com/xml/xml_xpath.asp) From 76e72653b28590f6aaea9e08ae38f9a812cc65e2 Mon Sep 17 00:00:00 2001 From: duci9y Date: Tue, 20 Oct 2015 14:24:32 +0530 Subject: [PATCH 039/286] [json/en] Cut noise, formatting, links. Also removed some duplicate information. --- json.html.markdown | 53 ++++++++++++++++++++++------------------------ 1 file changed, 25 insertions(+), 28 deletions(-) diff --git a/json.html.markdown b/json.html.markdown index cde7bc40..a612cffe 100644 --- a/json.html.markdown +++ b/json.html.markdown @@ -8,27 +8,24 @@ contributors: - ["Michael Neth", "https://github.com/infernocloud"] --- -As JSON is an extremely simple data-interchange format, this is most likely going to be the simplest Learn X in Y Minutes ever. +JSON is an extremely simple data-interchange format. As [json.org](http://json.org) says, it is easy for humans to read and write and for machines to parse and generate. + +A piece of JSON must represent either: +* A collection of name/value pairs (`{ }`). In various languages, this is realized as an object, record, struct, dictionary, hash table, keyed list, or associative array. +* An ordered list of values (`[ ]`). In various languages, this is realized as an array, vector, list, or sequence. + an array/list/sequence (`[ ]`) or a dictionary/object/associated array (`{ }`). JSON in its purest form has no actual comments, but most parsers will accept C-style (`//`, `/* */`) comments. Some parsers also tolerate a trailing comma (i.e. a comma after the last element of an array or the after the last property of an object), but they should be avoided for better compatibility. -For the purposes of this, however, everything is going to be 100% valid JSON. Luckily, it kind of speaks for itself. +For the purposes of this tutorial, everything is going to be 100% valid JSON. Luckily, it kind of speaks for itself. -A JSON value must be a number, a string, an array, an object, or one of the following 3 literal names: true, false, null. +Supported data types: -Supporting browsers are: Firefox 3.5+, Internet Explorer 8.0+, Chrome 1.0+, Opera 10.0+, and Safari 4.0+. - -File extension for JSON files is ".json" and the MIME type for JSON text is "application/json". - -Many programming languages have support for serializing (encoding) and unserializing (decoding) JSON data into native data structures. Javascript has implicit support for manipulating JSON text as data. - -More information can be found at http://www.json.org/ - -JSON is built on two structures: -* A collection of name/value pairs. In various languages, this is realized as an object, record, struct, dictionary, hash table, keyed list, or associative array. -* An ordered list of values. In most languages, this is realized as an array, vector, list, or sequence. - -An object with various name/value pairs. +* Strings: `"hello"`, `"\"A quote.\""`, `"\u0abe"`, `"Newline.\n"` +* Numbers: `23`, `0.11`, `12e10`, `3.141e-10`, `1.23e+4` +* Objects: `{ "key": "value" }` +* Arrays: `["Values"]` +* Miscellaneous: `true`, `false`, `null` ```json { @@ -66,20 +63,20 @@ An object with various name/value pairs. "alternative style": { "comment": "check this out!" - , "comma position": "doesn't matter - as long as it's before the next key, then it's valid" + , "comma position": "doesn't matter, if it's before the next key, it's valid" , "another comment": "how nice" - } + }, + + + + "whitespace": "Does not matter.", + + + + "that was short": "And done. You now know everything JSON has to offer." } ``` -A single array of values by itself is also valid JSON. +## Further Reading -```json -[1, 2, 3, "text", true] -``` - -Objects can be a part of the array as well. - -```json -[{"name": "Bob", "age": 25}, {"name": "Jane", "age": 29}, {"name": "Jack", "age": 31}] -``` +* [JSON.org](http://json.org) All of JSON beautifully explained using flowchart-like graphics. From 7c15eaefcdfe21809ebab893f6d8d6321188abf1 Mon Sep 17 00:00:00 2001 From: Chaitya Shah Date: Tue, 20 Oct 2015 11:45:58 -0400 Subject: [PATCH 040/286] Fix Spacing Inconsistency Fix spacing inconsistency in PennyFarthing Constructor --- java.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/java.html.markdown b/java.html.markdown index 38c9e490..a78aa9fc 100644 --- a/java.html.markdown +++ b/java.html.markdown @@ -519,7 +519,7 @@ class PennyFarthing extends Bicycle { // (Penny Farthings are those bicycles with the big front wheel. // They have no gears.) - public PennyFarthing(int startCadence, int startSpeed){ + public PennyFarthing(int startCadence, int startSpeed) { // Call the parent constructor with super super(startCadence, startSpeed, 0, "PennyFarthing"); } From 401093269d1a5b0db14c54f2e355ff3461b43325 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?C=C3=A1ssio=20B=C3=B6ck?= Date: Tue, 20 Oct 2015 23:53:25 -0200 Subject: [PATCH 041/286] Pogoscript to pt-br Partial translation to pt-br --- pt-br/pogo.html.markdown | 202 +++++++++++++++++++++++++++++++++++++++ 1 file changed, 202 insertions(+) create mode 100644 pt-br/pogo.html.markdown diff --git a/pt-br/pogo.html.markdown b/pt-br/pogo.html.markdown new file mode 100644 index 00000000..80972c98 --- /dev/null +++ b/pt-br/pogo.html.markdown @@ -0,0 +1,202 @@ +--- +language: pogoscript +contributors: + - ["Tim Macfarlane", "http://github.com/refractalize"] + - ["Cássio Böck", "https://github.com/cassiobsilva"] +filename: learnPogo.pogo +--- + +Pogoscript é uma linguagem de programação que possui tipos primitivos concorrents +e que compila para linguagem Javascript padrão. + +``` javascript +// definindo uma variável +water temperature = 24 + +// reatribuindo o valor de uma variável após a sua definição +water temperature := 26 + +// funções permitem que seus parâmetros sejam colocados em qualquer lugar +temperature at (a) altitude = 32 - a / 100 + +// funções longas são apenas indentadas +temperature at (a) altitude := + if (a < 0) + water temperature + else + 32 - a / 100 + +// chamada de uma função +current temperature = temperature at 3200 altitude + +// essa função cria um novo objeto com métodos +position (x, y) = { + x = x + y = y + + distance from position (p) = + dx = self.x - p.x + dy = self.y - p.y + Math.sqrt (dx * dx + dy * dy) +} + +// `self` é similiar ao `this` no Javascript, com exceção de que `self` não +// é redefinido em cada nova função + +// chamada de métodos +position (7, 2).distance from position (position (5, 1)) + +// assim como no Javascript, objetos também são hashes +position.'x' == position.x == position.('x') + +// arrays +positions = [ + position (1, 1) + position (1, 2) + position (1, 3) +] + +// indexando um array +positions.0.y + +n = 2 +positions.(n).y + +// strings +poem = 'Tail turned to red sunset on a juniper crown a lone magpie cawks. + Mad at Oryoki in the shrine-room -- Thistles blossomed late afternoon. + Put on my shirt and took it off in the sun walking the path to lunch. + A dandelion seed floats above the marsh grass with the mosquitos. + At 4 A.M. the two middleaged men sleeping together holding hands. + In the half-light of dawn a few birds warble under the Pleiades. + Sky reddens behind fir trees, larks twitter, sparrows cheep cheep cheep + cheep cheep.' + +// texto de Allen Ginsburg + +// interpolação +outlook = 'amazing!' +console.log "the weather tomorrow is going to be #(outlook)" + +// expressões regulares +r/(\d+)m/i +r/(\d+) degrees/mg + +// operadores +true @and true +false @or true +@not false +2 < 4 +2 >= 2 +2 > 1 + +// todos do Javascript também são suportados + +// definindo seu próprio operador +(p1) plus (p2) = + position (p1.x + p2.x, p1.y + p2.y) + +// `plus` pode ser usado com um operador +position (1, 1) @plus position (0, 2) +// ou como uma função +(position (1, 1)) plus (position (0, 2)) + +// retorno explícito +(x) times (y) = return (x * y) + +// new +now = @new Date () + +// funções podem receber argumentos opcionais +spark (position, color: 'black', velocity: {x = 0, y = 0}) = { + color = color + position = position + velocity = velocity +} + +red = spark (position 1 1, color: 'red') +fast black = spark (position 1 1, velocity: {x = 10, y = 0}) + +// functions can unsplat arguments too +log (messages, ...) = + console.log (messages, ...) + +// blocks are functions passed to other functions. +// This block takes two parameters, `spark` and `c`, +// the body of the block is the indented code after the +// function call + +render each @(spark) into canvas context @(c) + ctx.begin path () + ctx.stroke style = spark.color + ctx.arc ( + spark.position.x + canvas.width / 2 + spark.position.y + 3 + 0 + Math.PI * 2 + ) + ctx.stroke () + +// asynchronous calls + +// JavaScript both in the browser and on the server (with Node.js) +// makes heavy use of asynchronous IO with callbacks. Async IO is +// amazing for performance and making concurrency simple but it +// quickly gets complicated. +// Pogoscript has a few things to make async IO much much easier + +// Node.js includes the `fs` module for accessing the file system. +// Let's list the contents of a directory + +fs = require 'fs' +directory listing = fs.readdir! '.' + +// `fs.readdir()` is an asynchronous function, so we can call it +// using the `!` operator. The `!` operator allows you to call +// async functions with the same syntax and largely the same +// semantics as normal synchronous functions. Pogoscript rewrites +// it so that all subsequent code is placed in the callback function +// to `fs.readdir()`. + +// to catch asynchronous errors while calling asynchronous functions + +try + another directory listing = fs.readdir! 'a-missing-dir' +catch (ex) + console.log (ex) + +// in fact, if you don't use `try catch`, it will raise the error up the +// stack to the outer-most `try catch` or to the event loop, as you'd expect +// with non-async exceptions + +// all the other control structures work with asynchronous calls too +// here's `if else` +config = + if (fs.stat! 'config.json'.is file ()) + JSON.parse (fs.read file! 'config.json' 'utf-8') + else + { + color: 'red' + } + +// to run two asynchronous calls concurrently, use the `?` operator. +// The `?` operator returns a *future* which can be executed to +// wait for and obtain the result, again using the `!` operator + +// we don't wait for either of these calls to finish +a = fs.stat? 'a.txt' +b = fs.stat? 'b.txt' + +// now we wait for the calls to finish and print the results +console.log "size of a.txt is #(a!.size)" +console.log "size of b.txt is #(b!.size)" + +// futures in Pogoscript are analogous to Promises +``` + +That's it. + +Download [Node.js](http://nodejs.org/) and `npm install pogo`. + +There is plenty of documentation on [http://pogoscript.org/](http://pogoscript.org/), including a [cheat sheet](http://pogoscript.org/cheatsheet.html), a [guide](http://pogoscript.org/guide/), and how [Pogoscript translates to Javascript](http://featurist.github.io/pogo-examples/). Get in touch on the [google group](http://groups.google.com/group/pogoscript) if you have questions! From 5838e931b715e663482b335b5a20055ce2dcc0b9 Mon Sep 17 00:00:00 2001 From: Gautam Kotian Date: Wed, 21 Oct 2015 11:36:04 +0200 Subject: [PATCH 042/286] Improve code comments --- d.html.markdown | 18 ++++++++++-------- 1 file changed, 10 insertions(+), 8 deletions(-) diff --git a/d.html.markdown b/d.html.markdown index 80c1dc65..4a362372 100644 --- a/d.html.markdown +++ b/d.html.markdown @@ -218,7 +218,7 @@ void main() { // from 1 to 100. Easy! // Just pass lambda expressions as template parameters! - // You can pass any old function you like, but lambdas are convenient here. + // You can pass any function you like, but lambdas are convenient here. auto num = iota(1, 101).filter!(x => x % 2 == 0) .map!(y => y ^^ 2) .reduce!((a, b) => a + b); @@ -228,7 +228,7 @@ void main() { ``` Notice how we got to build a nice Haskellian pipeline to compute num? -That's thanks to a D innovation know as Uniform Function Call Syntax. +That's thanks to a D innovation know as Uniform Function Call Syntax (UFCS). With UFCS, we can choose whether to write a function call as a method or free function call! Walter wrote a nice article on this [here.](http://www.drdobbs.com/cpp/uniform-function-call-syntax/232700394) @@ -238,21 +238,23 @@ is of some type A on any expression of type A as a method. I like parallelism. Anyone else like parallelism? Sure you do. Let's do some! ```c +// Let's say we want to populate a large array with the square root of all +// consecutive integers starting from 1 (up until the size of the array), and we +// want to do this concurrently taking advantage of as many cores as we have +// available. + import std.stdio; import std.parallelism : parallel; import std.math : sqrt; void main() { - // We want take the square root every number in our array, - // and take advantage of as many cores as we have available. + // Create your large array auto arr = new double[1_000_000]; - // Use an index, and an array element by referece, - // and just call parallel on the array! + // Use an index, access every array element by reference (because we're + // going to change each element) and just call parallel on the array! foreach(i, ref elem; parallel(arr)) { ref = sqrt(i + 1.0); } } - - ``` From ef9331fa31ab84e5a04ee024ac490b24a6b5c4dc Mon Sep 17 00:00:00 2001 From: Raphael Nascimento Date: Wed, 21 Oct 2015 09:03:12 -0300 Subject: [PATCH 043/286] [java/en] Enum Type --- java.html.markdown | 29 ++++++++++++++++++++++------- 1 file changed, 22 insertions(+), 7 deletions(-) diff --git a/java.html.markdown b/java.html.markdown index 8544ecfc..86b0578e 100644 --- a/java.html.markdown +++ b/java.html.markdown @@ -7,7 +7,7 @@ contributors: - ["Simon Morgan", "http://sjm.io/"] - ["Zachary Ferguson", "http://github.com/zfergus2"] - ["Cameron Schermerhorn", "http://github.com/cschermerhorn"] - - ["Raphael Nascimento", "http://github.com/raphaelbn"] + - ["Rachel Stiyer", "https://github.com/rstiyer"] filename: LearnJava.java --- @@ -138,7 +138,7 @@ public class LearnJava { // // BigDecimal allows the programmer complete control over decimal // rounding. It is recommended to use BigDecimal with currency values - // and where exact decimal percision is required. + // and where exact decimal precision is required. // // BigDecimal can be initialized with an int, long, double or String // or by initializing the unscaled value (BigInteger) and scale (int). @@ -185,8 +185,12 @@ public class LearnJava { // LinkedLists - Implementation of doubly-linked list. All of the // operations perform as could be expected for a // doubly-linked list. - // Maps - A set of objects that maps keys to values. A map cannot - // contain duplicate keys; each key can map to at most one value. + // Maps - A set of objects that map keys to values. Map is + // an interface and therefore cannot be instantiated. + // The type of keys and values contained in a Map must + // be specified upon instantiation of the implementing + // class. Each key may map to only one corresponding value, + // and each key may appear only once (no duplicates). // HashMaps - This class uses a hashtable to implement the Map // interface. This allows the execution time of basic // operations, such as get and insert element, to remain @@ -251,7 +255,7 @@ public class LearnJava { // If statements are c-like int j = 10; - if (j == 10){ + if (j == 10) { System.out.println("I get printed"); } else if (j > 10) { System.out.println("I don't"); @@ -286,7 +290,18 @@ public class LearnJava { // Iterated 10 times, fooFor 0->9 } System.out.println("fooFor Value: " + fooFor); - + + // Nested For Loop Exit with Label + outer: + for (int i = 0; i < 10; i++) { + for (int j = 0; j < 10; j++) { + if (i == 5 && j ==5) { + break outer; + // breaks out of outer loop instead of only the inner one + } + } + } + // For Each Loop // The for loop is also able to iterate over arrays as well as objects // that implement the Iterable interface. @@ -321,7 +336,7 @@ public class LearnJava { // Starting in Java 7 and above, switching Strings works like this: String myAnswer = "maybe"; - switch(myAnswer){ + switch(myAnswer) { case "yes": System.out.println("You answered yes."); break; From 24ff15fe7a327232a0c33600ea70f8bc5c566eb3 Mon Sep 17 00:00:00 2001 From: aceawan Date: Wed, 21 Oct 2015 19:08:03 +0200 Subject: [PATCH 044/286] correct indentation --- fr-fr/d.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/fr-fr/d.html.markdown b/fr-fr/d.html.markdown index 96158683..9eacc2aa 100644 --- a/fr-fr/d.html.markdown +++ b/fr-fr/d.html.markdown @@ -88,8 +88,8 @@ struct LinkedList(T) { class BinTree(T) { T data = null; - // Si il n'y a qu'un seul paramètre de template, - // on peut s'abstenir de mettre des parenthèses. + // Si il n'y a qu'un seul paramètre de template, + // on peut s'abstenir de mettre des parenthèses. BinTree!T left; BinTree!T right; } From a15486c2a843c7b1c76f0343da9436bf39d2e227 Mon Sep 17 00:00:00 2001 From: aceawan Date: Wed, 21 Oct 2015 19:08:52 +0200 Subject: [PATCH 045/286] correct indentation --- fr-fr/d.html.markdown | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/fr-fr/d.html.markdown b/fr-fr/d.html.markdown index 9eacc2aa..d9bd9b48 100644 --- a/fr-fr/d.html.markdown +++ b/fr-fr/d.html.markdown @@ -248,13 +248,13 @@ import std.parallelism : parallel; import std.math : sqrt; void main() { - // On veut calculer la racine carré de tous les nombres - // dans notre tableau, et profiter de tous les coeurs - // à notre disposition. + // On veut calculer la racine carré de tous les nombres + // dans notre tableau, et profiter de tous les coeurs + // à notre disposition. auto arr = new double[1_000_000]; - // On utilise un index et une référence à chaque élément du tableau. - // On appelle juste la fonction parallel sur notre tableau ! + // On utilise un index et une référence à chaque élément du tableau. + // On appelle juste la fonction parallel sur notre tableau ! foreach(i, ref elem; parallel(arr)) { ref = sqrt(i + 1.0); } From f0daae643482918fce3c75b012087dc19f883d25 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?C=C3=A1ssio=20B=C3=B6ck?= Date: Wed, 21 Oct 2015 23:30:42 -0200 Subject: [PATCH 046/286] translation to pt-br translation to pt-br completed --- pt-br/pogo.html.markdown | 76 ++++++++++++++++++++-------------------- 1 file changed, 38 insertions(+), 38 deletions(-) diff --git a/pt-br/pogo.html.markdown b/pt-br/pogo.html.markdown index 80972c98..5dc81ec0 100644 --- a/pt-br/pogo.html.markdown +++ b/pt-br/pogo.html.markdown @@ -3,7 +3,8 @@ language: pogoscript contributors: - ["Tim Macfarlane", "http://github.com/refractalize"] - ["Cássio Böck", "https://github.com/cassiobsilva"] -filename: learnPogo.pogo +filename: learnPogo-pt-br.pogo +lang: pt-br --- Pogoscript é uma linguagem de programação que possui tipos primitivos concorrents @@ -26,7 +27,7 @@ temperature at (a) altitude := else 32 - a / 100 -// chamada de uma função +// declarando uma função current temperature = temperature at 3200 altitude // essa função cria um novo objeto com métodos @@ -43,7 +44,7 @@ position (x, y) = { // `self` é similiar ao `this` no Javascript, com exceção de que `self` não // é redefinido em cada nova função -// chamada de métodos +// declaração de métodos position (7, 2).distance from position (position (5, 1)) // assim como no Javascript, objetos também são hashes @@ -117,14 +118,13 @@ spark (position, color: 'black', velocity: {x = 0, y = 0}) = { red = spark (position 1 1, color: 'red') fast black = spark (position 1 1, velocity: {x = 10, y = 0}) -// functions can unsplat arguments too +// funções também podem ser utilizadas para realizar o "unsplat" de argumentos log (messages, ...) = console.log (messages, ...) -// blocks are functions passed to other functions. -// This block takes two parameters, `spark` and `c`, -// the body of the block is the indented code after the -// function call +// blocos são funções passadas para outras funções. +// Este bloco recebe dois parâmetros, `spark` e `c`, +// o corpo do bloco é o código indentado após a declaração da função render each @(spark) into canvas context @(c) ctx.begin path () @@ -138,40 +138,40 @@ render each @(spark) into canvas context @(c) ) ctx.stroke () -// asynchronous calls +// chamadas assíncronas -// JavaScript both in the browser and on the server (with Node.js) -// makes heavy use of asynchronous IO with callbacks. Async IO is -// amazing for performance and making concurrency simple but it -// quickly gets complicated. -// Pogoscript has a few things to make async IO much much easier +// O Javascript, tanto no navegador quanto no servidor (através do Node.js) +// realiza um uso massivo de funções assíncronas de E/S (entrada/saída) com +// chamadas de retorno. E/S assíncrona é maravilhosa para a performance e +// torna a concorrência simples, porém pode rapidamente se tornar algo complicado. +// O Pogoscript possui algumas coisas que tornam o uso de E/S assíncrono mosquitos +// mais fácil -// Node.js includes the `fs` module for accessing the file system. -// Let's list the contents of a directory +// O Node.js inclui o móduolo `fs` para acessar o sistema de arquivos. +// Vamos listar o conteúdo de um diretório fs = require 'fs' directory listing = fs.readdir! '.' -// `fs.readdir()` is an asynchronous function, so we can call it -// using the `!` operator. The `!` operator allows you to call -// async functions with the same syntax and largely the same -// semantics as normal synchronous functions. Pogoscript rewrites -// it so that all subsequent code is placed in the callback function -// to `fs.readdir()`. +// `fs.readdir()` é uma função assíncrona, então nos a chamamos usando o +// operador `!`. O operador `!` permite que você chame funções assíncronas +// com a mesma sintaxe e praticamente a mesma semântica do que as demais +// funções síncronas. O Pogoscript reescreve a função para que todo código +// inserido após o operador seja inserido em uma função de callback para o +// `fs.readdir()`. -// to catch asynchronous errors while calling asynchronous functions +// para se obter erros ao utilizar funções assíncronas try another directory listing = fs.readdir! 'a-missing-dir' catch (ex) console.log (ex) -// in fact, if you don't use `try catch`, it will raise the error up the -// stack to the outer-most `try catch` or to the event loop, as you'd expect -// with non-async exceptions +// na verdade, se você não usar o `try catch`, o erro será passado para o +// `try catch` mais externo do evento, assim como é feito nas exceções síncronas -// all the other control structures work with asynchronous calls too -// here's `if else` +// todo o controle de estrutura funciona com chamadas assíncronas também +// aqui um exemplo de `if else` config = if (fs.stat! 'config.json'.is file ()) JSON.parse (fs.read file! 'config.json' 'utf-8') @@ -180,23 +180,23 @@ config = color: 'red' } -// to run two asynchronous calls concurrently, use the `?` operator. -// The `?` operator returns a *future* which can be executed to -// wait for and obtain the result, again using the `!` operator +// para executar duas chamadas assíncronas de forma concorrente, use o +// operador `?`. +// O operador `?` retorna um *future* que pode ser executado aguardando +// o resultado, novamente utilizando o operador `o` -// we don't wait for either of these calls to finish +// nós não esperamos nenhuma dessas chamadas serem concluídas a = fs.stat? 'a.txt' b = fs.stat? 'b.txt' -// now we wait for the calls to finish and print the results +// agora nos aguardamos o término das chamadas e escrevemos os resultados console.log "size of a.txt is #(a!.size)" console.log "size of b.txt is #(b!.size)" -// futures in Pogoscript are analogous to Promises +// no Pogoscript, futures são semelhantes a Promises ``` +E encerramos por aqui. -That's it. +Baixe o [Node.js](http://nodejs.org/) e execute `npm install pogo`. -Download [Node.js](http://nodejs.org/) and `npm install pogo`. - -There is plenty of documentation on [http://pogoscript.org/](http://pogoscript.org/), including a [cheat sheet](http://pogoscript.org/cheatsheet.html), a [guide](http://pogoscript.org/guide/), and how [Pogoscript translates to Javascript](http://featurist.github.io/pogo-examples/). Get in touch on the [google group](http://groups.google.com/group/pogoscript) if you have questions! +Há bastante documentação em [http://pogoscript.org/](http://pogoscript.org/), incluindo um material para [consulta rápida](http://pogoscript.org/cheatsheet.html), um [guia](http://pogoscript.org/guide/), e como o [Pogoscript é traduzido para o Javascript](http://featurist.github.io/pogo-examples/). Entre em contato através do [grupo do Google](http://groups.google.com/group/pogoscript) se você possui dúvidas! From 4c9f38665d291e4abe2c7d57e633f5aed9eb72ae Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?C=C3=A1ssio=20B=C3=B6ck?= Date: Thu, 22 Oct 2015 00:35:27 -0200 Subject: [PATCH 047/286] grammar fixes Portuguese changes to a better text understanding --- pt-br/pogo.html.markdown | 28 ++++++++++++++-------------- 1 file changed, 14 insertions(+), 14 deletions(-) diff --git a/pt-br/pogo.html.markdown b/pt-br/pogo.html.markdown index 5dc81ec0..124b32f7 100644 --- a/pt-br/pogo.html.markdown +++ b/pt-br/pogo.html.markdown @@ -41,7 +41,7 @@ position (x, y) = { Math.sqrt (dx * dx + dy * dy) } -// `self` é similiar ao `this` no Javascript, com exceção de que `self` não +// `self` é similiar ao `this` do Javascript, com exceção de que `self` não // é redefinido em cada nova função // declaração de métodos @@ -91,7 +91,7 @@ false @or true 2 >= 2 2 > 1 -// todos do Javascript também são suportados +// os operadores padrão do Javascript também são suportados // definindo seu próprio operador (p1) plus (p2) = @@ -142,9 +142,10 @@ render each @(spark) into canvas context @(c) // O Javascript, tanto no navegador quanto no servidor (através do Node.js) // realiza um uso massivo de funções assíncronas de E/S (entrada/saída) com -// chamadas de retorno. E/S assíncrona é maravilhosa para a performance e -// torna a concorrência simples, porém pode rapidamente se tornar algo complicado. -// O Pogoscript possui algumas coisas que tornam o uso de E/S assíncrono mosquitos +// chamadas de retorno (callbacks). A E/S assíncrona é ótima para a performance e +// torna a utilização da concorrência simples, porém pode rapidamente se tornar +// algo complicado. +// O Pogoscript possui algumas coisas que tornam o uso de E/S assíncrono muito // mais fácil // O Node.js inclui o móduolo `fs` para acessar o sistema de arquivos. @@ -155,12 +156,11 @@ directory listing = fs.readdir! '.' // `fs.readdir()` é uma função assíncrona, então nos a chamamos usando o // operador `!`. O operador `!` permite que você chame funções assíncronas -// com a mesma sintaxe e praticamente a mesma semântica do que as demais -// funções síncronas. O Pogoscript reescreve a função para que todo código -// inserido após o operador seja inserido em uma função de callback para o -// `fs.readdir()`. +// com a mesma sintaxe e a mesma semântica do que as demais funções síncronas. +// O Pogoscript reescreve a função para que todo código inserido após o +// operador seja inserido em uma função de callback para o `fs.readdir()`. -// para se obter erros ao utilizar funções assíncronas +// obtendo erros ao utilizar funções assíncronas try another directory listing = fs.readdir! 'a-missing-dir' @@ -168,9 +168,9 @@ catch (ex) console.log (ex) // na verdade, se você não usar o `try catch`, o erro será passado para o -// `try catch` mais externo do evento, assim como é feito nas exceções síncronas +// `try catch` mais externo do evento, assim como é feito em exceções síncronas -// todo o controle de estrutura funciona com chamadas assíncronas também +// todo o controle de estrutura também funciona com chamadas assíncronas // aqui um exemplo de `if else` config = if (fs.stat! 'config.json'.is file ()) @@ -182,8 +182,8 @@ config = // para executar duas chamadas assíncronas de forma concorrente, use o // operador `?`. -// O operador `?` retorna um *future* que pode ser executado aguardando -// o resultado, novamente utilizando o operador `o` +// O operador `?` retorna um *future*, que pode ser executado para +// aguardar o resultado, novamente utilizando o operador `!` // nós não esperamos nenhuma dessas chamadas serem concluídas a = fs.stat? 'a.txt' From 9fcfa2c91feb2af119e67c9d1897340e87f03daa Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?C=C3=A1ssio=20B=C3=B6ck?= Date: Thu, 22 Oct 2015 00:37:46 -0200 Subject: [PATCH 048/286] File name changed --- pt-br/{pogo.html.markdown => pogo-pt.html.markdown} | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename pt-br/{pogo.html.markdown => pogo-pt.html.markdown} (100%) diff --git a/pt-br/pogo.html.markdown b/pt-br/pogo-pt.html.markdown similarity index 100% rename from pt-br/pogo.html.markdown rename to pt-br/pogo-pt.html.markdown From 1c0eee17a6022d135ae8911105719ddaa81b187c Mon Sep 17 00:00:00 2001 From: Saurabh Sandav Date: Thu, 22 Oct 2015 18:39:33 +0530 Subject: [PATCH 049/286] [elisp/en] Fix typo --- elisp.html.markdown | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/elisp.html.markdown b/elisp.html.markdown index 3bed5d1c..da86cab3 100644 --- a/elisp.html.markdown +++ b/elisp.html.markdown @@ -2,6 +2,7 @@ language: elisp contributors: - ["Bastien Guerry", "http://bzg.fr"] + - ["Saurabh Sandav", "http://github.com/SaurabhSandav"] filename: learn-emacs-lisp.el --- @@ -26,7 +27,7 @@ filename: learn-emacs-lisp.el ;; ;; Going through this tutorial won't damage your computer unless ;; you get so angry that you throw it on the floor. In that case, -;; I hereby decline any responsability. Have fun! +;; I hereby decline any responsibility. Have fun! ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;; From 50910728738eb1b9abf54955fb3dca85f3a64b0b Mon Sep 17 00:00:00 2001 From: Saurabh Sandav Date: Thu, 22 Oct 2015 18:58:23 +0530 Subject: [PATCH 050/286] [lua/en] Fix typo --- lua.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lua.html.markdown b/lua.html.markdown index 0809215f..3d95c146 100644 --- a/lua.html.markdown +++ b/lua.html.markdown @@ -190,7 +190,7 @@ end -------------------------------------------------------------------------------- -- A table can have a metatable that gives the table operator-overloadish --- behavior. Later we'll see how metatables support js-prototypey behavior. +-- behavior. Later we'll see how metatables support js-prototypey behaviour. f1 = {a = 1, b = 2} -- Represents the fraction a/b. f2 = {a = 2, b = 3} From ba7b8a613b445d1ee79ad190ceed6a008595116c Mon Sep 17 00:00:00 2001 From: Jana Trestikova Date: Fri, 23 Oct 2015 06:55:00 +0200 Subject: [PATCH 051/286] Fix Typos --- d.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/d.html.markdown b/d.html.markdown index 80c1dc65..3915b005 100644 --- a/d.html.markdown +++ b/d.html.markdown @@ -70,7 +70,7 @@ void main() { ``` We can define new types with `struct`, `class`, `union`, and `enum`. Structs and unions -are passed to functions by value (i.e. copied) and classes are passed by reference. Futhermore, +are passed to functions by value (i.e. copied) and classes are passed by reference. Furthermore, we can use templates to parameterize all of these on both types and values! ```c From 9aad08bf78196758a568ec1272c94029221c2dd5 Mon Sep 17 00:00:00 2001 From: Amru Eliwat Date: Fri, 23 Oct 2015 23:13:29 -0700 Subject: [PATCH 052/286] Fixed typos for 'overriding' and 'reference' and fixed formatting issue that may have caused confusion --- d.html.markdown | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/d.html.markdown b/d.html.markdown index 80c1dc65..6f3710ab 100644 --- a/d.html.markdown +++ b/d.html.markdown @@ -199,8 +199,8 @@ our getter and setter methods, and keep the clean syntax of accessing members directly! Other object-oriented goodies at our disposal -include `interface`s, `abstract class`es, -and `override`ing methods. D does inheritance just like Java: +include interfaces, abstract classes, +and overriding methods. D does inheritance just like Java: Extend one class, implement as many interfaces as you please. We've seen D's OOP facilities, but let's switch gears. D offers @@ -247,7 +247,7 @@ void main() { // and take advantage of as many cores as we have available. auto arr = new double[1_000_000]; - // Use an index, and an array element by referece, + // Use an index, and an array element by reference, // and just call parallel on the array! foreach(i, ref elem; parallel(arr)) { ref = sqrt(i + 1.0); From 4edbfa9e0394a4abb9301391cdebcc857559a5c7 Mon Sep 17 00:00:00 2001 From: Amru Eliwat Date: Fri, 23 Oct 2015 23:17:35 -0700 Subject: [PATCH 053/286] Fixed 'modeling' and 'compatibility' typos --- fsharp.html.markdown | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/fsharp.html.markdown b/fsharp.html.markdown index 76318d7d..a2a87d57 100644 --- a/fsharp.html.markdown +++ b/fsharp.html.markdown @@ -335,10 +335,10 @@ module DataTypeExamples = let worker = Worker jdoe // ------------------------------------ - // Modelling with types + // Modeling with types // ------------------------------------ - // Union types are great for modelling state without using flags + // Union types are great for modeling state without using flags type EmailAddress = | ValidEmailAddress of string | InvalidEmailAddress of string @@ -526,7 +526,7 @@ module AsyncExample = |> Async.RunSynchronously // start them off // ================================================ -// .NET compatability +// .NET compatibility // ================================================ module NetCompatibilityExamples = From 8648f24a80d27683393aef122115fa4dd1980f9f Mon Sep 17 00:00:00 2001 From: Amru Eliwat Date: Fri, 23 Oct 2015 23:21:00 -0700 Subject: [PATCH 054/286] Fixed small 'responsibility' typo in disclaimer --- elisp.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/elisp.html.markdown b/elisp.html.markdown index 3bed5d1c..f1a4afbc 100644 --- a/elisp.html.markdown +++ b/elisp.html.markdown @@ -26,7 +26,7 @@ filename: learn-emacs-lisp.el ;; ;; Going through this tutorial won't damage your computer unless ;; you get so angry that you throw it on the floor. In that case, -;; I hereby decline any responsability. Have fun! +;; I hereby decline any responsibility. Have fun! ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;; From 0053fdbd2f479640e53282582f8393be44fba130 Mon Sep 17 00:00:00 2001 From: Michal Martinek Date: Sat, 24 Oct 2015 19:42:34 +0200 Subject: [PATCH 055/286] Czech translation for Markdown --- cs-cz/markdown.html.markdown | 258 +++++++++++++++++++++++++++++++++++ 1 file changed, 258 insertions(+) create mode 100644 cs-cz/markdown.html.markdown diff --git a/cs-cz/markdown.html.markdown b/cs-cz/markdown.html.markdown new file mode 100644 index 00000000..637f0ab6 --- /dev/null +++ b/cs-cz/markdown.html.markdown @@ -0,0 +1,258 @@ +--- +language: markdown +contributors: + - ["Dan Turkel", "http://danturkel.com/"] +translators: + - ["Michal Martinek", "https://github.com/MichalMartinek"] +filename: markdown.md +--- + +Markdown byl vytvořen Johnem Gruberem v roce 2004. Je zamýšlen jako lehce čitelná +a psatelná syntaxe, která je jednoduše převeditelná do HTML (a dnes i do mnoha +dalších formátů) + +```markdown + + + + + + +# Toto je

+## Toto je

+### Toto je

+#### Toto je

+##### Toto je

+###### Toto je
+ + +Toto je h1 +========== + +Toto je h2 +---------- + + + + +*Tento text je kurzívou;* +_Stejně jako tento._ + +**Tento text je tučně** +__Stejně jako tento.__ + +***Tento text je obojí*** +**_Jako tento!_** +*__A tento!__* + + + +~~Tento text je prošktrnutý.~~ + + + +Toto je odstavec. Píši odstavec, není to zábava? + +Teď jsem v odstavci 2. +Jsem pořád v odstavci 2! + + +Toto je odstavec 3. + + + +Tento odstavec končí dvěma mezerami. + +Nad tímto odstavcem je
! + + + +> Toto je bloková citace. Můžete dokonce +> manuálně rozdělit řádky, a před každý vložit >, nebo nechat vaše řádky jakkoliv dlouhé, ať se zarovnají sami. +> Nedělá to rozdíl, dokud začínáte vždy znakem >. + +> Můžu použít více než jednu +>> odsazení? +> Jak je to úhledné, že? + + + + +* Položka +* Položka +* Jinná položka + +nebo + ++ Položka ++ Položka ++ Další položka + +nebo + +- Položka +- Položka +- Další položka + + + +1. Položka jedna +2. Položka dvě +3. Položka tři + + + +1. Položka jedna +1. Položka dvě +1. Položka tři + + + + +1. Položka jedna +2. Položka dvě +3. Položka tři + * Podpoložka + * Podpoložka +4. Položka čtyři + + + +Boxy níže bez 'x' jsou nezašktrnuté checkboxy. +- [ ] První úkol +- [ ] Druhý úkol +Tento box bude zašktrnutý +- [x] Tento úkol byl dokončen + + + + + Toto je kód + Stejně jako toto + + + + moje_pole.each do |i| + puts i + end + + + +Jan nevědel, jak se dělá `go_to()` funkce! + + + +\`\`\`ruby +def neco + puts "Ahoj světe!" +end +\`\`\` + + + + + + +*** +--- +- - - +**************** + + + + +[Klikni na mě!](http://test.com/) + + + +[Klikni na mě!](http://test.com/ "Odkaz na Test.com") + + + +[Jdi na hudbu](/hudba/). + + + +[Klikni na tento odkaz][link1] pro více informací! +[Taky zkontrolujte tento odkaz][neco], když chcete. + +[link1]: http://test.com/ "Cool!" +[neco]: http://neco.czz/ "Dobře!" + + + + + +[Toto][] je odkaz.. + +[toto]: http://totojelink.cz/ + + + + + + +![Toto je atribut alt pro obrázek](http://imgur.com/myimage.jpg "Nepovinný titulek") + + + +![Toto je atribut alt][mujobrazek] + +[mujobrazek]: relativni/cesta/obrazek.jpg "a toto by byl titulek" + + + + + je stejná jako +[http://stranka.cz/](http://stranka.cz/) + + + + + + + +Chci napsat *tento text obklopený hvězdičkami*, ale nechci aby to bylo kurzívou, tak udělám: \*tento text obklopený hvězdičkami\*. + + + + +Váš počítač přestal pracovat? Zkuste +Ctrl+Alt+Del + + + + +| Sloupec1 | Sloupec2 | Sloupec3 | +| :----------- | :------: | ------------: | +| Vlevo zarovn.| Na střed | Vpravo zarovn.| +| blah | blah | blah | + + + +Sloupec 1 | Sloupec2 | Sloupec3 +:-- | :-: | --: +Ohh toto je tak ošklivé | radši to | nedělejte + + + +``` + +Pro více informací, prozkoumejte oficiální článek o syntaxi od Johna Grubera + [zde](http://daringfireball.net/projects/markdown/syntax) a skvělý tahák od Adama Pritcharda [zde](https://github.com/adam-p/markdown-here/wiki/Markdown-Cheatsheet). From 4e32ff9cd9dabe634f40191f8cee82787ea9e918 Mon Sep 17 00:00:00 2001 From: Navdeep Singh Date: Sun, 25 Oct 2015 02:39:50 +0530 Subject: [PATCH 056/286] fixed typo mistakes --- matlab.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/matlab.html.markdown b/matlab.html.markdown index 4d97834c..e8a6cc0b 100644 --- a/matlab.html.markdown +++ b/matlab.html.markdown @@ -72,7 +72,7 @@ c = exp(a)*sin(pi/2) % c = 7.3891 % Calling functions can be done in either of two ways: % Standard function syntax: -load('myFile.mat', 'y') % arguments within parantheses, spererated by commas +load('myFile.mat', 'y') % arguments within parentheses, separated by commas % Command syntax: load myFile.mat y % no parentheses, and spaces instead of commas % Note the lack of quote marks in command form: inputs are always passed as @@ -273,7 +273,7 @@ clf clear % clear current figure window, and reset most figure properties % Properties can be set and changed through a figure handle. % You can save a handle to a figure when you create it. -% The function gcf returns a handle to the current figure +% The function get returns a handle to the current figure h = plot(x, y); % you can save a handle to a figure when you create it set(h, 'Color', 'r') % 'y' yellow; 'm' magenta, 'c' cyan, 'r' red, 'g' green, 'b' blue, 'w' white, 'k' black From d9d8de0d229443534272e2a1976fb7f0e69631b6 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?C=C3=A1ssio=20B=C3=B6ck?= Date: Sun, 25 Oct 2015 15:44:35 -0200 Subject: [PATCH 057/286] Translator section added Changed my name from contributor section to the translator section --- pt-br/pogo-pt.html.markdown | 1 + 1 file changed, 1 insertion(+) diff --git a/pt-br/pogo-pt.html.markdown b/pt-br/pogo-pt.html.markdown index 124b32f7..80dcfcd5 100644 --- a/pt-br/pogo-pt.html.markdown +++ b/pt-br/pogo-pt.html.markdown @@ -2,6 +2,7 @@ language: pogoscript contributors: - ["Tim Macfarlane", "http://github.com/refractalize"] +translators: - ["Cássio Böck", "https://github.com/cassiobsilva"] filename: learnPogo-pt-br.pogo lang: pt-br From 341b92141c28b13cac8b41913f25a50a0a8b6066 Mon Sep 17 00:00:00 2001 From: Tyler Date: Sun, 25 Oct 2015 17:15:23 -0600 Subject: [PATCH 058/286] Update CSS for clarity. - More relevant introduction - More consistent and clear wording - More consistent formatting --- css.html.markdown | 35 ++++++++++++++++++----------------- 1 file changed, 18 insertions(+), 17 deletions(-) diff --git a/css.html.markdown b/css.html.markdown index d8f30ca3..8ee4f4b9 100644 --- a/css.html.markdown +++ b/css.html.markdown @@ -6,20 +6,21 @@ contributors: - ["Geoffrey Liu", "https://github.com/g-liu"] - ["Connor Shea", "https://github.com/connorshea"] - ["Deepanshu Utkarsh", "https://github.com/duci9y"] + - ["Tyler Mumford", "https://tylermumford.com"] filename: learncss.css --- -In the early days of the web there were no visual elements, just pure text. But with further development of web browsers, fully visual web pages also became common. +Web pages are built with HTML, which specifies the content of a page. CSS (Cascading Style Sheets) is a separate language which specifies a page's **appearance**. -CSS helps maintain separation between the content (HTML) and the look-and-feel of a web page. +CSS code is made of static *rules*. Each rule takes one or more *selectors* and gives specific *values* to a number of visual *properties*. Those properties are then applied to the page elements indicated by the selectors. -CSS lets you target different elements on an HTML page and assign different visual properties to them. +This guide has been written with CSS 2 in mind, which is extended by the new features of CSS 3. -This guide has been written for CSS 2, though CSS 3 is fast becoming popular. - -**NOTE:** Because CSS produces visual results, in order to learn it, you need try everything in a CSS playground like [dabblet](http://dabblet.com/). +**NOTE:** Because CSS produces visual results, in order to learn it, you need to try everything in a CSS playground like [dabblet](http://dabblet.com/). The main focus of this article is on the syntax and some general tips. +## Syntax + ```css /* comments appear inside slash-asterisk, just like this line! there are no "one-line comments"; this is the only comment style */ @@ -28,7 +29,7 @@ The main focus of this article is on the syntax and some general tips. ## SELECTORS #################### */ -/* the selector is used to target an element on a page. +/* the selector is used to target an element on a page. */ selector { property: value; /* more properties...*/ } /* @@ -69,7 +70,7 @@ div { } [otherAttr|='en'] { font-size:smaller; } -/* You can concatenate different selectors to create a narrower selector. Don't +/* You can combine different selectors to create a more focused selector. Don't put spaces between them. */ div.some-class[attr$='ue'] { } @@ -92,7 +93,7 @@ div.some-parent.class-name { } .i-am-any-element-before ~ .this-element { } /* There are some selectors called pseudo classes that can be used to select an - element when it is in a particular state */ + element only when it is in a particular state */ /* for example, when the cursor hovers over an element */ selector:hover { } @@ -103,7 +104,7 @@ selector:visited { } /* or hasn't been visited */ selected:link { } -/* or an element in focus */ +/* or an element is in focus */ selected:focus { } /* any element that is the first child of its parent */ @@ -156,10 +157,10 @@ selector { color: tomato; /* a named color */ color: rgb(255, 255, 255); /* as rgb values */ color: rgb(10%, 20%, 50%); /* as rgb percentages */ - color: rgba(255, 0, 0, 0.3); /* as rgba values (CSS 3) Note: 0 < a < 1 */ + color: rgba(255, 0, 0, 0.3); /* as rgba values (CSS 3) Note: 0 <= a <= 1 */ color: transparent; /* equivalent to setting the alpha to 0 */ color: hsl(0, 100%, 50%); /* as hsl percentages (CSS 3) */ - color: hsla(0, 100%, 50%, 0.3); /* as hsla percentages with alpha */ + color: hsla(0, 100%, 50%, 0.3); /* as hsl percentages with alpha */ /* Images as backgrounds of elements */ background-image: url(/img-path/img.jpg); /* quotes inside url() optional */ @@ -194,7 +195,7 @@ Save a CSS stylesheet with the extension `.css`. ## Precedence or Cascade -An element may be targeted by multiple selectors and may have a property set on it in more than once. In these cases, one of the rules takes precedence over others. Generally, a rule in a more specific selector take precedence over a less specific one, and a rule occuring later in the stylesheet overwrites a previous one. +An element may be targeted by multiple selectors and may have a property set on it in more than once. In these cases, one of the rules takes precedence over others. Rules with a more specific selector take precedence over a less specific one, and a rule occuring later in the stylesheet overwrites a previous one. This process is called cascading, hence the name Cascading Style Sheets. @@ -238,10 +239,10 @@ Most of the features in CSS 2 (and many in CSS 3) are available across all brows ## Resources -* To run a quick compatibility check, [CanIUse](http://caniuse.com). -* CSS Playground [Dabblet](http://dabblet.com/). -* [Mozilla Developer Network's CSS documentation](https://developer.mozilla.org/en-US/docs/Web/CSS) -* [Codrops' CSS Reference](http://tympanus.net/codrops/css_reference/) +* [CanIUse](http://caniuse.com) (Detailed compatibility info) +* [Dabblet](http://dabblet.com/) (CSS playground) +* [Mozilla Developer Network's CSS documentation](https://developer.mozilla.org/en-US/docs/Web/CSS) (Tutorials and reference) +* [Codrops' CSS Reference](http://tympanus.net/codrops/css_reference/) (Reference) ## Further Reading From e60a7d73e846e683bd4345cff4d1a514beab5b91 Mon Sep 17 00:00:00 2001 From: jxu093 Date: Sun, 25 Oct 2015 22:19:40 -0400 Subject: [PATCH 059/286] Added Python Resource --- python.html.markdown | 1 + 1 file changed, 1 insertion(+) diff --git a/python.html.markdown b/python.html.markdown index 42a52bcf..254235ab 100644 --- a/python.html.markdown +++ b/python.html.markdown @@ -712,6 +712,7 @@ print say(say_please=True) # Can you buy me a beer? Please! I am poor :( * [Python Module of the Week](http://pymotw.com/2/) * [A Crash Course in Python for Scientists](http://nbviewer.ipython.org/5920182) * [First Steps With Python](https://realpython.com/learn/python-first-steps/) +* [Fullstack Python](https://www.fullstackpython.com/) ### Dead Tree From d41fdbcba9a8d764ffcd1eaca453c7870567784f Mon Sep 17 00:00:00 2001 From: Kristian Date: Mon, 26 Oct 2015 17:56:28 +1000 Subject: [PATCH 060/286] Fixed typo in docs + Added a better description for 'nil' --- ruby.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/ruby.html.markdown b/ruby.html.markdown index 998b4bf7..a3fc859e 100644 --- a/ruby.html.markdown +++ b/ruby.html.markdown @@ -49,7 +49,7 @@ You shouldn't either 10.* 5 #=> 50 # Special values are objects -nil # Nothing to see here +nil # equivalent to null in other languages true # truth false # falsehood @@ -122,7 +122,7 @@ puts "I'm printing!" # print to the output without a newline print "I'm printing!" -#=> I'm printing! => nill +#=> I'm printing! => nil # Variables x = 25 #=> 25 From 5acb0c1a604d468af2cd651229866c48ed7c4e24 Mon Sep 17 00:00:00 2001 From: Bruno Volcov Date: Mon, 26 Oct 2015 17:23:27 -0200 Subject: [PATCH 061/286] add a cool reference for learn Ruby =) --- ruby.html.markdown | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/ruby.html.markdown b/ruby.html.markdown index c10255d8..b3ef2a4d 100644 --- a/ruby.html.markdown +++ b/ruby.html.markdown @@ -13,6 +13,7 @@ contributors: - ["Levi Bostian", "https://github.com/levibostian"] - ["Rahil Momin", "https://github.com/iamrahil"] - ["Gabriel Halley", https://github.com/ghalley] + - ["Bruno Volcov", https://github.com/volcov] --- @@ -285,7 +286,7 @@ end #=> iteration 4 #=> iteration 5 -# There are a bunch of other helpful looping functions in Ruby, +# There are a bunch of other helpful looping functions in Ruby, # for example "map", "reduce", "inject", the list goes on. Map, # for instance, takes the array it's looping over, does something # to it as defined in your block, and returns an entirely new array. @@ -576,3 +577,4 @@ Something.new.qux # => 'qux' - [Ruby from other languages](https://www.ruby-lang.org/en/documentation/ruby-from-other-languages/) - [Programming Ruby](http://www.amazon.com/Programming-Ruby-1-9-2-0-Programmers/dp/1937785491/) - An older [free edition](http://ruby-doc.com/docs/ProgrammingRuby/) is available online. - [Ruby Style Guide](https://github.com/bbatsov/ruby-style-guide) - A community-driven Ruby coding style guide. +- [Try Ruby](http://tryruby.org) - Learn the basic of Ruby programming language, interactive in the browser. From b31fda3a8e9f4d0ff021dc707f1e47af4add90ac Mon Sep 17 00:00:00 2001 From: Jody Leonard Date: Mon, 26 Oct 2015 19:38:36 -0400 Subject: [PATCH 062/286] Edit variable-length array example The current example seems to be trying to set a size for a char buffer, use fgets to populate that buffer, and then use strtoul to convert the char content to an unsigned integer. However, this doesn't work as intended (in fact, it results in printing "sizeof array = 0"), and so adapt to a simpler fscanf example. Also remove some ambiguous language in the example output. --- c.html.markdown | 9 ++------- 1 file changed, 2 insertions(+), 7 deletions(-) diff --git a/c.html.markdown b/c.html.markdown index 3d632eab..7c2386ef 100644 --- a/c.html.markdown +++ b/c.html.markdown @@ -148,15 +148,10 @@ int main (int argc, char** argv) printf("Enter the array size: "); // ask the user for an array size int size; fscanf(stdin, "%d", &size); - char buf[size]; - fgets(buf, sizeof buf, stdin); - - // strtoul parses a string to an unsigned integer - size_t size2 = strtoul(buf, NULL, 10); - int var_length_array[size2]; // declare the VLA + int var_length_array[size]; // declare the VLA printf("sizeof array = %zu\n", sizeof var_length_array); - // A possible outcome of this program may be: + // Example: // > Enter the array size: 10 // > sizeof array = 40 From 2c99b0a9553f25a7ac43b04a14c4e2d78fe2b318 Mon Sep 17 00:00:00 2001 From: Dennis Keller Date: Wed, 28 Oct 2015 08:18:27 +0100 Subject: [PATCH 063/286] [scala/de] Fix ``` usage --- de-de/scala-de.html.markdown | 524 ++++++++++++++++++----------------- 1 file changed, 274 insertions(+), 250 deletions(-) diff --git a/de-de/scala-de.html.markdown b/de-de/scala-de.html.markdown index 7fd299b4..456403a2 100644 --- a/de-de/scala-de.html.markdown +++ b/de-de/scala-de.html.markdown @@ -5,6 +5,7 @@ contributors: - ["Dominic Bou-Samra", "http://dbousamra.github.com"] - ["Geoff Liu", "http://geoffliu.me"] - ["Ha-Duong Nguyen", "http://reference-error.org"] + - ["Dennis Keller", "github.com/denniskeller"] translators: - ["Christian Albrecht", "https://github.com/coastalchief"] filename: learnscala-de.scala @@ -16,167 +17,172 @@ für die Java Virtual Machine (JVM), um allgemeine Programmieraufgaben zu erledigen. Scala hat einen akademischen Hintergrund und wurde an der EPFL (Lausanne / Schweiz) unter der Leitung von Martin Odersky entwickelt. - -# 0. Umgebung einrichten +```scala +/* Scala Umgebung einrichten: 1. Scala binaries herunterladen- http://www.scala-lang.org/downloads 2. Unzip/untar in ein Verzeichnis 3. das bin Unterverzeichnis der `PATH` Umgebungsvariable hinzufügen 4. Mit dem Kommando `scala` wird die REPL gestartet und zeigt als Prompt: -``` + scala> -``` Die REPL (Read-Eval-Print Loop) ist der interaktive Scala Interpreter. Hier kann man jeden Scala Ausdruck verwenden und das Ergebnis wird direkt ausgegeben. Als nächstes beschäftigen wir uns mit ein paar Scala Basics. +*/ -# 1. Basics -Einzeilige Kommentare beginnen mit zwei vorwärts Slash +///////////////////////////////////////////////// +// 1. Basics +///////////////////////////////////////////////// + +// Einzeilige Kommentare beginnen mit zwei Slashes /* - Mehrzeilige Kommentare, werden starten - mit Slash-Stern und enden mit Stern-Slash + Mehrzeilige Kommentare, starten + mit einem Slash-Stern und enden mit einem Stern-Slash */ // Einen Wert, und eine zusätzliche neue Zeile ausgeben -``` + println("Hello world!") println(10) -``` + // Einen Wert, ohne eine zusätzliche neue Zeile ausgeben -``` -print("Hello world") -``` -// Variablen werden entweder mit var oder val deklariert. -// Deklarationen mit val sind immutable, also unveränderlich -// Deklarationen mit var sind mutable, also veränderlich -// Immutability ist gut. -``` +print("Hello world") + +/* + Variablen werden entweder mit var oder val deklariert. + Deklarationen mit val sind immutable, also unveränderlich + Deklarationen mit var sind mutable, also veränderlich + Immutability ist gut. +*/ val x = 10 // x ist 10 x = 20 // error: reassignment to val var y = 10 y = 20 // y ist jetzt 20 -``` -Scala ist eine statisch getypte Sprache, auch wenn in dem o.g. Beispiel +/* +Scala ist eine statisch getypte Sprache, auch wenn wir in dem o.g. Beispiel keine Typen an x und y geschrieben haben. -In Scala ist etwas eingebaut, was sich Type Inference nennt. D.h. das der -Scala Compiler in den meisten Fällen erraten kann, von welchen Typ eine ist, -so dass der Typ nicht jedes mal angegeben werden soll. +In Scala ist etwas eingebaut, was sich Type Inference nennt. Das heißt das der +Scala Compiler in den meisten Fällen erraten kann, von welchen Typ eine Variable ist, +so dass der Typ nicht jedes mal angegeben werden muss. Einen Typ gibt man bei einer Variablendeklaration wie folgt an: -``` +*/ val z: Int = 10 val a: Double = 1.0 -``` + // Bei automatischer Umwandlung von Int auf Double wird aus 10 eine 10.0 -``` + val b: Double = 10 -``` + // Boolean Werte -``` + true false -``` + // Boolean Operationen -``` + !true // false !false // true true == false // false 10 > 5 // true -``` + // Mathematische Operationen sind wie gewohnt -``` + 1 + 1 // 2 2 - 1 // 1 5 * 3 // 15 6 / 2 // 3 6 / 4 // 1 6.0 / 4 // 1.5 -``` + // Die Auswertung eines Ausdrucks in der REPL gibt den Typ // und das Ergebnis zurück. -``` + scala> 1 + 7 res29: Int = 8 -``` +/* Das bedeutet, dass das Resultat der Auswertung von 1 + 7 ein Objekt von Typ Int ist und einen Wert 0 hat. "res29" ist ein sequentiell generierter name, um das Ergebnis des Ausdrucks zu speichern. Dieser Wert kann bei Dir anders sein... - +*/ "Scala strings werden in doppelten Anführungszeichen eingeschlossen" 'a' // A Scala Char // 'Einzeln ge-quotete strings gibt es nicht!' <= This causes an error // Für Strings gibt es die üblichen Java Methoden -``` + "hello world".length "hello world".substring(2, 6) "hello world".replace("C", "3") -``` + // Zusätzlich gibt es noch extra Scala Methoden // siehe: scala.collection.immutable.StringOps -``` + "hello world".take(5) "hello world".drop(5) -``` + // String interpolation: prefix "s" -``` + val n = 45 s"We have $n apples" // => "We have 45 apples" -``` -// Ausdrücke im innern von interpolierten Strings gibt es auch -``` + +// Ausdrücke im Innern von interpolierten Strings gibt es auch + val a = Array(11, 9, 6) val n = 100 s"My second daughter is ${a(0) - a(2)} years old." // => "My second daughter is 5 years old." s"We have double the amount of ${n / 2.0} in apples." // => "We have double the amount of 22.5 in apples." s"Power of 2: ${math.pow(2, 2)}" // => "Power of 2: 4" -``` + // Formatierung der interpolierten Strings mit dem prefix "f" -``` + f"Power of 5: ${math.pow(5, 2)}%1.0f" // "Power of 5: 25" f"Square root of 122: ${math.sqrt(122)}%1.4f" // "Square root of 122: 11.0454" -``` + // Raw Strings, ignorieren Sonderzeichen. -``` + raw"New line feed: \n. Carriage return: \r." // => "New line feed: \n. Carriage return: \r." -``` + // Manche Zeichen müssen "escaped" werden, z.B. // ein doppeltes Anführungszeichen in innern eines Strings. -``` + "They stood outside the \"Rose and Crown\"" // => "They stood outside the "Rose and Crown"" -``` + // Dreifache Anführungszeichen erlauben es, dass ein String über mehrere Zeilen geht // und Anführungszeichen enthalten kann. -``` + val html = """

Press belo', Joe

""" -``` -# 2. Funktionen + +///////////////////////////////////////////////// +// 2. Funktionen +///////////////////////////////////////////////// // Funktionen werden so definiert // @@ -184,74 +190,74 @@ val html = """
// // Beachte: Es gibt kein return Schlüsselwort. In Scala ist der letzte Ausdruck // in einer Funktion der Rückgabewert. -``` + def sumOfSquares(x: Int, y: Int): Int = { val x2 = x * x val y2 = y * y x2 + y2 } -``` + // Die geschweiften Klammern können weggelassen werden, wenn // die Funktion nur aus einem einzigen Ausdruck besteht: -``` + def sumOfSquaresShort(x: Int, y: Int): Int = x * x + y * y -``` + // Syntax für Funktionsaufrufe: -``` + sumOfSquares(3, 4) // => 25 -``` + // In den meisten Fällen (mit Ausnahme von rekursiven Funktionen), können // Rückgabetypen auch weggelassen werden, da dieselbe Typ Inference, wie bei // Variablen, auch bei Funktionen greift: -``` + def sq(x: Int) = x * x // Compiler errät, dass der return type Int ist -``` + // Funktionen können default parameter haben: -``` + def addWithDefault(x: Int, y: Int = 5) = x + y addWithDefault(1, 2) // => 3 addWithDefault(1) // => 6 -``` + // Anonyme Funktionen sehen so aus: -``` + (x: Int) => x * x -``` + // Im Gegensatz zu def bei normalen Funktionen, kann bei anonymen Funktionen // sogar der Eingabetyp weggelassen werden, wenn der Kontext klar ist. // Beachte den Typ "Int => Int", dies beschreibt eine Funktion, // welche Int als Parameter erwartet und Int zurückgibt. -``` + val sq: Int => Int = x => x * x -``` + // Anonyme Funktionen benutzt man ganz normal: -``` + sq(10) // => 100 -``` + // Wenn ein Parameter einer anonymen Funktion nur einmal verwendet wird, // bietet Scala einen sehr kurzen Weg diesen Parameter zu benutzen, // indem die Parameter als Unterstrich "_" in der Parameterreihenfolge // verwendet werden. Diese anonymen Funktionen werden sehr häufig // verwendet. -``` + val addOne: Int => Int = _ + 1 val weirdSum: (Int, Int) => Int = (_ * 2 + _ * 3) addOne(5) // => 6 weirdSum(2, 4) // => 16 -``` + // Es gibt einen keyword return in Scala. Allerdings ist seine Verwendung // nicht immer ratsam und kann fehlerbehaftet sein. "return" gibt nur aus // dem innersten def, welches den return Ausdruck umgibt, zurück. // "return" hat keinen Effekt in anonymen Funktionen: -``` + def foo(x: Int): Int = { val anonFunc: Int => Int = { z => if (z > 5) @@ -261,28 +267,30 @@ def foo(x: Int): Int = { } anonFunc(x) // Zeile ist der return Wert von foo } -``` -# 3. Flow Control -## Wertebereiche und Schleifen -``` +///////////////////////////////////////////////// +// 3. Flow Control +///////////////////////////////////////////////// + +// Wertebereiche und Schleifen + 1 to 5 val r = 1 to 5 r.foreach(println) r foreach println (5 to 1 by -1) foreach (println) -``` -// Scala ist syntaktisch sehr grosszügig, Semikolons am Zeilenende + +// Scala ist syntaktisch sehr großzügig, Semikolons am Zeilenende // sind optional, beim Aufruf von Methoden können die Punkte // und Klammern entfallen und Operatoren sind im Grunde austauschbare Methoden // while Schleife -``` + var i = 0 while (i < 10) { println("i " + i); i += 1 } i // i ausgeben, res3: Int = 10 -``` + // Beachte: while ist eine Schleife im klassischen Sinne - // Sie läuft sequentiell ab und verändert die loop-Variable. @@ -291,28 +299,28 @@ i // i ausgeben, res3: Int = 10 // und zu parellelisieren. // Ein do while Schleife -``` + do { println("x ist immer noch weniger wie 10") x += 1 } while (x < 10) -``` + // Endrekursionen sind ideomatisch um sich wiederholende // Dinge in Scala zu lösen. Rekursive Funtionen benötigen explizit einen // return Typ, der Compiler kann ihn nicht erraten. // Unit, in diesem Beispiel. -``` + def showNumbersInRange(a: Int, b: Int): Unit = { print(a) if (a < b) showNumbersInRange(a + 1, b) } showNumbersInRange(1, 14) -``` -## Conditionals -``` + +// Conditionals + val x = 10 if (x == 1) println("yeah") if (x == 10) println("yeah") @@ -320,186 +328,193 @@ if (x == 11) println("yeah") if (x == 11) println ("yeah") else println("nay") println(if (x == 10) "yeah" else "nope") val text = if (x == 10) "yeah" else "nope" -``` -# 4. Daten Strukturen (Array, Map, Set, Tuples) -## Array -``` +///////////////////////////////////////////////// +// 4. Daten Strukturen (Array, Map, Set, Tuples) +///////////////////////////////////////////////// + +// Array + val a = Array(1, 2, 3, 5, 8, 13) a(0) a(3) a(21) // Exception -``` -## Map - Speichert Key-Value-Paare -``` + +// Map - Speichert Key-Value-Paare + val m = Map("fork" -> "tenedor", "spoon" -> "cuchara", "knife" -> "cuchillo") m("fork") m("spoon") m("bottle") // Exception val safeM = m.withDefaultValue("no lo se") safeM("bottle") -``` -## Set - Speichert Unikate, unsortiert (sortiert -> SortedSet) -``` + +// Set - Speichert Unikate, unsortiert (sortiert -> SortedSet) + val s = Set(1, 3, 7) s(0) //false s(1) //true val s = Set(1,1,3,3,7) s: scala.collection.immutable.Set[Int] = Set(1, 3, 7) -``` -## Tuple - Speichert beliebige Daten und "verbindet" sie miteinander + +// Tuple - Speichert beliebige Daten und "verbindet" sie miteinander // Ein Tuple ist keine Collection. -``` + (1, 2) (4, 3, 2) (1, 2, "three") (a, 2, "three") -``` + // Hier ist der Rückgabewert der Funktion ein Tuple // Die Funktion gibt das Ergebnis, so wie den Rest zurück. -``` + val divideInts = (x: Int, y: Int) => (x / y, x % y) divideInts(10, 3) -``` + // Um die Elemente eines Tuples anzusprechen, benutzt man diese // Notation: _._n wobei n der index des Elements ist (Index startet bei 1) -``` + val d = divideInts(10, 3) d._1 d._2 -``` -# 5. Objekt Orientierte Programmierung -Bislang waren alle gezeigten Sprachelemente einfache Ausdrücke, welche zwar -zum Ausprobieren und Lernen in der REPL gut geeignet sind, jedoch in -einem Scala file selten alleine zu finden sind. -Die einzigen Top-Level Konstrukte in Scala sind nämlich: -- Klassen (classes) -- Objekte (objects) -- case classes -- traits +///////////////////////////////////////////////// +// 5. Objektorientierte Programmierung +///////////////////////////////////////////////// -Diesen Sprachelemente wenden wir uns jetzt zu. +/* + Bislang waren alle gezeigten Sprachelemente einfache Ausdrücke, welche zwar + zum Ausprobieren und Lernen in der REPL gut geeignet sind, jedoch in + einem Scala file selten alleine zu finden sind. + Die einzigen Top-Level Konstrukte in Scala sind nämlich: -## Klassen + - Klassen (classes) + - Objekte (objects) + - case classes + - traits + + Diesen Sprachelemente wenden wir uns jetzt zu. +*/ + +// Klassen // Zum Erstellen von Objekten benötigt man eine Klasse, wie in vielen // anderen Sprachen auch. // erzeugt Klasse mit default Konstruktor -``` + class Hund scala> val t = new Hund t: Hund = Hund@7103745 -``` + // Der Konstruktor wird direkt hinter dem Klassennamen deklariert. -``` + class Hund(sorte: String) scala> val t = new Hund("Dackel") t: Hund = Hund@14be750c scala> t.sorte //error: value sorte is not a member of Hund -``` + // Per val wird aus dem Attribut ein unveränderliches Feld der Klasse // Per var wird aus dem Attribut ein veränderliches Feld der Klasse -``` + class Hund(val sorte: String) scala> val t = new Hund("Dackel") t: Hund = Hund@74a85515 scala> t.sorte res18: String = Dackel -``` + // Methoden werden mit def geschrieben -``` + def bark = "Woof, woof!" -``` + // Felder und Methoden können public, protected und private sein // default ist public // private ist nur innerhalb des deklarierten Bereichs sichtbar -``` + class Hund { private def x = ... def y = ... } -``` + // protected ist nur innerhalb des deklarierten und aller // erbenden Bereiche sichtbar -``` + class Hund { protected def x = ... } class Dackel extends Hund { // x ist sichtbar } -``` -## Object -Wird ein Objekt ohne das Schlüsselwort "new" instanziert, wird das sog. -"companion object" aufgerufen. Mit dem "object" Schlüsselwort wird so -ein Objekt (Typ UND Singleton) erstellt. Damit kann man dann eine Klasse -benutzen ohne ein Objekt instanziieren zu müssen. -Ein gültiges companion Objekt einer Klasse ist es aber erst dann, wenn -es genauso heisst und in derselben Datei wie die Klasse definiert wurde. -``` + +// Object +// Wird ein Objekt ohne das Schlüsselwort "new" instanziert, wird das sog. +// "companion object" aufgerufen. Mit dem "object" Schlüsselwort wird so +// ein Objekt (Typ UND Singleton) erstellt. Damit kann man dann eine Klasse +// benutzen ohne ein Objekt instanziieren zu müssen. +// Ein gültiges companion Objekt einer Klasse ist es aber erst dann, wenn +// es genauso heisst und in derselben Datei wie die Klasse definiert wurde. + object Hund { def alleSorten = List("Pitbull", "Dackel", "Retriever") def createHund(sorte: String) = new Hund(sorte) } -``` -## Case classes -Fallklassen bzw. Case classes sind Klassen die normale Klassen um extra -Funktionalität erweitern. Mit Case Klassen bekommt man ein paar -Dinge einfach dazu, ohne sich darum kümmern zu müssen. Z.B. -ein companion object mit den entsprechenden Methoden, -Hilfsmethoden wie toString(), equals() und hashCode() und auch noch -Getter für unsere Attribute (das Angeben von val entfällt dadurch) -``` + +// Case classes +// Fallklassen bzw. Case classes sind Klassen die normale Klassen um extra +// Funktionalität erweitern. Mit Case Klassen bekommt man ein paar +// Dinge einfach dazu, ohne sich darum kümmern zu müssen. Z.B. +// ein companion object mit den entsprechenden Methoden, +// Hilfsmethoden wie toString(), equals() und hashCode() und auch noch +// Getter für unsere Attribute (das Angeben von val entfällt dadurch) + class Person(val name: String) class Hund(val sorte: String, val farbe: String, val halter: Person) -``` + // Es genügt das Schlüsselwort case vor die Klasse zu schreiben. -``` + case class Person(name: String) case class Hund(sorte: String, farbe: String, halter: Person) -``` + // Für neue Instanzen brauch man kein "new" -``` + val dackel = Hund("dackel", "grau", Person("peter")) val dogge = Hund("dogge", "grau", Person("peter")) -``` + // getter -``` + dackel.halter // => Person = Person(peter) -``` + // equals -``` + dogge == dackel // => false -``` + // copy // otherGeorge == Person("george", "9876") -``` + val otherGeorge = george.copy(phoneNumber = "9876") -``` -## Traits -Ähnlich wie Java interfaces, definiert man mit traits einen Objekttyp -und Methodensignaturen. Scala erlaubt allerdings das teilweise -implementieren dieser Methoden. Konstruktorparameter sind nicht erlaubt. -Traits können von anderen Traits oder Klassen erben, aber nur von -parameterlosen. -``` + +// Traits +// Ähnlich wie Java interfaces, definiert man mit traits einen Objekttyp +// und Methodensignaturen. Scala erlaubt allerdings das teilweise +// implementieren dieser Methoden. Konstruktorparameter sind nicht erlaubt. +// Traits können von anderen Traits oder Klassen erben, aber nur von +// parameterlosen. + trait Hund { def sorte: String def farbe: String @@ -511,9 +526,9 @@ class Bernhardiner extends Hund{ val farbe = "braun" def beissen = false } -``` + -``` + scala> b res0: Bernhardiner = Bernhardiner@3e57cd70 scala> b.sorte @@ -522,10 +537,10 @@ scala> b.bellen res2: Boolean = true scala> b.beissen res3: Boolean = false -``` + // Traits können auch via Mixins (Schlüsselwort "with") eingebunden werden -``` + trait Bellen { def bellen: String = "Woof" } @@ -541,25 +556,27 @@ scala> val b = new Bernhardiner b: Bernhardiner = Bernhardiner@7b69c6ba scala> b.bellen res0: String = Woof -``` -# 6. Pattern Matching -Pattern matching in Scala ist ein sehr nützliches und wesentlich -mächtigeres Feature als Vergleichsfunktionen in Java. In Scala -benötigt ein case Statement kein "break", ein fall-through gibt es nicht. -Mehrere Überprüfungen können mit einem Statement gemacht werden. -Pattern matching wird mit dem Schlüsselwort "match" gemacht. -``` +///////////////////////////////////////////////// +// 6. Pattern Matching +///////////////////////////////////////////////// + +// Pattern matching in Scala ist ein sehr nützliches und wesentlich +// mächtigeres Feature als Vergleichsfunktionen in Java. In Scala +// benötigt ein case Statement kein "break", ein fall-through gibt es nicht. +// Mehrere Überprüfungen können mit einem Statement gemacht werden. +// Pattern matching wird mit dem Schlüsselwort "match" gemacht. + val x = ... x match { case 2 => case 3 => case _ => } -``` + // Pattern Matching kann auf beliebige Typen prüfen -``` + val any: Any = ... val gleicht = any match { case 2 | 3 | 5 => "Zahl" @@ -568,19 +585,19 @@ val gleicht = any match { case 45.35 => "Double" case _ => "Unbekannt" } -``` + // und auf Objektgleichheit -``` + def matchPerson(person: Person): String = person match { case Person("George", nummer) => "George! Die Nummer ist " + number case Person("Kate", nummer) => "Kate! Die Nummer ist " + nummer case Person(name, nummer) => "Irgendjemand: " + name + ", Telefon: " + nummer } -``` + // Und viele mehr... -``` + val email = "(.*)@(.*)".r // regex def matchEverything(obj: Any): String = obj match { // Werte: @@ -600,18 +617,21 @@ def matchEverything(obj: Any): String = obj match { // Patterns kann man ineinander schachteln: case List(List((1, 2, "YAY"))) => "Got a list of list of tuple" } -``` + // Jedes Objekt mit einer "unapply" Methode kann per Pattern geprüft werden // Ganze Funktionen können Patterns sein -``` + val patternFunc: Person => String = { case Person("George", number) => s"George's number: $number" case Person(name, number) => s"Random person's number: $number" } -``` -# 7. Higher-order functions + +///////////////////////////////////////////////// +// 37. Higher-order functions +///////////////////////////////////////////////// + Scala erlaubt, das Methoden und Funktion wiederum Funtionen und Methoden als Aufrufparameter oder Return Wert verwenden. Diese Methoden heissen higher-order functions @@ -621,116 +641,117 @@ Nennenswerte sind: "filter", "map", "reduce", "foldLeft"/"foldRight", "exists", "forall" ## List -``` + def isGleichVier(a:Int) = a == 4 val list = List(1, 2, 3, 4) val resultExists4 = list.exists(isEqualToFour) -``` + ## map // map nimmt eine Funktion und führt sie auf jedem Element aus und erzeugt // eine neue Liste // Funktion erwartet ein Int und returned ein Int -``` + val add10: Int => Int = _ + 10 -``` + // add10 wird auf jedes Element angewendet -``` + List(1, 2, 3) map add10 // => List(11, 12, 13) -``` + // Anonyme Funktionen können anstatt definierter Funktionen verwendet werden -``` + List(1, 2, 3) map (x => x + 10) -``` + // Der Unterstrich wird anstelle eines Parameters einer anonymen Funktion // verwendet. Er wird an die Variable gebunden. -``` + List(1, 2, 3) map (_ + 10) -``` + // Wenn der anonyme Block und die Funtion beide EIN Argument erwarten, // kann sogar der Unterstrich weggelassen werden. -``` -List("Dom", "Bob", "Natalia") foreach println -``` -## filter +List("Dom", "Bob", "Natalia") foreach println + + +// filter // filter nimmt ein Prädikat (eine Funktion von A -> Boolean) und findet // alle Elemente die auf das Prädikat passen -``` + List(1, 2, 3) filter (_ > 2) // => List(3) case class Person(name: String, age: Int) List( Person(name = "Dom", age = 23), Person(name = "Bob", age = 30) ).filter(_.age > 25) // List(Person("Bob", 30)) -``` -## reduce + +// reduce // reduce nimmt zwei Elemente und kombiniert sie zu einem Element, // und zwar solange bis nur noch ein Element da ist. -## foreach +// foreach // foreach gibt es für einige Collections -``` + val aListOfNumbers = List(1, 2, 3, 4, 10, 20, 100) aListOfNumbers foreach (x => println(x)) aListOfNumbers foreach println -``` -## For comprehensions + +// For comprehensions // Eine for-comprehension definiert eine Beziehung zwischen zwei Datensets. // Dies ist keine for-Schleife. -``` + for { n <- s } yield sq(n) val nSquared2 = for { n <- s } yield sq(n) for { n <- nSquared2 if n < 10 } yield n for { n <- s; nSquared = n * n if nSquared < 10} yield nSquared -``` + ///////////////////////////////////////////////// -# 8. Implicits +// 8. Implicits ///////////////////////////////////////////////// -**ACHTUNG:** -Implicits sind ein sehr mächtiges Sprachfeature von Scala. Es sehr einfach -sie falsch zu benutzen und Anfänger sollten sie mit Vorsicht oder am -besten erst dann benutzen, wenn man versteht wie sie funktionieren. -Dieses Tutorial enthält Implicits, da sie in Scala an jeder Stelle -vorkommen und man auch mit einer Lib die Implicits benutzt nichts sinnvolles -machen kann. -Hier soll ein Grundverständnis geschaffen werden, wie sie funktionieren. +// **ACHTUNG:** +// Implicits sind ein sehr mächtiges Sprachfeature von Scala. +// Es sehr einfach +// sie falsch zu benutzen und Anfänger sollten sie mit Vorsicht oder am +// besten erst dann benutzen, wenn man versteht wie sie funktionieren. +// Dieses Tutorial enthält Implicits, da sie in Scala an jeder Stelle +// vorkommen und man auch mit einer Lib die Implicits benutzt nichts sinnvolles +// machen kann. +// Hier soll ein Grundverständnis geschaffen werden, wie sie funktionieren. // Mit dem Schlüsselwort implicit können Methoden, Werte, Funktion, Objekte // zu "implicit Methods" werden. -``` + implicit val myImplicitInt = 100 implicit def myImplicitFunction(sorte: String) = new Hund("Golden " + sorte) -``` + // implicit ändert nicht das Verhalten eines Wertes oder einer Funktion -``` + myImplicitInt + 2 // => 102 myImplicitFunction("Pitbull").sorte // => "Golden Pitbull" -``` + // Der Unterschied ist, dass diese Werte ausgewählt werden können, wenn ein // anderer Codeteil einen implicit Wert benötigt, zum Beispiel innerhalb von // implicit Funktionsparametern // Diese Funktion hat zwei Parameter: einen normalen und einen implicit -``` + def sendGreetings(toWhom: String)(implicit howMany: Int) = s"Hello $toWhom, $howMany blessings to you and yours!" -``` + // Werden beide Parameter gefüllt, verhält sich die Funktion wie erwartet -``` + sendGreetings("John")(1000) // => "Hello John, 1000 blessings to you and yours!" -``` + // Wird der implicit Parameter jedoch weggelassen, wird ein anderer // implicit Wert vom gleichen Typ genommen. Der Compiler sucht im @@ -739,66 +760,69 @@ sendGreetings("John")(1000) // => "Hello John, 1000 blessings to you and yours! // geforderten Typ konvertieren kann. // Hier also: "myImplicitInt", da ein Int gesucht wird -``` + sendGreetings("Jane") // => "Hello Jane, 100 blessings to you and yours!" -``` + // bzw. "myImplicitFunction" // Der String wird erst mit Hilfe der Funktion in Hund konvertiert, und // dann wird die Methode aufgerufen -``` -"Retriever".sorte // => "Golden Retriever" -``` -# 9. Misc -## Importe -``` +"Retriever".sorte // => "Golden Retriever" + + +///////////////////////////////////////////////// +// 19. Misc +///////////////////////////////////////////////// +// Importe + import scala.collection.immutable.List -``` + // Importiere alle Unterpackages -``` + import scala.collection.immutable._ -``` + // Importiere verschiedene Klassen mit einem Statement -``` + import scala.collection.immutable.{List, Map} -``` + // Einen Import kann man mit '=>' umbenennen -``` + import scala.collection.immutable.{List => ImmutableList} -``` + // Importiere alle Klasses, mit Ausnahem von.... // Hier ohne: Map and Set: -``` + import scala.collection.immutable.{Map => _, Set => _, _} -``` -## Main -``` + +// Main + object Application { def main(args: Array[String]): Unit = { - // stuff goes here. + // Sachen kommen hierhin } } -``` -## I/O + +// I/O // Eine Datei Zeile für Zeile lesen -``` + import scala.io.Source for(line <- Source.fromFile("myfile.txt").getLines()) println(line) -``` + // Eine Datei schreiben -``` + val writer = new PrintWriter("myfile.txt") writer.write("Schreibe Zeile" + util.Properties.lineSeparator) writer.write("Und noch eine Zeile" + util.Properties.lineSeparator) writer.close() + ``` ## Weiterführende Hinweise From 7a6d3b15490b882cd387f7eeb9b14d5ab20c55b1 Mon Sep 17 00:00:00 2001 From: Saurabh Sandav Date: Wed, 28 Oct 2015 13:16:13 +0530 Subject: [PATCH 064/286] [elisp/en] Fix typo --- lua.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lua.html.markdown b/lua.html.markdown index 3d95c146..2cd4d7bb 100644 --- a/lua.html.markdown +++ b/lua.html.markdown @@ -190,7 +190,7 @@ end -------------------------------------------------------------------------------- -- A table can have a metatable that gives the table operator-overloadish --- behavior. Later we'll see how metatables support js-prototypey behaviour. +-- behaviour. Later we'll see how metatables support js-prototypey behaviour. f1 = {a = 1, b = 2} -- Represents the fraction a/b. f2 = {a = 2, b = 3} From 951a51379aaf95eac83e6df2fdb8717ff0e64ec0 Mon Sep 17 00:00:00 2001 From: Morgan Date: Wed, 28 Oct 2015 11:52:21 +0100 Subject: [PATCH 065/286] [livescript/fr] Correct the translator github repository --- fr-fr/livescript-fr.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/fr-fr/livescript-fr.html.markdown b/fr-fr/livescript-fr.html.markdown index 9c3b8003..13bbffe5 100644 --- a/fr-fr/livescript-fr.html.markdown +++ b/fr-fr/livescript-fr.html.markdown @@ -4,7 +4,7 @@ filename: learnLivescript-fr.ls contributors: - ["Christina Whyte", "http://github.com/kurisuwhyte/"] translators: - - ["Morgan Bohn", "https://github.com/morganbohn"] + - ["Morgan Bohn", "https://github.com/dotmobo"] lang: fr-fr --- From db903ac5b6c80fa4b0e8502fb4b3abfd1bed07ee Mon Sep 17 00:00:00 2001 From: Srinivasan R Date: Wed, 28 Oct 2015 16:25:54 +0530 Subject: [PATCH 066/286] Add one more string formatting example --- python.html.markdown | 1 + 1 file changed, 1 insertion(+) diff --git a/python.html.markdown b/python.html.markdown index 753d6e8c..3d63183c 100644 --- a/python.html.markdown +++ b/python.html.markdown @@ -128,6 +128,7 @@ not False # => True # A newer way to format strings is the format method. # This method is the preferred way +"{} is a {}".format("This", "placeholder") "{0} can be {1}".format("strings", "formatted") # You can use keywords if you don't want to count. "{name} wants to eat {food}".format(name="Bob", food="lasagna") From 08e6aa4e6e0344082517ad94d29fb33b81e827a9 Mon Sep 17 00:00:00 2001 From: Kyle Mendes Date: Wed, 28 Oct 2015 17:25:44 -0400 Subject: [PATCH 067/286] Adding a small blurb to extend upon string concatination --- javascript.html.markdown | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/javascript.html.markdown b/javascript.html.markdown index cd75b0d2..e285ca4e 100644 --- a/javascript.html.markdown +++ b/javascript.html.markdown @@ -101,6 +101,10 @@ false; // Strings are concatenated with + "Hello " + "world!"; // = "Hello world!" +// ... which works with more than just strings +"1, 2, " + 3; // = "1, 2, 3" +"Hello " + ["world", "!"] // = "Hello world,!" + // and are compared with < and > "a" < "b"; // = true From dc3c1ce2f58da378dd354f6c34233123fa6e3d44 Mon Sep 17 00:00:00 2001 From: ditam Date: Wed, 28 Oct 2015 22:43:07 +0100 Subject: [PATCH 068/286] add Hungarian translation --- hu-hu/coffeescript-hu.html.markdown | 106 ++++++++++++++++++++++++++++ 1 file changed, 106 insertions(+) create mode 100644 hu-hu/coffeescript-hu.html.markdown diff --git a/hu-hu/coffeescript-hu.html.markdown b/hu-hu/coffeescript-hu.html.markdown new file mode 100644 index 00000000..111a0a85 --- /dev/null +++ b/hu-hu/coffeescript-hu.html.markdown @@ -0,0 +1,106 @@ +--- +language: coffeescript +contributors: + - ["Tenor Biel", "http://github.com/L8D"] + - ["Xavier Yao", "http://github.com/xavieryao"] +translators: + - ["Tamás Diószegi", "http://github.com/ditam"] +filename: coffeescript.coffee +--- + +A CoffeeScript egy apró nyelv ami egy-az-egyben egyenértékű Javascript kódra fordul, és így futásidőben már nem szükséges interpretálni. +Mint a JavaScript egyik követője, a CoffeeScript mindent megtesz azért, hogy olvasható, jól formázott és jól futó JavaScript kódot állítson elő, ami minden JavaScript futtatókörnyezetben jól működik. + +Rézletekért lásd még a [CoffeeScript weboldalát](http://coffeescript.org/), ahol egy teljes CoffeScript tutorial is található. + +```coffeescript +# A CoffeeScript egy hipszter nyelv. +# Követi több modern nyelv trendjeit. +# Így a kommentek, mint Ruby-ban és Python-ban, a szám szimbólummal kezdődnek. + +### +A komment blokkok ilyenek, és közvetlenül '/ *' és '* /' jelekre fordítódnak +az eredményül kapott JavaScript kódban. + +Mielőtt tovább olvasol, jobb, ha a JavaScript alapvető szemantikájával +tisztában vagy. + +(A kód példák alatt kommentként látható a fordítás után kapott JavaScript kód.) +### + +# Értékadás: +number = 42 #=> var number = 42; +opposite = true #=> var opposite = true; + +# Feltételes utasítások: +number = -42 if opposite #=> if(opposite) { number = -42; } + +# Függvények: +square = (x) -> x * x #=> var square = function(x) { return x * x; } + +fill = (container, liquid = "coffee") -> + "Filling the #{container} with #{liquid}..." +#=>var fill; +# +#fill = function(container, liquid) { +# if (liquid == null) { +# liquid = "coffee"; +# } +# return "Filling the " + container + " with " + liquid + "..."; +#}; + +# Szám tartományok: +list = [1..5] #=> var list = [1, 2, 3, 4, 5]; + +# Objektumok: +math = + root: Math.sqrt + square: square + cube: (x) -> x * square x +#=> var math = { +# "root": Math.sqrt, +# "square": square, +# "cube": function(x) { return x * square(x); } +# }; + +# "Splat" jellegű függvény-paraméterek: +race = (winner, runners...) -> + print winner, runners +#=>race = function() { +# var runners, winner; +# winner = arguments[0], runners = 2 <= arguments.length ? __slice.call(arguments, 1) : []; +# return print(winner, runners); +# }; + +# Létezés-vizsgálat: +alert "I knew it!" if elvis? +#=> if(typeof elvis !== "undefined" && elvis !== null) { alert("I knew it!"); } + +# Tömb értelmezések: (array comprehensions) +cubes = (math.cube num for num in list) +#=>cubes = (function() { +# var _i, _len, _results; +# _results = []; +# for (_i = 0, _len = list.length; _i < _len; _i++) { +# num = list[_i]; +# _results.push(math.cube(num)); +# } +# return _results; +# })(); + +foods = ['broccoli', 'spinach', 'chocolate'] +eat food for food in foods when food isnt 'chocolate' +#=>foods = ['broccoli', 'spinach', 'chocolate']; +# +#for (_k = 0, _len2 = foods.length; _k < _len2; _k++) { +# food = foods[_k]; +# if (food !== 'chocolate') { +# eat(food); +# } +#} +``` + +## További források + +- [Smooth CoffeeScript](http://autotelicum.github.io/Smooth-CoffeeScript/) +- [CoffeeScript Ristretto](https://leanpub.com/coffeescript-ristretto/read) \ No newline at end of file From 360bd6ef9b5b1b6779d1d86bd57e12e97239007a Mon Sep 17 00:00:00 2001 From: ditam Date: Wed, 28 Oct 2015 23:45:15 +0100 Subject: [PATCH 069/286] add language suffix to filename --- hu-hu/coffeescript-hu.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/hu-hu/coffeescript-hu.html.markdown b/hu-hu/coffeescript-hu.html.markdown index 111a0a85..267db4d0 100644 --- a/hu-hu/coffeescript-hu.html.markdown +++ b/hu-hu/coffeescript-hu.html.markdown @@ -5,7 +5,7 @@ contributors: - ["Xavier Yao", "http://github.com/xavieryao"] translators: - ["Tamás Diószegi", "http://github.com/ditam"] -filename: coffeescript.coffee +filename: coffeescript-hu.coffee --- A CoffeeScript egy apró nyelv ami egy-az-egyben egyenértékű Javascript kódra fordul, és így futásidőben már nem szükséges interpretálni. From 3b1940b9cc9c0e46a9275b2ae64e4c5996d7de75 Mon Sep 17 00:00:00 2001 From: Alex Luehm Date: Wed, 28 Oct 2015 17:45:31 -0500 Subject: [PATCH 070/286] [C/en] Added tidbit about fall-though in switch statements. Another pitfall, as not all languages have fall-through in switches. --- c.html.markdown | 24 +++++++++++++++--------- 1 file changed, 15 insertions(+), 9 deletions(-) diff --git a/c.html.markdown b/c.html.markdown index 3d632eab..2a5e460f 100644 --- a/c.html.markdown +++ b/c.html.markdown @@ -76,7 +76,7 @@ int main (int argc, char** argv) /////////////////////////////////////// // Types /////////////////////////////////////// - + // All variables MUST be declared at the top of the current block scope // we declare them dynamically along the code for the sake of the tutorial @@ -318,6 +318,12 @@ int main (int argc, char** argv) case 1: printf("Huh, 'a' equals 1!\n"); break; + // Be careful - without a "break", execution continues until the + // next "break" is reached. + case 3: + case 4: + printf("Look at that.. 'a' is either 3, or 4\n"); + break; default: // if `some_integral_expression` didn't match any of the labels fputs("error!\n", stderr); @@ -345,8 +351,8 @@ int main (int argc, char** argv) https://ideone.com/GuPhd6 this will print out "Error occured at i = 52 & j = 99." */ - - + + /////////////////////////////////////// // Typecasting /////////////////////////////////////// @@ -445,7 +451,7 @@ int main (int argc, char** argv) for (xx = 0; xx < 20; xx++) { *(my_ptr + xx) = 20 - xx; // my_ptr[xx] = 20-xx } // Initialize memory to 20, 19, 18, 17... 2, 1 (as ints) - + // Note that there is no standard way to get the length of a // dynamically allocated array in C. Because of this, if your arrays are // going to be passed around your program a lot, you need another variable @@ -721,13 +727,13 @@ typedef void (*my_fnp_type)(char *); /******************************* Header Files ********************************** -Header files are an important part of c as they allow for the connection of c -source files and can simplify code and definitions by seperating them into +Header files are an important part of c as they allow for the connection of c +source files and can simplify code and definitions by seperating them into seperate files. -Header files are syntaxtically similar to c source files but reside in ".h" -files. They can be included in your c source file by using the precompiler -command #include "example.h", given that example.h exists in the same directory +Header files are syntaxtically similar to c source files but reside in ".h" +files. They can be included in your c source file by using the precompiler +command #include "example.h", given that example.h exists in the same directory as the c file. */ From cdd64ecee34af20ed101ba5dc8d7dc73a8189c15 Mon Sep 17 00:00:00 2001 From: Vipul Sharma Date: Thu, 29 Oct 2015 15:23:37 +0530 Subject: [PATCH 071/286] 80 char and proper commenting --- python.html.markdown | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/python.html.markdown b/python.html.markdown index 01e5d481..ff4471e9 100644 --- a/python.html.markdown +++ b/python.html.markdown @@ -124,7 +124,8 @@ not False # => True "This is a string"[0] # => 'T' #String formatting with % -#Even though the % string operator will be deprecated on Python 3.1 and removed later at some time, it may still be #good to know how it works. +#Even though the % string operator will be deprecated on Python 3.1 and removed +#later at some time, it may still be good to know how it works. x = 'apple' y = 'lemon' z = "The items in the basket are %s and %s" % (x,y) From 7a9787755b4e0f0ca99487833835b081c9d4de8a Mon Sep 17 00:00:00 2001 From: Nasgul Date: Thu, 29 Oct 2015 16:05:27 +0200 Subject: [PATCH 072/286] Delete unnecessary line on english. Delete unnecessary line on english. --- ru-ru/php-ru.html.markdown | 2 -- 1 file changed, 2 deletions(-) diff --git a/ru-ru/php-ru.html.markdown b/ru-ru/php-ru.html.markdown index 5672aa90..dc254bf8 100644 --- a/ru-ru/php-ru.html.markdown +++ b/ru-ru/php-ru.html.markdown @@ -420,8 +420,6 @@ include_once 'my-file.php'; require 'my-file.php'; require_once 'my-file.php'; -// Same as include(), except require() will cause a fatal error if the -// file cannot be included. // Действует также как и include(), но если файл не удалось подключить, // функция выдает фатальную ошибку From eb5d2d62616219837ad447dd4cb585a6e75bb89a Mon Sep 17 00:00:00 2001 From: Kyle Mendes Date: Thu, 29 Oct 2015 10:05:36 -0400 Subject: [PATCH 073/286] [sass/en] Cleaning up wording and formatting --- sass.html.markdown | 203 ++++++++++++++++++++++----------------------- 1 file changed, 100 insertions(+), 103 deletions(-) diff --git a/sass.html.markdown b/sass.html.markdown index 02bec47f..4d4ece71 100644 --- a/sass.html.markdown +++ b/sass.html.markdown @@ -4,40 +4,41 @@ filename: learnsass.scss contributors: - ["Laura Kyle", "https://github.com/LauraNK"] - ["Sean Corrales", "https://github.com/droidenator"] + - ["Kyle Mendes", "https://github.com/pink401k"] --- -Sass is a CSS extension language that adds features such as variables, nesting, mixins and more. -Sass (and other preprocessors, such as [Less](http://lesscss.org/)) help developers to write maintainable and DRY (Don't Repeat Yourself) code. +Sass is a CSS extension language that adds features such as variables, nesting, mixins and more. +Sass (and other preprocessors, such as [Less](http://lesscss.org/)) help developers write maintainable and DRY (Don't Repeat Yourself) code. -Sass has two different syntax options to choose from. SCSS, which has the same syntax as CSS but with the added features of Sass. Or Sass (the original syntax), which uses indentation rather than curly braces and semicolons. +Sass has two different syntax options to choose from. SCSS, which has the same syntax as CSS but with the added features of Sass. Or Sass (the original syntax), which uses indentation rather than curly braces and semicolons. This tutorial is written using SCSS. -If you're already familiar with CSS3, you'll be able to pick up Sass relatively quickly. It does not provide any new styling options but rather the tools to write your CSS more efficiently and make maintenance much easier. +If you're already familiar with CSS3, you'll be able to pick up Sass relatively quickly. It does not provide any new styling properties but rather the tools to write your CSS more efficiently and make maintenance much easier. ```scss - + //Single line comments are removed when Sass is compiled to CSS. -/*Multi line comments are preserved. */ - - - -/*Variables -==============================*/ - - +/* Multi line comments are preserved. */ + + + +/* Variables +============================== */ + + /* You can store a CSS value (such as a color) in a variable. Use the '$' symbol to create a variable. */ - + $primary-color: #A3A4FF; $secondary-color: #51527F; -$body-font: 'Roboto', sans-serif; +$body-font: 'Roboto', sans-serif; + +/* You can use the variables throughout your stylesheet. +Now if you want to change a color, you only have to make the change once. */ -/* You can use the variables throughout your stylesheet. -Now if you want to change a color, you only have to make the change once.*/ - body { background-color: $primary-color; color: $secondary-color; @@ -54,18 +55,18 @@ body { /* This is much more maintainable than having to change the color each time it appears throughout your stylesheet. */ - -/*Mixins -==============================*/ + +/* Mixins +============================== */ /* If you find you are writing the same code for more than one element, you might want to store that code in a mixin. -Use the '@mixin' directive, plus a name for your mixin.*/ +Use the '@mixin' directive, plus a name for your mixin. */ @mixin center { display: block; @@ -82,7 +83,7 @@ div { background-color: $primary-color; } -/*Which would compile to: */ +/* Which would compile to: */ div { display: block; margin-left: auto; @@ -99,8 +100,8 @@ div { width: $width; height: $height; } - -/*Which you can invoke by passing width and height arguments. */ + +/* Which you can invoke by passing width and height arguments. */ .rectangle { @include size(100px, 60px); @@ -110,31 +111,31 @@ div { @include size(40px, 40px); } -/* This compiles to: */ +/* Compiles to: */ .rectangle { width: 100px; - height: 60px; + height: 60px; } .square { width: 40px; - height: 40px; + height: 40px; } -/*Functions -==============================*/ - - - -/* Sass provides functions that can be used to accomplish a variety of +/* Functions +============================== */ + + + +/* Sass provides functions that can be used to accomplish a variety of tasks. Consider the following */ -/* Functions can be invoked by using their name and passing in the +/* Functions can be invoked by using their name and passing in the required arguments */ body { - width: round(10.25px); + width: round(10.25px); } .footer { @@ -149,18 +150,18 @@ body { .footer { background-color: rgba(0, 0, 0, 0.75); -} - -/* You may also define your own functions. Functions are very similar to +} + +/* You may also define your own functions. Functions are very similar to mixins. When trying to choose between a function or a mixin, remember - that mixins are best for generating CSS while functions are better for - logic that might be used throughout your Sass code. The examples in - the Math Operators' section are ideal candidates for becoming a reusable + that mixins are best for generating CSS while functions are better for + logic that might be used throughout your Sass code. The examples in + the Math Operators' section are ideal candidates for becoming a reusable function. */ -/* This function will take a target size and the parent size and calculate +/* This function will take a target size and the parent size and calculate and return the percentage */ - + @function calculate-percentage($target-size, $parent-size) { @return $target-size / $parent-size * 100%; } @@ -187,12 +188,12 @@ $main-content: calculate-percentage(600px, 960px); -/*Extend (Inheritance) -==============================*/ +/* Extend (Inheritance) +============================== */ -/*Extend is a way to share the properties of one selector with another. */ +/* Extend is a way to share the properties of one selector with another. */ .display { @include size(5em, 5em); @@ -208,36 +209,36 @@ $main-content: calculate-percentage(600px, 960px); .display, .display-success { width: 5em; height: 5em; - border: 5px solid #51527F; + border: 5px solid #51527F; } .display-success { - border-color: #22df56; + border-color: #22df56; } -/* Extending a CSS statement is preferable to creating a mixin - because of the way it groups together the classes that all share - the same base styling. If this was done with a mixin, the width, - height, and border would be duplicated for each statement that +/* Extending a CSS statement is preferable to creating a mixin + because of the way Sass groups together the classes that all share + the same base styling. If this was done with a mixin, the width, + height, and border would be duplicated for each statement that called the mixin. While it won't affect your workflow, it will add unnecessary bloat to the files created by the Sass compiler. */ - -/*Nesting -==============================*/ + +/* Nesting +============================== */ -/*Sass allows you to nest selectors within selectors */ +/* Sass allows you to nest selectors within selectors */ ul { list-style-type: none; margin-top: 2em; - + li { - background-color: #FF0000; - } + background-color: #FF0000; + } } /* '&' will be replaced by the parent selector. */ @@ -249,18 +250,18 @@ For example: */ ul { list-style-type: none; margin-top: 2em; - + li { background-color: red; - + &:hover { background-color: blue; } - + a { color: white; } - } + } } /* Compiles to: */ @@ -284,17 +285,17 @@ ul li a { -/*Partials and Imports -==============================*/ - - - +/* Partials and Imports +============================== */ + + + /* Sass allows you to create partial files. This can help keep your Sass code modularized. Partial files should begin with an '_', e.g. _reset.css. Partials are not generated into CSS. */ - + /* Consider the following CSS which we'll put in a file called _reset.css */ - + html, body, ul, @@ -302,14 +303,14 @@ ol { margin: 0; padding: 0; } - + /* Sass offers @import which can be used to import partials into a file. - This differs from the traditional CSS @import statement which makes - another HTTP request to fetch the imported file. Sass takes the + This differs from the traditional CSS @import statement which makes + another HTTP request to fetch the imported file. Sass takes the imported file and combines it with the compiled code. */ - + @import 'reset'; - + body { font-size: 16px; font-family: Helvetica, Arial, Sans-serif; @@ -320,25 +321,25 @@ body { html, body, ul, ol { margin: 0; padding: 0; -} +} body { font-size: 16px; font-family: Helvetica, Arial, Sans-serif; } - - -/*Placeholder Selectors -==============================*/ - - - + + +/* Placeholder Selectors +============================== */ + + + /* Placeholders are useful when creating a CSS statement to extend. If you wanted to create a CSS statement that was exclusively used with @extend, you can do so using a placeholder. Placeholders begin with a '%' instead of '.' or '#'. Placeholders will not appear in the compiled CSS. */ - + %content-window { font-size: 14px; padding: 10px; @@ -364,18 +365,18 @@ body { background-color: #0000ff; } - - -/*Math Operations -==============================*/ - - - + + +/* Math Operations +============================== */ + + + /* Sass provides the following operators: +, -, *, /, and %. These can be useful for calculating values directly in your Sass files instead of using values that you've already calculated by hand. Below is an example of a setting up a simple two column design. */ - + $content-area: 960px; $main-content: 600px; $sidebar-content: 300px; @@ -418,14 +419,11 @@ body { width: 6.25%; } - -``` - - +``` ## SASS or Sass? -Have you ever wondered whether Sass is an acronym or not? You probably haven't, but I'll tell you anyway. The name of the language is a word, "Sass", and not an acronym. -Because people were constantly writing it as "SASS", the creator of the language jokingly called it "Syntactically Awesome StyleSheets". +Have you ever wondered whether Sass is an acronym or not? You probably haven't, but I'll tell you anyway. The name of the language is a word, "Sass", and not an acronym. +Because people were constantly writing it as "SASS", the creator of the language jokingly called it "Syntactically Awesome StyleSheets". ## Practice Sass @@ -434,14 +432,13 @@ You can use either syntax, just go into the settings and select either Sass or S ## Compatibility - Sass can be used in any project as long as you have a program to compile it into CSS. You'll want to verify that the CSS you're using is compatible -with your target browsers. +with your target browsers. + +[QuirksMode CSS](http://www.quirksmode.org/css/) and [CanIUse](http://caniuse.com) are great resources for checking compatibility. -[QuirksMode CSS](http://www.quirksmode.org/css/) and [CanIUse](http://caniuse.com) are great resources for checking compatibility. - ## Further reading * [Official Documentation](http://sass-lang.com/documentation/file.SASS_REFERENCE.html) * [The Sass Way](http://thesassway.com/) provides tutorials (beginner-advanced) and articles. From 03ef96b2f11133701a3db64b9133f634a9709e94 Mon Sep 17 00:00:00 2001 From: Raphael Nascimento Date: Thu, 29 Oct 2015 12:46:59 -0300 Subject: [PATCH 074/286] [java/en] Enum Type --- java.html.markdown | 19 +++++++++++++++---- 1 file changed, 15 insertions(+), 4 deletions(-) diff --git a/java.html.markdown b/java.html.markdown index 86b0578e..1813f81c 100644 --- a/java.html.markdown +++ b/java.html.markdown @@ -186,9 +186,9 @@ public class LearnJava { // operations perform as could be expected for a // doubly-linked list. // Maps - A set of objects that map keys to values. Map is - // an interface and therefore cannot be instantiated. - // The type of keys and values contained in a Map must - // be specified upon instantiation of the implementing + // an interface and therefore cannot be instantiated. + // The type of keys and values contained in a Map must + // be specified upon instantiation of the implementing // class. Each key may map to only one corresponding value, // and each key may appear only once (no duplicates). // HashMaps - This class uses a hashtable to implement the Map @@ -450,6 +450,17 @@ class Bicycle { protected int gear; // Protected: Accessible from the class and subclasses String name; // default: Only accessible from within this package + static String className; // Static class variable + + // Static block + // Java has no implementation of static constructors, but + // has a static block that can be used to initialize class variables + // (static variables). + // This block will be called when the class is loaded. + static { + className = "Bicycle"; + } + // Constructors are a way of creating classes // This is a constructor public Bicycle() { @@ -767,7 +778,7 @@ The links provided here below are just to get an understanding of the topic, fee * [Generics](http://docs.oracle.com/javase/tutorial/java/generics/index.html) -* [Java Code Conventions](http://www.oracle.com/technetwork/java/codeconv-138413.html) +* [Java Code Conventions](http://www.oracle.com/technetwork/java/codeconvtoc-136057.html) **Online Practice and Tutorials** From d94d88cd2031b7322c2c2886fa54b26ef1c461be Mon Sep 17 00:00:00 2001 From: Michal Martinek Date: Thu, 29 Oct 2015 19:21:48 +0100 Subject: [PATCH 075/286] Czech translation for Sass --- cs-cz/sass.html.markdown | 439 +++++++++++++++++++++++++++++++++++++++ 1 file changed, 439 insertions(+) create mode 100644 cs-cz/sass.html.markdown diff --git a/cs-cz/sass.html.markdown b/cs-cz/sass.html.markdown new file mode 100644 index 00000000..e890debe --- /dev/null +++ b/cs-cz/sass.html.markdown @@ -0,0 +1,439 @@ +--- +language: sass +filename: learnsass.scss +contributors: + - ["Laura Kyle", "https://github.com/LauraNK"] + - ["Sean Corrales", "https://github.com/droidenator"] +translators: + - ["Michal Martinek", "https://github.com/MichalMartinek"] + +--- + +Sass je rozšíření jazyka CSS, který přidává nové vlastnosti jako proměnné, zanořování, mixiny a další. +Sass (a další preprocesory, jako [Less](http://lesscss.org/)) pomáhají vývojářům psát udržovatelný a neopakující (DRY) kód. + +Sass nabízí dvě možnosti syntaxe. SCSS, které je stejná jako CSS, akorát obsahuje nové vlastnosti Sassu. Nebo Sass, který používá odsazení místo složených závorek a středníků. +Tento tutoriál bude používat syntaxi CSS. + + +Pokud jste již obeznámeni s CSS3, budete schopni používat Sass relativně rychle. Nezprostředkovává nějaké úplně nové stylové možnosti, spíše nátroje, jak psát Vás CSS kód více efektivně, udržitelně a jednoduše. + +```scss + + +//Jednořádkové komentáře jsou ze Sassu při kompilaci vymazány + +/*Víceřádkové komentáře jsou naopak zachovány */ + + + +/*Proměnné +==============================*/ + + + +/* Můžete uložit CSS hodnotu (jako třeba barvu) do proměnné. +Použijte symbol '$' k jejímu vytvoření. */ + +$hlavni-barva: #A3A4FF; +$sekundarni-barva: #51527F; +$body-font: 'Roboto', sans-serif; + +/* Můžete používat proměnné napříč vaším souborem. +Teď, když chcete změnit barvu, stačí ji změnit pouze jednou.*/ + +body { + background-color: $hlavni-barva; + color: $sekundarni-barva; + font-family: $body-font; +} + +/* Toto se zkompiluje do: */ +body { + background-color: #A3A4FF; + color: #51527F; + font-family: 'Roboto', sans-serif; +} + + +/* Toto je o hodně více praktické, než měnit každý výskyt barvy. */ + + + +/*Mixiny +==============================*/ + + + +/* Pokud zjistíte, že píšete kód pro více než jeden element, můžete jej uložit do mixinu. + +Použijte '@mixin' direktivu, plus jméno vašeho mixinu.*/ + +@mixin na-stred { + display: block; + margin-left: auto; + margin-right: auto; + left: 0; + right: 0; +} + +/* Mixin vložíte pomocí '@include' a jména mixinu */ + +div { + @include na-stred; + background-color: $hlavni-barva; +} + +/*Což se zkompiluje do: */ +div { + display: block; + margin-left: auto; + margin-right: auto; + left: 0; + right: 0; + background-color: #A3A4FF; +} + + +/* Můžete využít mixiny i třeba pro takovéto ušetření práce: */ + +@mixin velikost($sirka, $vyska) { + width: $sirka; + height: $vyska; +} + +/*Stačí vložit argumenty: */ + +.obdelnik { + @include velikost(100px, 60px); +} + +.ctverec { + @include velikost(40px, 40px); +} + +/* Toto se zkompiluje do: */ +.obdelnik { + width: 100px; + height: 60px; +} + +.ctverec { + width: 40px; + height: 40px; +} + + + +/*Funkce +==============================*/ + + + +/* Sass obsahuje funkce, které vám pomůžou splnit různé úkoly. */ + +/* Funkce se spouštějí pomocí jejich jména, které následuje seznam argumentů uzavřený v kulatých závorkách. */ +body { + width: round(10.25px); +} + +.footer { + background-color: fade_out(#000000, 0.25) +} + +/* Se zkompiluje do: */ + +body { + width: 10px; +} + +.footer { + background-color: rgba(0, 0, 0, 0.75); +} + +/* Můžete také definovat vlastní funkce. Funkce jsou velmi podobné mixinům. + Když se snažíte vybrat mezi funkcí a mixinem, mějte na paměti, že mixiny + jsou lepší pro generování CSS kódu, zatímco funkce jsou lepší pro logiku. + Příklady ze sekce Matematické operátory jsou skvělí kandidáti na + znovupoužitelné funkce. */ + +/* Tato funkce vrací poměr k velikosti rodiče v procentech. +@function vypocitat-pomer($velikost, $velikost-rodice) { + @return $velikost / $velikost-rodice * 100%; +} + +$hlavni obsah: vypocitat-pomer(600px, 960px); + +.hlavni-obsah { + width: $hlavni-obsah; +} + +.sloupec { + width: vypocitat-pomer(300px, 960px); +} + +/* Zkompiluje do: */ + +.hlavni-obsah { + width: 62.5%; +} + +.sloupec { + width: 31.25%; +} + + + +/*Dědění +==============================*/ + + + +/*Dědění je způsob jak používat vlastnosti pro jeden selektor ve druhém. */ + +.oznameni { + @include velikost(5em, 5em); + border: 5px solid $sekundarni-barva; +} + +.oznameni-uspech { + @extend .oznameni; + border-color: #22df56; +} + +/* Zkompiluje do: */ +.oznameni, .oznameni-uspech { + width: 5em; + height: 5em; + border: 5px solid #51527F; +} + +.oznameni-uspech { + border-color: #22df56; +} + + +/* Dědění CSS výrazů je preferováno před vytvořením mixinu kvůli způsobu, + jakým způsobem Sass dává dohromady třídy, které sdílejí stejný kód. + Kdyby to bylo udělané pomocí mixinu, tak výška, šířka, rámeček by byl v + každém výrazu, který by volal mixin. I když tohle neovlivní vaše workflow, + přidá to kód navíc do souborů. */ + + +/*Zanořování +==============================*/ + + + +/*Sass vám umožňuje zanořovat selektory do selektorů */ + +ul { + list-style-type: none; + margin-top: 2em; + + li { + background-color: #FF0000; + } +} + +/* '&' nahradí rodičovský element. */ +/* Můžete také zanořovat pseudo třídy. */ +/* Pamatujte, že moc velké zanoření do hloubky snižuje čitelnost. + Doporučuje se používat maximálně trojité zanoření. + Na příklad: */ + +ul { + list-style-type: none; + margin-top: 2em; + + li { + background-color: red; + + &:hover { + background-color: blue; + } + + a { + color: white; + } + } +} + +/* Zkompiluje do: */ + +ul { + list-style-type: none; + margin-top: 2em; +} + +ul li { + background-color: red; +} + +ul li:hover { + background-color: blue; +} + +ul li a { + color: white; +} + + + +/*Částečné soubory a importy +==============================*/ + + + +/* Sass umožňuje vytvářet částečné soubory. Tyto soubory pomahájí udržovat váš + kód modulární. Tyto soubory by měli začínat vždy '_', např. _reset.css. + Částečné soubory se nepřevádí do CSS. */ + +/* Toto je kód, který si uložíme do souboru _reset.css */ + +html, +body, +ul, +ol { + margin: 0; + padding: 0; +} + +/* Sass obsahuje @import, které může být použit pro import částečných souborů. + Toto se liší od klasického CSS @import, který dělá HTTP požadavek na stáhnutí + souboru. Sass vezme importovaný soubor a vloží ho do kompilovaného kódu. */ + +@import 'reset'; + +body { + font-size: 16px; + font-family: Helvetica, Arial, Sans-serif; +} + +/* Zkompiluje do: */ + +html, body, ul, ol { + margin: 0; + padding: 0; +} + +body { + font-size: 16px; + font-family: Helvetica, Arial, Sans-serif; +} + + + +/*Zástupné selektory +==============================*/ + + + +/* Zástupné selektory jsou užitečné, když vytváříte CSS výraz, ze kterého + chcete později dědit. Když chcete vytvořit výraz, ze kterého je možné pouze + dědit pomocí @extend, vytvořte zástupný selektor s CSS výrazem. Ten začíná + symbolem '%' místo '.' nebo '#'. Tyto výrazy se neobjeví ve výsledném CSS */ + +%okno-obsahu { + font-size: 14px; + padding: 10px; + color: #000; + border-radius: 4px; +} + +.okno-zpravy { + @extend %okno-obsahu; + background-color: #0000ff; +} + +/* Zkompiluje do: */ + +.okno-zpravy { + font-size: 14px; + padding: 10px; + color: #000; + border-radius: 4px; +} + +.okno-zpravy { + background-color: #0000ff; +} + + + +/*Matematické operace +==============================*/ + + + +/* Sass obsahuje následující operátory: +, -, *, /, and %. Tyto operátory + můžou být velmi užitečné pro počítání hodnot přímo ve vašem souboru Sass. + Níže je příklad, jak udělat jednoduchý dvousloupcový layout. */ + +$oblast-obsahu: 960px; +$hlavni-obsah: 600px; +$vedlejsi-sloupec: 300px; + +$obsah-velikost: $hlavni-obsah / $oblast-obsahu * 100%; +$vedlejsi-sloupec-velikost: $vedlejsi-sloupec / $oblast-obsahu * 100%; +$zbytek-velikost: 100% - ($main-size + $vedlejsi-sloupec-size); + +body { + width: 100%; +} + +.hlavni-obsah { + width: $obsah-velikost; +} + +.vedlejsi-sloupec { + width: $vedlejsi-sloupec-velikost; +} + +.zbytek { + width: $zbytek-velikost; +} + +/* Zkompiluje do: */ + +body { + width: 100%; +} + +.hlavni-obsah { + width: 62.5%; +} + +.vedlejsi-sloupec { + width: 31.25%; +} + +.gutter { + width: 6.25%; +} + + +``` + + + +## SASS nebo Sass? +Divili jste se někdy, jestli je Sass zkratka nebo ne? Pravděpodobně ne, ale řeknu vám to stejně. Jméno tohoto jazyka je slovo, "Sass", a ne zkratka. +Protože to lidé konstatně píší jako "SASS", nazval ho autor jazyka jako "Syntactically Awesome StyleSheets" (Syntaktický úžasně styly). + + +## Procvičování Sassu +Pokud si chcete hrát se Sassem ve vašem prohlížeči, navštivte [SassMeister](http://sassmeister.com/). +Můžete používát oba dva způsoby zápisu, stačí si vybrat v nastavení SCSS nebo SASS. + + +## Kompatibilita + +Sass může být použit v jakémkoliv projektu, jakmile máte program, pomocí kterého ho zkompilujete do CSS. Pokud si chcete ověřit, že CSS, které Sass produkuje je kompatibilní s prohlížeči: + +[QuirksMode CSS](http://www.quirksmode.org/css/) a [CanIUse](http://caniuse.com) jsou skvělé stránky pro kontrolu kompatibility. + + +## Kam dál? +* [Oficiální dokumentace](http://sass-lang.com/documentation/file.SASS_REFERENCE.html) +* [The Sass Way](http://thesassway.com/) obsahuje tutoriál a řadu skvělých článků From fe1c5e86ede2786580c414bf608bb09d5c7ceb40 Mon Sep 17 00:00:00 2001 From: Nasgul Date: Thu, 29 Oct 2015 22:15:40 +0200 Subject: [PATCH 076/286] Edit descriptions for function setdefault. Edit descriptions for function setdefault. --- ru-ru/python-ru.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ru-ru/python-ru.html.markdown b/ru-ru/python-ru.html.markdown index 3852a550..43142eff 100644 --- a/ru-ru/python-ru.html.markdown +++ b/ru-ru/python-ru.html.markdown @@ -280,7 +280,7 @@ filled_dict.get("four", 4) #=> 4 # Присваивайте значение ключам так же, как и в списках filled_dict["four"] = 4 # теперь filled_dict["four"] => 4 -# Метод setdefault вставляет() пару ключ-значение, только если такого ключа нет +# Метод setdefault() вставляет пару ключ-значение, только если такого ключа нет filled_dict.setdefault("five", 5) #filled_dict["five"] возвращает 5 filled_dict.setdefault("five", 6) #filled_dict["five"] по-прежнему возвращает 5 From eef69b0d092a0b1396ff2494984b07b9aa76d020 Mon Sep 17 00:00:00 2001 From: Nasgul Date: Thu, 29 Oct 2015 22:25:00 +0200 Subject: [PATCH 077/286] Edit translate for creating object. Edit translate for creating new object of class using new. --- ru-ru/php-ru.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ru-ru/php-ru.html.markdown b/ru-ru/php-ru.html.markdown index dc254bf8..37b6a86e 100644 --- a/ru-ru/php-ru.html.markdown +++ b/ru-ru/php-ru.html.markdown @@ -483,7 +483,7 @@ echo MyClass::MY_CONST; // Выведет 'value'; echo MyClass::$staticVar; // Выведет 'static'; MyClass::myStaticMethod(); // Выведет 'I am static'; -// Новый экземпляр класса используя new +// Создание нового экземпляра класса используя new $my_class = new MyClass('An instance property'); // Если аргументы отсутствуют, можно не ставить круглые скобки From 36c551affb006583bf7960b7a613b45699a819cc Mon Sep 17 00:00:00 2001 From: Nasgul Date: Thu, 29 Oct 2015 22:38:04 +0200 Subject: [PATCH 078/286] Edit Title for 5 part. Edit Title for 5 part. --- ru-ru/javascript-ru.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ru-ru/javascript-ru.html.markdown b/ru-ru/javascript-ru.html.markdown index 8655ae4a..54499f46 100644 --- a/ru-ru/javascript-ru.html.markdown +++ b/ru-ru/javascript-ru.html.markdown @@ -330,7 +330,7 @@ function sayHelloInFiveSeconds(name) { sayHelloInFiveSeconds("Адам"); // Через 5 с откроется окно «Привет, Адам!» /////////////////////////////////// -// 5. Подробнее об объектах; конструкторы и прототипы +// 5. Подробнее об объектах; Конструкторы и Прототипы // Объекты могут содержать в себе функции. var myObj = { From 7e90054b5cb91c5df3cbae38c0ae0e29fe114d0e Mon Sep 17 00:00:00 2001 From: Nasgul Date: Thu, 29 Oct 2015 22:57:17 +0200 Subject: [PATCH 079/286] Fix typo. Fix typo. --- ru-ru/java-ru.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ru-ru/java-ru.html.markdown b/ru-ru/java-ru.html.markdown index 005495cc..b24ad555 100644 --- a/ru-ru/java-ru.html.markdown +++ b/ru-ru/java-ru.html.markdown @@ -451,7 +451,7 @@ public class Fruit implements Edible, Digestible { } } -// В Java Вы можете наследоватьтолько один класс, однако можете реализовывать +// В Java Вы можете наследовать только один класс, однако можете реализовывать // несколько интерфейсов. Например: public class ExampleClass extends ExampleClassParent implements InterfaceOne, InterfaceTwo { public void InterfaceOneMethod() { From 14c85ba0ffbb66d9c2a056006cedaa90df8f22f4 Mon Sep 17 00:00:00 2001 From: yihong Date: Fri, 30 Oct 2015 05:04:41 +0800 Subject: [PATCH 080/286] add more details on truthiness --- python.html.markdown | 14 +++++++++++--- 1 file changed, 11 insertions(+), 3 deletions(-) diff --git a/python.html.markdown b/python.html.markdown index 42a52bcf..7055689e 100644 --- a/python.html.markdown +++ b/python.html.markdown @@ -63,7 +63,7 @@ allow you to write Python 3 code that will run on Python 2, so check out the Pyt # to carry out normal division with just one '/'. from __future__ import division 11/4 # => 2.75 ...normal division -11//4 # => 2 ...floored division +11//4 # => 2 ...floored division # Modulo operation 7 % 3 # => 1 @@ -144,8 +144,16 @@ None is None # => True # very useful when dealing with primitive values, but is # very useful when dealing with objects. -# None, 0, and empty strings/lists all evaluate to False. -# All other values are True +# Any object can be used in a Boolean context. +# The following values are considered falsey: +# - None +# - zero of any numeric type (e.g., 0, 0L, 0.0, 0j) +# - empty sequences (e.g., '', (), []) +# - empty containers (e.g., {}, set()) +# - instances of user-defined classes meeting certain conditions +# see: https://docs.python.org/2/reference/datamodel.html#object.__nonzero__ +# +# All other values are truthy (using the bool() function on them returns True). bool(0) # => False bool("") # => False From d35663f1752c0815ee48fb6b66f0b6c6d7deaab9 Mon Sep 17 00:00:00 2001 From: Victor Date: Thu, 29 Oct 2015 22:09:43 -0200 Subject: [PATCH 081/286] fixing selector(color) name that was improperly translated --- pt-br/css-pt.html.markdown | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/pt-br/css-pt.html.markdown b/pt-br/css-pt.html.markdown index ed6f6c4c..b1fbd961 100644 --- a/pt-br/css-pt.html.markdown +++ b/pt-br/css-pt.html.markdown @@ -159,11 +159,11 @@ seletor {     color: # FF66EE; /* Formato hexadecimal longo */     color: tomato; /* Uma cor nomeada */     color: rgb (255, 255, 255); /* Como valores rgb */ -    cor: RGB (10%, 20%, 50%); /* Como porcentagens rgb */ -    cor: rgba (255, 0, 0, 0,3); /* Como valores RGBA (CSS 3) NOTA: 0 Date: Thu, 29 Oct 2015 23:17:09 -0200 Subject: [PATCH 082/286] English content removed The pt-br file had english content after translation. That content is now removed. --- pt-br/pogo-pt.html.markdown | 203 ------------------------------------ pt-br/sass-pt.html.markdown | 27 +---- 2 files changed, 1 insertion(+), 229 deletions(-) delete mode 100644 pt-br/pogo-pt.html.markdown diff --git a/pt-br/pogo-pt.html.markdown b/pt-br/pogo-pt.html.markdown deleted file mode 100644 index 80dcfcd5..00000000 --- a/pt-br/pogo-pt.html.markdown +++ /dev/null @@ -1,203 +0,0 @@ ---- -language: pogoscript -contributors: - - ["Tim Macfarlane", "http://github.com/refractalize"] -translators: - - ["Cássio Böck", "https://github.com/cassiobsilva"] -filename: learnPogo-pt-br.pogo -lang: pt-br ---- - -Pogoscript é uma linguagem de programação que possui tipos primitivos concorrents -e que compila para linguagem Javascript padrão. - -``` javascript -// definindo uma variável -water temperature = 24 - -// reatribuindo o valor de uma variável após a sua definição -water temperature := 26 - -// funções permitem que seus parâmetros sejam colocados em qualquer lugar -temperature at (a) altitude = 32 - a / 100 - -// funções longas são apenas indentadas -temperature at (a) altitude := - if (a < 0) - water temperature - else - 32 - a / 100 - -// declarando uma função -current temperature = temperature at 3200 altitude - -// essa função cria um novo objeto com métodos -position (x, y) = { - x = x - y = y - - distance from position (p) = - dx = self.x - p.x - dy = self.y - p.y - Math.sqrt (dx * dx + dy * dy) -} - -// `self` é similiar ao `this` do Javascript, com exceção de que `self` não -// é redefinido em cada nova função - -// declaração de métodos -position (7, 2).distance from position (position (5, 1)) - -// assim como no Javascript, objetos também são hashes -position.'x' == position.x == position.('x') - -// arrays -positions = [ - position (1, 1) - position (1, 2) - position (1, 3) -] - -// indexando um array -positions.0.y - -n = 2 -positions.(n).y - -// strings -poem = 'Tail turned to red sunset on a juniper crown a lone magpie cawks. - Mad at Oryoki in the shrine-room -- Thistles blossomed late afternoon. - Put on my shirt and took it off in the sun walking the path to lunch. - A dandelion seed floats above the marsh grass with the mosquitos. - At 4 A.M. the two middleaged men sleeping together holding hands. - In the half-light of dawn a few birds warble under the Pleiades. - Sky reddens behind fir trees, larks twitter, sparrows cheep cheep cheep - cheep cheep.' - -// texto de Allen Ginsburg - -// interpolação -outlook = 'amazing!' -console.log "the weather tomorrow is going to be #(outlook)" - -// expressões regulares -r/(\d+)m/i -r/(\d+) degrees/mg - -// operadores -true @and true -false @or true -@not false -2 < 4 -2 >= 2 -2 > 1 - -// os operadores padrão do Javascript também são suportados - -// definindo seu próprio operador -(p1) plus (p2) = - position (p1.x + p2.x, p1.y + p2.y) - -// `plus` pode ser usado com um operador -position (1, 1) @plus position (0, 2) -// ou como uma função -(position (1, 1)) plus (position (0, 2)) - -// retorno explícito -(x) times (y) = return (x * y) - -// new -now = @new Date () - -// funções podem receber argumentos opcionais -spark (position, color: 'black', velocity: {x = 0, y = 0}) = { - color = color - position = position - velocity = velocity -} - -red = spark (position 1 1, color: 'red') -fast black = spark (position 1 1, velocity: {x = 10, y = 0}) - -// funções também podem ser utilizadas para realizar o "unsplat" de argumentos -log (messages, ...) = - console.log (messages, ...) - -// blocos são funções passadas para outras funções. -// Este bloco recebe dois parâmetros, `spark` e `c`, -// o corpo do bloco é o código indentado após a declaração da função - -render each @(spark) into canvas context @(c) - ctx.begin path () - ctx.stroke style = spark.color - ctx.arc ( - spark.position.x + canvas.width / 2 - spark.position.y - 3 - 0 - Math.PI * 2 - ) - ctx.stroke () - -// chamadas assíncronas - -// O Javascript, tanto no navegador quanto no servidor (através do Node.js) -// realiza um uso massivo de funções assíncronas de E/S (entrada/saída) com -// chamadas de retorno (callbacks). A E/S assíncrona é ótima para a performance e -// torna a utilização da concorrência simples, porém pode rapidamente se tornar -// algo complicado. -// O Pogoscript possui algumas coisas que tornam o uso de E/S assíncrono muito -// mais fácil - -// O Node.js inclui o móduolo `fs` para acessar o sistema de arquivos. -// Vamos listar o conteúdo de um diretório - -fs = require 'fs' -directory listing = fs.readdir! '.' - -// `fs.readdir()` é uma função assíncrona, então nos a chamamos usando o -// operador `!`. O operador `!` permite que você chame funções assíncronas -// com a mesma sintaxe e a mesma semântica do que as demais funções síncronas. -// O Pogoscript reescreve a função para que todo código inserido após o -// operador seja inserido em uma função de callback para o `fs.readdir()`. - -// obtendo erros ao utilizar funções assíncronas - -try - another directory listing = fs.readdir! 'a-missing-dir' -catch (ex) - console.log (ex) - -// na verdade, se você não usar o `try catch`, o erro será passado para o -// `try catch` mais externo do evento, assim como é feito em exceções síncronas - -// todo o controle de estrutura também funciona com chamadas assíncronas -// aqui um exemplo de `if else` -config = - if (fs.stat! 'config.json'.is file ()) - JSON.parse (fs.read file! 'config.json' 'utf-8') - else - { - color: 'red' - } - -// para executar duas chamadas assíncronas de forma concorrente, use o -// operador `?`. -// O operador `?` retorna um *future*, que pode ser executado para -// aguardar o resultado, novamente utilizando o operador `!` - -// nós não esperamos nenhuma dessas chamadas serem concluídas -a = fs.stat? 'a.txt' -b = fs.stat? 'b.txt' - -// agora nos aguardamos o término das chamadas e escrevemos os resultados -console.log "size of a.txt is #(a!.size)" -console.log "size of b.txt is #(b!.size)" - -// no Pogoscript, futures são semelhantes a Promises -``` -E encerramos por aqui. - -Baixe o [Node.js](http://nodejs.org/) e execute `npm install pogo`. - -Há bastante documentação em [http://pogoscript.org/](http://pogoscript.org/), incluindo um material para [consulta rápida](http://pogoscript.org/cheatsheet.html), um [guia](http://pogoscript.org/guide/), e como o [Pogoscript é traduzido para o Javascript](http://featurist.github.io/pogo-examples/). Entre em contato através do [grupo do Google](http://groups.google.com/group/pogoscript) se você possui dúvidas! diff --git a/pt-br/sass-pt.html.markdown b/pt-br/sass-pt.html.markdown index 105896b2..3d91f1ca 100644 --- a/pt-br/sass-pt.html.markdown +++ b/pt-br/sass-pt.html.markdown @@ -6,6 +6,7 @@ contributors: - ["Sean Corrales", "https://github.com/droidenator"] translators: - ["Gabriel Gomes", "https://github.com/gabrielgomesferraz"] + - ["Cássio Böck", "https://github.com/cassiobsilva"] lang: pt-br --- @@ -155,16 +156,6 @@ body { background-color: rgba(0, 0, 0, 0.75); } -/* You may also define your own functions. Functions are very similar to - mixins. When trying to choose between a function or a mixin, remember - that mixins are best for generating CSS while functions are better for - logic that might be used throughout your Sass code. The examples in - the Math Operators' section are ideal candidates for becoming a reusable - function. */ - -/* This function will take a target size and the parent size and calculate - and return the percentage */ - /* Você também pode definir suas próprias funções. As funções são muito semelhantes aos    mixins. Ao tentar escolher entre uma função ou um mixin, lembre-    que mixins são os melhores para gerar CSS enquanto as funções são melhores para @@ -319,11 +310,6 @@ ol { padding: 0; } -/* Sass offers @import which can be used to import partials into a file. - This differs from the traditional CSS @import statement which makes - another HTTP request to fetch the imported file. Sass takes the - imported file and combines it with the compiled code. */ - /* Sass oferece @import que pode ser usado para importar parciais em um arquivo.    Isso difere da declaração CSS @import tradicional, que faz    outra solicitação HTTP para buscar o arquivo importado. Sass converte os @@ -354,12 +340,6 @@ body { ==============================*/ - -/* Placeholders are useful when creating a CSS statement to extend. If you - wanted to create a CSS statement that was exclusively used with @extend, - you can do so using a placeholder. Placeholders begin with a '%' instead - of '.' or '#'. Placeholders will not appear in the compiled CSS. */ - /* Os espaços reservados são úteis na criação de uma declaração CSS para ampliar. Se você    queria criar uma instrução CSS que foi usado exclusivamente com @extend,    Você pode fazer isso usando um espaço reservado. Espaços reservados começar com um '%' em vez @@ -396,11 +376,6 @@ body { ============================== * / -/* Sass provides the following operators: +, -, *, /, and %. These can - be useful for calculating values directly in your Sass files instead - of using values that you've already calculated by hand. Below is an example - of a setting up a simple two column design. */ - /* Sass fornece os seguintes operadores: +, -, *, /, e %. estes podem    ser úteis para calcular os valores diretamente no seu Sass arquivos em vez    de usar valores que você já calculados pela mão. Abaixo está um exemplo From 762af2de245ab665af0e4b1397acc960d25932f0 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?C=C3=A1ssio=20B=C3=B6ck?= Date: Thu, 29 Oct 2015 23:29:46 -0200 Subject: [PATCH 083/286] Fixing typos Fixing pt-br typos --- pt-br/c-pt.html.markdown | 71 ++++++------- pt-br/pogo-pt.html.markdown | 203 ------------------------------------ 2 files changed, 36 insertions(+), 238 deletions(-) delete mode 100644 pt-br/pogo-pt.html.markdown diff --git a/pt-br/c-pt.html.markdown b/pt-br/c-pt.html.markdown index 43688724..2c274f12 100644 --- a/pt-br/c-pt.html.markdown +++ b/pt-br/c-pt.html.markdown @@ -7,29 +7,30 @@ contributors: translators: - ["João Farias", "https://github.com/JoaoGFarias"] - ["Elton Viana", "https://github.com/eltonvs"] + - ["Cássio Böck", "https://github.com/cassiobsilva"] lang: pt-br filename: c-pt.el --- Ah, C. Ainda é **a** linguagem de computação de alta performance. -C é a liguangem de mais baixo nível que a maioria dos programadores -irão usar, e isso dá a ela uma grande velocidade bruta. Apenas fique -antento que este manual de gerenciamento de memória e C vai levanter-te -tão longe quanto você precisa. +C é a linguagem de mais baixo nível que a maioria dos programadores +utilizarão, e isso dá a ela uma grande velocidade bruta. Apenas fique +atento se este manual de gerenciamento de memória e C vai te levar +tão longe quanto precisa. ```c // Comentários de uma linha iniciam-se com // - apenas disponível a partir do C99 /* -Comentários de multiplas linhas se parecem com este. +Comentários de múltiplas linhas se parecem com este. Funcionam no C89 também. */ // Constantes: #define #definie DAY_IN_YEAR 365 -//enumarações também são modos de definir constantes. +//enumerações também são modos de definir constantes. enum day {DOM = 1, SEG, TER, QUA, QUI, SEX, SAB}; // SEG recebe 2 automaticamente, TER recebe 3, etc. @@ -54,13 +55,13 @@ int soma_dois_ints(int x1, int x2); // protótipo de função // O ponto de entrada do teu programa é uma função // chamada main, com tipo de retorno inteiro int main() { - // Usa-se printf para escrever na tela, + // Usa-se printf para escrever na tela, // para "saída formatada" // %d é um inteiro, \n é uma nova linha printf("%d\n", 0); // => Imprime 0 // Todos as declarações devem acabar com // ponto e vírgula - + /////////////////////////////////////// // Tipos /////////////////////////////////////// @@ -78,7 +79,7 @@ int main() { // longs tem entre 4 e 8 bytes; longs long tem garantia // de ter pelo menos 64 bits long x_long = 0; - long long x_long_long = 0; + long long x_long_long = 0; // floats são normalmente números de ponto flutuante // com 32 bits @@ -93,7 +94,7 @@ int main() { unsigned int ux_int; unsigned long long ux_long_long; - // caracteres dentro de aspas simples são inteiros + // caracteres dentro de aspas simples são inteiros // no conjunto de caracteres da máquina. '0' // => 48 na tabela ASCII. 'A' // => 65 na tabela ASCII. @@ -104,7 +105,7 @@ int main() { // Se o argumento do operador `sizeof` é uma expressão, então seus argumentos // não são avaliados (exceto em VLAs (veja abaixo)). - // O valor devolve, neste caso, é uma constante de tempo de compilação. + // O valor devolve, neste caso, é uma constante de tempo de compilação. int a = 1; // size_t é um inteiro sem sinal com pelo menos 2 bytes que representa // o tamanho de um objeto. @@ -120,7 +121,7 @@ int main() { // Você pode inicializar um array com 0 desta forma: char meu_array[20] = {0}; - // Indexar um array é semelhante a outras linguages + // Indexar um array é semelhante a outras linguagens // Melhor dizendo, outras linguagens são semelhantes a C meu_array[0]; // => 0 @@ -129,7 +130,7 @@ int main() { printf("%d\n", meu_array[1]); // => 2 // No C99 (e como uma features opcional em C11), arrays de tamanho variável - // VLA (do inglês), podem ser declarados também. O tamanho destes arrays + // VLA (do inglês), podem ser declarados também. O tamanho destes arrays // não precisam ser uma constante de tempo de compilação: printf("Entre o tamanho do array: "); // Pergunta ao usuário pelo tamanho char buf[0x100]; @@ -144,14 +145,14 @@ int main() { // > Entre o tamanho do array: 10 // > sizeof array = 40 - // String são apenas arrays de caracteres terminados por um + // String são apenas arrays de caracteres terminados por um // byte nulo (0x00), representado em string pelo caracter especial '\0'. // (Não precisamos incluir o byte nulo em literais de string; o compilador // o insere ao final do array para nós.) - char uma_string[20] = "Isto é uma string"; + char uma_string[20] = "Isto é uma string"; // Observe que 'é' não está na tabela ASCII // A string vai ser salva, mas a saída vai ser estranha - // Porém, comentários podem conter acentos + // Porém, comentários podem conter acentos printf("%s\n", uma_string); // %s formata a string printf("%d\n", uma_string[17]); // => 0 @@ -175,7 +176,7 @@ int main() { /////////////////////////////////////// // Atalho para multiplas declarações: - int i1 = 1, i2 = 2; + int i1 = 1, i2 = 2; float f1 = 1.0, f2 = 2.0; int a, b, c; @@ -206,7 +207,7 @@ int main() { 2 <= 2; // => 1 2 >= 2; // => 1 - // C não é Python - comparações não se encadeam. + // C não é Python - comparações não se encadeiam. int a = 1; // Errado: int entre_0_e_2 = 0 < a < 2; @@ -231,7 +232,7 @@ int main() { char *s = "iLoveC"; int j = 0; s[j++]; // => "i". Retorna o j-ésimo item de s E DEPOIS incrementa o valor de j. - j = 0; + j = 0; s[++j]; // => "L". Incrementa o valor de j. E DEPOIS retorna o j-ésimo item de s. // o mesmo com j-- e --j @@ -308,7 +309,7 @@ int main() { exit(-1); break; } - + /////////////////////////////////////// // Cast de tipos @@ -327,8 +328,8 @@ int main() { // Tipos irão ter overflow sem aviso printf("%d\n", (unsigned char) 257); // => 1 (Max char = 255 se char tem 8 bits) - // Para determinar o valor máximo de um `char`, de um `signed char` e de - // um `unisigned char`, respectivamente, use as macros CHAR_MAX, SCHAR_MAX + // Para determinar o valor máximo de um `char`, de um `signed char` e de + // um `unisigned char`, respectivamente, use as macros CHAR_MAX, SCHAR_MAX // e UCHAR_MAX de // Tipos inteiros podem sofrer cast para pontos-flutuantes e vice-versa. @@ -341,7 +342,7 @@ int main() { /////////////////////////////////////// // Um ponteiro é uma variável declarada para armazenar um endereço de memória. - // Seu declaração irá também dizer o tipo de dados para o qual ela aponta. Você + // Sua declaração irá também dizer o tipo de dados para o qual ela aponta. Você // Pode usar o endereço de memória de suas variáveis, então, brincar com eles. int x = 0; @@ -363,13 +364,13 @@ int main() { printf("%d\n", *px); // => Imprime 0, o valor de x // Você também pode mudar o valor que o ponteiro está apontando. - // Teremo que cercar a de-referência entre parenteses, pois + // Temos que cercar a de-referência entre parênteses, pois // ++ tem uma precedência maior que *. (*px)++; // Incrementa o valor que px está apontando por 1 printf("%d\n", *px); // => Imprime 1 printf("%d\n", x); // => Imprime 1 - // Arrays são um boa maneira de alocar um bloco contínuo de memória + // Arrays são uma boa maneira de alocar um bloco contínuo de memória int x_array[20]; // Declara um array de tamanho 20 (não pode-se mudar o tamanho int xx; for (xx = 0; xx < 20; xx++) { @@ -379,7 +380,7 @@ int main() { // Declara um ponteiro do tipo int e inicialize ele para apontar para x_array int* x_ptr = x_array; // x_ptr agora aponta para o primeiro elemento do array (o inteiro 20). - // Isto funciona porque arrays são apenas ponteiros para seu primeiros elementos. + // Isto funciona porque arrays são apenas ponteiros para seus primeiros elementos. // Por exemplo, quando um array é passado para uma função ou é atribuído a um // ponteiro, ele transforma-se (convertido implicitamente) em um ponteiro. // Exceções: quando o array é o argumento de um operador `&` (endereço-de): @@ -395,7 +396,7 @@ int main() { printf("%zu, %zu\n", sizeof arr, sizeof ptr); // provavelmente imprime "40, 4" ou "40, 8" // Ponteiros podem ser incrementados ou decrementados baseado no seu tipo - // (isto é chamado aritimética de ponteiros + // (isto é chamado aritmética de ponteiros printf("%d\n", *(x_ptr + 1)); // => Imprime 19 printf("%d\n", x_array[1]); // => Imprime 19 @@ -413,9 +414,9 @@ int main() { // "resultados imprevisíveis" - o programa é dito ter um "comportamento indefinido" printf("%d\n", *(my_ptr + 21)); // => Imprime quem-sabe-o-que? Talvez até quebre o programa. - // Quando termina-se de usar um bloco de memória alocado, você pode liberá-lo, + // Quando se termina de usar um bloco de memória alocado, você pode liberá-lo, // ou ninguém mais será capaz de usá-lo até o fim da execução - // (Isto cham-se "memory leak"): + // (Isto chama-se "memory leak"): free(my_ptr); // Strings são arrays de char, mas elas geralmente são representadas @@ -537,7 +538,7 @@ int area(retan r) return r.largura * r.altura; } -// Se você tiver structus grande, você pode passá-las "por ponteiro" +// Se você tiver structus grande, você pode passá-las "por ponteiro" // para evitar cópia de toda a struct: int area(const retan *r) { @@ -554,8 +555,8 @@ conhecidos. Ponteiros para funções são como qualquer outro ponteiro diretamente e passá-las para por toda parte. Entretanto, a sintaxe de definição por ser um pouco confusa. -Exemplo: use str_reverso através de um ponteiro -*/ +Exemplo: use str_reverso através de um ponteiro +*/ void str_reverso_através_ponteiro(char *str_entrada) { // Define uma variável de ponteiro para função, nomeada f. void (*f)(char *); //Assinatura deve ser exatamente igual à função alvo. @@ -575,7 +576,7 @@ typedef void (*minha_função_type)(char *); // Declarando o ponteiro: // ... -// minha_função_type f; +// minha_função_type f; //Caracteres especiais: '\a' // Alerta (sino) @@ -586,7 +587,7 @@ typedef void (*minha_função_type)(char *); '\r' // Retorno de carroça '\b' // Backspace '\0' // Caracter nulo. Geralmente colocado ao final de string em C. - // oi\n\0. \0 é usado por convenção para marcar o fim da string. + // oi\n\0. \0 é usado por convenção para marcar o fim da string. '\\' // Barra invertida '\?' // Interrogação '\'' // Aspas simples @@ -606,7 +607,7 @@ typedef void (*minha_função_type)(char *); "%p" // ponteiro "%x" // hexadecimal "%o" // octal -"%%" // imprime % +"%%" // imprime % /////////////////////////////////////// // Ordem de avaliação diff --git a/pt-br/pogo-pt.html.markdown b/pt-br/pogo-pt.html.markdown deleted file mode 100644 index 80dcfcd5..00000000 --- a/pt-br/pogo-pt.html.markdown +++ /dev/null @@ -1,203 +0,0 @@ ---- -language: pogoscript -contributors: - - ["Tim Macfarlane", "http://github.com/refractalize"] -translators: - - ["Cássio Böck", "https://github.com/cassiobsilva"] -filename: learnPogo-pt-br.pogo -lang: pt-br ---- - -Pogoscript é uma linguagem de programação que possui tipos primitivos concorrents -e que compila para linguagem Javascript padrão. - -``` javascript -// definindo uma variável -water temperature = 24 - -// reatribuindo o valor de uma variável após a sua definição -water temperature := 26 - -// funções permitem que seus parâmetros sejam colocados em qualquer lugar -temperature at (a) altitude = 32 - a / 100 - -// funções longas são apenas indentadas -temperature at (a) altitude := - if (a < 0) - water temperature - else - 32 - a / 100 - -// declarando uma função -current temperature = temperature at 3200 altitude - -// essa função cria um novo objeto com métodos -position (x, y) = { - x = x - y = y - - distance from position (p) = - dx = self.x - p.x - dy = self.y - p.y - Math.sqrt (dx * dx + dy * dy) -} - -// `self` é similiar ao `this` do Javascript, com exceção de que `self` não -// é redefinido em cada nova função - -// declaração de métodos -position (7, 2).distance from position (position (5, 1)) - -// assim como no Javascript, objetos também são hashes -position.'x' == position.x == position.('x') - -// arrays -positions = [ - position (1, 1) - position (1, 2) - position (1, 3) -] - -// indexando um array -positions.0.y - -n = 2 -positions.(n).y - -// strings -poem = 'Tail turned to red sunset on a juniper crown a lone magpie cawks. - Mad at Oryoki in the shrine-room -- Thistles blossomed late afternoon. - Put on my shirt and took it off in the sun walking the path to lunch. - A dandelion seed floats above the marsh grass with the mosquitos. - At 4 A.M. the two middleaged men sleeping together holding hands. - In the half-light of dawn a few birds warble under the Pleiades. - Sky reddens behind fir trees, larks twitter, sparrows cheep cheep cheep - cheep cheep.' - -// texto de Allen Ginsburg - -// interpolação -outlook = 'amazing!' -console.log "the weather tomorrow is going to be #(outlook)" - -// expressões regulares -r/(\d+)m/i -r/(\d+) degrees/mg - -// operadores -true @and true -false @or true -@not false -2 < 4 -2 >= 2 -2 > 1 - -// os operadores padrão do Javascript também são suportados - -// definindo seu próprio operador -(p1) plus (p2) = - position (p1.x + p2.x, p1.y + p2.y) - -// `plus` pode ser usado com um operador -position (1, 1) @plus position (0, 2) -// ou como uma função -(position (1, 1)) plus (position (0, 2)) - -// retorno explícito -(x) times (y) = return (x * y) - -// new -now = @new Date () - -// funções podem receber argumentos opcionais -spark (position, color: 'black', velocity: {x = 0, y = 0}) = { - color = color - position = position - velocity = velocity -} - -red = spark (position 1 1, color: 'red') -fast black = spark (position 1 1, velocity: {x = 10, y = 0}) - -// funções também podem ser utilizadas para realizar o "unsplat" de argumentos -log (messages, ...) = - console.log (messages, ...) - -// blocos são funções passadas para outras funções. -// Este bloco recebe dois parâmetros, `spark` e `c`, -// o corpo do bloco é o código indentado após a declaração da função - -render each @(spark) into canvas context @(c) - ctx.begin path () - ctx.stroke style = spark.color - ctx.arc ( - spark.position.x + canvas.width / 2 - spark.position.y - 3 - 0 - Math.PI * 2 - ) - ctx.stroke () - -// chamadas assíncronas - -// O Javascript, tanto no navegador quanto no servidor (através do Node.js) -// realiza um uso massivo de funções assíncronas de E/S (entrada/saída) com -// chamadas de retorno (callbacks). A E/S assíncrona é ótima para a performance e -// torna a utilização da concorrência simples, porém pode rapidamente se tornar -// algo complicado. -// O Pogoscript possui algumas coisas que tornam o uso de E/S assíncrono muito -// mais fácil - -// O Node.js inclui o móduolo `fs` para acessar o sistema de arquivos. -// Vamos listar o conteúdo de um diretório - -fs = require 'fs' -directory listing = fs.readdir! '.' - -// `fs.readdir()` é uma função assíncrona, então nos a chamamos usando o -// operador `!`. O operador `!` permite que você chame funções assíncronas -// com a mesma sintaxe e a mesma semântica do que as demais funções síncronas. -// O Pogoscript reescreve a função para que todo código inserido após o -// operador seja inserido em uma função de callback para o `fs.readdir()`. - -// obtendo erros ao utilizar funções assíncronas - -try - another directory listing = fs.readdir! 'a-missing-dir' -catch (ex) - console.log (ex) - -// na verdade, se você não usar o `try catch`, o erro será passado para o -// `try catch` mais externo do evento, assim como é feito em exceções síncronas - -// todo o controle de estrutura também funciona com chamadas assíncronas -// aqui um exemplo de `if else` -config = - if (fs.stat! 'config.json'.is file ()) - JSON.parse (fs.read file! 'config.json' 'utf-8') - else - { - color: 'red' - } - -// para executar duas chamadas assíncronas de forma concorrente, use o -// operador `?`. -// O operador `?` retorna um *future*, que pode ser executado para -// aguardar o resultado, novamente utilizando o operador `!` - -// nós não esperamos nenhuma dessas chamadas serem concluídas -a = fs.stat? 'a.txt' -b = fs.stat? 'b.txt' - -// agora nos aguardamos o término das chamadas e escrevemos os resultados -console.log "size of a.txt is #(a!.size)" -console.log "size of b.txt is #(b!.size)" - -// no Pogoscript, futures são semelhantes a Promises -``` -E encerramos por aqui. - -Baixe o [Node.js](http://nodejs.org/) e execute `npm install pogo`. - -Há bastante documentação em [http://pogoscript.org/](http://pogoscript.org/), incluindo um material para [consulta rápida](http://pogoscript.org/cheatsheet.html), um [guia](http://pogoscript.org/guide/), e como o [Pogoscript é traduzido para o Javascript](http://featurist.github.io/pogo-examples/). Entre em contato através do [grupo do Google](http://groups.google.com/group/pogoscript) se você possui dúvidas! From 76bf016f82133ecdb53e02975014d10a34fefce9 Mon Sep 17 00:00:00 2001 From: Victor Caldas Date: Fri, 30 Oct 2015 00:12:29 -0200 Subject: [PATCH 084/286] translating java to pt-br --- pt-br/java-pt.html.markdown | 213 ++++++++++++++++++++++++++++++++++++ 1 file changed, 213 insertions(+) diff --git a/pt-br/java-pt.html.markdown b/pt-br/java-pt.html.markdown index a884f273..3c9512aa 100644 --- a/pt-br/java-pt.html.markdown +++ b/pt-br/java-pt.html.markdown @@ -405,6 +405,219 @@ class Velocipede extends Bicicleta { } +// Interfaces +// Sintaxe de declaração de Interface +// Interface extends { +// // Constantes +// // Declarações de método +//} + +// Exemplo - Comida: +public interface Comestivel { + public void comer(); // Qualquer classe que implementa essa interface, deve +                        // Implementar este método. +} + +public interface Digestivel { + public void digerir(); +} + + +// Agora podemos criar uma classe que implementa ambas as interfaces. +public class Fruta implements Comestivel, Digestivel { + + @Override + public void comer() { + // ... + } + + @Override + public void digerir() { + // ... + } +} + +// Em Java, você pode estender somente uma classe, mas você pode implementar muitas +// Interfaces. Por exemplo: +public class ClasseExemplo extends ExemploClassePai implements InterfaceUm, + InterfaceDois { + + @Override + public void InterfaceUmMetodo() { + } + + @Override + public void InterfaceDoisMetodo() { + } + +} + +// Classes abstratas + +// Sintaxe de declaração de classe abstrata +// abstract extends { +// // Constantes e variáveis +// // Declarações de método +//} + +// Marcar uma classe como abstrata significa que ela contém métodos abstratos que devem +// ser definido em uma classe filha. Semelhante às interfaces, classes abstratas não podem +// ser instanciadas, ao invés disso devem ser extendidas e os métodos abstratos +// definidos. Diferente de interfaces, classes abstratas podem conter uma mistura de +// métodos concretos e abstratos. Métodos em uma interface não podem ter um corpo, +// a menos que o método seja estático, e as variáveis sejam finais, por padrão, ao contrário de um +// classe abstrata. Classes abstratas também PODEM ter o método "main". + +public abstract class Animal +{ + public abstract void fazerSom(); + + // Método pode ter um corpo + public void comer() + { + System.out.println("Eu sou um animal e estou comendo."); + //Nota: Nós podemos acessar variáveis privadas aqui. + idade = 30; + } + + // Não há necessidade de inicializar, no entanto, em uma interface +    // a variável é implicitamente final e, portanto, tem +    // de ser inicializado. + protected int idade; + + public void mostrarIdade() + { + System.out.println(idade); + } + + //Classes abstratas podem ter o método main. + public static void main(String[] args) + { + System.out.println("Eu sou abstrata"); + } +} + +class Cachorro extends Animal +{ + + // Nota: ainda precisamos substituir os métodos abstratos na +    // classe abstrata + @Override + public void fazerSom() + { + System.out.println("Bark"); + // idade = 30; ==> ERRO! idade é privada de Animal + } + + // NOTA: Você receberá um erro se usou a +    // anotação Override aqui, uma vez que java não permite +    // sobrescrita de métodos estáticos. +    // O que está acontecendo aqui é chamado de "esconder o método". +    // Vejá também este impressionante SO post: http://stackoverflow.com/questions/16313649/ + public static void main(String[] args) + { + Cachorro pluto = new Cachorro(); + pluto.fazerSom(); + pluto.comer(); + pluto.mostrarIdade(); + } +} + +// Classes Finais + +// Sintaxe de declaração de classe final +// final { +// // Constantes e variáveis +// // Declarações de método +//} + +// Classes finais são classes que não podem ser herdadas e são, portanto, um +// filha final. De certa forma, as classes finais são o oposto de classes abstratas +// Porque classes abstratas devem ser estendidas, mas as classes finais não pode ser +// estendidas. +public final class TigreDenteDeSabre extends Animal +{ + // Nota: Ainda precisamos substituir os métodos abstratos na +     // classe abstrata. + @Override + public void fazerSom(); + { + System.out.println("Roar"); + } +} + +// Métodos Finais +public abstract class Mamifero() +{ + // Sintaxe de Métodos Finais: + // final () + + // Métodos finais, como, classes finais não podem ser substituídas por uma classe filha, +    // e são, portanto, a implementação final do método. + public final boolean EImpulsivo() + { + return true; + } +} + + +// Tipo Enum +// +// Um tipo enum é um tipo de dado especial que permite a uma variável ser um conjunto de constantes predefinidas. A +// variável deve ser igual a um dos valores que foram previamente definidos para ela. +// Por serem constantes, os nomes dos campos de um tipo de enumeração estão em letras maiúsculas. +// Na linguagem de programação Java, você define um tipo de enumeração usando a palavra-chave enum. Por exemplo, você poderia +// especificar um tipo de enum dias-da-semana como: + +public enum Dia { + DOMINGO, SEGUNDA, TERÇA, QUARTA, + QUINTA, SEXTA, SABADO +} + +// Nós podemos usar nosso enum Dia assim: + +public class EnumTeste { + + // Variável Enum + Dia dia; + + public EnumTeste(Dia dia) { + this.dia = dia; + } + + public void digaComoE() { + switch (dia) { + case SEGUNDA: + System.out.println("Segundas são ruins."); + break; + + case SEXTA: + System.out.println("Sextas são melhores."); + break; + + case SABADO: + case DOMINGO: + System.out.println("Finais de semana são os melhores."); + break; + + default: + System.out.println("Dias no meio da semana são mais ou menos."); + break; + } + } + + public static void main(String[] args) { + EnumTeste primeiroDia = new EnumTeste(Dia.SEGUNDA); + primeiroDia.digaComoE(); // => Segundas-feiras são ruins. + EnumTeste terceiroDia = new EnumTeste(Dia.QUARTA); + terceiroDia.digaComoE(); // => Dias no meio da semana são mais ou menos. + } +} + +// Tipos Enum são muito mais poderosos do que nós mostramos acima. +// O corpo de um enum pode incluir métodos e outros campos. +// Você pode ver mais em https://docs.oracle.com/javase/tutorial/java/javaOO/enum.html + ``` ## Leitura Recomendada From bc91d2ce920c8e68cdc882cb6af2c15e7d54352e Mon Sep 17 00:00:00 2001 From: "Elizabeth \"Lizzie\" Siegle" Date: Fri, 30 Oct 2015 01:20:12 -0400 Subject: [PATCH 085/286] Update make.html.markdown --- make.html.markdown | 2 -- 1 file changed, 2 deletions(-) diff --git a/make.html.markdown b/make.html.markdown index 563139d1..e8cfd2b5 100644 --- a/make.html.markdown +++ b/make.html.markdown @@ -234,10 +234,8 @@ bar = 'hello' endif ``` - ### More Resources + [gnu make documentation](https://www.gnu.org/software/make/manual/) + [software carpentry tutorial](http://swcarpentry.github.io/make-novice/) + learn C the hard way [ex2](http://c.learncodethehardway.org/book/ex2.html) [ex28](http://c.learncodethehardway.org/book/ex28.html) - From 3c43328a899f7996b0edb593092906057330aa98 Mon Sep 17 00:00:00 2001 From: Nasgul Date: Fri, 30 Oct 2015 14:52:23 +0200 Subject: [PATCH 086/286] Delete unused double quote. Delete unused double quote. --- ru-ru/clojure-ru.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ru-ru/clojure-ru.html.markdown b/ru-ru/clojure-ru.html.markdown index 2f508a00..451da312 100644 --- a/ru-ru/clojure-ru.html.markdown +++ b/ru-ru/clojure-ru.html.markdown @@ -144,7 +144,7 @@ Clojure, это представитель семейства Lisp-подобн ;;;;;;;;;;;;;;;;;;;;; ; Функция создается специальной формой fn. -; "Тело"" функции может состоять из нескольких форм, +; "Тело" функции может состоять из нескольких форм, ; но результатом вызова функции всегда будет результат вычисления ; последней из них. (fn [] "Hello World") ; => fn From ec601c168aa50368822411d7487e81027388db53 Mon Sep 17 00:00:00 2001 From: Jake Faris Date: Fri, 30 Oct 2015 10:17:15 -0400 Subject: [PATCH 087/286] Adds combined comparison operator to Ruby --- ruby.html.markdown | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/ruby.html.markdown b/ruby.html.markdown index 998b4bf7..6114c14e 100644 --- a/ruby.html.markdown +++ b/ruby.html.markdown @@ -77,6 +77,11 @@ false.class #=> FalseClass 2 <= 2 #=> true 2 >= 2 #=> true +# Combined comparison operator +1 <=> 10 #=> -1 +10 <=> 1 #=> 1 +1 <=> 1 #=> 0 + # Logical operators true && false #=> false true || false #=> true From 33337d045d5af8155e9ef3418f6f766298977a15 Mon Sep 17 00:00:00 2001 From: Jake Faris Date: Fri, 30 Oct 2015 10:22:23 -0400 Subject: [PATCH 088/286] Adds bitwise operators (AND, OR, XOR) --- ruby.html.markdown | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/ruby.html.markdown b/ruby.html.markdown index 998b4bf7..f13b77ac 100644 --- a/ruby.html.markdown +++ b/ruby.html.markdown @@ -41,7 +41,11 @@ You shouldn't either 35 / 5 #=> 7 2**5 #=> 32 5 % 3 #=> 2 -5 ^ 6 #=> 3 + +# Bitwise operators +3 & 5 #=> 1 +3 | 5 #=> 7 +3 ^ 5 #=> 6 # Arithmetic is just syntactic sugar # for calling a method on an object From 71ee28e132fbbade39568fb2332b10e81c07f68a Mon Sep 17 00:00:00 2001 From: Jacob Ward Date: Fri, 30 Oct 2015 08:32:32 -0600 Subject: [PATCH 089/286] easier to read? --- markdown.html.markdown | 45 ++++++++++++++++++++++++++---------------- 1 file changed, 28 insertions(+), 17 deletions(-) diff --git a/markdown.html.markdown b/markdown.html.markdown index 2333110f..8b218473 100644 --- a/markdown.html.markdown +++ b/markdown.html.markdown @@ -2,45 +2,53 @@ language: markdown contributors: - ["Dan Turkel", "http://danturkel.com/"] + - ["Jacob Ward", "http://github.com/JacobCWard/"] filename: markdown.md --- + Markdown was created by John Gruber in 2004. It's meant to be an easy to read and write syntax which converts easily to HTML (and now many other formats as well). -Give me as much feedback as you want! / Feel free to fork and pull request! - - -```markdown - +element's contents. - +specific to a certain parser. - - +- [Headings](#headings) +- [Simple Text Styles](#simple-text-styles) + +## Headings + +You can create HTML elements `

` through `

` easily by prepending the +text you want to be in that element by a number of hashes (#). + +```markdown # This is an

## This is an

### This is an

#### This is an

##### This is an

###### This is an
+``` +Markdown also provides us with two alternative ways of indicating h1 and h2. - +```markdown This is an h1 ============= This is an h2 ------------- +``` +## Simple text styles - - +Text can be easily styled as italic or bold using markdown. +```markdown *This text is in italics.* _And so is this text._ @@ -50,10 +58,11 @@ __And so is this text.__ ***This text is in both.*** **_As is this!_** *__And this!__* +``` - - +In Github Flavored Markdown, which is used to render markdown files on +Github, we also have strikethrough: +```markdown ~~This text is rendered with strikethrough.~~ From 8aff0a65dc106f4718b8d5da27178757e4f41eba Mon Sep 17 00:00:00 2001 From: Anton Pastukhoff Date: Fri, 30 Oct 2015 20:10:22 +0500 Subject: [PATCH 090/286] Update d-ru.html.markdown --- ru-ru/d-ru.html.markdown | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/ru-ru/d-ru.html.markdown b/ru-ru/d-ru.html.markdown index 33bff3b7..cbd5b127 100644 --- a/ru-ru/d-ru.html.markdown +++ b/ru-ru/d-ru.html.markdown @@ -39,7 +39,7 @@ module app; import std.stdio; // можно импортировать только нужные части, не обязательно модуль целиком -import std.exception : assert; +import std.exception : enforce; // точка входа в программу — функция main, аналогично C/C++ void main() @@ -60,7 +60,7 @@ double с = 56.78; // тип с плавающей точкой (64 бита) комплексных чисел, могут быть беззнаковыми. В этом случае название типа начинается с префикса "u" */ -uint d = 10, ulong e = 11.12; +uint d = 10; ulong e = 11; bool b = true; // логический тип char d = 'd'; // UTF-символ, 8 бит. D поддерживает UTF "из коробки" wchar = 'é'; // символ UTF-16 @@ -146,7 +146,7 @@ x++; // 10 ++x; // 11 x *= 2; // 22 x /= 2; // 11 -x ^^ 2; // 121 (возведение в степень) +x = x ^^ 2; // 121 (возведение в степень) x ^^= 2; // 1331 (то же самое) string str1 = "Hello"; @@ -160,7 +160,7 @@ arr ~= 4; // [1, 2, 3, 4] - добавление элемента в конец /*** Логика и сравнения ***/ -int x = 0, int y = 1; +int x = 0; int y = 1; x == y; // false x > y; // false From 9a152c0490ba38e791ba1444d74dcf184d3c847e Mon Sep 17 00:00:00 2001 From: Jacob Ward Date: Fri, 30 Oct 2015 09:24:49 -0600 Subject: [PATCH 091/286] Revert "easier to read?" This reverts commit 71ee28e132fbbade39568fb2332b10e81c07f68a. --- markdown.html.markdown | 45 ++++++++++++++++-------------------------- 1 file changed, 17 insertions(+), 28 deletions(-) diff --git a/markdown.html.markdown b/markdown.html.markdown index 8b218473..2333110f 100644 --- a/markdown.html.markdown +++ b/markdown.html.markdown @@ -2,53 +2,45 @@ language: markdown contributors: - ["Dan Turkel", "http://danturkel.com/"] - - ["Jacob Ward", "http://github.com/JacobCWard/"] filename: markdown.md --- - Markdown was created by John Gruber in 2004. It's meant to be an easy to read and write syntax which converts easily to HTML (and now many other formats as well). -Markdown is a superset of HTML, so any HTML file is valid Markdown, that +Give me as much feedback as you want! / Feel free to fork and pull request! + + +```markdown + -Markdown also varies in implementation from one parser to a next. This + -- [Headings](#headings) -- [Simple Text Styles](#simple-text-styles) - -## Headings - -You can create HTML elements `

` through `

` easily by prepending the -text you want to be in that element by a number of hashes (#). - -```markdown + + # This is an

## This is an

### This is an

#### This is an

##### This is an

###### This is an
-``` -Markdown also provides us with two alternative ways of indicating h1 and h2. -```markdown + This is an h1 ============= This is an h2 ------------- -``` -## Simple text styles -Text can be easily styled as italic or bold using markdown. + + -```markdown *This text is in italics.* _And so is this text._ @@ -58,11 +50,10 @@ __And so is this text.__ ***This text is in both.*** **_As is this!_** *__And this!__* -``` -In Github Flavored Markdown, which is used to render markdown files on -Github, we also have strikethrough: -```markdown + + ~~This text is rendered with strikethrough.~~ From 5afca01bdfb7dab2e6086a63bb80444aae9831cb Mon Sep 17 00:00:00 2001 From: Liam Demafelix Date: Fri, 30 Oct 2015 23:26:49 +0800 Subject: [PATCH 092/286] [php/en] Line 159 - echo isn't a function, print() is Line 337 - unneeded semicolon (it's a pre-test loop) --- php.html.markdown | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/php.html.markdown b/php.html.markdown index 0504ced2..7b0cf61c 100644 --- a/php.html.markdown +++ b/php.html.markdown @@ -3,6 +3,7 @@ language: PHP contributors: - ["Malcolm Fell", "http://emarref.net/"] - ["Trismegiste", "https://github.com/Trismegiste"] + - [ Liam Demafelix , https://liamdemafelix.com/] filename: learnphp.php --- @@ -156,14 +157,13 @@ unset($array[3]); * Output */ -echo('Hello World!'); +echo 'Hello World!'; // Prints Hello World! to stdout. // Stdout is the web page if running in a browser. print('Hello World!'); // The same as echo -// echo and print are language constructs too, so you can drop the parentheses -echo 'Hello World!'; +// print is a language construct too, so you can drop the parentheses print 'Hello World!'; $paragraph = 'paragraph'; @@ -335,7 +335,7 @@ switch ($x) { $i = 0; while ($i < 5) { echo $i++; -}; // Prints "01234" +} // Prints "01234" echo "\n"; From 08b43e21f1a273d5ca471e0accdf46ba706a4cd5 Mon Sep 17 00:00:00 2001 From: Jacob Ward Date: Fri, 30 Oct 2015 09:32:51 -0600 Subject: [PATCH 093/286] Changed headers to headings MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Relabeled the section called “headers” to “headings” because a header is a specific tag separate from the h1-h6 ‘heading’ tags. --- markdown.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/markdown.html.markdown b/markdown.html.markdown index 2333110f..d5ed284b 100644 --- a/markdown.html.markdown +++ b/markdown.html.markdown @@ -21,7 +21,7 @@ element's contents. --> guide will attempt to clarify when features are universal or when they are specific to a certain parser. --> - + # This is an

From 55101d6ca7bd51b3b3c850ad51f24d7980a288d6 Mon Sep 17 00:00:00 2001 From: IvanEh Date: Fri, 30 Oct 2015 17:53:40 +0200 Subject: [PATCH 094/286] Add Ukrainian translation to javascript guide --- ua-ua/javascript-ua.html.markdown | 501 ++++++++++++++++++++++++++++++ 1 file changed, 501 insertions(+) create mode 100644 ua-ua/javascript-ua.html.markdown diff --git a/ua-ua/javascript-ua.html.markdown b/ua-ua/javascript-ua.html.markdown new file mode 100644 index 00000000..fedbf5ac --- /dev/null +++ b/ua-ua/javascript-ua.html.markdown @@ -0,0 +1,501 @@ +--- +language: javascript +contributors: + - ["Adam Brenecki", "http://adam.brenecki.id.au"] + - ["Ariel Krakowski", "http://www.learneroo.com"] +filename: javascript-ru.js +translators: + - ["Alexey Gonchar", "http://github.com/finico"] + - ["Andre Polykanine", "https://github.com/Oire"] +lang: ru-ru +--- + +JavaScript було створено в 1995 році Бренданом Айком, який працював у копаніх Netscape. +Він був задуманий як проста мова сценаріїв для веб-сайтів, який би доповнював Java +для більш складних веб-застосунків. Але тісна інтеграція з веб-сторінками і +вбудована підтримка браузерами призвела до того, що JavaScript став популярніший +за власне Java. + +Зараз JavaScript не обмежується тільки веб-браузеорм. Наприклад, Node.js, +програмна платформа, що дозволяє виконувати JavaScript код з використанням +рушія V8 від браузера Google Chrome, стає все більш і більш популярною. + +```js +// С-подібні коментарі. Однорядкові коментарі починаються з двох символів /(слеш) +/* а багаторядкові коментарі починаються з послідовності слеша та зірочки і + закінчуються символами зірочка-слеш */ + +Інструкції можуть закінчуватися крапкою з комою ; +doStuff(); + +// ... але не обов’язково, тому що крапка з комою автоматично вставляється на +// місці символу нового рядка, крім деяких випадків. +doStuff() + +// Ми завжди будемо використовувати крапку з комою в цьому посібнику, тому що ці +// винятки можуть призвести до неочікуваних результатів + +/////////////////////////////////// +// 1. Числа, Рядки і Оператори + +// В JavaScript числа зберігаються тільки в одному форматі (64-bit IEEE 754 double) +// Цей тип має 52-бітну мантису, якої достатньо для збереження чисел з +// точністю до 9✕10¹⁵. +3; // = 3 +1.5; // = 1.5 + +// Деякі прості арифметичні операції працють так, як ми очікуємо. +1 + 1; // = 2 +0.1 + 0.2; // = 0.30000000000000004 (а деякі - ні) +8 - 1; // = 7 +10 * 2; // = 20 +35 / 5; // = 7 + +// В тому числі ділення з остачою +5 / 2; // = 2.5 + +// В JavaScript є побітові операції; коли ви виконуєте таку операцію, +// число з плаваючою точкою переводиться в ціле зі знаком +// довжиною *до* 32 розрядів. +1 << 2; // = 4 + +// Пріоритет у виразах можна задати явно круглими дужками +(1 + 3) * 2; // = 8 + +// Є три спеціальні значення, які не є реальними числами: +Infinity; // "нескінченність", наприклад, як результат ділення на 0 +-Infinity; // "мінус нескінченність", як результат ділення від’ємного числа на 0 +NaN; // "не число", наприклад, ділення 0/0 + +// Логічні типи +true; +false; + +// Рядки створюються за допомогою подвійних та одинарних лапок +'абв'; +"Hello, world!"; + +// Для логічного заперечення використовується знак оклику. +!true; // = false +!false; // = true + +// Строга рівність === +1 === 1; // = true +2 === 1; // = false + +// Строга нерівність !== +1 !== 1; // = false +2 !== 1; // = true + +// Інші оператори порівняння +1 < 10; // = true +1 > 10; // = false +2 <= 2; // = true +2 >= 2; // = true + +// Рядки об’єднуються за допомогою оператор + +"hello, " + "world!"; // = "hello, world!" + +// І порівнюються за допомогою > і < +"a" < "b"; // = true + +// Перевірка на рівність з приведнням типів здійснюється оператором == +"5" == 5; // = true +null == undefined; // = true + +// ... але приведення не виконується при === +"5" === 5; // = false +null === undefined; // = false + +// ... приведення типів може призвести до дивних результатів +13 + !0; // 14 +"13" + !0; // '13true' + +// Можна отримати доступ до будь-якого символа рядка за допомгою charAt +"Это строка".charAt(0); // = 'Э' + +// ... або використати метод substring, щоб отримати більший кусок +"Hello, world".substring(0, 5); // = "Hello" + +// length - це не метод, а поле +"Hello".length; // = 5 + +// Типи null и undefined +null; // навмисна відсутність результату +undefined; // використовується для позначення відсутності присвоєного значення + +// false, null, undefined, NaN, 0 и "" — хиба; все інше - істина. +// Потрібно відмітити, що 0 — це зиба, а "0" — істина, не зважаючи на те що: +// 0 == "0". + +/////////////////////////////////// +// 2. Змінні, Масиви, Об’єкти + +// Змінні оголошуються за допомогою ключового слова var. JavaScript — мова з +// динамічною типізацією, тому не потрібно явно вказувати тип. Для присвоєння +// значення змінної використовується символ = +var someVar = 5; + +// якщо пропустити слово var, ви не отримаєте повідомлення про помилку, ... +someOtherVar = 10; + +// ... але ваша змінна буде створення в глобальному контексті, а не там, де +// ви її оголосили + +// Змінні, які оголошені без присвоєння, автоматично приймають значення undefined +var someThirdVar; // = undefined + +// У математичних операцій є скорочені форми: +someVar += 5; // як someVar = someVar + 5; +someVar *= 10; // тепер someVar = 100 + +// Інкремент і декремент +someVar++; // тепер someVar дорівнює 101 +someVar--; // а зараз 100 + +// Масиви — це нумеровані списку, які зберігають значення будь-якого типу. +var myArray = ["Hello", 45, true]; + +// Доступ до елементів можна отримати за допомогою синтаксиса з квадратними дужками +// Індексація починається з нуля +myArray[1]; // = 45 + +// Массивы можно изменять, как и их длину, +myArray.push("Мир"); +myArray.length; // = 4 + +// додавання і редагування елементів +myArray[3] = "Hello"; + +// Об’єкти в JavaScript сході на словники або асоціативні масиви в інших мовах +var myObj = {key1: "Hello", key2: "World"}; + +// Ключі - це рядки, але лапки не обов’язкі, якщо ключ задовольняє +// правилам формування назв змінних. Значення можуть бути будь-яких типів. +var myObj = {myKey: "myValue", "my other key": 4}; + +// Атрибути можна отримати використовуючи квадратні дужки +myObj["my other key"]; // = 4 + +// Або через точку, якщо ключ є правильним ідентифікатором +myObj.myKey; // = "myValue" + +// Об’єкти можна динамічно змінювати й додавати нові поля +myObj.myThirdKey = true; + +// Коли ви звертаєтесб до поля, яке не існує, ви отримуєте значення undefined +myObj.myFourthKey; // = undefined + +/////////////////////////////////// +// 3. Управляючі конструкції + +// Синтаксис для цього розділу майже такий самий, як у Java + +// Умовна конструкція +var count = 1; +if (count == 3) { + // виконується, якщо count дорівнює 3 +} else if (count == 4) { + // .. +} else { + // ... +} + +// ... цикл while. +while (true){ + // Нескінченний цикл! +} + +// Цикл do-while такий самий, як while, але завжди виконується принаймні один раз. +var input +do { + input = getInput(); +} while (!isValid(input)) + +// цикл for такий самий, кяк в C і Java: +// ініціалізація; умова; крок. +for (var i = 0; i < 5; i++) { + // виконається 5 разів +} + +// && — логічне І, || — логічне АБО +if (house.size == "big" && house.color == "blue") { + house.contains = "bear"; +} +if (color == "red" || color == "blue") { + // колір червоний або синій +} + +// && і || використовують скорочене обчислення +// тому їх можна використовувати для задання значень за замовчуванням. +var name = otherName || "default"; + +// Оператор switch виконує перевірку на рівність за допомогою === +// використовуйте break, щоб призупити виконання наступного case, +grade = 4; +switch (grade) { + case 5: + console.log("Відмінно"); + break; + case 4: + console.log("Добре"); + break; + case 3: + console.log("Можна краще"); + break; + default: + console.log("Погано!"); + break; +} + + +/////////////////////////////////// +// 4. Функції, область видимості і замикання + +// Функції в JavaScript оголошуються за допомогою ключового слова function. +function myFunction(thing) { + return thing.toUpperCase(); +} +myFunction("foo"); // = "FOO" + +// Зверність увагу, що значення яке буде повернено, повинно починатися на тому ж +// рядку, що і ключове слово return, інакше завжди буде повертатися значення undefined +// із-за автоматичної вставки крапки з комою +function myFunction() +{ + return // <- крапка з комою вставляється автоматично + { + thisIsAn: 'object literal' + } +} +myFunction(); // = undefined + +// В JavaScript функції - це об`єкти першого класу, тому вони можуть присвоюватися +// іншим змінним і передаватися іншим функціям, наприклад, щоб визначити обробник +// події. +function myFunction() { + // код буде виконано через 5 сек. +} +setTimeout(myFunction, 5000); +// setTimeout не є частиною мови, але реалізований в браузерах і Node.js + +// Функции не обязательно должны иметь имя при объявлении — вы можете написать +// анонимное определение функции непосредственно в аргументе другой функции. +// Функції не обов’язково мають мати ім’я при оголошенні — ви можете написати +// анонімну функцію прямо в якості аргумента іншої функції +setTimeout(function() { + // Цей код буде виконано через п’ять секунд +}, 5000); + +// В JavaScript реалізована концепція області видимості; функції мають свою +// область видимости, а інші блоки не мають +if (true) { + var i = 5; +} +i; // = 5, а не undefined, як це звичайно буває в інших мова + +// Така особливість призвела до шаблону "анонімних функцій, які викликають самих себе" +// що дозволяє уникнути проникнення змінних в глобальну область видимості +(function() { + var temporary = 5; + // об’єкт window зберігає глобальний контекст; таким чином ми можемо також додавати + // змінні до глобальної області + window.permanent = 10; +})(); +temporary; // повідомлення про помилку ReferenceError +permanent; // = 10 + +// Одной из самых мощных возможностей JavaScript являются замыкания. Если функция +// определена внутри другой функции, то внутренняя функция имеет доступ к +// переменным внешней функции даже после того, как контекст выполнения выйдет из +// внешней функции. +// Замикання - одна з найпотужніших інтрументів JavaScript. Якщо функція визначена +// всередині іншої функції, то внутрішня функція має доступ до змінних зовнішньої +// функції навіть після того, як код буде виконуватися поза контекстом зовнішньої функції +function sayHelloInFiveSeconds(name) { + var prompt = "Hello, " + name + "!"; + // Внутрішня функція зберігається в локальній області так, + // ніби функція була оголошена за допомогою ключового слова var + function inner() { + alert(prompt); + } + setTimeout(inner, 5000); + // setTimeout асинхронна, тому функція sayHelloInFiveSeconds зразу завершиться, + // після чого setTimeout викличе функцію inner. Але функція inner + // «замкнута» кругом sayHelloInFiveSeconds, вона все рівно має доступ до змінної prompt +} +sayHelloInFiveSeconds("Адам"); // Через 5 с відкриється вікно «Hello, Адам!» + +/////////////////////////////////// +// 5. Об’єкти: конструктори і прототипи + +// Об’єкти можуть містити функції +var myObj = { + myFunc: function() { + return "Hello, world!"; + } +}; +myObj.myFunc(); // = "Hello, world!" + +// Функції, що прикріплені до об’єктів мають доступ до поточного об’єкта за +// допомогою ключового слова this. +myObj = { + myString: "Hello, world!", + myFunc: function() { + return this.myString; + } +}; +myObj.myFunc(); // = "Hello, world!" + +// Значення this залежить від того, як функція викликається +// а не від того, де вона визначена. Таким чином наша функція не працює, якщо +// вона викликана не в контексті об’єкта +var myFunc = myObj.myFunc; +myFunc(); // = undefined + +// Функція може бути присвоєна іншому об’єкту. Тоді вона матиме доступ до +// цього об’єкта через this +var myOtherFunc = function() { +} +myObj.myOtherFunc = myOtherFunc; +myObj.myOtherFunc(); // = "HELLO, WORLD!" + +// Контекст виконання функції можна задати за допомогою сall або apply +var anotherFunc = function(s) { + return this.myString + s; +} +anotherFunc.call(myObj, " Hello!"); // = "Hello, world! Hello!" + +// Функцiя apply приймає в якості аргументу масив +anotherFunc.apply(myObj, [" Hello!"]); // = "Hello, world! Hello!" + +// apply можна використати, коли функція працює послідовністю аргументів, а +// ви хочете передати масив +Math.min(42, 6, 27); // = 6 +Math.min([42, 6, 27]); // = NaN (Ой-ой!) +Math.min.apply(Math, [42, 6, 27]); // = 6 + +// Але call і apply — тимчасові. Коли ми хочемо зв’язати функцію і об’єкт +// використовують bind +var boundFunc = anotherFunc.bind(myObj); +boundFunc(" Hello!"); // = "Hello world, Hello!" + +// Bind можна використати для задання аргументів +var product = function(a, b) { return a * b; } +var doubler = product.bind(this, 2); +doubler(8); // = 16 + +// Коли ви викликаєте функцію за допомогою ключового слова new, створюється новий об’єкт, +// доступний функції за допомогою this. Такі функції називають конструкторами. +var MyConstructor = function() { + this.myNumber = 5; +} +myNewObj = new MyConstructor(); // = {myNumber: 5} +myNewObj.myNumber; // = 5 + +// У кожного об’єкта є прототип. Коли ви звертаєтесь до поля, яке не існує в цьому +// об’єктів, інтерпретатор буде шукати поле в прототипі + +// Деякі реалізації мови дозволяють отримати доступ до прототипа об’єкта через +// "магічну" властивість __proto__. Це поле не є частиною стандарта, але існують +// стандартні способи використання прототипів, які ми побачимо пізніше +var myObj = { + myString: "Hello, world!" +}; +var myPrototype = { + meaningOfLife: 42, + myFunc: function() { + return this.myString.toLowerCase() + } +}; + +myObj.__proto__ = myPrototype; +myObj.meaningOfLife; // = 42 + +// Аналогічно для функцій +myObj.myFunc(); // = "Hello, world!" + +// Якщо інтерпретатор не знайде властивість в прототипі, то він продвжить пошук +// в прототипі прототипа і так далі +myPrototype.__proto__ = { + myBoolean: true +}; +myObj.myBoolean; // = true + +// Кожег об’єкт зберігає посилання на свій прототип. Це значить, що ми можемо змінити +// наш прототип, і наші зміни будуть всюди відображені. +myPrototype.meaningOfLife = 43; +myObj.meaningOfLife; // = 43 + +// Ми сказали, що властивість __proto__ нестандартне, і нема ніякого стандартного способу +// змінити прототип об’єкта, що вже існує. Але є два способи створити новий об’єкт зі заданим +// прототипом + +// Перший спосіб — це Object.create, який з’явився JavaScript недавно, +// а тому в деяких реалізаціях може бути не доступним. +var myObj = Object.create(myPrototype); +myObj.meaningOfLife; // = 43 + +// Другий спосіб: у конструкторів є властивість з іменем prototype. Це *не* +// прототип функції-конструктора, це прототип для нових об’єктів, які будуть створені +// цим конструктором і ключового слова new. +MyConstructor.prototype = { + myNumber: 5, + getMyNumber: function() { + return this.myNumber; + } +}; +var myNewObj2 = new MyConstructor(); +myNewObj2.getMyNumber(); // = 5 +myNewObj2.myNumber = 6 +myNewObj2.getMyNumber(); // = 6 + +// У вбудованих типів(рядок, число) теж є конструктори, які створють еквівалентні +// об’єкти-обгортки +var myNumber = 12; +var myNumberObj = new Number(12); +myNumber == myNumberObj; // = true + +// Але вони не ідентичні +typeof myNumber; // = 'number' +typeof myNumberObj; // = 'object' +myNumber === myNumberObj; // = false +if (0) { + // Этот код не выполнится, потому что 0 - это ложь. +} + +// Об’єкти-обгортки і вбудовані типи мають спільні прототипи, тому +// ви можете розширити функціонал рядків: +String.prototype.firstCharacter = function() { + return this.charAt(0); +} +"abc".firstCharacter(); // = "a" + +// Такий прийом часто використовуються в поліфілах, які реалізують нові можливості +// JavaScript в старій реалізації мови, так що вони можуть бути використані в старих +// середовищах + +// Наприклад, Object.create доступний не у всіх реалізація, но ми можемо +// використати функції за допомогою наступного поліфіла: +if (Object.create === undefined) { // не перезаписываем метод, если он существует + Object.create = function(proto) { + // Створюємо правильний конструктор з правильним прототипом + var Constructor = function(){}; + Constructor.prototype = proto; + + return new Constructor(); + } +} +``` + +## Що почитати + +[1]: https://developer.mozilla.org/en-US/docs/Web/JavaScript +[2]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/A_re-introduction_to_JavaScript +[3]: https://developer.mozilla.org/en-US/docs/Using_the_W3C_DOM_Level_1_Core +[4]: http://www.learneroo.com/modules/64/nodes/350 +[5]: http://bonsaiden.github.io/JavaScript-Garden/ +[6]: http://www.amazon.com/gp/product/0596805527/ +[7]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/A_re-introduction_to_JavaScript +[8]: http://eloquentjavascript.net/ +[9]: http://jstherightway.org/ From a4842767094537dfee57698edc3bcc2b74f1ecee Mon Sep 17 00:00:00 2001 From: Andrew Date: Fri, 30 Oct 2015 19:58:33 +0000 Subject: [PATCH 095/286] Adds documentation for revert command Also mentions graph flag for the log command --- git.html.markdown | 14 ++++++++++++++ 1 file changed, 14 insertions(+) diff --git a/git.html.markdown b/git.html.markdown index bedc9853..e7ca07d6 100644 --- a/git.html.markdown +++ b/git.html.markdown @@ -6,6 +6,7 @@ contributors: - ["Leo Rudberg" , "http://github.com/LOZORD"] - ["Betsy Lorton" , "http://github.com/schbetsy"] - ["Bruno Volcov", "http://github.com/volcov"] + - ["Andrew Taylor", "http://github.com/andrewjt71"] filename: LearnGit.txt --- @@ -333,6 +334,9 @@ $ git log --oneline # Show merge commits only $ git log --merges + +# Show all commits represented by an ASCII graph +$ git log --graph ``` ### merge @@ -499,6 +503,16 @@ $ git reset 31f2bb1 # after the specified commit). $ git reset --hard 31f2bb1 ``` +### revert + +Revert can be used to undo a commit. It should not be confused with reset which restores +the state of a project to a previous point. Revert will add a new commit which is the +inverse of the specified commit, thus reverting it. + +```bash +# Revert a specified commit +$ git revert +``` ### rm From 9530122a1c956a25adb71bfd9cc1c516ff67d2f3 Mon Sep 17 00:00:00 2001 From: Fernando Valverde Date: Fri, 30 Oct 2015 22:43:44 +0100 Subject: [PATCH 096/286] Include MARK style and two collection declarations Added MARK with separator and a couple of mutable explicit declarations of empty Array/Dictionary --- swift.html.markdown | 3 +++ 1 file changed, 3 insertions(+) diff --git a/swift.html.markdown b/swift.html.markdown index f451288d..1ca81bc2 100644 --- a/swift.html.markdown +++ b/swift.html.markdown @@ -25,6 +25,7 @@ import UIKit // Xcode supports landmarks to annotate your code and lists them in the jump bar // MARK: Section mark +// MARK: - Section mark with a separator line // TODO: Do something soon // FIXME: Fix this code @@ -128,6 +129,7 @@ shoppingList[1] = "bottle of water" let emptyArray = [String]() // let == immutable let emptyArray2 = Array() // same as above var emptyMutableArray = [String]() // var == mutable +var explicitEmptyMutableStringArray: [String] = [] // same as above // Dictionary @@ -139,6 +141,7 @@ occupations["Jayne"] = "Public Relations" let emptyDictionary = [String: Float]() // let == immutable let emptyDictionary2 = Dictionary() // same as above var emptyMutableDictionary = [String: Float]() // var == mutable +var explicitEmptyMutableDictionary: [String: Float] = [:] // same as above // From 0717fcfdc774a877020b9d194dc40924aa5dd528 Mon Sep 17 00:00:00 2001 From: Fernando Valverde Date: Fri, 30 Oct 2015 22:57:55 +0100 Subject: [PATCH 097/286] Added pragma mark information `#pragma mark` is very useful and widely recommended to "abuse" it for method/variable grouping since it improves readability. --- objective-c.html.markdown | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/objective-c.html.markdown b/objective-c.html.markdown index f130ea0c..36b4f3e9 100644 --- a/objective-c.html.markdown +++ b/objective-c.html.markdown @@ -20,6 +20,10 @@ It is a general-purpose, object-oriented programming language that adds Smalltal Multi-line comments look like this */ +// XCode supports pragma mark directive that improve jump bar readability +#pragma mark Navigation Functions // New tag on jump bar named 'Navigation Functions' +#pragma mark - Navigation Functions // Same tag, now with a separator + // Imports the Foundation headers with #import // Use <> to import global files (in general frameworks) // Use "" to import local files (from project) From ee835c28a942c85c5c32d24dde35239a8d07e7e2 Mon Sep 17 00:00:00 2001 From: Aybuke Ozdemir Date: Sat, 31 Oct 2015 00:49:23 +0200 Subject: [PATCH 098/286] the comments were translated into Turkish --- tr-tr/c-tr.html.markdown | 34 +++++++++++++++++----------------- 1 file changed, 17 insertions(+), 17 deletions(-) diff --git a/tr-tr/c-tr.html.markdown b/tr-tr/c-tr.html.markdown index 128901de..2d4240ed 100644 --- a/tr-tr/c-tr.html.markdown +++ b/tr-tr/c-tr.html.markdown @@ -91,9 +91,9 @@ int main() { // Örneğin, printf("%lu\n", sizeof(int)); // => 4 (bir çok makinede 4-byte words) - // If the argument of the `sizeof` operator an expression, then its argument - // is not evaluated (except VLAs (see below)). - // The value it yields in this case is a compile-time constant. + // Eger arguman düzenli ifae olan sizeof operatoru ise degerlendirilmez. + // VLAs hariç asagiya bakiniz). + // Bu durumda verimliligin degeri derleme-zamani sabitidir. int a = 1; // size_t bir objeyi temsil etmek için kullanılan 2 byte uzunluğundaki bir @@ -101,7 +101,7 @@ int main() { size_t size = sizeof(a++); // a++ is not evaluated printf("sizeof(a++) = %zu where a = %d\n", size, a); - // prints "sizeof(a++) = 4 where a = 1" (on a 32-bit architecture) + // yazdirilan "sizeof(a++) = 4 where a = 1" (32-bit mimaride) // Diziler somut bir boyut ile oluşturulmalıdır. char my_char_array[20]; // Bu dizi 1 * 20 = 20 byte alan kaplar @@ -119,19 +119,19 @@ int main() { my_array[1] = 2; printf("%d\n", my_array[1]); // => 2 - // In C99 (and as an optional feature in C11), variable-length arrays (VLAs) - // can be declared as well. The size of such an array need not be a compile - // time constant: - printf("Enter the array size: "); // ask the user for an array size + // C99'da (ve C11 istege bagli bir ozellik olarak), değidken-uzunluklu diziler (VLAs) bildirilebilirler. + // Böyle bir dizinin boyuunu derlenmesi gerekmez + // zaman sabiti: + printf("Enter the array size: "); // dizi boyutu kullaniciya soruluyor char buf[0x100]; fgets(buf, sizeof buf, stdin); - // strtoul parses a string to an unsigned integer + // strtoul isaretsiz integerlar icin string ayiricisidir. size_t size = strtoul(buf, NULL, 10); int var_length_array[size]; // declare the VLA printf("sizeof array = %zu\n", sizeof var_length_array); - // A possible outcome of this program may be: + // Bu programın olası bir sonucu olabilir: // > Enter the array size: 10 // > sizeof array = 40 @@ -151,8 +151,8 @@ int main() { printf("%d\n", a_string[16]); // => 0 // i.e., byte #17 is 0 (as are 18, 19, and 20) - // If we have characters between single quotes, that's a character literal. - // It's of type `int`, and *not* `char` (for historical reasons). + // Tek tirnak arasinda karakterlere sahipsek, bu karakterler degismezdir. + // Tip `int` ise, `char` *degildir* (tarihsel sebeplerle). int cha = 'a'; // fine char chb = 'a'; // fine too (implicit conversion from int to char) @@ -201,10 +201,10 @@ int main() { 0x01 << 1; // => 0x02 (bitwise left shift (by 1)) 0x02 >> 1; // => 0x01 (bitwise right shift (by 1)) - // Be careful when shifting signed integers - the following are undefined: - // - shifting into the sign bit of a signed integer (int a = 1 << 32) - // - left-shifting a negative number (int a = -1 << 2) - // - shifting by an offset which is >= the width of the type of the LHS: + // Isaretli sayilari kaydirirken dikkatli olun - tanimsizlar sunlardir: + // - isaretli sayinin isaret bitinde yapilan kaydirma (int a = 1 << 32) + // - negatif sayilarda sol kaydirma (int a = -1 << 2) + // - LHS tipinde >= ile olan ofset genisletmelerde yapilan kaydirma: // int a = 1 << 32; // UB if int is 32 bits wide /////////////////////////////////////// @@ -485,4 +485,4 @@ Readable code is better than clever code and fast code. For a good, sane coding Diğer taraftan google sizin için bir arkadaş olabilir. -[1] http://stackoverflow.com/questions/119123/why-isnt-sizeof-for-a-struct-equal-to-the-sum-of-sizeof-of-each-member \ No newline at end of file +[1] http://stackoverflow.com/questions/119123/why-isnt-sizeof-for-a-struct-equal-to-the-sum-of-sizeof-of-each-member From 77a16fc34b056843b0fda4c29547b8f575c72823 Mon Sep 17 00:00:00 2001 From: Francisco Marques Date: Fri, 30 Oct 2015 23:41:21 +0000 Subject: [PATCH 099/286] Fixed sentences that didn't make sense (at all) --- pt-br/json-pt.html.markdown | 7 +++---- 1 file changed, 3 insertions(+), 4 deletions(-) diff --git a/pt-br/json-pt.html.markdown b/pt-br/json-pt.html.markdown index e4f10a61..d4eed0c1 100644 --- a/pt-br/json-pt.html.markdown +++ b/pt-br/json-pt.html.markdown @@ -3,6 +3,7 @@ language: json contributors: - ["Anna Harren", "https://github.com/iirelu"] - ["Marco Scannadinari", "https://github.com/marcoms"] + - ["Francisco Marques", "https://github.com/ToFran"] translators: - ["Miguel Araújo", "https://github.com/miguelarauj1o"] lang: pt-br @@ -12,10 +13,8 @@ filename: learnjson-pt.json Como JSON é um formato de intercâmbio de dados, este será, muito provavelmente, o "Learn X in Y minutes" mais simples existente. -JSON na sua forma mais pura não tem comentários em reais, mas a maioria dos analisadores -aceitarão comentários no estilo C (//, /\* \*/). Para os fins do presente, no entanto, -tudo o que é vai ser 100% JSON válido. Felizmente, isso meio que fala por si. - +JSON na sua forma mais pura não tem comentários, mas a maioria dos analisadores +aceitarão comentários no estilo C (//, /\* \*/). No entanto estes devem ser evitados para otimizar a compatibilidade. ```json { From 5de94e16901270de8d584b022d8e9557bba8adc1 Mon Sep 17 00:00:00 2001 From: Francisco Marques Date: Fri, 30 Oct 2015 23:45:00 +0000 Subject: [PATCH 100/286] Added more info. As I'm already editing this, added more detail (translated from the en version). --- pt-br/json-pt.html.markdown | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/pt-br/json-pt.html.markdown b/pt-br/json-pt.html.markdown index d4eed0c1..f57cd383 100644 --- a/pt-br/json-pt.html.markdown +++ b/pt-br/json-pt.html.markdown @@ -16,6 +16,14 @@ Como JSON é um formato de intercâmbio de dados, este será, muito provavelment JSON na sua forma mais pura não tem comentários, mas a maioria dos analisadores aceitarão comentários no estilo C (//, /\* \*/). No entanto estes devem ser evitados para otimizar a compatibilidade. +Um valor JSON pode ser um numero, uma string, um array, um objeto, um booleano (true, false) ou null. + +Os browsers suportados são: Firefox 3.5+, Internet Explorer 8.0+, Chrome 1.0+, Opera 10.0+, e Safari 4.0+. + +A extensão dos ficheiros JSON é “.json” e o tipo de mídia de Internet (MIME) é “application/json”. + +Mais informação em: http://www.json.org/ + ```json { "chave": "valor", From 3b9de3c441d583242a7229ce534a446945b8085a Mon Sep 17 00:00:00 2001 From: Francisco Marques Date: Fri, 30 Oct 2015 23:47:10 +0000 Subject: [PATCH 101/286] Removed dot from the last line. There was a misplaced dot (".") in the last line of the example. --- pt-br/json-pt.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/pt-br/json-pt.html.markdown b/pt-br/json-pt.html.markdown index f57cd383..fd822c03 100644 --- a/pt-br/json-pt.html.markdown +++ b/pt-br/json-pt.html.markdown @@ -64,6 +64,6 @@ Mais informação em: http://www.json.org/ , "outro comentário": "que bom" }, - "que foi curto": "E, você está feito. Você já sabe tudo que JSON tem para oferecer.". + "que foi curto": "E, você está feito. Você já sabe tudo que JSON tem para oferecer." } ``` From c042b7c45e14fa1737a74673c1858c41dd8b9f4f Mon Sep 17 00:00:00 2001 From: Kevin Morris Date: Fri, 30 Oct 2015 20:15:06 -0400 Subject: [PATCH 102/286] [coldfusion/en] Adds information about CFScript and documentation --- coldfusion.html.markdown | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/coldfusion.html.markdown b/coldfusion.html.markdown index 70804a1e..d49ad254 100644 --- a/coldfusion.html.markdown +++ b/coldfusion.html.markdown @@ -3,13 +3,17 @@ language: coldfusion filename: learncoldfusion.cfm contributors: - ["Wayne Boka", "http://wboka.github.io"] + - ["Kevin Morris", "https://twitter.com/kevinmorris"] --- ColdFusion is a scripting language for web development. [Read more here.](http://www.adobe.com/products/coldfusion-family.html) -```html +### CFML +_**C**old**F**usion **M**arkup **L**anguage_ +ColdFusion started as a tag-based language. Almost all functionality is available using tags. +```html HTML tags have been provided for output readability " ---> @@ -314,8 +318,13 @@ ColdFusion is a scripting language for web development.

#getWorld()#

``` +### CFScript +_**C**old**F**usion **S**cript_ +In recent years, the ColdFusion language has added script syntax to mirror tag functionality. When using an up-to-date CF server, almost all functionality is available using scrypt syntax. + ## Further Reading The links provided here below are just to get an understanding of the topic, feel free to Google and find specific examples. 1. [Coldfusion Reference From Adobe](https://helpx.adobe.com/coldfusion/cfml-reference/topics.html) +2. [Open Source Documentation](http://cfdocs.org/) From 93d3ab4578cd7c6e27f4d2b9468179528d326a22 Mon Sep 17 00:00:00 2001 From: Liam Demafelix Date: Sat, 31 Oct 2015 08:26:09 +0800 Subject: [PATCH 103/286] [vb/en] Additional note for select statements --- visualbasic.html.markdown | 3 +++ 1 file changed, 3 insertions(+) diff --git a/visualbasic.html.markdown b/visualbasic.html.markdown index bdfdcc10..accdbf56 100644 --- a/visualbasic.html.markdown +++ b/visualbasic.html.markdown @@ -32,6 +32,9 @@ Module Module1 Console.WriteLine("50. About") Console.WriteLine("Please Choose A Number From The Above List") Dim selection As String = Console.ReadLine + ' The "Case" in the Select statement is optional. + ' For example, "Select selection" instead of "Select Case selection" + ' will also work. Select Case selection Case "1" 'HelloWorld Output Console.Clear() 'Clears the application and opens the private sub From a72017573d893b9c0b17e7342dbe39630ba4a5d0 Mon Sep 17 00:00:00 2001 From: bureken Date: Sat, 31 Oct 2015 03:33:13 +0300 Subject: [PATCH 104/286] Typo fix --- edn.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/edn.html.markdown b/edn.html.markdown index 655c20f1..0a0dc9b5 100644 --- a/edn.html.markdown +++ b/edn.html.markdown @@ -16,7 +16,7 @@ will see how it is extended later on. ```Clojure ; Comments start with a semicolon. -; Anythng after the semicolon is ignored. +; Anything after the semicolon is ignored. ;;;;;;;;;;;;;;;;;;; ;;; Basic Types ;;; From b2b274df08f65a62f5f4c65701b043a69bd77964 Mon Sep 17 00:00:00 2001 From: bureken Date: Sat, 31 Oct 2015 04:00:03 +0300 Subject: [PATCH 105/286] Turkish typo fix --- tr-tr/brainfuck-tr.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tr-tr/brainfuck-tr.html.markdown b/tr-tr/brainfuck-tr.html.markdown index baca4217..bd842b17 100644 --- a/tr-tr/brainfuck-tr.html.markdown +++ b/tr-tr/brainfuck-tr.html.markdown @@ -19,7 +19,7 @@ gözardı edilir. Brainfuck 30,000 hücresi olan ve ilk değerleri sıfır olarak atanmış bir dizidir. İşaretçi ilk hücreyi işaret eder. -Sekik komut vardır: +Sekiz komut vardır: + : Geçerli hücrenin değerini bir artırır. - : Geçerli hücrenin değerini bir azaltır. > : Veri işaretçisini bir sonraki hücreye hareket ettirir(sağdaki hücreye). From d30215bfaf2420bd974eabbd561699ea664df259 Mon Sep 17 00:00:00 2001 From: Gordon Senesac Jr Date: Fri, 30 Oct 2015 20:21:30 -0500 Subject: [PATCH 106/286] Added a couple functions to the matlab doc. --- matlab.html.markdown | 18 +++++++++++++++++- 1 file changed, 17 insertions(+), 1 deletion(-) diff --git a/matlab.html.markdown b/matlab.html.markdown index ad42d9a9..9d78978e 100644 --- a/matlab.html.markdown +++ b/matlab.html.markdown @@ -123,6 +123,7 @@ x(2:end) % ans = 32 53 7 1 x = [4; 32; 53; 7; 1] % Column vector x = [1:10] % x = 1 2 3 4 5 6 7 8 9 10 +x = [1:2:10] % Increment by 2, i.e. x = 1 3 5 7 9 % Matrices A = [1 2 3; 4 5 6; 7 8 9] @@ -205,6 +206,8 @@ transpose(A) % Transpose the matrix, which is the same as: A one ctranspose(A) % Hermitian transpose the matrix % (the transpose, followed by taking complex conjugate of each element) +A' % Concise version of complex transpose +A.' % Concise version of transpose (without taking complex conjugate) @@ -254,6 +257,8 @@ axis equal % Set aspect ratio so data units are the same in every direction scatter(x, y); % Scatter-plot hist(x); % Histogram +stem(x); % Plot values as stems, useful for displaying discrete data +bar(x); % Plot bar graph z = sin(x); plot3(x,y,z); % 3D line plot @@ -400,7 +405,7 @@ exp(x) sqrt(x) log(x) log10(x) -abs(x) +abs(x) %If x is complex, returns magnitude min(x) max(x) ceil(x) @@ -411,6 +416,14 @@ rand % Uniformly distributed pseudorandom numbers randi % Uniformly distributed pseudorandom integers randn % Normally distributed pseudorandom numbers +%Complex math operations +abs(x) % Magnitude of complex variable x +phase(x) % Phase (or angle) of complex variable x +real(x) % Returns the real part of x (i.e returns a if x = a +jb) +imag(x) % Returns the imaginary part of x (i.e returns b if x = a+jb) +conj(x) % Returns the complex conjugate + + % Common constants pi NaN @@ -465,6 +478,9 @@ median % median value mean % mean value std % standard deviation perms(x) % list all permutations of elements of x +find(x) % Finds all non-zero elements of x and returns their indexes, can use comparison operators, + % i.e. find( x == 3 ) returns indexes of elements that are equal to 3 + % i.e. find( x >= 3 ) returns indexes of elements greater than or equal to 3 % Classes From 4508ee45d8924ee7b17ec1fa856f4e273c1ca5c1 Mon Sep 17 00:00:00 2001 From: Ben Pious Date: Fri, 30 Oct 2015 21:40:19 -0700 Subject: [PATCH 107/286] Adds description of how to define generic classes in Xcode 7.0 --- objective-c.html.markdown | 46 +++++++++++++++++++++++++++++++++++++++ 1 file changed, 46 insertions(+) diff --git a/objective-c.html.markdown b/objective-c.html.markdown index f130ea0c..05bb5c6a 100644 --- a/objective-c.html.markdown +++ b/objective-c.html.markdown @@ -599,6 +599,52 @@ int main (int argc, const char * argv[]) { @end +// Starting in Xcode 7.0, you can create Generic classes, +// allowing you to provide greater type safety and clarity +// without writing excessive boilerplate. +@interface Result<__covariant A> : NSObject + +- (void)handleSuccess:(void(^)(A))success + failure:(void(^)(NSError *))failure; + +@property (nonatomic) A object; + +@end + +// we can now declare instances of this class like +Result *result; +Result *result; + +// Each of these cases would be equivalent to rewriting Result's interface +// and substituting the appropriate type for A +@interface Result : NSObject +- (void)handleSuccess:(void(^)(NSArray *))success + failure:(void(^)(NSError *))failure; +@property (nonatomic) NSArray * object; +@end + +@interface Result : NSObject +- (void)handleSuccess:(void(^)(NSNumber *))success + failure:(void(^)(NSError *))failure; +@property (nonatomic) NSNumber * object; +@end + +// It should be obvious, however, that writing one +// Class to solve a problem is always preferable to writing two + +// Note that Clang will not accept generic types in @implementations, +// so your @implemnation of Result would have to look like this: + +@implementation Result + +- (void)handleSuccess:(void (^)(id))success + failure:(void (^)(NSError *))failure { + // Do something +} + +@end + + /////////////////////////////////////// // Protocols /////////////////////////////////////// From 59e85e2f37373145bcde8025da2bde93eb49ec28 Mon Sep 17 00:00:00 2001 From: Willie Zhu Date: Sat, 31 Oct 2015 00:40:37 -0400 Subject: [PATCH 108/286] Make whitespace more consistent --- fsharp.html.markdown | 74 ++++++++++++++++++++++---------------------- 1 file changed, 37 insertions(+), 37 deletions(-) diff --git a/fsharp.html.markdown b/fsharp.html.markdown index b5c47ed7..d63b9f1d 100644 --- a/fsharp.html.markdown +++ b/fsharp.html.markdown @@ -31,14 +31,14 @@ If you want to try out the code below, you can go to [tryfsharp.org](http://www. // The "let" keyword defines an (immutable) value let myInt = 5 let myFloat = 3.14 -let myString = "hello" //note that no types needed +let myString = "hello" // note that no types needed // ------ Lists ------ -let twoToFive = [2;3;4;5] // Square brackets create a list with +let twoToFive = [2; 3; 4; 5] // Square brackets create a list with // semicolon delimiters. let oneToFive = 1 :: twoToFive // :: creates list with new 1st element -// The result is [1;2;3;4;5] -let zeroToFive = [0;1] @ twoToFive // @ concats two lists +// The result is [1; 2; 3; 4; 5] +let zeroToFive = [0; 1] @ twoToFive // @ concats two lists // IMPORTANT: commas are never used as delimiters, only semicolons! @@ -53,7 +53,7 @@ add 2 3 // Now run the function. // to define a multiline function, just use indents. No semicolons needed. let evens list = - let isEven x = x%2 = 0 // Define "isEven" as a sub function + let isEven x = x % 2 = 0 // Define "isEven" as a sub function List.filter isEven list // List.filter is a library function // with two parameters: a boolean function // and a list to work on @@ -75,7 +75,7 @@ let sumOfSquaresTo100piped = // you can define lambdas (anonymous functions) using the "fun" keyword let sumOfSquaresTo100withFun = - [1..100] |> List.map (fun x -> x*x) |> List.sum + [1..100] |> List.map (fun x -> x * x) |> List.sum // In F# there is no "return" keyword. A function always // returns the value of the last expression used. @@ -109,7 +109,7 @@ optionPatternMatch invalidValue // The printf/printfn functions are similar to the // Console.Write/WriteLine functions in C#. printfn "Printing an int %i, a float %f, a bool %b" 1 2.0 true -printfn "A string %s, and something generic %A" "hello" [1;2;3;4] +printfn "A string %s, and something generic %A" "hello" [1; 2; 3; 4] // There are also sprintf/sprintfn functions for formatting data // into a string, similar to String.Format in C#. @@ -131,19 +131,19 @@ module FunctionExamples = // basic usage of a function let a = add 1 2 - printfn "1+2 = %i" a + printfn "1 + 2 = %i" a // partial application to "bake in" parameters let add42 = add 42 let b = add42 1 - printfn "42+1 = %i" b + printfn "42 + 1 = %i" b // composition to combine functions let add1 = add 1 let add2 = add 2 let add3 = add1 >> add2 let c = add3 7 - printfn "3+7 = %i" c + printfn "3 + 7 = %i" c // higher order functions [1..10] |> List.map add3 |> printfn "new list is %A" @@ -151,7 +151,7 @@ module FunctionExamples = // lists of functions, and more let add6 = [add1; add2; add3] |> List.reduce (>>) let d = add6 7 - printfn "1+2+3+7 = %i" d + printfn "1 + 2 + 3 + 7 = %i" d // ================================================ // Lists and collection @@ -168,12 +168,12 @@ module FunctionExamples = module ListExamples = // lists use square brackets - let list1 = ["a";"b"] + let list1 = ["a"; "b"] let list2 = "c" :: list1 // :: is prepending let list3 = list1 @ list2 // @ is concat // list comprehensions (aka generators) - let squares = [for i in 1..10 do yield i*i] + let squares = [for i in 1..10 do yield i * i] // prime number generator let rec sieve = function @@ -190,8 +190,8 @@ module ListExamples = | [first; second] -> printfn "list is %A and %A" first second | _ -> printfn "the list has more than two elements" - listMatcher [1;2;3;4] - listMatcher [1;2] + listMatcher [1; 2; 3; 4] + listMatcher [1; 2] listMatcher [1] listMatcher [] @@ -219,7 +219,7 @@ module ListExamples = module ArrayExamples = // arrays use square brackets with bar - let array1 = [| "a";"b" |] + let array1 = [| "a"; "b" |] let first = array1.[0] // indexed access using dot // pattern matching for arrays is same as for lists @@ -230,13 +230,13 @@ module ArrayExamples = | [| first; second |] -> printfn "array is %A and %A" first second | _ -> printfn "the array has more than two elements" - arrayMatcher [| 1;2;3;4 |] + arrayMatcher [| 1; 2; 3; 4 |] // Standard library functions just as for List [| 1..10 |] - |> Array.map (fun i -> i+3) - |> Array.filter (fun i -> i%2 = 0) + |> Array.map (fun i -> i + 3) + |> Array.filter (fun i -> i % 2 = 0) |> Array.iter (printfn "value is %i. ") @@ -255,7 +255,7 @@ module SequenceExamples = yield! [5..10] yield! seq { for i in 1..10 do - if i%2 = 0 then yield i }} + if i % 2 = 0 then yield i }} // test strange |> Seq.toList @@ -280,11 +280,11 @@ module DataTypeExamples = // Tuples are quick 'n easy anonymous types // -- Use a comma to create a tuple - let twoTuple = 1,2 - let threeTuple = "a",2,true + let twoTuple = 1, 2 + let threeTuple = "a", 2, true // Pattern match to unpack - let x,y = twoTuple //sets x=1 y=2 + let x, y = twoTuple // sets x = 1, y = 2 // ------------------------------------ // Record types have named fields @@ -297,7 +297,7 @@ module DataTypeExamples = let person1 = {First="John"; Last="Doe"} // Pattern match to unpack - let {First=first} = person1 //sets first="John" + let {First = first} = person1 // sets first="John" // ------------------------------------ // Union types (aka variants) have a set of choices @@ -331,7 +331,7 @@ module DataTypeExamples = | Worker of Person | Manager of Employee list - let jdoe = {First="John";Last="Doe"} + let jdoe = {First="John"; Last="Doe"} let worker = Worker jdoe // ------------------------------------ @@ -383,8 +383,8 @@ module DataTypeExamples = type Rank = Two | Three | Four | Five | Six | Seven | Eight | Nine | Ten | Jack | Queen | King | Ace - let hand = [ Club,Ace; Heart,Three; Heart,Ace; - Spade,Jack; Diamond,Two; Diamond,Ace ] + let hand = [ Club, Ace; Heart, Three; Heart, Ace; + Spade, Jack; Diamond, Two; Diamond, Ace ] // sorting List.sort hand |> printfn "sorted hand is (low to high) %A" @@ -419,7 +419,7 @@ module ActivePatternExamples = | _ -> printfn "%c is something else" ch // print a list - ['a';'b';'1';' ';'-';'c'] |> List.iter printChar + ['a'; 'b'; '1'; ' '; '-'; 'c'] |> List.iter printChar // ----------------------------------- // FizzBuzz using active patterns @@ -479,7 +479,7 @@ module AlgorithmExamples = List.concat [smallerElements; [firstElem]; largerElements] // test - sort [1;5;23;18;9;1;3] |> printfn "Sorted = %A" + sort [1; 5; 23; 18; 9; 1; 3] |> printfn "Sorted = %A" // ================================================ // Asynchronous Code @@ -536,7 +536,7 @@ module NetCompatibilityExamples = // ------- work with existing library functions ------- - let (i1success,i1) = System.Int32.TryParse("123"); + let (i1success, i1) = System.Int32.TryParse("123"); if i1success then printfn "parsed as %i" i1 else printfn "parse failed" // ------- Implement interfaces on the fly! ------- @@ -570,12 +570,12 @@ module NetCompatibilityExamples = // abstract base class with virtual methods [] type Shape() = - //readonly properties + // readonly properties abstract member Width : int with get abstract member Height : int with get - //non-virtual method + // non-virtual method member this.BoundingArea = this.Height * this.Width - //virtual method with base implementation + // virtual method with base implementation abstract member Print : unit -> unit default this.Print () = printfn "I'm a shape" @@ -586,19 +586,19 @@ module NetCompatibilityExamples = override this.Height = y override this.Print () = printfn "I'm a Rectangle" - //test - let r = Rectangle(2,3) + // test + let r = Rectangle(2, 3) printfn "The width is %i" r.Width printfn "The area is %i" r.BoundingArea r.Print() // ------- extension methods ------- - //Just as in C#, F# can extend existing classes with extension methods. + // Just as in C#, F# can extend existing classes with extension methods. type System.String with member this.StartsWithA = this.StartsWith "A" - //test + // test let s = "Alice" printfn "'%s' starts with an 'A' = %A" s s.StartsWithA From 34c7c6acb22c934f879a353f3ba92b38b602f7fc Mon Sep 17 00:00:00 2001 From: Andy Date: Sat, 31 Oct 2015 16:57:22 +1030 Subject: [PATCH 109/286] Fixed typo at BigInteger assignment --- java.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/java.html.markdown b/java.html.markdown index 1813f81c..901e2dad 100644 --- a/java.html.markdown +++ b/java.html.markdown @@ -128,7 +128,7 @@ public class LearnJava { // // BigInteger can be initialized using an array of bytes or a string. - BigInteger fooBigInteger = new BigDecimal(fooByteArray); + BigInteger fooBigInteger = new BigInteger(fooByteArray); // BigDecimal - Immutable, arbitrary-precision signed decimal number From 5bda926dcc79dea4e936cc752fd1ff00e29d71bb Mon Sep 17 00:00:00 2001 From: Elijah Karari Date: Sat, 31 Oct 2015 09:47:55 +0300 Subject: [PATCH 110/286] Minor correction calling li.index(2) with li as [1, 2, 3, 4, 5, 6] will return 1 not 3 --- python.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/python.html.markdown b/python.html.markdown index 541bd36d..80cef828 100644 --- a/python.html.markdown +++ b/python.html.markdown @@ -238,7 +238,7 @@ li.remove(2) # Raises a ValueError as 2 is not in the list li.insert(1, 2) # li is now [1, 2, 3, 4, 5, 6] again # Get the index of the first item found -li.index(2) # => 3 +li.index(2) # => 1 li.index(7) # Raises a ValueError as 7 is not in the list # Check for existence in a list with "in" From ab1acb1bb265577ea4f189d203ac35726f02970a Mon Sep 17 00:00:00 2001 From: Elijah Karari Date: Sat, 31 Oct 2015 09:56:06 +0300 Subject: [PATCH 111/286] Updated tuple examples for clarity --- python.html.markdown | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/python.html.markdown b/python.html.markdown index 541bd36d..b0add668 100644 --- a/python.html.markdown +++ b/python.html.markdown @@ -261,8 +261,9 @@ tup[:2] # => (1, 2) # You can unpack tuples (or lists) into variables a, b, c = (1, 2, 3) # a is now 1, b is now 2 and c is now 3 +d, e, f = 4, 5, 6 # you can leave out the parentheses # Tuples are created by default if you leave out the parentheses -d, e, f = 4, 5, 6 +g = 4, 5, 6 # => (4, 5, 6) # Now look how easy it is to swap two values e, d = d, e # d is now 5 and e is now 4 From f7af2da9dbb504377c2ff7c2f29a55b9f363a4c1 Mon Sep 17 00:00:00 2001 From: Andy Date: Sat, 31 Oct 2015 18:31:51 +1030 Subject: [PATCH 112/286] Added BigDecimal float constructor caveat --- java.html.markdown | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/java.html.markdown b/java.html.markdown index 1813f81c..d7d0199b 100644 --- a/java.html.markdown +++ b/java.html.markdown @@ -144,7 +144,12 @@ public class LearnJava { // or by initializing the unscaled value (BigInteger) and scale (int). BigDecimal fooBigDecimal = new BigDecimal(fooBigInteger, fooInt); - + + // Be wary of the constructor that takes a float or double as + // the inaccuracy of the float/double will be copied in BigDecimal. + // Prefer the String constructor when you need an exact value. + + BigDecimal tenCents = new BigDecimal("0.1"); // Strings From a38705757b95eb500d51e0dd0c5294b7aa76cada Mon Sep 17 00:00:00 2001 From: Abdul Alim Date: Sat, 31 Oct 2015 16:36:30 +0800 Subject: [PATCH 113/286] Added Bahasa Malaysia translation of the JavaScript file --- ms-my/javascript-my.html.markdown | 588 ++++++++++++++++++++++++++++++ 1 file changed, 588 insertions(+) create mode 100644 ms-my/javascript-my.html.markdown diff --git a/ms-my/javascript-my.html.markdown b/ms-my/javascript-my.html.markdown new file mode 100644 index 00000000..90e37133 --- /dev/null +++ b/ms-my/javascript-my.html.markdown @@ -0,0 +1,588 @@ +--- +language: javascript +contributors: + - ["Adam Brenecki", "http://adam.brenecki.id.au"] + - ["Ariel Krakowski", "http://www.learneroo.com"] +filename: javascript-ms.js +translators: + - ["abdalim", "https://github.com/abdalim"] +lang: ms-my +--- + +Javascript dicipta oleh Brendan Eich dari Netscape pada 1995. Pada awalnya, ia +dicipta sebagai bahasa skrip yang ringkas untuk laman web, melengkapi penggunaan +Java untuk aplikasi web yang lebih rumit, namun begitu, integrasi rapat pada +halaman web dan sokongan tersedia dalam pelayar web telah menyebabkan ia menjadi +lebih kerap digunakan berbanding Java pada bahagian hadapan laman web. + +Namun begitu, Javascript tidak terhad pada pelayar web; Node.js, sebuah projek +yang menyediakan 'runtime' berdiri sendiri untuk enjin V8 Google Chrome sedang +kian mendapat sambutan yang hangat. + +```js +// Komentar adalah seperti dalam C. Komentar sebaris bermula dengan dua sengkang +/* dan komentar banyak baris bermula dengan sengkang-bintang + dan berakhir dengan bintang-sengkang */ + +// Pernyataan boleh ditamatkan dengan ';' +doStuff(); + +// ... tetapi ia tidak wajib, kerana koma bertitik secara automatik akan +// dimasukkan dimana tempat yang ada baris baru, kecuali dalam kes - kes +// tertentu. +doStuff() + +// Disebabkan kes - kes itu boleh menyebabkan hasil yang tidak diduga, kami +// akan sentiasa menggunakan koma bertitik dalam panduan ini. + +/////////////////////////////////// +// 1. Nombor, String dan Operator + +// Javascript mempunyai satu jenis nombor (iaitu 64-bit IEEE 754 double). +// Double mempunyai 52-bit mantissa, iaitu ia cukup untuk menyimpan integer +// sehingga 9✕10¹⁵ secara tepatnya. +3; // = 3 +1.5; // = 1.5 + +// Sebahagian aritmetic asas berfungsi seperti yang anda jangkakan. +1 + 1; // = 2 +0.1 + 0.2; // = 0.30000000000000004 +8 - 1; // = 7 +10 * 2; // = 20 +35 / 5; // = 7 + +// Termasuk pembahagian tidak rata. +5 / 2; // = 2.5 + +// Dan pembahagian modulo. +10 % 2; // = 0 +30 % 4; // = 2 +18.5 % 7; // = 4.5 + +// Operasi bitwise juga boleh digunakan; bila anda melakukan operasi bitwise, +// float anda akan ditukarkan kepada int bertanda *sehingga* 32 bit. +1 << 2; // = 4 + +// Keutamaan ditekankan menggunakan kurungan. +(1 + 3) * 2; // = 8 + +// Terdapat tiga nilai nombor-tidak-nyata istimewa +Infinity; // hasil operasi seperti 1/0 +-Infinity; // hasil operasi seperti -1/0 +NaN; // hasil operasi seperti 0/0, bermaksud 'Bukan Sebuah Nombor' + +// Terdapat juga jenis boolean +true; +false; + +// Talian dicipta dengan ' atau ''. +'abc'; +"Hello, world"; + +// Penafian menggunakan simbol ! +!true; // = tidak benar +!false; // = benar + +// Sama ialah === +1 === 1; // = benar +2 === 1; // = tidak benar + +// Tidak sama ialah !== +1 !== 1; // = tidak benar +2 !== 1; // = benar + +// Lagi perbandingan +1 < 10; // = benar +1 > 10; // = tidak benar +2 <= 2; // = benar +2 >= 2; // = benar + +// Talian disambungkan dengan + +"Hello " + "world!"; // = "Hello world!" + +// dan dibandingkan dengan < dan > +"a" < "b"; // = benar + +// Paksaan jenis dilakukan untuk perbandingan menggunakan dua sama dengan... +"5" == 5; // = benar +null == undefined; // = benar + +// ...melainkan anda menggunakan === +"5" === 5; // = tidak benar +null === undefined; // = tidak benar + +// ...yang boleh menghasilkan keputusan yang pelik... +13 + !0; // 14 +"13" + !0; // '13true' + +// Anda boleh akses huruf dalam perkataan dengan `charAt` +"This is a string".charAt(0); // = 'T' + +// ...atau menggunakan `substring` untuk mendapatkan bahagian yang lebih besar. +"Hello world".substring(0, 5); // = "Hello" + +// `length` adalah ciri, maka jangan gunakan (). +"Hello".length; // = 5 + +// Selain itu, terdapat juga `null` dan `undefined`. +null; // digunakan untuk menandakan bukan-nilai yang disengajakan +undefined; // digunakan untuk menandakan nilai yang tidak wujud pada waktu ini (walaupun `undefined` adalah nilai juga) + +// false, null, undefined, NaN, 0 dan "" adalah tidak benar; semua selain itu adalah benar. +// Peringatan, 0 adalah tidak benar dan "0" adalah benar, walaupun 0 == "0". + +/////////////////////////////////// +// 2. Pembolehubah, Array dan Objek + +// Pembolehubah digunakan dengan kata kunci 'var'. Javascript ialah sebuah +// bahasa aturcara yang jenisnya dinamik, maka anda tidak perlu spesifikasikan +// jenis pembolehubah. Penetapan menggunakan satu '=' karakter. +var someVar = 5; + +// jika anda tinggalkan kata kunci var, anda tidak akan dapat ralat... +someOtherVar = 10; + +// ...tetapi pembolehubah anda akan dicipta di dalam skop global, bukan di +// dalam skop anda menciptanya. + +// Pembolehubah yang dideklarasikan tanpa ditetapkan sebarang nilai akan +// ditetapkan kepada undefined. +var someThirdVar; // = undefined + +// jika anda ingin mendeklarasikan beberapa pembolehubah, maka anda boleh +// menggunakan koma sebagai pembahagi +var someFourthVar = 2, someFifthVar = 4; + +// Terdapat cara mudah untuk melakukan operasi - operasi matematik pada +// pembolehubah: +someVar += 5; // bersamaan dengan someVar = someVar +5; someVar sama dengan 10 sekarang +someVar *= 10; // sekarang someVar bernilai 100 + +// dan cara lebih mudah untuk penambahan atau penolakan 1 +someVar++; // sekarang someVar ialah 101 +someVar--; // kembali kepada 100 + +// Array adalah senarai nilai yang tersusun, yang boleh terdiri daripada +// pembolehubah pelbagai jenis. +var myArray = ["Hello", 45, true]; + +// Setiap ahli array boleh diakses menggunakan syntax kurungan-petak. +// Indeks array bermula pada sifar. +myArray[1]; // = 45 + +// Array boleh diubah dan mempunyai panjang yang tidak tetap dan boleh ubah. +myArray.push("World"); +myArray.length; // = 4 + +// Tambah/Ubah di index yang spesifik +myArray[3] = "Hello"; + +// Objek javascript adalah sama dengan "dictionaries" atau "maps" dalam bahasa +// aturcara yang lain: koleksi pasangan kunci-nilai yang tidak mempunyai +// sebarang susunan. +var myObj = {key1: "Hello", key2: "World"}; + +// Kunci adalah string, tetapi 'quote' tidak diperlukan jika ia adalah pengecam +// javascript yang sah. Nilai boleh mempunyai sebarang jenis. +var myObj = {myKey: "myValue", "my other key": 4}; + +// Ciri - ciri objek boleh juga diakses menggunakan syntax subskrip (kurungan- +// petak), +myObj["my other key"]; // = 4 + +// ... atau menggunakan syntax titik, selagi kuncinya adalah pengecam yang sah. +myObj.myKey; // = "myValue" + +// Objek adalah boleh diubah; nilai boleh diubah dan kunci baru boleh ditambah. +myObj.myThirdKey = true; + +// Jika anda cuba untuk akses nilai yang belum ditetapkan, anda akan mendapat +// undefined. +myObj.myFourthKey; // = undefined + +/////////////////////////////////// +// 3. Logik dan Struktur Kawalan + +// Syntax untuk bahagian ini adalah hampir sama dengan Java. + +// Struktur `if` berfungsi seperti yang anda jangkakan. +var count = 1; +if (count == 3){ + // dinilai jika count ialah 3 +} else if (count == 4){ + // dinilai jika count ialah 4 +} else { + // dinilai jika count bukan 3 atau 4 +} + +// Sama juga dengan `while`. +while (true){ + // Sebuah ulangan yang tidak terhingga! + // An infinite loop! +} + +// Ulangan do-while adalah sama dengan ulangan while, kecuali ia akan diulang +// sekurang-kurangnya sekali. +var input; +do { + input = getInput(); +} while (!isValid(input)) + +// Ulangan `for` adalah sama dengan C dan Java: +// Persiapan; kondisi untuk bersambung; pengulangan. +for (var i = 0; i < 5; i++){ + // akan berulang selama 5 kali +} + +// Pernyataan ulangan For/In akan mengulang setiap ciri seluruh jaringan +// 'prototype' +var description = ""; +var person = {fname:"Paul", lname:"Ken", age:18}; +for (var x in person){ + description += person[x] + " "; +} + +// Jika anda cuma mahu mengambil kira ciri - ciri yang ditambah pada objek it +// sendiri dan bukan 'prototype'nya, sila gunakan semakan hasOwnProperty() +var description = ""; +var person = {fname:"Paul", lname:"Ken", age:18}; +for (var x in person){ + if (person.hasOwnProperty(x)){ + description += person[x] + " "; + } +} + +// for/in tidak sepatutnya digunakan untuk mengulang sebuah Array di mana +// indeks susunan adalah penting. +// Tiada sebarang jaminan bahawa for/in akan mengembalikan indeks dalam +// mana - mana susunan + +// && adalah logikal dan, || adalah logikal atau +if (house.size == "big" && house.colour == "blue"){ + house.contains = "bear"; +} +if (colour == "red" || colour == "blue"){ + // warna adalah sama ada 'red' atau 'blue' +} + +// && dan || adalah "lintar pintas", di mana ia berguna untuk menetapkan +// nilai asal. +var name = otherName || "default"; + + +// Pernyataan `switch` menyemak persamaan menggunakan `===`. +// gunakan pernyataan `break` selepas setiap kes +// atau tidak, kes - kes selepas kes yang betul akan dijalankan juga. +grade = 'B'; +switch (grade) { + case 'A': + console.log("Great job"); + break; + case 'B': + console.log("OK job"); + break; + case 'C': + console.log("You can do better"); + break; + default: + console.log("Oy vey"); + break; +} + + +/////////////////////////////////// +// 4. Functions, Skop dan Closures + +// Function javascript dideklarasikan dengan kata kunci `function`. +function myFunction(thing){ + return thing.toUpperCase(); +} +myFunction("foo"); // = "FOO" + +// Perhatikan yang nilai yang dikembalikan mesti bermula pada baris yang sama +// dengan kata kunci `return`, jika tidak, anda akan sentiasa mengembalikan +// `undefined` disebabkan kemasukan 'semicolon' secara automatik. Sila berjaga - +// jaga dengan hal ini apabila menggunakan Allman style. +function myFunction(){ + return // <- semicolon dimasukkan secara automatik di sini + {thisIsAn: 'object literal'} +} +myFunction(); // = undefined + +// Function javascript adalah objek kelas pertama, maka ia boleh diberikan +// nama pembolehubah yang lain dan diberikan kepada function yang lain sebagai +// input - sebagai contoh, apabila membekalkan pengendali event: +function myFunction(){ + // kod ini akan dijalankan selepas 5 saat +} +setTimeout(myFunction, 5000); +// Nota: setTimeout bukan sebahagian daripada bahasa JS, tetapi ia disediakan +// oleh pelayar web dan Node.js. + +// Satu lagi function yang disediakan oleh pelayar web adalah setInterval +function myFunction(){ + // kod ini akan dijalankan setiap 5 saat +} +setInterval(myFunction, 5000); + +// Objek function tidak perlu dideklarasikan dengan nama - anda boleh menulis +// function yang tidak bernama didalam input sebuah function lain. +setTimeout(function(){ + // kod ini akan dijalankan dalam 5 saat +}, 5000); + +// Javascript mempunyai skop function; function mempunyai skop mereka +// tersendiri tetapi blok tidak. +if (true){ + var i = 5; +} +i; // = 5 - bukan undefined seperti yang anda jangkakan di dalam bahasa blok-skop + +// Ini telah menyebabkan corak biasa iaitu "immediately-executing anonymous +// functions", yang mengelakkan pembolehubah sementara daripada bocor ke +// skop global. +(function(){ + var temporary = 5; + // Kita boleh akses skop global dengan menetapkan nilai ke "objek global", + // iaitu dalam pelayar web selalunya adalah `window`. Objek global mungkin + // mempunyai nama yang berlainan dalam alam bukan pelayar web seperti Node.js. + window.permanent = 10; +})(); +temporary; // akan menghasilkan ralat ReferenceError +permanent; // = 10 + +// Salah satu ciri terhebat Javascript ialah closure. Jika sebuah function +// didefinisikan di dalam sebuah function lain, function yang di dalam akan +// mempunyai akses kepada semua pembolehubah function yang di luar, mahupun +// selepas function yang di luar tersebut selesai. +function sayHelloInFiveSeconds(name){ + var prompt = "Hello, " + name + "!"; + // Function dalam diletakkan di dalam skop lokal secara asal, seperti + // ia dideklarasikan dengan `var`. + function inner(){ + alert(prompt); + } + setTimeout(inner, 5000); + // setTimeout adalah tak segerak atau asinkroni, maka function sayHelloInFiveSeconds akan selesai serta merta, dan setTimeout akan memanggil + // inner selepas itu. Walaubagaimanapun, disebabkan inner terletak didalam + // sayHelloInFiveSeconds, inner tetap mempunyai akses kepada pembolehubah + // `prompt` apabila ia dipanggil. +} +sayHelloInFiveSeconds("Adam"); // akan membuka sebuah popup dengan "Hello, Adam!" selepas 5s + +/////////////////////////////////// +// 5. Lagi tentang Objek, Constructor dan Prototype + +// Objek boleh mengandungi function. +var myObj = { + myFunc: function(){ + return "Hello world!"; + } +}; +myObj.myFunc(); // = "Hello world!" + +// Apabila function sesebuah object dipanggil, ia boleh mengakses objek asalnya +// dengan menggunakan kata kunci `this`. +myObj = { + myString: "Hello world!", + myFunc: function(){ + return this.myString; + } +}; +myObj.myFunc(); // = "Hello world!" + +// Nilai sebenar yang ditetapkan kepada this akan ditentukan oleh bagaimana +// sesebuah function itu dipanggil, bukan dimana ia didefinisikan. Oleh it, +// sesebuah function tidak akan berfungsi jika ia dipanggil bukan pada konteks +// objeknya. +var myFunc = myObj.myFunc; +myFunc(); // = undefined + +// Sebaliknya, sebuah function boleh ditetapkan kepada objek dan mendapat akses +// kepada objek itu melalui `this`, walaupun ia tidak ditetapkan semasa ia +// didefinisikan. +var myOtherFunc = function(){ + return this.myString.toUpperCase(); +} +myObj.myOtherFunc = myOtherFunc; +myObj.myOtherFunc(); // = "HELLO WORLD!" + +// Kita juga boleh menentukan konteks untuk sebuah function dijalankan apabila +// ia dipanggil menggunakan `call` atau `apply`. + +var anotherFunc = function(s){ + return this.myString + s; +} +anotherFunc.call(myObj, " And Hello Moon!"); // = "Hello World! And Hello Moon!" + +// Function `apply` adalah hampir sama, tetapi ia mengambil sebuah array +// sebagai senarai input. + +anotherFunc.apply(myObj, [" And Hello Sun!"]); // = "Hello World! And Hello Sun!" + +// Ini sangat berguna apabila menggunakan sebuah function yang menerima senarai +// input dan anda mahu menggunakan sebuah array sebagai input. + +Math.min(42, 6, 27); // = 6 +Math.min([42, 6, 27]); // = NaN (uh-oh!) +Math.min.apply(Math, [42, 6, 27]); // = 6 + +// Tetapi, `call` dan `apply` adalah hanya sementara, sebagaimana hidup ini. +// Apabila kita mahu ia kekal, kita boleh menggunakan `bind`. + +var boundFunc = anotherFunc.bind(myObj); +boundFunc(" And Hello Saturn!"); // = "Hello World! And Hello Saturn!" + +// `bind` boleh juga digunakan untuk menggunakan sebuah function tidak +// sepenuhnya (curry). + +var product = function(a, b){ return a * b; } +var doubler = product.bind(this, 2); +doubler(8); // = 16 + +// Apabila anda memanggil sebuah function dengan kata kunci `new`, sebuah +// objek baru akan dicipta dan dijadikan tersedia kepada function itu melalui +// kata kunci `this`. Function yang direka bentuk untuk dipanggil sebegitu rupa +// dikenali sebagai constructors. + +var MyConstructor = function(){ + this.myNumber = 5; +} +myNewObj = new MyConstructor(); // = {myNumber: 5} +myNewObj.myNumber; // = 5 + +// Setiap objek JavaScript mempunyai `prototype`. Apabila anda akses sesuatu +// ciri sebuah objek yang tidak wujud dalam objek sebenar itu, interpreter akan +// mencari ciri itu didalam `prototype`nya. + +// Sebahagian implementasi JS membenarkan anda untuk akses prototype sebuah +// objek pada ciri istimewa `__proto__`. Walaupun ini membantu dalam menerangkan +// mengenai prototypes, ia bukan sebahagian dari piawai; kita akan melihat +// cara - cara piawai untuk menggunakan prototypes nanti. +var myObj = { + myString: "Hello world!" +}; +var myPrototype = { + meaningOfLife: 42, + myFunc: function(){ + return this.myString.toLowerCase() + } +}; + +myObj.__proto__ = myPrototype; +myObj.meaningOfLife; // = 42 + +// Ini berfungsi untuk function juga. +myObj.myFunc(); // = "hello world!" + +// Sudah pasti, jika ciri anda bukan pada prototype anda, prototype kepada +// prototype anda akan disemak, dan seterusnya. +myPrototype.__proto__ = { + myBoolean: true +}; +myObj.myBoolean; // = true + +// Tiada penyalinan terlibat disini; setiap objek menyimpan rujukan kepada +// prototypenya sendiri. Ini bermaksud, kita boleh mengubah prototypenya dan +// pengubahsuaian itu akan dilihat dan berkesan dimana sahaja. +myPrototype.meaningOfLife = 43; +myObj.meaningOfLife; // = 43 + +// Kami menyatakan yang `__proto__` adalah bukan piawai, dan tiada cara rasmi +// untuk mengubah prototype sesebuah objek. Walaubagaimanapun, terdapat dua +// cara untuk mencipta objek baru dengan sesebuah prototype. + +// Yang pertama ialah Object.create, yang merupakan tambahan terbaru pada JS, +// dan oleh itu tiada dalam semua implementasi buat masa ini. +var myObj = Object.create(myPrototype); +myObj.meaningOfLife; // = 43 + +// Cara kedua, yang boleh digunakan dimana sahaja, adalah berkaitan dengan +// constructor. Constructors mempunyai sebuah ciri yang dipanggil prototype. +// Ini *bukan* prototype constructor terbabit; tetapi, ia adalah prototype yang +// diberikan kepada objek baru apabila ia dicipta menggunakan constructor dan +// kata kunci new. +MyConstructor.prototype = { + myNumber: 5, + getMyNumber: function(){ + return this.myNumber; + } +}; +var myNewObj2 = new MyConstructor(); +myNewObj2.getMyNumber(); // = 5 +myNewObj2.myNumber = 6 +myNewObj2.getMyNumber(); // = 6 + +// Jenis yang terbina sedia seperti string dan nombor juga mempunyai constructor +// yang mencipta objek pembalut yang serupa. +var myNumber = 12; +var myNumberObj = new Number(12); +myNumber == myNumberObj; // = true + +// Kecuali, mereka sebenarnya tak sama sepenuhnya. +typeof myNumber; // = 'number' +typeof myNumberObj; // = 'object' +myNumber === myNumberObj; // = false +if (0){ + // Kod ini tidak akan dilaksanakan, kerana 0 adalah tidak benar. +} + +// Walaubagaimanapun, pembalut objek dan jenis terbina yang biasa berkongsi +// prototype, maka sebagai contoh, anda sebenarnya boleh menambah fungsi +// kepada string. +String.prototype.firstCharacter = function(){ + return this.charAt(0); +} +"abc".firstCharacter(); // = "a" + +// Fakta ini selalu digunakan dalam "polyfilling", iaitu melaksanakan fungsi +// baru JavaScript didalam subset JavaScript yang lama, supaya ia boleh +// digunakan di dalam persekitaran yang lama seperti pelayar web yang lama. + +// Sebagai contoh, kami menyatakan yang Object.create belum lagi tersedia +// di semua implementasi, tetapi kita masih boleh menggunakannya dengan polyfill: +if (Object.create === undefined){ // jangan ganti jika ia sudah wujud + Object.create = function(proto){ + // buat satu constructor sementara dengan prototype yang betul + var Constructor = function(){}; + Constructor.prototype = proto; + // kemudian gunakannya untuk mencipta objek baru yang diberikan + // prototype yang betul + return new Constructor(); + } +} +``` +## Bacaan Lanjut + +[Mozilla Developer Network][1] menyediakan dokumentasi yang sangat baik untuk +JavaScript kerana ia digunakan di dalam pelayar - pelayar web. Tambahan pula, +ia adalah sebuah wiki, maka, sambil anda belajar lebih banyak lagi, anda boleh +membantu orang lain dengan berkongsi pengetahuan anda. + +[A re-introduction to JavaScript][2] oleh MDN meliputi semua konsep yang +diterangkan di sini dengan lebih terperinci. Panduan ini menerangkan bahasa +aturcara JavaScript dengan agak mudah; jika anda mahu belajar lebih lanjut +tentang menggunakan JavaScript didalam laman web, mulakan dengan mempelajari +tentang [Document Object Model][3]. + +[Learn Javascript by Example and with Challenges][4] adalah variasi panduan ini +dengan cabaran yang tersedia pakai. + +[JavaScript Garden][5] pula adalah panduan yang lebih terperinci mengenai +semua bahagian bahasa aturcara ini yang bertentangan dengan naluri atau +kebiasaan. + +[JavaScript: The Definitive Guide][6] adalah panduan klasik dan buku rujukan. + +Selain daripada penyumbang terus kepada artikel ini, sebahagian kandungannya +adalah adaptasi daripada tutorial Python Louie Dinh di dalam laman web ini, +dan [JS Tutorial][7] di Mozilla Developer Network. + + +[1]: https://developer.mozilla.org/en-US/docs/Web/JavaScript +[2]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/A_re-introduction_to_JavaScript +[3]: https://developer.mozilla.org/en-US/docs/Using_the_W3C_DOM_Level_1_Core +[4]: http://www.learneroo.com/modules/64/nodes/350 +[5]: http://bonsaiden.github.io/JavaScript-Garden/ +[6]: http://www.amazon.com/gp/product/0596805527/ +[7]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/A_re-introduction_to_JavaScript From 4593c65543eec73688acf999c4bab002116909b0 Mon Sep 17 00:00:00 2001 From: Andy Date: Sat, 31 Oct 2015 19:39:26 +1030 Subject: [PATCH 114/286] Improved int division comment and code --- java.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/java.html.markdown b/java.html.markdown index 1813f81c..966aee15 100644 --- a/java.html.markdown +++ b/java.html.markdown @@ -207,8 +207,8 @@ public class LearnJava { System.out.println("1+2 = " + (i1 + i2)); // => 3 System.out.println("2-1 = " + (i2 - i1)); // => 1 System.out.println("2*1 = " + (i2 * i1)); // => 2 - System.out.println("1/2 = " + (i1 / i2)); // => 0 (0.5 truncated down) - System.out.println("1/2 = " + (i1 / (i2*1.0))); // => 0.5 + System.out.println("1/2 = " + (i1 / i2)); // => 0 (int/int returns an int) + System.out.println("1/2 = " + (i1 / (double)i2)); // => 0.5 // Modulo System.out.println("11%3 = "+(11 % 3)); // => 2 From 231b60b7c0c21e2f76a3dfc0939abe1b7efbfad3 Mon Sep 17 00:00:00 2001 From: Andy Date: Sat, 31 Oct 2015 20:05:05 +1030 Subject: [PATCH 115/286] Added missing new in HashSet instantiation --- java.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/java.html.markdown b/java.html.markdown index 966aee15..2836f601 100644 --- a/java.html.markdown +++ b/java.html.markdown @@ -416,7 +416,7 @@ public class LearnJava { // easier way, by using something that is called Double Brace // Initialization. - private static final Set COUNTRIES = HashSet() {{ + private static final Set COUNTRIES = new HashSet() {{ add("DENMARK"); add("SWEDEN"); add("FINLAND"); From b5cb14703ac99e70ecd6c1ec2abd9a2b5dbde54d Mon Sep 17 00:00:00 2001 From: Niko Weh Date: Sat, 31 Oct 2015 19:44:04 +1000 Subject: [PATCH 116/286] Haskell: Fix !! operator - Use a finite list, as infinite lists are not introduced yet - Use a list starting from 1 instead of 0, to make it obvious that the element returned comes from the list (and is not the second argument to !!). --- haskell.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/haskell.html.markdown b/haskell.html.markdown index 08611e63..936744a0 100644 --- a/haskell.html.markdown +++ b/haskell.html.markdown @@ -81,7 +81,7 @@ not False -- True [5,4..1] -- [5, 4, 3, 2, 1] -- indexing into a list -[0..] !! 5 -- 5 +[1..10] !! 3 -- 4 -- You can also have infinite lists in Haskell! [1..] -- a list of all the natural numbers From deb62f41467fc94513b9adbef3a2cbb1e03cb220 Mon Sep 17 00:00:00 2001 From: Niko Weh Date: Sat, 31 Oct 2015 20:20:01 +1000 Subject: [PATCH 117/286] [haskell/de] Synchronized with english version Added changes from a7b8858 to HEAD (b5cb14703) to the german version, where appropiate. --- de-de/haskell-de.html.markdown | 63 +++++++++++++++++++++------------- 1 file changed, 40 insertions(+), 23 deletions(-) diff --git a/de-de/haskell-de.html.markdown b/de-de/haskell-de.html.markdown index 2c548961..41b80d95 100644 --- a/de-de/haskell-de.html.markdown +++ b/de-de/haskell-de.html.markdown @@ -5,6 +5,7 @@ contributors: - ["Adit Bhargava", "http://adit.io"] translators: - ["Henrik Jürges", "https://github.com/santifa"] + - ["Nikolai Weh", "http://weh.hamburg"] filename: haskell-de.hs --- @@ -64,6 +65,7 @@ not False -- True "Hello " ++ "world!" -- "Hello world!" -- Ein String ist eine Liste von Zeichen. +['H', 'a', 'l', 'l', 'o', '!'] -- "Hallo!" "Das ist eine String" !! 0 -- 'D' @@ -76,6 +78,18 @@ not False -- True [1, 2, 3, 4, 5] [1..5] +-- Die zweite Variante nennt sich die "range"-Syntax. +-- Ranges sind recht flexibel: +['A'..'F'] -- "ABCDEF" + +-- Es ist möglich eine Schrittweite anzugeben: +[0,2..10] -- [0,2,4,6,8,10] +[5..1] -- [], da Haskell standardmässig inkrementiert. +[5,4..1] -- [5,4,3,2,1] + +-- Der "!!"-Operator extrahiert das Element an einem bestimmten Index: +[1..10] !! 3 -- 4 + -- Haskell unterstuetzt unendliche Listen! [1..] -- Die Liste aller natuerlichen Zahlen @@ -95,9 +109,6 @@ not False -- True -- Ein Element als Head hinzufuegen 0:[1..5] -- [0, 1, 2, 3, 4, 5] --- Gibt den 5. Index zurueck -[0..] !! 5 -- 5 - -- Weitere Listenoperationen head [1..5] -- 1 tail [1..5] -- [2, 3, 4, 5] @@ -114,7 +125,8 @@ last [1..5] -- 5 -- Ein Tupel: ("haskell", 1) --- Auf Elemente eines Tupels zugreifen: +-- Ein Paar (Pair) ist ein Tupel mit 2 Elementen, auf die man wie folgt +-- zugreifen kann: fst ("haskell", 1) -- "haskell" snd ("haskell", 1) -- 1 @@ -142,7 +154,7 @@ add 1 2 -- 3 -- Guards sind eine einfache Möglichkeit fuer Fallunterscheidungen. fib x - | x < 2 = x + | x < 2 = 1 | otherwise = fib (x - 1) + fib (x - 2) -- Pattern Matching funktioniert ähnlich. @@ -190,23 +202,28 @@ foo 5 -- 15 -- Funktionskomposition -- Die (.) Funktion verkettet Funktionen. -- Zum Beispiel, die Funktion Foo nimmt ein Argument addiert 10 dazu und --- multipliziert dieses Ergebnis mit 5. -foo = (*5) . (+10) +-- multipliziert dieses Ergebnis mit 4. +foo = (*4) . (+10) --- (5 + 10) * 5 = 75 -foo 5 -- 75 +-- (5 + 10) * 4 = 60 +foo 5 -- 60 --- Haskell hat eine Funktion `$`. Diese ändert den Vorrang, --- so dass alles links von ihr zuerst berechnet wird und --- und dann an die rechte Seite weitergegeben wird. --- Mit `.` und `$` kann man sich viele Klammern ersparen. +-- Haskell hat einen Operator `$`, welcher Funktionsapplikation durchfuehrt. +-- Im Gegenzug zu der Standard-Funktionsapplikation, welche linksassoziativ ist +-- und die höchstmögliche Priorität von "10" hat, ist der `$`-Operator +-- rechtsassoziativ und hat die Priorität 0. Dieses hat (idr.) den Effekt, +-- dass der `komplette` Ausdruck auf der rechten Seite als Parameter für die +-- Funktion auf der linken Seite verwendet wird. +-- Mit `.` und `$` kann man sich so viele Klammern ersparen. --- Vorher -(even (fib 7)) -- true +(even (fib 7)) -- false --- Danach -even . fib $ 7 -- true +-- Äquivalent: +even $ fib 7 -- false + +-- Funktionskomposition: +even . fib $ 7 -- false ---------------------------------------------------- -- 5. Typensystem @@ -233,19 +250,19 @@ double :: Integer -> Integer double x = x * 2 ---------------------------------------------------- --- 6. If-Anweisung und Kontrollstrukturen +-- 6. If-Ausdrücke und Kontrollstrukturen ---------------------------------------------------- --- If-Anweisung: +-- If-Ausdruck: haskell = if 1 == 1 then "awesome" else "awful" -- haskell = "awesome" --- If-Anweisungen können auch ueber mehrere Zeilen verteilt sein. --- Das Einruecken ist dabei äußerst wichtig. +-- If-Ausdrücke können auch über mehrere Zeilen verteilt sein. +-- Die Einrückung ist dabei wichtig. haskell = if 1 == 1 then "awesome" else "awful" --- Case-Anweisung: Zum Beispiel "commandline" Argumente parsen. +-- Case-Ausdruck: Am Beispiel vom Parsen von "commandline"-Argumenten. case args of "help" -> printHelp "start" -> startProgram @@ -276,7 +293,7 @@ foldl (\x y -> 2*x + y) 4 [1,2,3] -- 43 foldr (\x y -> 2*x + y) 4 [1,2,3] -- 16 -- die Abarbeitung sieht so aus: -(2 * 3 + (2 * 2 + (2 * 1 + 4))) +(2 * 1 + (2 * 2 + (2 * 3 + 4))) ---------------------------------------------------- -- 7. Datentypen From 093c3e656242e84682da7910e8d56db62c08ca10 Mon Sep 17 00:00:00 2001 From: Andy Date: Sat, 31 Oct 2015 20:52:07 +1030 Subject: [PATCH 118/286] Formatted enum comments --- java.html.markdown | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/java.html.markdown b/java.html.markdown index e1efc375..84978ecc 100644 --- a/java.html.markdown +++ b/java.html.markdown @@ -706,10 +706,12 @@ public abstract class Mammal() // Enum Type // -// An enum type is a special data type that enables for a variable to be a set of predefined constants. The // variable must be equal to one of the values that have been predefined for it. -// Because they are constants, the names of an enum type's fields are in uppercase letters. -// In the Java programming language, you define an enum type by using the enum keyword. For example, you would -// specify a days-of-the-week enum type as: +// An enum type is a special data type that enables for a variable to be a set +// of predefined constants. The variable must be equal to one of the values that +// have been predefined for it. Because they are constants, the names of an enum +// type's fields are in uppercase letters. In the Java programming language, you +// define an enum type by using the enum keyword. For example, you would specify +// a days-of-the-week enum type as: public enum Day { SUNDAY, MONDAY, TUESDAY, WEDNESDAY, From 4545257ce36075b7dfeb12244fd38c1614895ae6 Mon Sep 17 00:00:00 2001 From: Elie Moreau Date: Sat, 31 Oct 2015 21:23:35 +1100 Subject: [PATCH 119/286] Closed a comment that was not properly closed --- css.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/css.html.markdown b/css.html.markdown index d8f30ca3..e824914c 100644 --- a/css.html.markdown +++ b/css.html.markdown @@ -29,7 +29,7 @@ The main focus of this article is on the syntax and some general tips. #################### */ /* the selector is used to target an element on a page. -selector { property: value; /* more properties...*/ } +selector { property: value; /* more properties...*/ } */ /* Here is an example element: From fb5365ec8fcc898cba845b2194ab51fec57e84bb Mon Sep 17 00:00:00 2001 From: Adam Bard Date: Sat, 31 Oct 2015 18:26:19 +0800 Subject: [PATCH 120/286] Revert "Closed a comment that was not properly closed" --- css.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/css.html.markdown b/css.html.markdown index e824914c..d8f30ca3 100644 --- a/css.html.markdown +++ b/css.html.markdown @@ -29,7 +29,7 @@ The main focus of this article is on the syntax and some general tips. #################### */ /* the selector is used to target an element on a page. -selector { property: value; /* more properties...*/ } */ +selector { property: value; /* more properties...*/ } /* Here is an example element: From 0156044d6f4f0630e1f82989b905a9f2a625e1a7 Mon Sep 17 00:00:00 2001 From: Kristy Vuong Date: Sat, 31 Oct 2015 21:29:46 +1100 Subject: [PATCH 121/286] Added fullstops at the end of most lines --- markdown.html.markdown | 34 +++++++++++++++++----------------- 1 file changed, 17 insertions(+), 17 deletions(-) diff --git a/markdown.html.markdown b/markdown.html.markdown index 2333110f..b3284e71 100644 --- a/markdown.html.markdown +++ b/markdown.html.markdown @@ -11,7 +11,7 @@ Give me as much feedback as you want! / Feel free to fork and pull request! ```markdown - +text you want to be in that element by a number of hashes (#). --> # This is an

## This is an

### This is an

@@ -31,7 +31,7 @@ text you want to be in that element by a number of hashes (#) --> ##### This is an

###### This is an
- + This is an h1 ============= @@ -39,7 +39,7 @@ This is an h2 ------------- - + *This text is in italics.* _And so is this text._ @@ -85,7 +85,7 @@ There's a
above me! > How neat is that? - + * Item * Item @@ -103,21 +103,21 @@ or - Item - One last item - + 1. Item one 2. Item two 3. Item three +render the numbers in order, but this may not be a good idea. --> 1. Item one 1. Item two 1. Item three - + 1. Item one 2. Item two @@ -136,13 +136,13 @@ This checkbox below will be a checked HTML checkbox. +a line with four spaces or a tab. --> This is code So is this +inside your code. --> my_array.each do |item| puts item @@ -152,7 +152,7 @@ inside your code --> John didn't even know what the `go_to()` function did! - + \`\`\`ruby def foobar @@ -174,11 +174,11 @@ with or without spaces. --> +the text to display in hard brackets [] followed by the url in parentheses (). --> [Click me!](http://test.com/) - + [Click me!](http://test.com/ "Link to Test.com") @@ -186,7 +186,7 @@ the text to display in hard brackets [] followed by the url in parentheses () -- [Go to music](/music/). - + [Click this link][link1] for more info about it! [Also check out this link][foobar] if you want to. @@ -198,7 +198,7 @@ the text to display in hard brackets [] followed by the url in parentheses () -- entirely. The references can be anywhere in your document and the reference IDs can be anything so long as they are unique. --> - + [This][] is a link. @@ -211,7 +211,7 @@ can be anything so long as they are unique. --> ![This is the alt-attribute for my image](http://imgur.com/myimage.jpg "An optional title") - + ![This is the alt-attribute.][myimage] @@ -233,7 +233,7 @@ I want to type *this text surrounded by asterisks* but I don't want it to be in italics, so I do this: \*this text surrounded by asterisks\*. - + Your computer crashed? Try sending a Ctrl+Alt+Del From fd16cf95ae0a96424f1cd78ffb3ac99138eda4ff Mon Sep 17 00:00:00 2001 From: Niko Weh Date: Sat, 31 Oct 2015 20:57:30 +1000 Subject: [PATCH 122/286] [haskell/de] [yaml/de] Fix umlauts MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Replaced ae/oe/ue with ä/ö/ü where appropriate. I did a "grep" in the de-de directory, i've only found problems in haskell and yaml files. --- de-de/haskell-de.html.markdown | 40 +++++++++++++++++----------------- de-de/yaml-de.html.markdown | 4 ++-- 2 files changed, 22 insertions(+), 22 deletions(-) diff --git a/de-de/haskell-de.html.markdown b/de-de/haskell-de.html.markdown index 41b80d95..d1a0008e 100644 --- a/de-de/haskell-de.html.markdown +++ b/de-de/haskell-de.html.markdown @@ -59,7 +59,7 @@ not False -- True -- Strings und Zeichen "Das ist ein String." 'a' -- Zeichen -'Einfache Anfuehrungszeichen gehen nicht.' -- error! +'Einfache Anführungszeichen gehen nicht.' -- error! -- Strings können konkateniert werden. "Hello " ++ "world!" -- "Hello world!" @@ -90,11 +90,11 @@ not False -- True -- Der "!!"-Operator extrahiert das Element an einem bestimmten Index: [1..10] !! 3 -- 4 --- Haskell unterstuetzt unendliche Listen! -[1..] -- Die Liste aller natuerlichen Zahlen +-- Haskell unterstützt unendliche Listen! +[1..] -- Die Liste aller natürlichen Zahlen -- Unendliche Listen funktionieren in Haskell, da es "lazy evaluation" --- unterstuetzt. Haskell evaluiert erst etwas, wenn es benötigt wird. +-- unterstützt. Haskell evaluiert erst etwas, wenn es benötigt wird. -- Somit kannst du nach dem 1000. Element fragen und Haskell gibt es dir: [1..] !! 999 -- 1000 @@ -106,7 +106,7 @@ not False -- True -- Zwei Listen konkatenieren [1..5] ++ [6..10] --- Ein Element als Head hinzufuegen +-- Ein Element als Head hinzufügen 0:[1..5] -- [0, 1, 2, 3, 4, 5] -- Weitere Listenoperationen @@ -152,7 +152,7 @@ add 1 2 -- 3 (//) a b = a `div` b 35 // 4 -- 8 --- Guards sind eine einfache Möglichkeit fuer Fallunterscheidungen. +-- Guards sind eine einfache Möglichkeit für Fallunterscheidungen. fib x | x < 2 = 1 | otherwise = fib (x - 1) + fib (x - 2) @@ -186,7 +186,7 @@ foldl1 (\acc x -> acc + x) [1..5] -- 15 -- 4. Mehr Funktionen ---------------------------------------------------- --- currying: Wenn man nicht alle Argumente an eine Funktion uebergibt, +-- currying: Wenn man nicht alle Argumente an eine Funktion übergibt, -- so wird sie eine neue Funktion gebildet ("curried"). -- Es findet eine partielle Applikation statt und die neue Funktion -- nimmt die fehlenden Argumente auf. @@ -209,7 +209,7 @@ foo = (*4) . (+10) foo 5 -- 60 --- Haskell hat einen Operator `$`, welcher Funktionsapplikation durchfuehrt. +-- Haskell hat einen Operator `$`, welcher Funktionsapplikation durchführt. -- Im Gegenzug zu der Standard-Funktionsapplikation, welche linksassoziativ ist -- und die höchstmögliche Priorität von "10" hat, ist der `$`-Operator -- rechtsassoziativ und hat die Priorität 0. Dieses hat (idr.) den Effekt, @@ -238,14 +238,14 @@ even . fib $ 7 -- false True :: Bool -- Funktionen haben genauso Typen. --- `not` ist Funktion die ein Bool annimmt und ein Bool zurueckgibt: +-- `not` ist Funktion die ein Bool annimmt und ein Bool zurückgibt: -- not :: Bool -> Bool -- Eine Funktion die zwei Integer Argumente annimmt: -- add :: Integer -> Integer -> Integer -- Es ist guter Stil zu jeder Funktionsdefinition eine --- Typdefinition darueber zu schreiben: +-- Typdefinition darüber zu schreiben: double :: Integer -> Integer double x = x * 2 @@ -317,7 +317,7 @@ data Maybe a = Nothing | Just a -- Diese sind alle vom Typ Maybe: Just "hello" -- vom Typ `Maybe String` Just 1 -- vom Typ `Maybe Int` -Nothing -- vom Typ `Maybe a` fuer jedes `a` +Nothing -- vom Typ `Maybe a` für jedes `a` ---------------------------------------------------- -- 8. Haskell IO @@ -326,8 +326,8 @@ Nothing -- vom Typ `Maybe a` fuer jedes `a` -- IO kann nicht völlig erklärt werden ohne Monaden zu erklären, -- aber man kann die grundlegenden Dinge erklären. --- Wenn eine Haskell Programm ausgefuehrt wird, so wird `main` aufgerufen. --- Diese muss etwas vom Typ `IO ()` zurueckgeben. Zum Beispiel: +-- Wenn eine Haskell Programm ausgeführt wird, so wird `main` aufgerufen. +-- Diese muss etwas vom Typ `IO ()` zurückgeben. Zum Beispiel: main :: IO () main = putStrLn $ "Hello, sky! " ++ (say Blue) @@ -355,10 +355,10 @@ sayHello = do -- an die Variable "name" gebunden putStrLn $ "Hello, " ++ name --- Uebung: Schreibe deine eigene Version von `interact`, +-- Übung: Schreibe deine eigene Version von `interact`, -- die nur eine Zeile einliest. --- `sayHello` wird niemals ausgefuehrt, nur `main` wird ausgefuehrt. +-- `sayHello` wird niemals ausgeführt, nur `main` wird ausgeführt. -- Um `sayHello` laufen zulassen kommentiere die Definition von `main` -- aus und ersetze sie mit: -- main = sayHello @@ -376,7 +376,7 @@ action = do input1 <- getLine input2 <- getLine -- Der Typ von `do` ergibt sich aus der letzten Zeile. - -- `return` ist eine Funktion und keine Schluesselwort + -- `return` ist eine Funktion und keine Schlüsselwort return (input1 ++ "\n" ++ input2) -- return :: String -> IO String -- Nun können wir `action` wie `getLine` benutzen: @@ -387,7 +387,7 @@ main'' = do putStrLn result putStrLn "This was all, folks!" --- Der Typ `IO` ist ein Beispiel fuer eine Monade. +-- Der Typ `IO` ist ein Beispiel für eine Monade. -- Haskell benutzt Monaden Seiteneffekte zu kapseln und somit -- eine rein funktional Sprache zu sein. -- Jede Funktion die mit der Außenwelt interagiert (z.B. IO) @@ -404,7 +404,7 @@ main'' = do -- Starte die REPL mit dem Befehl `ghci` -- Nun kann man Haskell Code eingeben. --- Alle neuen Werte muessen mit `let` gebunden werden: +-- Alle neuen Werte müssen mit `let` gebunden werden: let foo = 5 @@ -413,7 +413,7 @@ let foo = 5 >:t foo foo :: Integer --- Auch jede `IO ()` Funktion kann ausgefuehrt werden. +-- Auch jede `IO ()` Funktion kann ausgeführt werden. > sayHello What is your name? @@ -437,6 +437,6 @@ qsort (p:xs) = qsort lesser ++ [p] ++ qsort greater Haskell ist sehr einfach zu installieren. Hohl es dir von [hier](http://www.haskell.org/platform/). -Eine sehr viele langsamere Einfuehrung findest du unter: +Eine sehr viele langsamere Einführung findest du unter: [Learn you a Haskell](http://learnyouahaskell.com/) oder [Real World Haskell](http://book.realworldhaskell.org/). diff --git a/de-de/yaml-de.html.markdown b/de-de/yaml-de.html.markdown index 19ea9e87..a46c30f6 100644 --- a/de-de/yaml-de.html.markdown +++ b/de-de/yaml-de.html.markdown @@ -30,7 +30,7 @@ null_Wert: null Schlüssel mit Leerzeichen: value # Strings müssen nicht immer mit Anführungszeichen umgeben sein, können aber: jedoch: "Ein String in Anführungzeichen" -"Ein Schlüssel in Anführungszeichen": "Nützlich, wenn du einen Doppelpunkt im Schluessel haben willst." +"Ein Schlüssel in Anführungszeichen": "Nützlich, wenn du einen Doppelpunkt im Schlüssel haben willst." # Mehrzeilige Strings schreibst du am besten als 'literal block' (| gefolgt vom Text) # oder ein 'folded block' (> gefolgt vom text). @@ -64,7 +64,7 @@ eine_verschachtelte_map: hallo: hallo # Schlüssel müssen nicht immer String sein. -0.25: ein Float-Wert als Schluessel +0.25: ein Float-Wert als Schlüssel # Schlüssel können auch mehrzeilig sein, ? symbolisiert den Anfang des Schlüssels ? | From c23fa3613874bc22b65e5506c374c8f8bf2691d8 Mon Sep 17 00:00:00 2001 From: Adam Date: Sat, 31 Oct 2015 19:34:51 +0800 Subject: [PATCH 123/286] Revert "[php/en]" This reverts commit 5afca01bdfb7dab2e6086a63bb80444aae9831cb. --- php.html.markdown | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/php.html.markdown b/php.html.markdown index 7b0cf61c..0504ced2 100644 --- a/php.html.markdown +++ b/php.html.markdown @@ -3,7 +3,6 @@ language: PHP contributors: - ["Malcolm Fell", "http://emarref.net/"] - ["Trismegiste", "https://github.com/Trismegiste"] - - [ Liam Demafelix , https://liamdemafelix.com/] filename: learnphp.php --- @@ -157,13 +156,14 @@ unset($array[3]); * Output */ -echo 'Hello World!'; +echo('Hello World!'); // Prints Hello World! to stdout. // Stdout is the web page if running in a browser. print('Hello World!'); // The same as echo -// print is a language construct too, so you can drop the parentheses +// echo and print are language constructs too, so you can drop the parentheses +echo 'Hello World!'; print 'Hello World!'; $paragraph = 'paragraph'; @@ -335,7 +335,7 @@ switch ($x) { $i = 0; while ($i < 5) { echo $i++; -} // Prints "01234" +}; // Prints "01234" echo "\n"; From b307b65e8df4e27991c8cf7ade1e3d7faa1e87fd Mon Sep 17 00:00:00 2001 From: Anton Ivanov Date: Sat, 31 Oct 2015 14:37:12 +0300 Subject: [PATCH 124/286] Add binary number example. --- php.html.markdown | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/php.html.markdown b/php.html.markdown index 7b0cf61c..d03b89fe 100644 --- a/php.html.markdown +++ b/php.html.markdown @@ -54,6 +54,8 @@ $int1 = 12; // => 12 $int2 = -12; // => -12 $int3 = 012; // => 10 (a leading 0 denotes an octal number) $int4 = 0x0F; // => 15 (a leading 0x denotes a hex literal) +// Binary integer literals are available since PHP 5.4.0. +$int5 = 0b11111111; // 255 (a leading 0b denotes a binary number) // Floats (aka doubles) $float = 1.234; @@ -117,11 +119,11 @@ echo 'Multiple', 'Parameters', 'Valid'; // Returns 'MultipleParametersValid' // a valid constant name starts with a letter or underscore, // followed by any number of letters, numbers, or underscores. -define("FOO", "something"); +define("FOO", "something"); // access to a constant is possible by calling the choosen name without a $ echo FOO; // Returns 'something' -echo 'This outputs '.FOO; // Returns 'This ouputs something' +echo 'This outputs ' . FOO; // Returns 'This ouputs something' From c990b720e4416fd5c516af906ba548d0b2b12f0f Mon Sep 17 00:00:00 2001 From: Reinoud Kruithof Date: Sat, 31 Oct 2015 12:37:39 +0100 Subject: [PATCH 125/286] Added Dutch translation of AMD. --- nl-nl/amd-nl.html.markdown | 235 +++++++++++++++++++++++++++++++++++++ 1 file changed, 235 insertions(+) create mode 100644 nl-nl/amd-nl.html.markdown diff --git a/nl-nl/amd-nl.html.markdown b/nl-nl/amd-nl.html.markdown new file mode 100644 index 00000000..d5e0022a --- /dev/null +++ b/nl-nl/amd-nl.html.markdown @@ -0,0 +1,235 @@ +--- +category: tool +tool: amd +contributors: + - ["Frederik Ring", "https://github.com/m90"] +translators: + - ["Reinoud Kruithof", "https://github.com/reinoudk"] +filename: learnamd-nl.js +lang: nl-nl +--- + +## Aan de slag met AMD + +De **Asynchronous Module Definition** API specificeert een mechanisme om JavaScript + modules the definiren zodat de module en dependencies (afhankelijkheden) asynchroon + geladen kunnen worden. Dit is vooral erg geschikt voor de browseromgeving, waar het + synchroon laden van modules zorgt voor problemen qua prestatie, gebruiksvriendelijkheid, + debugging en cross-domain toegangsproblemen. + +### Basis concept +```javascript +// De basis AMD API bestaat uit niks meer dan twee methodes: `define` en `require` +// and gaat vooral over de definitie en gebruik van modules: +// `define(id?, dependencies?, factory)` definieert een module +// `require(dependencies, callback)` importeert een set van dependencies en +// gebruikt ze in de gegeven callback + +// Laten we starten met het gebruiken van define om een nieuwe module (met naam) +// te creeren, welke geen dependencies heeft. Dit doen we door een naam +// en een zogeheten factory functie door te geven aan define: +define('awesomeAMD', function(){ + var isAMDAwesome = function(){ + return true; + }; + // De return waarde van een module's factory functie is + // wat andere modules of require calls ontvangen wanneer + // ze onze `awesomeAMD` module requiren. + // De gexporteerde waarde kan van alles zijn: (constructor) functies, + // objecten, primitives, zelfs undefined (hoewel dat niet veel nut heeft). + return isAMDAwesome; +}); + + +// We gaan nu een andere module defineren die afhankelijk is van onze +// `awesomeAMD` module. Merk hierbij op dat er nu een extra functieargument +// is die de dependencies van onze module defineert: +define('schreewlelijk', ['awesomeAMD'], function(awesomeAMD){ + // dependencies worden naar de factory's functieargumenten + // gestuurd in de volgorde waarin ze gespecificeert zijn + var vertelIedereen = function(){ + if (awesomeAMD()){ + alert('Dit is zOoOo cool!'); + } else { + alert('Vrij saai, niet?'); + } + }; + return vertelIedereen; +}); + +// Nu we weten hoe we define moeten gebruiken, kunnen we require gebruiken +// om ons programma mee te starten. De vorm van `require` is +// `(arrayVanDependencies, callback)`. +require(['schreeuwlelijk'], function(schreewlelijk){ + schreeuwlelijk(); +}); + +// Om deze tutorial code uit te laten voeren, gaan we hier een vrij basic +// (niet-asynchrone) versie van AMD implementeren: +function define(naam, deps, factory){ + // merk op hoe modules zonder dependencies worden afgehandeld + define[naam] = require(factory ? deps : [], factory || deps); +} + +function require(deps, callback){ + var args = []; + // we halen eerst alle dependecies op die nodig zijn + // om require aan te roepen + for (var i = 0; i < deps.length; i++){ + args[i] = define[deps[i]]; + } + // voldoe aan alle dependencies van de callback + return callback.apply(null, args); +} +// je kan deze code hier in actie zien (Engels): http://jsfiddle.net/qap949pd/ +``` + +### require.js in de echte wereld + +In contrast met het voorbeeld uit de introductie, implementeert `require.js` + (de meest populaire AMD library) de **A** in **AMD**. Dit maakt het mogelijk + om je modules en hun dependencies asynchroon in the laden via XHR: + +```javascript +/* file: app/main.js */ +require(['modules/someClass'], function(SomeClass){ + // de callback word uitgesteld tot de dependency geladen is + var things = new SomeClass(); +}); +console.log('Dus, hier wachten we!'); // dit wordt als eerste uitgevoerd +``` + +De afspraak is dat je over het algemeen n module in n bestand opslaat. +`require.js` kan module-namen achterhalen gebaseerd op de bestandslocatie, +dus je hoeft je module geen naam te geven. Je kan simpelweg aan ze referen + door hun locatie te gebruiken. +In het voorbeeld nemen we aan dat `someClass` aanwezig is in de `modules` map, + relatief ten opzichte van de `baseUrl` uit je configuratie. + +* app/ + * main.js + * modules/ + * someClass.js + * someHelpers.js + * ... + * daos/ + * things.js + * ... + +Dit betekent dat we `someClass` kunnen defineren zonder een module-id te specificeren: + +```javascript +/* file: app/modules/someClass.js */ +define(['daos/things', 'modules/someHelpers'], function(thingsDao, helpers){ + // definitie van de module gebeurt, natuurlijk, ook asynchroon + function SomeClass(){ + this.method = function(){/**/}; + // ... + } + return SomeClass; +}); +``` +Gebruik `requirejs.config(configObj)` om het gedrag van de standaard mapping + aan te passen in je `main.js`: + +```javascript +/* file: main.js */ +requirejs.config({ + baseUrl : 'app', + paths : { + // je kan ook modules uit andere locatie inladen + jquery : '//ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min', + coolLibUitBower : '../bower_components/cool-lib/coollib' + } +}); +require(['jquery', 'coolLibUitBower', 'modules/someHelpers'], function($, coolLib, helpers){ + // een `main` bestand moet require minstens eenmaal aanroepen, + // anders zal er geen code uitgevoerd worden + coolLib.doFancyDingenMet(helpers.transform($('#foo'))); +}); +``` +Op `require.js` gebaseerde apps hebben vaak een enkel beginpunt (`main.js`) + welke toegevoegd wordt aan de `require.js` script tag als een data-attribuut. +Deze zal automisch geladen en uitgevoerd worden als de pagina laadt: + +```html + + + + Honder script tags? Nooi meer! + + + + + +``` + +### Een heel project optimaliseren met r.js + +Veel mensen geven er de voorkeur aan om AMD te gebruiken tijdens de + ontwikkelfase om code op een gezonde manier te organiseren maar + willen nog steeds een enkel scriptbestand gebruiken in productie in + plaats van honderderen XHR verzoeken uit te voeren als de pagina laadt. + +`require.js` wordt geleverd met een script genaamd `r.js` (die je waarschijnlijk +uitvoert in node.js, hoewel Rhino ook ondersteund wordt) welke de +dependency book van je project analyseert en een enkel bestand bouwt met daarin +al je module (juist genaamd), geminificeerd en klaar voor productie. + +Instaleren met `npm`: +```shell +$ npm install requirejs -g +``` + +Nu kun je het een configuratiebestand voeden: +```shell +$ r.js -o app.build.js +``` + +Voor ons bovenstaande voorbeeld zou de configuratie er zo uit kunnen zien: +```javascript +/* file : app.build.js */ +({ + name : 'main', // naam van het beginpunt + out : 'main-built.js', // naam van het bestand waar de output naar geschreven wordt + baseUrl : 'app', + paths : { + // `empty:` verteld r.js dat dee nog steeds geladen moet worden van de CDN, + // gebruik makend van de locatie gespecificeert in `main.js` + jquery : 'empty:', + coolLibUitBower : '../bower_components/cool-lib/coollib' + } +}) +``` +Verwissel simpelweg `data-main` om het gebouwde bestand te gebruiken in productie: +```html + +``` + +Een erg gedetaileerd [overzicht van bouwopties](https://github.com/jrburke/r.js/blob/master/build/example.build.js) is +beschikbar in de GitHub repo (Engels). + +Hieronder vind je nog meer informatie over AMD (Engels). + +### Onderwerpen die niet aan bod zijn gekomen +* [Loader plugins / transforms](http://requirejs.org/docs/plugins.html) +* [CommonJS style loading and exporting](http://requirejs.org/docs/commonjs.html) +* [Advanced configuration](http://requirejs.org/docs/api.html#config) +* [Shim configuration (loading non-AMD modules)](http://requirejs.org/docs/api.html#config-shim) +* [CSS loading and optimizing with require.js](http://requirejs.org/docs/optimization.html#onecss) +* [Using almond.js for builds](https://github.com/jrburke/almond) + +### Verder lezen: + +* [Official Spec](https://github.com/amdjs/amdjs-api/wiki/AMD) +* [Why AMD?](http://requirejs.org/docs/whyamd.html) +* [Universal Module Definition](https://github.com/umdjs/umd) + +### Implementaties: + +* [require.js](http://requirejs.org) +* [dojo toolkit](http://dojotoolkit.org/documentation/tutorials/1.9/modules/) +* [cujo.js](http://cujojs.com/) +* [curl.js](https://github.com/cujojs/curl) +* [lsjs](https://github.com/zazl/lsjs) +* [mmd](https://github.com/alexlawrence/mmd) From 1bd371bcda266c594ab4a4be9868db32a157c296 Mon Sep 17 00:00:00 2001 From: Tom Anderson Date: Sat, 31 Oct 2015 22:43:43 +1030 Subject: [PATCH 126/286] Add section heading info Give information about using comments for code sections --- matlab.html.markdown | 1 + 1 file changed, 1 insertion(+) diff --git a/matlab.html.markdown b/matlab.html.markdown index 9d78978e..25f762bb 100644 --- a/matlab.html.markdown +++ b/matlab.html.markdown @@ -15,6 +15,7 @@ If you have any feedback please feel free to reach me at [osvaldo.t.mendoza@gmail.com](mailto:osvaldo.t.mendoza@gmail.com). ```matlab +%% Code sections start with two percent signs. Section titles go on the same line. % Comments start with a percent sign. %{ From bda1e01ae0260e5ebbc7f93972b57bbad39c2ab4 Mon Sep 17 00:00:00 2001 From: IvanEh Date: Sat, 31 Oct 2015 14:46:06 +0200 Subject: [PATCH 127/286] Add Ukrainian translation for JSON --- ua-ua/json-ua.html.markdown | 67 +++++++++++++++++++++++++++++++++++++ 1 file changed, 67 insertions(+) create mode 100644 ua-ua/json-ua.html.markdown diff --git a/ua-ua/json-ua.html.markdown b/ua-ua/json-ua.html.markdown new file mode 100644 index 00000000..6281ea56 --- /dev/null +++ b/ua-ua/json-ua.html.markdown @@ -0,0 +1,67 @@ +--- +language: json +filename: learnjson-ru.json +contributors: + - ["Anna Harren", "https://github.com/iirelu"] + - ["Marco Scannadinari", "https://github.com/marcoms"] +translators: + - ["Ehreshi Ivan", "https://github.com/IvanEh"] +lang: ua-ua +--- + +JSON - це надзвичайно простий формат обміну даними. Це мабуть буде найлегшим курсом +"Learn X in Y Minutes". + +В загальному випадку в JSON немає коментарів, але більшість парсерів дозволяють +використовувати коментарі в С-стилі(//, /\* \*/). Можна залишити кому після останнього +поля, але все-таки краще такого уникати для кращої сумісності + +```json +{ + "ключ": "значеннь", + + "ключі": "завжди мають бути обгорнуті в подвійні лапки", + "числа": 0, + "рядки": "Пρивет, світ. Допускаються всі unicode-символи разом з \"екрануванням\".", + "логічний тип": true, + "нічого": null, + + "велике число": 1.2e+100, + + "об’єкти": { + "коментар": "Більшість ваших структур будуть складатися з об’єктів", + + "масив": [0, 1, 2, 3, "масиви можуть містити будь-які типи", 5], + + "інший об’єкт": { + "коментра": "Об’єкти можуть містити інші об’єкти. Це дуже корисно." + } + }, + + "безглуздя": [ + { + "джерело калія": ["банани"] + }, + [ + [1, 0, 0, 0], + [0, 1, 0, 0], + [0, 0, 1, "нео"], + [0, 0, 0, 1] + ] + ], + + "альтернативнтй стиль": { + "коментар": "Гляньте!" + , "позиція коми": "неважлива, поки вона знаходиться до наступного поля" + , "інший коментар": "класно" + }, + + "Це було не довго": "І ви справилист. Тепер ви знаєте все про JSON." +} + +Одиничний масив значень теж є правильним JSON + +[1, 2, 3, "text", true] + + +``` From 3dbcf1c2c6092b0287bae150eec2271446f95927 Mon Sep 17 00:00:00 2001 From: Pavel Kazlou Date: Sat, 31 Oct 2015 16:22:59 +0300 Subject: [PATCH 128/286] added docs for multi-variable tuple assignment --- scala.html.markdown | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/scala.html.markdown b/scala.html.markdown index 192e03d7..4ba9a31b 100644 --- a/scala.html.markdown +++ b/scala.html.markdown @@ -321,9 +321,15 @@ divideInts(10, 3) // (Int, Int) = (3,1) val d = divideInts(10, 3) // (Int, Int) = (3,1) d._1 // Int = 3 - d._2 // Int = 1 +// Alternatively you can do multiple-variable assignment to tuple, which is more +// convenient and readable in many cases +val (div, mod) = divideInts(10, 3) + +div // Int = 3 +mod // Int = 1 + ///////////////////////////////////////////////// // 5. Object Oriented Programming From bc087b50370a3c32c35ef026047c2fa9db9944d8 Mon Sep 17 00:00:00 2001 From: Pavel Kazlou Date: Sat, 31 Oct 2015 16:39:47 +0300 Subject: [PATCH 129/286] usage of named parameters --- scala.html.markdown | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/scala.html.markdown b/scala.html.markdown index 192e03d7..bc8cd422 100644 --- a/scala.html.markdown +++ b/scala.html.markdown @@ -169,6 +169,12 @@ def sumOfSquaresShort(x: Int, y: Int): Int = x * x + y * y // Syntax for calling functions is familiar: sumOfSquares(3, 4) // => 25 +// You can use parameters names to specify them in different order +def subtract(x: Int, y: Int): Int = x - y + +subtract(10, 3) // => 7 +subtract(y=10, x=3) // => -7 + // In most cases (with recursive functions the most notable exception), function // return type can be omitted, and the same type inference we saw with variables // will work with function return values: From d47f06345b37cecf4072523c1c79f63f37846d8c Mon Sep 17 00:00:00 2001 From: Pavel Kazlou Date: Sat, 31 Oct 2015 16:50:40 +0300 Subject: [PATCH 130/286] added docs for default case in pattern matching --- scala.html.markdown | 3 +++ 1 file changed, 3 insertions(+) diff --git a/scala.html.markdown b/scala.html.markdown index 192e03d7..131bd71c 100644 --- a/scala.html.markdown +++ b/scala.html.markdown @@ -454,6 +454,9 @@ def matchEverything(obj: Any): String = obj match { // You can nest patterns: case List(List((1, 2, "YAY"))) => "Got a list of list of tuple" + + // Match any case (default) if all previous haven't matched + case _ => "Got unknown object" } // In fact, you can pattern match any object with an "unapply" method. This From 9631e99f4acca4c4415f5166c2a8f7292058cd51 Mon Sep 17 00:00:00 2001 From: meinkej Date: Sat, 31 Oct 2015 15:39:50 +0100 Subject: [PATCH 131/286] Improvements to the german LaTeX document. Fix a sentence, added a command to be able to define multiline comment blocks. Additionally, make use of the \LaTeX command to correctly show the LaTeX logo. --- de-de/latex-de.html.markdown | 91 ++++++++++++++++++++---------------- 1 file changed, 51 insertions(+), 40 deletions(-) diff --git a/de-de/latex-de.html.markdown b/de-de/latex-de.html.markdown index 2c18b8fd..ee9c6e3e 100644 --- a/de-de/latex-de.html.markdown +++ b/de-de/latex-de.html.markdown @@ -6,19 +6,19 @@ contributors: - ["Sricharan Chiruvolu", "http://sricharan.xyz"] translators: - ["Moritz Kammerer", "https://github.com/phxql"] + - ["Jerome Meinke", "https://github.com/jmeinke"] lang: de-de filename: latex-de.tex --- ``` -% Alle Kommentare starten fangen mit % an -% Es gibt keine Kommentare über mehrere Zeilen +% Alle Kommentare starten mit einem Prozentzeichen % -% LateX ist keine "What You See Is What You Get" Textverarbeitungssoftware wie z.B. +% LaTeX ist keine "What You See Is What You Get" Textverarbeitungssoftware wie z.B. % MS Word oder OpenOffice Writer -% Jedes LateX-Kommando startet mit einem Backslash (\) +% Jedes LaTeX-Kommando startet mit einem Backslash (\) -% LateX-Dokumente starten immer mit der Definition des Dokuments, die sie darstellen +% LaTeX-Dokumente starten immer mit der Definition des Dokuments, die sie darstellen % Weitere Dokumententypen sind z.B. book, report, presentations, etc. % Optionen des Dokuments stehen zwischen den eckigen Klammern []. In diesem Fall % wollen wir einen 12 Punkte-Font verwenden. @@ -26,7 +26,7 @@ filename: latex-de.tex % Als nächstes definieren wir die Pakete, die wir verwenden wollen. % Wenn du z.B. Grafiken, farbigen Text oder Quelltext in dein Dokument einbetten möchtest, -% musst du die Fähigkeiten von Latex durch Hinzufügen von Paketen erweitern. +% musst du die Fähigkeiten von LaTeX durch Hinzufügen von Paketen erweitern. % Wir verwenden die Pakete float und caption für Bilder. \usepackage{caption} \usepackage{float} @@ -34,30 +34,41 @@ filename: latex-de.tex % Mit diesem Paket können leichter Umlaute getippt werden \usepackage[utf8]{inputenc} +% Es gibt eigentlich keine Kommentare über mehrere Zeilen, solche kann man +% aber selbst durch die Angabe eigener Kommandos definieren. +% Dieses Kommando kann man später benutzen. +\newcommand{\comment}[1]{} + % Es können durchaus noch weitere Optione für das Dokument gesetzt werden! \author{Chaitanya Krishna Ande, Colton Kohnke \& Sricharan Chiruvolu} \date{\today} -\title{Learn LaTeX in Y Minutes!} +\title{Learn \LaTeX\ in Y Minutes!} % Nun kann's losgehen mit unserem Dokument. % Alles vor dieser Zeile wird die Preamble genannt. -\begin{document} +\begin{document} + +\comment{ + Dies ist unser selbst-definierter Befehl + für mehrzeilige Kommentare. +} + % Wenn wir den Autor, das Datum und den Titel gesetzt haben, kann -% LateX für uns eine Titelseite generieren +% LaTeX für uns eine Titelseite generieren \maketitle -% Die meisten Paper haben ein Abstract. LateX bietet dafür einen vorgefertigen Befehl an. +% Die meisten Paper haben ein Abstract. LaTeX bietet dafür einen vorgefertigen Befehl an. % Das Abstract sollte in der logischen Reihenfolge, also nach dem Titel, aber vor dem % Inhalt erscheinen. % Dieser Befehl ist in den Dokumentenklassen article und report verfügbar. \begin{abstract} - LateX documentation geschrieben in LateX! Wie ungewöhnlich und garantiert nicht meine Idee! + \LaTeX -Documentation geschrieben in \LaTeX ! Wie ungewöhnlich und garantiert nicht meine Idee! \end{abstract} % Section Befehle sind intuitiv. % Alle Titel der sections werden automatisch in das Inhaltsverzeichnis übernommen. \section{Einleitung} -Hi, mein Name ist Moritz und zusammen werden wir LateX erforschen! +Hi, mein Name ist Moritz und zusammen werden wir \LaTeX\ erforschen! \section{Noch eine section} Das hier ist der Text für noch eine section. Ich glaube, wir brauchen eine subsection. @@ -71,16 +82,16 @@ So ist's schon viel besser. % Wenn wir den Stern nach section schreiben, dann unterdrückt LateX die Nummerierung. % Das funktioniert auch bei anderen Befehlen. -\section*{Das ist eine unnummerierte section} -Es müssen nicht alle sections nummeriert sein! +\section*{Das ist eine unnummerierte section} +Es müssen nicht alle Sections nummeriert sein! \section{Ein paar Notizen} -LateX ist ziemlich gut darin, Text so zu platzieren, dass es gut aussieht. +\LaTeX\ ist ziemlich gut darin, Text so zu platzieren, dass es gut aussieht. Falls eine Zeile \\ mal \\ woanders \\ umgebrochen \\ werden \\ soll, füge \textbackslash\textbackslash in den Code ein.\\ \section{Listen} -Listen sind eine der einfachsten Dinge in LateX. Ich muss morgen einkaufen gehen, +Listen sind eine der einfachsten Dinge in \LaTeX. Ich muss morgen einkaufen gehen, also lass uns eine Einkaufsliste schreiben: \begin{enumerate} % Dieser Befehl erstellt eine "enumerate" Umgebung. % \item bringt enumerate dazu, eins weiterzuzählen. @@ -96,7 +107,7 @@ also lass uns eine Einkaufsliste schreiben: \section{Mathe} -Einer der Haupteinsatzzwecke von LateX ist das Schreiben von akademischen +Einer der Haupteinsatzzwecke von \LaTeX\ ist das Schreiben von akademischen Artikeln oder Papern. Meistens stammen diese aus dem Bereich der Mathe oder anderen Wissenschaften. Und deswegen müssen wir in der Lage sein, spezielle Symbole zu unserem Paper hinzuzufügen! \\ @@ -106,18 +117,18 @@ Symbole für Mengen und relationen, Pfeile, Operatoren und Griechische Buchstabe um nur ein paar zu nennen.\\ Mengen und Relationen spielen eine sehr wichtige Rolle in vielen mathematischen -Papern. So schreibt man in LateX, dass alle y zu X gehören: $\forall$ y $\in$ X. \\ +Papern. So schreibt man in \LaTeX, dass alle y zu X gehören: $\forall$ y $\in$ X. \\ -% Achte auf die $ Zeichen vor und nach den Symbolen. Wenn wir in LateX schreiben, +% Achte auf die $ Zeichen vor und nach den Symbolen. Wenn wir in LaTeX schreiben, % geschieht dies standardmäßig im Textmodus. Die Mathe-Symbole existieren allerdings % nur im Mathe-Modus. Wir können den Mathe-Modus durch das $ Zeichen aktivieren und % ihn mit $ wieder verlassen. Variablen können auch im Mathe-Modus angezeigt werden. Mein Lieblingsbuchstabe im Griechischen ist $\xi$. Ich mag auch $\beta$, $\gamma$ und $\sigma$. -Bis jetzt habe ich noch keinen griechischen Buchstaben gefunden, den LateX nicht kennt! +Bis jetzt habe ich noch keinen griechischen Buchstaben gefunden, den \LaTeX nicht kennt! Operatoren sind ebenfalls wichtige Bestandteile von mathematischen Dokumenten: -Trigonometrische Funktionen ($\sin$, $\cos$, $\tan$), +Trigonometrische Funktionen ($\sin$, $\cos$, $\tan$), Logarithmus und Exponenten ($\log$, $\exp$), Grenzwerte ($\lim$), etc. haben vordefinierte Befehle. Lass uns eine Gleichung schreiben: \\ @@ -127,7 +138,7 @@ $\cos(2\theta) = \cos^{2}(\theta) - \sin^{2}(\theta)$\\ Brüche (Zähler / Nenner) können so geschrieben werden: % 10 / 7 -$^{10}/_{7}$ +$^{10}/_{7}$ % Komplexere Brüche können so geschrieben werden: % \frac{Zähler}{Nenner} @@ -142,19 +153,19 @@ Wir können Gleichungen auch in einer equation Umgebung verwenden. \end{equation} % Alle \begin Befehle müssen einen \end Befehl besitzen Wir können nun unsere Gleichung referenzieren! -Gleichung ~\ref{eq:pythagoras} ist auch als das Theorem des Pythagoras bekannt. Dieses wird in +Gleichung ~\ref{eq:pythagoras} ist auch als das Theorem des Pythagoras bekannt. Dieses wird in Abschnitt ~\ref{subsec:pythagoras} behandelt. Es können sehr viele Sachen mit Labels versehen werden: Grafiken, Gleichungen, Sections, etc. Summen und Integrale können mit den sum und int Befehlen dargestellt werden: -% Manche LateX-Compiler beschweren sich, wenn Leerzeilen in Gleichungen auftauchen -\begin{equation} +% Manche LaTeX-Compiler beschweren sich, wenn Leerzeilen in Gleichungen auftauchen +\begin{equation} \sum_{i=0}^{5} f_{i} -\end{equation} -\begin{equation} +\end{equation} +\begin{equation} \int_{0}^{\infty} \mathrm{e}^{-x} \mathrm{d}x -\end{equation} +\end{equation} \section{Grafiken} @@ -164,7 +175,7 @@ Aber keine Sorge, ich muss auch jedes mal nachschauen, welche Option wie wirkt. \begin{figure}[H] % H ist die Platzierungsoption \centering % Zentriert die Grafik auf der Seite % Fügt eine Grafik ein, die auf 80% der Seitenbreite einnimmt. - %\includegraphics[width=0.8\linewidth]{right-triangle.png} + %\includegraphics[width=0.8\linewidth]{right-triangle.png} % Auskommentiert, damit es nicht im Dokument auftaucht. \caption{Dreieck mit den Seiten $a$, $b$, $c$} \label{fig:right-triangle} @@ -177,7 +188,7 @@ Wir können Tabellen genauso wie Grafiken einfügen. \caption{Überschrift der Tabelle.} % Die {} Argumente geben an, wie eine Zeile der Tabelle dargestellt werden soll. % Auch hier muss ich jedes Mal nachschauen. Jedes. einzelne. Mal. - \begin{tabular}{c|cc} + \begin{tabular}{c|cc} Nummer & Nachname & Vorname \\ % Spalten werden durch & getrennt \hline % Eine horizontale Linie 1 & Biggus & Dickus \\ @@ -187,36 +198,36 @@ Wir können Tabellen genauso wie Grafiken einfügen. % \section{Links} % Kommen bald! -\section{Verhindern, dass LateX etwas kompiliert (z.B. Quelltext)} -Angenommen, wir wollen Quelltext in unserem LateX-Dokument. LateX soll -in diesem Fall nicht den Quelltext als LateX-Kommandos interpretieren, +\section{Verhindern, dass \LaTeX\ etwas kompiliert (z.B. Quelltext)} +Angenommen, wir wollen Quelltext in unserem \LaTeX-Dokument. \LaTeX\ soll +in diesem Fall nicht den Quelltext als \LaTeX-Kommandos interpretieren, sondern es einfach ins Dokument schreiben. Um das hinzubekommen, verwenden wir eine verbatim Umgebung. % Es gibt noch weitere Pakete für Quelltexte (z.B. minty, lstlisting, etc.) % aber verbatim ist das simpelste. -\begin{verbatim} +\begin{verbatim} print("Hello World!") a%b; % Schau dir das an! Wir können % im verbatim verwenden! random = 4; #decided by fair random dice roll \end{verbatim} -\section{Kompilieren} +\section{Kompilieren} Ich vermute, du wunderst dich, wie du dieses tolle Dokument in ein PDF verwandeln kannst. (Ja, dieses Dokument kompiliert wirklich!) \\ Dafür musst du folgende Schritte durchführen: \begin{enumerate} - \item Schreibe das Dokument. (den LateX-Quelltext). - \item Kompiliere den Quelltext in ein PDF. + \item Schreibe das Dokument. (den \LaTeX -Quelltext). + \item Kompiliere den Quelltext in ein PDF. Das Kompilieren sieht so ähnlich wie das hier aus (Linux): \\ - \begin{verbatim} - $pdflatex learn-latex.tex learn-latex.pdf + \begin{verbatim} + $pdflatex learn-latex.tex learn-latex.pdf \end{verbatim} \end{enumerate} -Manche LateX-Editoren kombinieren Schritt 1 und 2. Du siehst also nur Schritt 1 und Schritt +Manche \LaTeX-Editoren kombinieren Schritt 1 und 2. Du siehst also nur Schritt 1 und Schritt 2 wird unsichtbar im Hintergrund ausgeführt. Alle Formatierungsoptionen werden in Schritt 1 in den Quelltext geschrieben. Schritt 2 verwendet From 23b35d9da0b3c1de5ff6a0b262b08020f0f56c4f Mon Sep 17 00:00:00 2001 From: roymiloh Date: Sat, 31 Oct 2015 17:20:03 +0200 Subject: [PATCH 132/286] [C#/en] Fix to "extension methods" over using "extension functions", it's more accurate. --- csharp.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/csharp.html.markdown b/csharp.html.markdown index dfdd98de..d6c503ae 100644 --- a/csharp.html.markdown +++ b/csharp.html.markdown @@ -630,7 +630,7 @@ on a new line! ""Wow!"", the masses cried"; public static class Extensions { - // EXTENSION FUNCTIONS + // EXTENSION METHODS public static void Print(this object obj) { Console.WriteLine(obj.ToString()); From 09cbaa6536e13dc2e4e20d8222423968cd989492 Mon Sep 17 00:00:00 2001 From: Abdul Alim Date: Sat, 31 Oct 2015 23:28:39 +0800 Subject: [PATCH 133/286] [JSON/ms-my] Added Malay (Malaysia) translation for JSON --- ms-my/json-my.html.markdown | 102 ++++++++++++++++++++++++++++++++++++ 1 file changed, 102 insertions(+) create mode 100644 ms-my/json-my.html.markdown diff --git a/ms-my/json-my.html.markdown b/ms-my/json-my.html.markdown new file mode 100644 index 00000000..2d2da519 --- /dev/null +++ b/ms-my/json-my.html.markdown @@ -0,0 +1,102 @@ +--- +language: json +filename: learnjson-ms.json +contributors: + - ["Anna Harren", "https://github.com/iirelu"] + - ["Marco Scannadinari", "https://github.com/marcoms"] + - ["himanshu", "https://github.com/himanshu81494"] + - ["Michael Neth", "https://github.com/infernocloud"] +translators: + - ["abdalim", "https://github.com/abdalim"] +lang: ms-my +--- + +Disebabkan JSON adalah format pertukaran-data yang sangat ringkas, panduan ini +kemungkinan besar adalah Learn X in Y Minutes yang paling mudah. + +JSON dalam bentuk paling aslinya sebenarnya tidak mempunyai sebarang komentar, +tetapi kebanyakan pembaca menerima komen dalam bentuk C (`\\`,`/* */`). Beberapa +pembaca juga bertoleransi terhadap koma terakhir (iaitu koma selepas elemen +terakhir di dalam array atau selepas ciri terakhir sesuatu objek), tetapi semua +ini harus dielakkan dan dijauhkan untuk keserasian yang lebih baik. + +Untuk tujuan ini bagaimanapun, semua di dalam panduan ini adalah 100% JSON yang +sah. Luckily, it kind of speaks for itself. + +Sebuah nilai JSON harus terdiri dari salah satu, iaitu, nombor, string, array, +objek atau salah satu dari nama literal berikut: true, false, null. + +Pelayar web yang menyokong adalah: Firefox 3.5+, Internet Explorer 8.0+, Chrome +1.0+, Opera 10.0+, dan Safari 4.0+. + +Sambungan fail untuk fail - fail JSON adalah ".json" dan jenis MIME untuk teks +JSON adalah "application/json". + +Banyak bahasa aturcara mempunyai fungsi untuk menyirikan (mengekod) dan +menyah-sirikan (men-dekod) data JSON kepada struktur data asal. Javascript +mempunyai sokongon tersirat untuk memanipulasi teks JSON sebagai data. + +Maklumat lebih lanjut boleh dijumpai di http://www.json.org/ + +JSON dibina pada dua struktur: +* Sebuah koleksi pasangan nama/nilai. Di dalam pelbagai bahasa aturcara, ini +direalisasikan sebagai objek, rekod, "struct", "dictionary", "hash table", +senarai berkunci, atau "associative array". +* Sebuah senarai nilai yang tersusun. Dalam kebanyakan bahasa aturcara, ini +direalisasikan sebagai array, vektor, senarai atau urutan. + +Sebuah objek dengan pelbagai pasangan nama/nilai. + +```json +{ + "kunci": "nilai", + + "kekunci": "harus sentiasa dibalut dengan 'double quotes'", + "nombor": 0, + "strings": "Hellø, wørld. Semua unicode dibenarkan, bersama \"escaping\".", + "ada bools?": true, + "tiada apa - apa": null, + + "nombor besar": 1.2e+100, + + "objek": { + "komen": "Sebahagian besar struktur akan terdiri daripada objek.", + + "array": [0, 1, 2, 3, "Array boleh mempunyai sebarang jenis data di dalamnya.", 5], + + "objek lain": { + "komen": "Objek boleh dibina dengan pelbagai lapisan, sangat berguna." + } + }, + + "kebendulan": [ + { + "punca potassium": ["pisang"] + }, + [ + [1, 0, 0, 0], + [0, 1, 0, 0], + [0, 0, 1, "neo"], + [0, 0, 0, 1] + ] + ], + + "stail alternatif": { + "komen": "cuba lihat ini!" + , "posisi koma": "tidak mengapa - selagi ia adalah sebelum nama atau kunci seterusnya, maka ia sah" + , "komen lain": "sungguh bagus" + } +} +``` + +Sebuah array sahaja yang mengandungi nilai - nilai juga adalah JSON yang sah. + +```json +[1, 2, 3, "text", true] +``` + +Objek - objek boleh menjadi sebahagian dari array juga. + +```json +[{"nama": "Abe", "umur": 25}, {"nama": "Jemah", "umur": 29}, {"name": "Yob", "umur": 31}] +``` From 0049a475edba88f6537b2490ca9506df23b46368 Mon Sep 17 00:00:00 2001 From: Aayush Ranaut Date: Sat, 31 Oct 2015 22:20:51 +0530 Subject: [PATCH 134/286] Removed confusing comments --- python.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/python.html.markdown b/python.html.markdown index 5572e38e..abc461a2 100644 --- a/python.html.markdown +++ b/python.html.markdown @@ -404,7 +404,7 @@ add(y=6, x=5) # Keyword arguments can arrive in any order. # You can define functions that take a variable number of -# positional args, which will be interpreted as a tuple if you do not use the * +# positional args, which will be interpreted as a tuple def varargs(*args): return args @@ -412,7 +412,7 @@ varargs(1, 2, 3) # => (1, 2, 3) # You can define functions that take a variable number of -# keyword args, as well, which will be interpreted as a dict if you do not use ** +# keyword args, as well, which will be interpreted as a dict def keyword_args(**kwargs): return kwargs From 3cabc7cc9ac2db44e9ee7bbbfb9538e1bf968a41 Mon Sep 17 00:00:00 2001 From: IvanEh Date: Sat, 31 Oct 2015 19:33:20 +0200 Subject: [PATCH 135/286] Add Ukrainian translation for bash --- ua-ua/bash-ua.html.markdown | 296 ++++++++++++++++++++++++++++++++++++ 1 file changed, 296 insertions(+) create mode 100644 ua-ua/bash-ua.html.markdown diff --git a/ua-ua/bash-ua.html.markdown b/ua-ua/bash-ua.html.markdown new file mode 100644 index 00000000..2c930ad1 --- /dev/null +++ b/ua-ua/bash-ua.html.markdown @@ -0,0 +1,296 @@ +--- +category: tool +tool: bash +contributors: + - ["Max Yankov", "https://github.com/golergka"] + - ["Darren Lin", "https://github.com/CogBear"] + - ["Alexandre Medeiros", "http://alemedeiros.sdf.org"] + - ["Denis Arh", "https://github.com/darh"] + - ["akirahirose", "https://twitter.com/akirahirose"] + - ["Anton Strömkvist", "http://lutic.org/"] + - ["Rahil Momin", "https://github.com/iamrahil"] + - ["Gregrory Kielian", "https://github.com/gskielian"] + - ["Etan Reisner", "https://github.com/deryni"] +translators: + - ["Ehreshi Ivan", "https://github.com/IvanEh"] +lang: ua-ua +--- + +Bash - командна оболонка unix (unix shell), що також розповсюджувалась як оболонка для +операційної системи GNU і зараз використовується як командна оболонка за замовчуванням +для Linux i Max OS X. +Почти все нижеприведенные примеры могут быть частью shell-скриптов или исполнены напрямую в shell. +Майже всі приклади, що наведені нижче можуть бути частиною shell-скриптів або +виконані в оболонці + +[Більш детально тут.](http://www.gnu.org/software/bash/manual/bashref.html) + +```bash +#!/bin/bash +# Перший рядок скрипта - це shebang, який вказує системі, як потрібно виконувати +# скрипт. Як ви вже зрозуміли, коментарі починаються з #. Shebang - тоже коментар + +# Простий приклад hello world: +echo Hello world! + +# Окремі команди починаються з нового рядка або розділяються крапкою з комкою: +echo 'Перший рядок'; echo 'Другий рядок' + +# Оголошення змінної +VARIABLE="Просто рядок" + +# Але не так! +VARIABLE = "Просто рядок" +# Bash вирішить, що VARIABLE - це команда, яку він може виконати, +# і видасть помилку, тому що не зможе знайти її + +# І так також не можна писати: +VARIABLE= 'Просто рядок' +# Bash сприйме рядок 'Просто рядок' як команду. Але такої команди не має, тому +# видасть помилку. +# (тут 'VARIABLE=' інтерпретується як присвоєння тільки в контексті +# виконання команди 'Просто рядок') + +# Використання змінних: +echo $VARIABLE +echo "$VARIABLE" +echo '$VARIABLE' +# Коли ви використовуєте змінну - присвоюєте значення, експортуєте і т.д. - +# пишіть її імя без $. А для отримання значення змінної використовуйте $. +# Одинарні лапки ' не розкривають значення змінних + +# Підстановка рядків в змінні +echo ${VARIABLE/Просто/A} +# Цей вираз замінить перше входження підрядка "Просто" на "А" + +# Отримання підрядка із рядка +LENGTH=7 +echo ${VARIABLE:0:LENGTH} +# Цей вираз поверне тільки перші 7 символів змінної VARIABLE + +# Значення за замовчуванням +echo ${FOO:-"DefaultValueIfFOOIsMissingOrEmpty"} +# Це спрацює при відсутності значення (FOO=) і при пустому рядку (FOO="") +# Нуль (FOO=0) поверне 0. +# Зауважте, що у всіх випадках значення самої змінної FOO не зміниться + +# Вбудовані змінні: +# В bash є корисні вбудовані змінні, наприклад +echo "Значення, яке було повернуте в останній раз: $?" +echo "PID скрипта: $$" +echo "Кількість аргументів: $#" +echo "Аргументи скрипта: $@" +echo "Аргументи скрипта, розподілені по різним змінним: $1 $2..." + +# Зчитування змінних з пристроїв введення +echo "Як вас звати?" +read NAME # Зверніть увагу, що вам не потрібно оголошувати нову змінну +echo Привіт, $NAME! + +# В bash є звичайна умовна конструкція if: +# наберіть 'man test', щоб переглянути детальну інформацію про формати умов +if [ $NAME -ne $USER ] +then + echo "Ім’я користувача не збігається з введеним" +else + echo "Ім’я збігаєтьяс з іменем користувача" +fi + +# Зауважте! якщо $Name пуста, bash інтерпретує код вище як: +if [ -ne $USER ] +# що є неправильним синтаксисом +# тому безпечний спосіб використання потенційно пустих змінних має вигляд: +if [ "$Name" -ne $USER ] ... +# коли $Name пуста, інтерпретується наступним чином: +if [ "" -ne $USER ] ... +# що працює як і очікувалося + +# Умовне виконання (conditional execution) +echo "Виконується завжди" || echo "Виконається, якщо перша команда завершиться з помилкою" +echo "Виконується завжди" && echo "Виконається, якщо перша команда завершиться успішно" + +# Щоб використати && і || у конструкції if, потрібно декілька пар дужок: +if [ $NAME == "Steve" ] && [ $AGE -eq 15 ] +then + echo "Виконається, якщо $NAME="Steve" i AGE=15." +fi + +if [ $NAME == "Daniya" ] || [ $NAME == "Zach" ] +then + echo "Виконається, якщо NAME="Steve" або NAME="Zach"." +fi + +# Вирази позначаються наступним форматом: +echo $(( 10 + 5 )) + +# На відмінно від інших мов програмування, Bash - це командна оболонка, а +# отже, працює в контексті поточної директорії +ls + +# Ця команда може використовуватися з опціями +ls -l # Показати кожен файл і директорію на окремому рядку + +# Результат попередньої команди можна перенаправити на вхід наступної. +# Команда grep фільтрує вхід по шаблону. +# Таким чином ми можемо переглянути тільки *.txt файли в поточній директорії: +ls -l | grep "\.txt" + +# Ви можете перенаправ вхід і вихід команди (stdin, stdout, stderr). +# Наступна команда означає: читати із stdin, поки не зустрінеться ^EOF$, і +# перезаписати hello.py наступними рядками (до рядка "EOF"): +cat > hello.py << EOF +#!/usr/bin/env python +from __future__ import print_function +import sys +print("#stdout", file=sys.stdout) +print("#stderr", file=sys.stderr) +for line in sys.stdin: + print(line, file=sys.stdout) +EOF + +# Запуск hello.py з різними варіантами перенаправлення stdin, +# stdout, stderr (стандартні потоки введення, виведення і помилок): +python hello.py < "input.in" +python hello.py > "output.out" +python hello.py 2> "error.err" +python hello.py > "output-and-error.log" 2>&1 +python hello.py > /dev/null 2>&1 +# Поток помилок перезапише фпйл, якщо цей файл існує +# тому, якщо ви хочете дописувати до файлу, використовуйте ">>": +python hello.py >> "output.out" 2>> "error.err" + +# Перезаписати output.txt, дописати error.err і порахувати кількість рядків: +info bash 'Basic Shell Features' 'Redirections' > output.out 2>> error.err +wc -l output.out error.err + +# Запустити команду і вивести її файловий дескриптор (див.: man fd; наприклад /dev/fd/123) +echo <(echo "#helloworld") + +# Перезаписати output.txt рядком "#helloworld": +cat > output.out <(echo "#helloworld") +echo "#helloworld" > output.out +echo "#helloworld" | cat > output.out +echo "#helloworld" | tee output.out >/dev/null + +# Подчистить временные файлы с подробным выводом ('-i' - интерактивый режим) +# Очистити тимчасові файли з детальним виводом (додайте '-i' +# для інтерактивного режиму) +rm -v output.out error.err output-and-error.log + +# Команди можуть бути підставлені в інші команди використовуючи $(): +# наступна команда виводить кількість файлів і директорій в поточній директорії +echo "Тут $(ls | wc -l) елементів." + +# Те саме можна зробити використовуючи зворотні лапки +# Але вони не можуть бути вкладеними, тому перший варіант бажаніший +echo "Тут `ls | wc -l` елементів." + +# В Bash є структура case, яка схожа на switch в Java и C++: +case "$VARIABLE" in + # перерахуйте шаблони, які будуть використовуватися в якості умов + 0) echo "Тут нуль.";; + 1) echo "Тут один.";; + *) echo "Не пусте значення.";; +esac + +# Цикл for перебирає елементи передані в аргумент: +# Значення $VARIABLE буде напечатано тричі. +for VARIABLE in {1..3} +do + echo "$VARIABLE" +done + +# Aбо можна використати звичний синтаксис for: +for ((a=1; a <= 3; a++)) +do + echo $a +done + +# Цикл for можно використати, щоб виконувати дії над файлами. +# Цей код запустить команду 'cat' для файлів file1 и file2 +for VARIABLE in file1 file2 +do + cat "$VARIABLE" +done + +# ... або дії над виводом команд +# Запустимо cat для виведення із ls. +for OUTPUT in $(ls) +do + cat "$OUTPUT" +done + +# Цикл while: +while [ true ] +do + echo "Тіло циклу..." + break +done + +# Ви також можете оголосити функцію +# Оголошення: +function foo () +{ + echo "Аргументи функції доступні так само, як і аргументи скрипта: $@" + echo "$1 $2..." + echo "Це функція" + return 0 +} + +# Або просто +bar () +{ + echo "Інший спосіб оголошення функцій!" + return 0 +} + +# Виклик функцій +foo "Мое имя" $NAME + +# Є багато корисних команд: +# вивести останні 10 рядків файла file.txt +tail -n 10 file.txt +# вивести перші 10 рядків файла file.txt +head -n 10 file.txt +# відсортувати рядки file.txt +sort file.txt +# відібрати або пропустити рядки, що дублюються (з опцією -d відбирає) +uniq -d file.txt +# вивести тільки першу колонку перед символом ',' +cut -d ',' -f 1 file.txt +# замінити кожне 'okay' на 'great' у файлі file.txt (підтримується regex) +sed -i 's/okay/great/g' file.txt +# вивести в stdout все рядки з file.txt, що задовольняють шаблону regex; +# цей приклад виводить рядки, що починаються на foo і закінчуються на bar: +grep "^foo.*bar$" file.txt +# використайте опцію -c, щоб вивести кількість входжень +grep -c "^foo.*bar$" file.txt +# чтобы искать по строке, а не шаблону regex, используйте fgrep (или grep -F) +# щоб здійснити пошук по рядку, а не по шаблону regex, використовуйте fgrea (або grep -F) +fgrep "^foo.*bar$" file.txt + +# Читайте вбудовану документацію Bash командою 'help': +help +help help +help for +help return +help source +help . + +# Читайте Bash man-документацію +apropos bash +man 1 bash +man bash + +# Читайте документацію info (? для допомоги) +apropos info | grep '^info.*(' +man info +info info +info 5 info + +# Читайте bash info документацію: +info bash +info bash 'Bash Features' +info bash 6 +info --apropos bash +``` From 903874addc7715172e465efd5f57b526b81ec3a5 Mon Sep 17 00:00:00 2001 From: IvanEh Date: Sat, 31 Oct 2015 19:43:23 +0200 Subject: [PATCH 136/286] Add missing important code to bash-ru.html.markdown from the english version --- ru-ru/.directory | 4 ++++ ru-ru/bash-ru.html.markdown | 9 +++++++++ 2 files changed, 13 insertions(+) create mode 100644 ru-ru/.directory diff --git a/ru-ru/.directory b/ru-ru/.directory new file mode 100644 index 00000000..4d20336b --- /dev/null +++ b/ru-ru/.directory @@ -0,0 +1,4 @@ +[Dolphin] +SortRole=size +Timestamp=2015,10,31,18,6,13 +Version=3 diff --git a/ru-ru/bash-ru.html.markdown b/ru-ru/bash-ru.html.markdown index 21377b6c..5e99afc2 100644 --- a/ru-ru/bash-ru.html.markdown +++ b/ru-ru/bash-ru.html.markdown @@ -95,6 +95,15 @@ else echo "Имя совпадает с именем пользователя" fi +# Примечание: если $Name пустой, bash интерпретирует код как: +if [ -ne $USER ] +# а это ошибочная команда +# поэтому такие переменные нужно использовать так: +if [ "$Name" -ne $USER ] ... +# когда $Name пустой, bash видит код как: +if [ "" -ne $USER ] ... +# что работает правильно + # Также есть условное исполнение echo "Исполнится всегда" || echo "Исполнится, если первая команда завершится ошибкой" echo "Исполнится всегда" && echo "Исполнится, если первая команда выполнится удачно" From 2cebd90205c7caedc001202b7a517971f8f1ec20 Mon Sep 17 00:00:00 2001 From: bureken Date: Sat, 31 Oct 2015 21:19:11 +0300 Subject: [PATCH 137/286] Comment lines fixed --- tr-tr/swift-tr.html.markdown | 13 +++++++------ 1 file changed, 7 insertions(+), 6 deletions(-) diff --git a/tr-tr/swift-tr.html.markdown b/tr-tr/swift-tr.html.markdown index c13f5ecf..15056bb8 100644 --- a/tr-tr/swift-tr.html.markdown +++ b/tr-tr/swift-tr.html.markdown @@ -25,14 +25,14 @@ import UIKit //XCode işaretlemelerle kodunuzu bölümlere ayırmanızı ve sağ üstteki metot - listesinde gruplama yapmanıza olanak sağlıyor +//listesinde gruplama yapmanıza olanak sağlıyor // MARK: Bölüm işareti // TODO: Daha sonra yapılacak // FIXME: Bu kodu düzelt -//Swift 2 de, println ve print metotları print komutunda birleştirildi. Print - otomatik olarak yeni satır ekliyor. +//Swift 2 de, println ve print metotları print komutunda birleştirildi. +//Print otomatik olarak yeni satır ekliyor. print("Merhaba dünya") // println print olarak kullanılıyor. print("Merhaba dünya", appendNewLine: false) // yeni bir satır eklemeden yazar. @@ -75,7 +75,7 @@ print("Build degiskeni: \(buildDegiskeni)") // Build degeri: 7 */ var baziOptionalString: String? = "optional" // nil olabilir. // yukarıdakiyle aynı ama ? bir postfix (sona eklenir) operatördür. (kolay -okunabilir) +//okunabilir) var someOptionalString2: Optional = "optional" @@ -104,7 +104,8 @@ if let baziOpsiyonelSabitString = baziOptionalString { // Swift değişkenlerde herhangi bir tip saklanabilir. // AnyObject == id // Objective-C deki `id` den farklı olarak, AnyObject tüm değişkenlerle - çalışabilir (Class, Int, struct, etc) +//çalışabilir +(Class, Int, struct, etc) var herhangiBirObject: AnyObject = 7 herhangiBirObject = "Değer string olarak değişti, iyi bir yöntem değil ama mümkün" @@ -234,7 +235,7 @@ func fiyatlariGetir() -> (Double, Double, Double) { let fiyatTuple = fiyatlariGetir() let fiyat = fiyatTuple.2 // 3.79 // _ (alt çizgi) kullanımı Tuple degerlerini veya diğer değerleri görmezden -gelir +//gelir let (_, fiyat1, _) = fiyatTuple // fiyat1 == 3.69 print(fiyat1 == fiyatTuple.1) // true print("Benzin fiyatı: \(fiyat)") From 04694a00e54272799e50ef8570ddef70a1fd5779 Mon Sep 17 00:00:00 2001 From: Victor Caldas Date: Sat, 31 Oct 2015 16:31:22 -0200 Subject: [PATCH 138/286] fixing javascript translate --- pt-br/javascript-pt.html.markdown | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/pt-br/javascript-pt.html.markdown b/pt-br/javascript-pt.html.markdown index 406042fa..6424214e 100644 --- a/pt-br/javascript-pt.html.markdown +++ b/pt-br/javascript-pt.html.markdown @@ -436,7 +436,6 @@ var myPrototype = { myObj.__proto__ = myPrototype; myObj.meaningOfLife; // = 42 -// This works for functions, too. // Isto funciona para funções, também. myObj.myFunc(); // = "olá mundo!" @@ -506,7 +505,7 @@ String.prototype.firstCharacter = function(){ // Havíamos mencionado que `Object.create` não estava ainda disponível em // todos as implementações, mas nós podemos usá-lo com esse polyfill: -if (Object.create === undefined){ // don't overwrite it if it exists +if (Object.create === undefined){ // Não o sobrescreve se já existir Object.create = function(proto){ // faz um construtor temporário com o prototype certo var Constructor = function(){}; From 8670035d19f1b0002344f0e17d2e09ce19223e7f Mon Sep 17 00:00:00 2001 From: Rudy Affandi Date: Sat, 31 Oct 2015 11:31:30 -0700 Subject: [PATCH 139/286] Add a note regarding string value of "1" Because some YAML parser will always assume that 1 is boolean for true. --- yaml.html.markdown | 2 ++ 1 file changed, 2 insertions(+) diff --git a/yaml.html.markdown b/yaml.html.markdown index 6e3e2c94..1d12fad7 100644 --- a/yaml.html.markdown +++ b/yaml.html.markdown @@ -24,6 +24,8 @@ YAML doesn't allow literal tab characters at all. key: value another_key: Another value goes here. a_number_value: 100 +# If you want to use number 1 as a value, you have to enclose it in quotes, +# otherwise, YAML parser will assume that it is a boolean value of true. scientific_notation: 1e+12 boolean: true null_value: null From 38506983bb1d589734268b62bb87b4bad4601733 Mon Sep 17 00:00:00 2001 From: Willie Zhu Date: Sat, 31 Oct 2015 15:27:44 -0400 Subject: [PATCH 140/286] [edn/en] Fix grammar --- edn.html.markdown | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/edn.html.markdown b/edn.html.markdown index 0a0dc9b5..d0bdddfc 100644 --- a/edn.html.markdown +++ b/edn.html.markdown @@ -5,13 +5,13 @@ contributors: - ["Jason Yeo", "https://github.com/jsyeo"] --- -Extensible Data Notation or EDN for short is a format for serializing data. +Extensible Data Notation (EDN) is a format for serializing data. -The notation is used internally by Clojure to represent programs and it also +The notation is used internally by Clojure to represent programs. It is also used as a data transfer format like JSON. Though it is more commonly used in -Clojure land, there are implementations of EDN for many other languages. +Clojure, there are implementations of EDN for many other languages. -The main benefit of EDN over JSON and YAML is that it is extensible, which we +The main benefit of EDN over JSON and YAML is that it is extensible. We will see how it is extended later on. ```Clojure @@ -59,7 +59,7 @@ false ; Vectors allow random access [:gelato 1 2 -2] -; Maps are associative data structures that associates the key with its value +; Maps are associative data structures that associate the key with its value {:eggs 2 :lemon-juice 3.5 :butter 1} @@ -68,7 +68,7 @@ false {[1 2 3 4] "tell the people what she wore", [5 6 7 8] "the more you see the more you hate"} -; You may use commas for readability. They are treated as whitespaces. +; You may use commas for readability. They are treated as whitespace. ; Sets are collections that contain unique elements. #{:a :b 88 "huat"} @@ -82,11 +82,11 @@ false #MyYelpClone/MenuItem {:name "eggs-benedict" :rating 10} ; Let me explain this with a clojure example. Suppose I want to transform that -; piece of edn into a MenuItem record. +; piece of EDN into a MenuItem record. (defrecord MenuItem [name rating]) -; To transform edn to clojure values, I will need to use the built in EDN +; To transform EDN to clojure values, I will need to use the built in EDN ; reader, edn/read-string (edn/read-string "{:eggs 2 :butter 1 :flour 5}") From f5b8d838006d4d461389d35568786bbe7dd4d48c Mon Sep 17 00:00:00 2001 From: ComSecNinja Date: Sat, 31 Oct 2015 22:10:04 +0200 Subject: [PATCH 141/286] Translate Go-tutorial to Finnish --- fi-fi/go-fi.html.markdown | 428 ++++++++++++++++++++++++++++++++++++ fi-fi/go.html.markdown | 440 ++++++++++++++++++++++++++++++++++++++ 2 files changed, 868 insertions(+) create mode 100644 fi-fi/go-fi.html.markdown create mode 100644 fi-fi/go.html.markdown diff --git a/fi-fi/go-fi.html.markdown b/fi-fi/go-fi.html.markdown new file mode 100644 index 00000000..dc684227 --- /dev/null +++ b/fi-fi/go-fi.html.markdown @@ -0,0 +1,428 @@ +--- +name: Go +category: language +language: Go +filename: learngo.go +contributors: + - ["Sonia Keys", "https://github.com/soniakeys"] + - ["Christopher Bess", "https://github.com/cbess"] + - ["Jesse Johnson", "https://github.com/holocronweaver"] + - ["Quint Guvernator", "https://github.com/qguv"] + - ["Jose Donizetti", "https://github.com/josedonizetti"] + - ["Alexej Friesen", "https://github.com/heyalexej"] + - ["Clayton Walker", "https://github.com/cwalk"] +--- + +Go was created out of the need to get work done. It's not the latest trend +in computer science, but it is the newest fastest way to solve real-world +problems. + +It has familiar concepts of imperative languages with static typing. +It's fast to compile and fast to execute, it adds easy-to-understand +concurrency to leverage today's multi-core CPUs, and has features to +help with large-scale programming. + +Go comes with a great standard library and an enthusiastic community. + +```go +// Single line comment +/* Multi- + line comment */ + +// A package clause starts every source file. +// Main is a special name declaring an executable rather than a library. +package main + +// Import declaration declares library packages referenced in this file. +import ( + "fmt" // A package in the Go standard library. + "io/ioutil" // Implements some I/O utility functions. + m "math" // Math library with local alias m. + "net/http" // Yes, a web server! + "strconv" // String conversions. +) + +// A function definition. Main is special. It is the entry point for the +// executable program. Love it or hate it, Go uses brace brackets. +func main() { + // Println outputs a line to stdout. + // Qualify it with the package name, fmt. + fmt.Println("Hello world!") + + // Call another function within this package. + beyondHello() +} + +// Functions have parameters in parentheses. +// If there are no parameters, empty parentheses are still required. +func beyondHello() { + var x int // Variable declaration. Variables must be declared before use. + x = 3 // Variable assignment. + // "Short" declarations use := to infer the type, declare, and assign. + y := 4 + sum, prod := learnMultiple(x, y) // Function returns two values. + fmt.Println("sum:", sum, "prod:", prod) // Simple output. + learnTypes() // < y minutes, learn more! +} + +/* <- multiline comment +Functions can have parameters and (multiple!) return values. +Here `x`, `y` are the arguments and `sum`, `prod` is the signature (what's returned). +Note that `x` and `sum` receive the type `int`. +*/ +func learnMultiple(x, y int) (sum, prod int) { + return x + y, x * y // Return two values. +} + +// Some built-in types and literals. +func learnTypes() { + // Short declaration usually gives you what you want. + str := "Learn Go!" // string type. + + s2 := `A "raw" string literal +can include line breaks.` // Same string type. + + // Non-ASCII literal. Go source is UTF-8. + g := 'Σ' // rune type, an alias for int32, holds a unicode code point. + + f := 3.14195 // float64, an IEEE-754 64-bit floating point number. + c := 3 + 4i // complex128, represented internally with two float64's. + + // var syntax with initializers. + var u uint = 7 // Unsigned, but implementation dependent size as with int. + var pi float32 = 22. / 7 + + // Conversion syntax with a short declaration. + n := byte('\n') // byte is an alias for uint8. + + // Arrays have size fixed at compile time. + var a4 [4]int // An array of 4 ints, initialized to all 0. + a3 := [...]int{3, 1, 5} // An array initialized with a fixed size of three + // elements, with values 3, 1, and 5. + + // Slices have dynamic size. Arrays and slices each have advantages + // but use cases for slices are much more common. + s3 := []int{4, 5, 9} // Compare to a3. No ellipsis here. + s4 := make([]int, 4) // Allocates slice of 4 ints, initialized to all 0. + var d2 [][]float64 // Declaration only, nothing allocated here. + bs := []byte("a slice") // Type conversion syntax. + + // Because they are dynamic, slices can be appended to on-demand. + // To append elements to a slice, the built-in append() function is used. + // First argument is a slice to which we are appending. Commonly, + // the array variable is updated in place, as in example below. + s := []int{1, 2, 3} // Result is a slice of length 3. + s = append(s, 4, 5, 6) // Added 3 elements. Slice now has length of 6. + fmt.Println(s) // Updated slice is now [1 2 3 4 5 6] + + // To append another slice, instead of list of atomic elements we can + // pass a reference to a slice or a slice literal like this, with a + // trailing ellipsis, meaning take a slice and unpack its elements, + // appending them to slice s. + s = append(s, []int{7, 8, 9}...) // Second argument is a slice literal. + fmt.Println(s) // Updated slice is now [1 2 3 4 5 6 7 8 9] + + p, q := learnMemory() // Declares p, q to be type pointer to int. + fmt.Println(*p, *q) // * follows a pointer. This prints two ints. + + // Maps are a dynamically growable associative array type, like the + // hash or dictionary types of some other languages. + m := map[string]int{"three": 3, "four": 4} + m["one"] = 1 + + // Unused variables are an error in Go. + // The underscore lets you "use" a variable but discard its value. + _, _, _, _, _, _, _, _, _, _ = str, s2, g, f, u, pi, n, a3, s4, bs + // Output of course counts as using a variable. + fmt.Println(s, c, a4, s3, d2, m) + + learnFlowControl() // Back in the flow. +} + +// It is possible, unlike in many other languages for functions in go +// to have named return values. +// Assigning a name to the type being returned in the function declaration line +// allows us to easily return from multiple points in a function as well as to +// only use the return keyword, without anything further. +func learnNamedReturns(x, y int) (z int) { + z = x * y + return // z is implicit here, because we named it earlier. +} + +// Go is fully garbage collected. It has pointers but no pointer arithmetic. +// You can make a mistake with a nil pointer, but not by incrementing a pointer. +func learnMemory() (p, q *int) { + // Named return values p and q have type pointer to int. + p = new(int) // Built-in function new allocates memory. + // The allocated int is initialized to 0, p is no longer nil. + s := make([]int, 20) // Allocate 20 ints as a single block of memory. + s[3] = 7 // Assign one of them. + r := -2 // Declare another local variable. + return &s[3], &r // & takes the address of an object. +} + +func expensiveComputation() float64 { + return m.Exp(10) +} + +func learnFlowControl() { + // If statements require brace brackets, and do not require parentheses. + if true { + fmt.Println("told ya") + } + // Formatting is standardized by the command line command "go fmt." + if false { + // Pout. + } else { + // Gloat. + } + // Use switch in preference to chained if statements. + x := 42.0 + switch x { + case 0: + case 1: + case 42: + // Cases don't "fall through". + /* + There is a `fallthrough` keyword however, see: + https://github.com/golang/go/wiki/Switch#fall-through + */ + case 43: + // Unreached. + default: + // Default case is optional. + } + // Like if, for doesn't use parens either. + // Variables declared in for and if are local to their scope. + for x := 0; x < 3; x++ { // ++ is a statement. + fmt.Println("iteration", x) + } + // x == 42 here. + + // For is the only loop statement in Go, but it has alternate forms. + for { // Infinite loop. + break // Just kidding. + continue // Unreached. + } + + // You can use range to iterate over an array, a slice, a string, a map, or a channel. + // range returns one (channel) or two values (array, slice, string and map). + for key, value := range map[string]int{"one": 1, "two": 2, "three": 3} { + // for each pair in the map, print key and value + fmt.Printf("key=%s, value=%d\n", key, value) + } + + // As with for, := in an if statement means to declare and assign + // y first, then test y > x. + if y := expensiveComputation(); y > x { + x = y + } + // Function literals are closures. + xBig := func() bool { + return x > 10000 // References x declared above switch statement. + } + fmt.Println("xBig:", xBig()) // true (we last assigned e^10 to x). + x = 1.3e3 // This makes x == 1300 + fmt.Println("xBig:", xBig()) // false now. + + // What's more is function literals may be defined and called inline, + // acting as an argument to function, as long as: + // a) function literal is called immediately (), + // b) result type matches expected type of argument. + fmt.Println("Add + double two numbers: ", + func(a, b int) int { + return (a + b) * 2 + }(10, 2)) // Called with args 10 and 2 + // => Add + double two numbers: 24 + + // When you need it, you'll love it. + goto love +love: + + learnFunctionFactory() // func returning func is fun(3)(3) + learnDefer() // A quick detour to an important keyword. + learnInterfaces() // Good stuff coming up! +} + +func learnFunctionFactory() { + // Next two are equivalent, with second being more practical + fmt.Println(sentenceFactory("summer")("A beautiful", "day!")) + + d := sentenceFactory("summer") + fmt.Println(d("A beautiful", "day!")) + fmt.Println(d("A lazy", "afternoon!")) +} + +// Decorators are common in other languages. Same can be done in Go +// with function literals that accept arguments. +func sentenceFactory(mystring string) func(before, after string) string { + return func(before, after string) string { + return fmt.Sprintf("%s %s %s", before, mystring, after) // new string + } +} + +func learnDefer() (ok bool) { + // Deferred statements are executed just before the function returns. + defer fmt.Println("deferred statements execute in reverse (LIFO) order.") + defer fmt.Println("\nThis line is being printed first because") + // Defer is commonly used to close a file, so the function closing the + // file stays close to the function opening the file. + return true +} + +// Define Stringer as an interface type with one method, String. +type Stringer interface { + String() string +} + +// Define pair as a struct with two fields, ints named x and y. +type pair struct { + x, y int +} + +// Define a method on type pair. Pair now implements Stringer. +func (p pair) String() string { // p is called the "receiver" + // Sprintf is another public function in package fmt. + // Dot syntax references fields of p. + return fmt.Sprintf("(%d, %d)", p.x, p.y) +} + +func learnInterfaces() { + // Brace syntax is a "struct literal". It evaluates to an initialized + // struct. The := syntax declares and initializes p to this struct. + p := pair{3, 4} + fmt.Println(p.String()) // Call String method of p, of type pair. + var i Stringer // Declare i of interface type Stringer. + i = p // Valid because pair implements Stringer + // Call String method of i, of type Stringer. Output same as above. + fmt.Println(i.String()) + + // Functions in the fmt package call the String method to ask an object + // for a printable representation of itself. + fmt.Println(p) // Output same as above. Println calls String method. + fmt.Println(i) // Output same as above. + + learnVariadicParams("great", "learning", "here!") +} + +// Functions can have variadic parameters. +func learnVariadicParams(myStrings ...interface{}) { + // Iterate each value of the variadic. + // The underbar here is ignoring the index argument of the array. + for _, param := range myStrings { + fmt.Println("param:", param) + } + + // Pass variadic value as a variadic parameter. + fmt.Println("params:", fmt.Sprintln(myStrings...)) + + learnErrorHandling() +} + +func learnErrorHandling() { + // ", ok" idiom used to tell if something worked or not. + m := map[int]string{3: "three", 4: "four"} + if x, ok := m[1]; !ok { // ok will be false because 1 is not in the map. + fmt.Println("no one there") + } else { + fmt.Print(x) // x would be the value, if it were in the map. + } + // An error value communicates not just "ok" but more about the problem. + if _, err := strconv.Atoi("non-int"); err != nil { // _ discards value + // prints 'strconv.ParseInt: parsing "non-int": invalid syntax' + fmt.Println(err) + } + // We'll revisit interfaces a little later. Meanwhile, + learnConcurrency() +} + +// c is a channel, a concurrency-safe communication object. +func inc(i int, c chan int) { + c <- i + 1 // <- is the "send" operator when a channel appears on the left. +} + +// We'll use inc to increment some numbers concurrently. +func learnConcurrency() { + // Same make function used earlier to make a slice. Make allocates and + // initializes slices, maps, and channels. + c := make(chan int) + // Start three concurrent goroutines. Numbers will be incremented + // concurrently, perhaps in parallel if the machine is capable and + // properly configured. All three send to the same channel. + go inc(0, c) // go is a statement that starts a new goroutine. + go inc(10, c) + go inc(-805, c) + // Read three results from the channel and print them out. + // There is no telling in what order the results will arrive! + fmt.Println(<-c, <-c, <-c) // channel on right, <- is "receive" operator. + + cs := make(chan string) // Another channel, this one handles strings. + ccs := make(chan chan string) // A channel of string channels. + go func() { c <- 84 }() // Start a new goroutine just to send a value. + go func() { cs <- "wordy" }() // Again, for cs this time. + // Select has syntax like a switch statement but each case involves + // a channel operation. It selects a case at random out of the cases + // that are ready to communicate. + select { + case i := <-c: // The value received can be assigned to a variable, + fmt.Printf("it's a %T", i) + case <-cs: // or the value received can be discarded. + fmt.Println("it's a string") + case <-ccs: // Empty channel, not ready for communication. + fmt.Println("didn't happen.") + } + // At this point a value was taken from either c or cs. One of the two + // goroutines started above has completed, the other will remain blocked. + + learnWebProgramming() // Go does it. You want to do it too. +} + +// A single function from package http starts a web server. +func learnWebProgramming() { + + // First parameter of ListenAndServe is TCP address to listen to. + // Second parameter is an interface, specifically http.Handler. + go func() { + err := http.ListenAndServe(":8080", pair{}) + fmt.Println(err) // don't ignore errors + }() + + requestServer() +} + +// Make pair an http.Handler by implementing its only method, ServeHTTP. +func (p pair) ServeHTTP(w http.ResponseWriter, r *http.Request) { + // Serve data with a method of http.ResponseWriter. + w.Write([]byte("You learned Go in Y minutes!")) +} + +func requestServer() { + resp, err := http.Get("http://localhost:8080") + fmt.Println(err) + defer resp.Body.Close() + body, err := ioutil.ReadAll(resp.Body) + fmt.Printf("\nWebserver said: `%s`", string(body)) +} +``` + +## Further Reading + +The root of all things Go is the [official Go web site](http://golang.org/). +There you can follow the tutorial, play interactively, and read lots. +Aside from a tour, [the docs](https://golang.org/doc/) contain information on +how to write clean and effective Go code, package and command docs, and release history. + +The language definition itself is highly recommended. It's easy to read +and amazingly short (as language definitions go these days.) + +You can play around with the code on [Go playground](https://play.golang.org/p/tnWMjr16Mm). Try to change it and run it from your browser! Note that you can use [https://play.golang.org](https://play.golang.org) as a [REPL](https://en.wikipedia.org/wiki/Read-eval-print_loop) to test things and code in your browser, without even installing Go. + +On the reading list for students of Go is the [source code to the standard +library](http://golang.org/src/pkg/). Comprehensively documented, it +demonstrates the best of readable and understandable Go, Go style, and Go +idioms. Or you can click on a function name in [the +documentation](http://golang.org/pkg/) and the source code comes up! + +Another great resource to learn Go is [Go by example](https://gobyexample.com/). + +Go Mobile adds support for mobile platforms (Android and iOS). You can write all-Go native mobile apps or write a library that contains bindings from a Go package, which can be invoked via Java (Android) and Objective-C (iOS). Check out the [Go Mobile page](https://github.com/golang/go/wiki/Mobile) for more information. diff --git a/fi-fi/go.html.markdown b/fi-fi/go.html.markdown new file mode 100644 index 00000000..714d4e06 --- /dev/null +++ b/fi-fi/go.html.markdown @@ -0,0 +1,440 @@ +--- +name: Go +category: language +language: Go +filename: learngo.go +contributors: + - ["Sonia Keys", "https://github.com/soniakeys"] + - ["Christopher Bess", "https://github.com/cbess"] + - ["Jesse Johnson", "https://github.com/holocronweaver"] + - ["Quint Guvernator", "https://github.com/qguv"] + - ["Jose Donizetti", "https://github.com/josedonizetti"] + - ["Alexej Friesen", "https://github.com/heyalexej"] + - ["Clayton Walker", "https://github.com/cwalk"] +translators: + - ["Timo Virkkunen", "https://github.com/ComSecNinja"] +--- + +Go luotiin työn tekemistä varten. Se ei ole tietojenkäsittelyn uusin trendi, +mutta se on uusin nopein tapa ratkaista oikean maailman ongelmia. + +Sillä on staattisesti tyypitetyistä imperatiivisista kielistä tuttuja +konsepteja. Se kääntyy ja suorittuu nopeasti, lisää helposti käsitettävän +samanaikaisten komentojen suorittamisen nykyaikaisten moniytimisten +prosessoreiden hyödyntämiseksi ja antaa käyttäjälle ominaisuuksia suurten +projektien käsittelemiseksi. + +Go tuo mukanaan loistavan oletuskirjaston sekä innokkaan yhteisön. + +```go +// Yhden rivin kommentti +/* Useamman + rivin kommentti */ + +// Package -lausekkeella aloitetaan jokainen lähdekooditiedosto. +// Main on erityinen nimi joka ilmoittaa +// suoritettavan tiedoston kirjaston sijasta. +package main + +// Import -lauseke ilmoittaa tässä tiedostossa käytetyt kirjastot. +import ( + "fmt" // Paketti Go:n oletuskirjastosta. + "io/ioutil" // Implementoi hyödyllisiä I/O -funktioita. + m "math" // Matematiikkakirjasto jolla on paikallinen nimi m. + "net/http" // Kyllä, web-palvelin! + "strconv" // Kirjainjonojen muuntajia. +) + +// Funktion määrittelijä. Main on erityinen: se on ohjelman suorittamisen +// aloittamisen alkupiste. Rakasta tai vihaa sitä, Go käyttää aaltosulkeita. +func main() { + // Println tulostaa rivin stdoutiin. + // Se tulee paketin fmt mukana, joten paketin nimi on mainittava. + fmt.Println("Hei maailma!") + + // Kutsu toista funktiota tämän paketin sisällä. + beyondHello() +} + +// Funktioilla voi olla parametrejä sulkeissa. +// Vaikkei parametrejä olisikaan, sulkeet ovat silti pakolliset. +func beyondHello() { + var x int // Muuttujan ilmoittaminen: ne täytyy ilmoittaa ennen käyttöä. + x = 3 // Arvon antaminen muuttujalle. + // "Lyhyet" ilmoitukset käyttävät := joka päättelee tyypin, ilmoittaa + // sekä antaa arvon muuttujalle. + y := 4 + sum, prod := learnMultiple(x, y) // Funktio palauttaa kaksi arvoa. + fmt.Println("summa:", sum, "tulo:", prod) // Yksinkertainen tuloste. + learnTypes() // < y minuuttia, opi lisää! +} + +/* <- usean rivin kommentti +Funktioilla voi olla parametrejä ja (useita!) palautusarvoja. +Tässä `x`, `y` ovat argumenttejä ja `sum`, `prod` ovat ne, mitä palautetaan. +Huomaa että `x` ja `sum` saavat tyyin `int`. +*/ +func learnMultiple(x, y int) (sum, prod int) { + return x + y, x * y // Palauta kaksi arvoa. +} + +// Sisäänrakennettuja tyyppejä ja todellisarvoja. +func learnTypes() { + // Lyhyt ilmoitus antaa yleensä haluamasi. + str := "Opi Go!" // merkkijonotyyppi. + + s2 := `"raaka" todellisarvoinen merrkijono +voi sisältää rivinvaihtoja.` // Sama merkkijonotyyppi. + + // Ei-ASCII todellisarvo. Go-lähdekoodi on UTF-8. + g := 'Σ' // riimutyyppi, lempinimi int32:lle, sisältää unicode-koodipisteen. + + f := 3.14195 //float64, IEEE-754 64-bittinen liukuluku. + c := 3 + 4i // complex128, sisäisesti ilmaistu kahdella float64:lla. + + // var -syntaksi alkuarvoilla. + var u uint = 7 // Etumerkitön, toteutus riippuvainen koosta kuten int. + var pi float32 = 22. / 7 + + // Muuntosyntaksi lyhyellä ilmoituksella. + n := byte('\n') // byte on leminimi uint8:lle. + + // Listoilla on kiinteä koko kääntöhetkellä. + var a4 [4]int // 4 int:in lista, alkiot ovat alustettu nolliksi. + a3 := [...]int{3, 1, 5} // Listan alustaja jonka kiinteäksi kooksi tulee 3 + // alkiota, jotka saavat arvot 3, 1, ja 5. + + // Siivuilla on muuttuva koko. Sekä listoilla että siivuilla on puolensa, + // mutta siivut ovat yleisempiä käyttötapojensa vuoksi. + s3 := []int{4, 5, 9} // Vertaa a3: ei sananheittoa (...). + s4 := make([]int, 4) // Varaa 4 int:n siivun, alkiot alustettu nolliksi. + var d2 [][]float64 // Vain ilmoitus, muistia ei varata. + bs := []byte("a slice") // Tyypinmuuntosyntaksi. + + // Koska siivut ovat dynaamisia, niitä voidaan yhdistellä sellaisinaan. + // Lisätäksesi alkioita siivuun, käytä sisäänrakennettua append()-funktiota. + // Ensimmäinen argumentti on siivu, johon alkoita lisätään. + s := []int{1, 2, 3} // Tuloksena on kolmen alkion pituinen lista. + s = append(s, 4, 5, 6) // Lisätty kolme alkiota. Siivun pituudeksi tulee 6. + fmt.Println(s) // Päivitetty siivu on nyt [1 2 3 4 5 6] + + // Lisätäksesi siivun toiseen voit antaa append-funktiolle referenssin + // siivuun tai todellisarvoiseen siivuun lisäämällä sanaheiton argumentin + // perään. Tämä tapa purkaa siivun alkiot ja lisää ne siivuun s. + s = append(s, []int{7, 8, 9}...) // 2. argumentti on todellisarvoinen siivu. + fmt.Println(s) // Päivitetty siivu on nyt [1 2 3 4 5 6 7 8 9] + + p, q := learnMemory() // Ilmoittaa p ja q olevan tyyppiä osoittaja int:iin. + fmt.Println(*p, *q) // * seuraa osoittajaa. Tämä tulostaa kaksi int:ä. + + // Kartat ovat dynaamisesti kasvavia assosiatiivisia listoja, kuten hash tai + // dictionary toisissa kielissä. + m := map[string]int{"three": 3, "four": 4} + m["one"] = 1 + + // Käyttämättömät muuttujat ovat virheitä Go:ssa. + // Alaviiva antaa sinun "käyttää" muuttujan mutta hylätä sen arvon. + _, _, _, _, _, _, _, _, _, _ = str, s2, g, f, u, pi, n, a3, s4, bs + // Tulostaminen tietysti lasketaan muuttujan käyttämiseksi. + fmt.Println(s, c, a4, s3, d2, m) + + learnFlowControl() // Takaisin flowiin. +} + +// Go:ssa on useista muista kielistä poiketen mahdollista käyttää nimettyjä +// palautusarvoja. +// Nimen antaminen palautettavan arvon tyypille funktion ilmoitusrivillä +// mahdollistaa helpon palaamisen useasta eri funktion suorituskohdasta sekä +// pelkän return-lausekkeen käytön ilman muita mainintoja. +func learnNamedReturns(x, y int) (z int) { + z = x * y + return // z on epäsuorasti tässä, koska nimesimme sen aiemmin. +} + +// Go kerää kaikki roskansa. Siinä on osoittajia mutta ei niiden laskentoa. +// Voit tehdä virheen mitättömällä osoittajalla, mutta et +// kasvattamalla osoittajaa. +func learnMemory() (p, q *int) { + // Nimetyillä palautusarvoilla p ja q on tyyppi osoittaja int:iin. + p = new(int) // Sisäänrakennettu funktio new varaa muistia. + // Varattu int on alustettu nollaksi, p ei ole enää mitätön. + s := make([]int, 20) // Varaa 20 int:ä yhteen kohtaan muistissa. + s[3] = 7 // Anna yhdelle niistä arvo. + r := -2 // Ilmoita toinen paikallinen muuttuja. + return &s[3], &r // & ottaa asian osoitteen muistissa. +} + +func expensiveComputation() float64 { + return m.Exp(10) +} + +func learnFlowControl() { + // If -lausekkeet vaativat aaltosulkeet mutta ei tavallisia sulkeita. + if true { + fmt.Println("mitä mä sanoin") + } + // Muotoilu on standardoitu käyttämällä komentorivin komentoa "go fmt". + if false { + // Nyrpistys. + } else { + // Nautinto. + } + // Käytä switch -lauseketta ketjutettujen if -lausekkeiden sijasta. + x := 42.0 + switch x { + case 0: + case 1: + case 42: + // Tapaukset eivät "tipu läpi". + /* + Kuitenkin meillä on erikseen `fallthrough` -avainsana. Katso: + https://github.com/golang/go/wiki/Switch#fall-through + */ + case 43: + // Saavuttamaton. + default: + // Oletustapaus (default) on valinnainen. + } + // Kuten if, for -lauseke ei myöskään käytä tavallisia sulkeita. + // for- ja if- lausekkeissa ilmoitetut muuttujat ovat paikallisia niiden + // piireissä. + for x := 0; x < 3; x++ { // ++ on lauseke. Sama kuin "x = x + 1". + fmt.Println("iteraatio", x) + } + // x == 42 tässä. + + // For on kielen ainoa silmukkalauseke mutta sillä on vaihtoehtosia muotoja. + for { // Päättymätön silmukka. + break // Kunhan vitsailin. + continue // Saavuttamaton. + } + + // Voit käyttää range -lauseketta iteroidaksesi listojen, siivujen, merkki- + // jonojen, karttojen tai kanavien läpi. range palauttaa yhden (kanava) tai + // kaksi arvoa (lista, siivu, merkkijono ja kartta). + for key, value := range map[string]int{"yksi": 1, "kaksi": 2, "kolme": 3} { + // jokaista kartan paria kohden, tulosta avain ja arvo + fmt.Printf("avain=%s, arvo=%d\n", key, value) + } + + // Kuten for -lausekkeessa := if -lausekkeessa tarkoittaa ilmoittamista ja + // arvon asettamista. + // Aseta ensin y, sitten testaa onko y > x. + if y := expensiveComputation(); y > x { + x = y + } + // Todellisarvoiset funktiot ovat sulkeumia. + xBig := func() bool { + return x > 10000 // Viittaa ylempänä ilmoitettuun x:ään. + } + fmt.Println("xBig:", xBig()) // tosi (viimeisin arvo on e^10). + x = 1.3e3 // Tämä tekee x == 1300 + fmt.Println("xBig:", xBig()) // epätosi nyt. + + // Lisäksi todellisarvoiset funktiot voidaan samalla sekä ilmoittaa että + // kutsua, jolloin niitä voidaan käyttää funtioiden argumentteina kunhan: + // a) todellisarvoinen funktio kutsutaan välittömästi (), + // b) palautettu tyyppi vastaa odotettua argumentin tyyppiä. + fmt.Println("Lisää ja tuplaa kaksi numeroa: ", + func(a, b int) int { + return (a + b) * 2 + }(10, 2)) // Kutsuttu argumenteilla 10 ja 2 + // => Lisää ja tuplaa kaksi numeroa: 24 + + // Kun tarvitset sitä, rakastat sitä. + goto love +love: + + learnFunctionFactory() // Funktioita palauttavat funktiot + learnDefer() // Nopea kiertoreitti tärkeään avainsanaan. + learnInterfaces() // Hyvää kamaa tulossa! +} + +func learnFunctionFactory() { + // Seuraavat kaksi ovat vastaavia, mutta toinen on käytännöllisempi + fmt.Println(sentenceFactory("kesä")("Kaunis", "päivä!")) + + d := sentenceFactory("kesä") + fmt.Println(d("Kaunis", "päivä!")) + fmt.Println(d("Laiska", "iltapäivä!")) +} + +// Somisteet ovat yleisiä toisissa kielissä. Sama saavutetaan Go:ssa käyttämällä +// todellisarvoisia funktioita jotka ottavat vastaan argumentteja. +func sentenceFactory(mystring string) func(before, after string) string { + return func(before, after string) string { + return fmt.Sprintf("%s %s %s", before, mystring, after) // uusi jono + } +} + +func learnDefer() (ok bool) { + // Lykätyt lausekkeet suoritetaan juuri ennen funktiosta palaamista. + defer fmt.Println("lykätyt lausekkeet suorittuvat") + defer fmt.Println("käänteisessä järjestyksessä (LIFO).") + defer fmt.Println("\nTämä rivi tulostuu ensin, koska") + // Defer -lauseketta käytetään yleisesti tiedoston sulkemiseksi, jotta + // tiedoston sulkeva funktio pysyy lähellä sen avannutta funktiota. + return true +} + +// Määrittele Stringer rajapintatyypiksi jolla on +// yksi jäsenfunktio eli metodi, String. +type Stringer interface { + String() string +} + +// Määrittele pair rakenteeksi jossa on kaksi kenttää, x ja y tyyppiä int. +type pair struct { + x, y int +} + +// Määrittele jäsenfunktio pair:lle. Pair tyydyttää nyt Stringer -rajapinnan. +func (p pair) String() string { // p:tä kutsutaan nimellä "receiver" + // Sprintf on toinen julkinen funktio paketissa fmt. + // Pistesyntaksilla viitataan P:n kenttiin. + return fmt.Sprintf("(%d, %d)", p.x, p.y) +} + +func learnInterfaces() { + // Aaltosuljesyntaksi on "todellisarvoinen rakenne". Se todentuu alustetuksi + // rakenteeksi. := -syntaksi ilmoittaa ja alustaa p:n täksi rakenteeksi. + p := pair{3, 4} + fmt.Println(p.String()) // Kutsu p:n (tyyppiä pair) jäsenfunktiota String. + var i Stringer // Ilmoita i Stringer-rajapintatyypiksi. + i = p // Pätevä koska pair tyydyttää rajapinnan Stringer. + // Kutsu i:n (Stringer) jäsenfunktiota String. Tuloste on sama kuin yllä. + fmt.Println(i.String()) + + // Funktiot fmt-paketissa kutsuvat argumenttien String-jäsenfunktiota + // selvittääkseen onko niistä saatavilla tulostettavaa vastinetta. + fmt.Println(p) // Tuloste on sama kuin yllä. Println kutsuu String-metodia. + fmt.Println(i) // Tuloste on sama kuin yllä. + + learnVariadicParams("loistavaa", "oppimista", "täällä!") +} + +// Funktioilla voi olla muuttuva eli variteettinen +// määrä argumentteja eli parametrejä. +func learnVariadicParams(myStrings ...interface{}) { + // Iteroi jokaisen argumentin läpi. + // Tässä alaviivalla sivuutetaan argumenttilistan kunkin kohdan indeksi. + for _, param := range myStrings { + fmt.Println("param:", param) + } + + // Luovuta variteettinen arvo variteettisena parametrinä. + fmt.Println("params:", fmt.Sprintln(myStrings...)) + + learnErrorHandling() +} + +func learnErrorHandling() { + // "; ok" -muotoa käytetään selvittääksemme toimiko jokin vai ei. + m := map[int]string{3: "kolme", 4: "neljä"} + if x, ok := m[1]; !ok { // ok on epätosi koska 1 ei ole kartassa. + fmt.Println("ei ketään täällä") + } else { + fmt.Print(x) // x olisi arvo jos se olisi kartassa. + } + // Virhearvo voi kertoa muutakin ongelmasta. + if _, err := strconv.Atoi("ei-luku"); err != nil { // _ sivuuttaa arvon + // tulostaa strconv.ParseInt: parsing "ei-luku": invalid syntax + fmt.Println(err) + } + // Palaamme rajapintoihin hieman myöhemmin. Sillä välin, + learnConcurrency() +} + +// c on kanava, samanaikaisturvallinen viestintäolio. +func inc(i int, c chan int) { + c <- i + 1 // <- on "lähetysoperaattori" kun kanava on siitä vasemmalla. +} + +// Käytämme inc -funktiota samanaikaiseen lukujen lisäämiseen. +func learnConcurrency() { + // Sama make -funktio jota käytimme aikaisemmin siivun luomiseksi. Make + // varaa muistin ja alustaa siivut, kartat ja kanavat. + c := make(chan int) + // Aloita kolme samanaikaista gorutiinia (goroutine). Luvut kasvavat + // samanaikaisesti ja ehkäpä rinnakkain jos laite on kykenevä ja oikein + // määritelty. Kaikki kolme lähettävät samalle kanavalle. + go inc(0, c) // go -lauseke aloittaa uuden gorutiinin. + go inc(10, c) + go inc(-805, c) + // Lue kolme palautusarvoa kanavalta ja tulosta ne. + // Niiden saapumisjärjestystä ei voida taata! + // <- on "vastaanotto-operaattori" jos kanava on oikealla + fmt.Println(<-c, <-c, <-c) + + cs := make(chan string) // Toinen kanava joka käsittelee merkkijonoja. + ccs := make(chan chan string) // Kanava joka käsittelee merkkijonokanavia. + go func() { c <- 84 }() // Aloita uusi gorutiini arvon lähettämiseksi. + go func() { cs <- "sanaa" }() // Uudestaan, mutta cs -kanava tällä kertaa. + // Select -lausekkeella on syntaksi kuten switch -lausekkeella mutta + // jokainen tapaus sisältää kanavaoperaation. Se valitsee satunnaisen + // tapauksen niistä kanavista, jotka ovat kommunikaatiovalmiita + select { + case i := <-c: // Vastaanotettu arvo voidaan antaa muuttujalle + fmt.Printf("se on %T", i) + case <-cs: // tai vastaanotettu arvo voidaan sivuuttaa. + fmt.Println("se on merkkijono") + case <-ccs: // Tyhjä kanava; ei valmis kommunikaatioon. + fmt.Println("ei tapahtunut.") + } + // Tässä vaiheessa arvo oli otettu joko c:ltä tai cs:ltä. Yksi kahdesta + // ylempänä aloitetusta gorutiinista on valmistunut, toinen pysyy tukossa. + + learnWebProgramming() // Go tekee sitä. Sinäkin haluat tehdä sitä. +} + +// Yksittäinen funktio http -paketista aloittaa web-palvelimen. +func learnWebProgramming() { + + // ListenAndServe:n ensimmäinen parametri on TCP-osoite, jota kuunnellaan. + // Toinen parametri on rajapinta, http.Handler. + go func() { + err := http.ListenAndServe(":8080", pair{}) + fmt.Println(err) // älä sivuuta virheitä. + }() + + requestServer() +} + +// Tee pair:sta http.Handler implementoimalla sen ainoa metodi, ServeHTTP. +func (p pair) ServeHTTP(w http.ResponseWriter, r *http.Request) { + // Tarjoa dataa metodilla http.ResponseWriter. + w.Write([]byte("Opit Go:n Y minuutissa!")) +} + +func requestServer() { + resp, err := http.Get("http://localhost:8080") + fmt.Println(err) + defer resp.Body.Close() + body, err := ioutil.ReadAll(resp.Body) + fmt.Printf("\nWeb-palvelin sanoo: `%s`", string(body)) +} +``` + +## Lisää luettavaa + +Go-tietämyksen alku ja juuri on sen [virallinen verkkosivu]()(http://golang.org/). +Siellä voit seurata oppitunteja, askarrella vuorovaikutteisesti sekä lukea paljon. +Kierroksen lisäksi [dokumentaatio](https://golang.org/doc/) pitää sisällään tietoa +siistin Go-koodin kirjoittamisesta, pakettien ja komentojen käytöstä sekä julkaisuhistoriasta. + +Kielen määritelmä itsessään on suuresti suositeltavissa. Se on helppolukuinen ja +yllättävän lyhyt (niissä määrin kuin kielimääritelmät nykypäivänä ovat.) + +Voit askarrella parissa kanssa [Go playgroundissa](https://play.golang.org/p/tnWMjr16Mm). +Muuttele sitä ja aja se selaimestasi! Huomaa, että voit käyttää [https://play.golang.org](https://play.golang.org) +[REPL:na](https://en.wikipedia.org/wiki/Read-eval-print_loop) testataksesi ja koodataksesi selaimessasi, ilman Go:n asentamista. + +Go:n opiskelijoiden lukulistalla on [oletuskirjaston lähdekoodi](http://golang.org/src/pkg/). +Kattavasti dokumentoituna se antaa parhaan kuvan helppolukuisesta ja ymmärrettävästä Go-koodista, +-tyylistä ja -tavoista. Voit klikata funktion nimeä [doukumentaatiossa](http://golang.org/pkg/) ja +lähdekoodi tulee esille! + +Toinen loistava paikka oppia on [Go by example](https://gobyexample.com/). + +Go Mobile lisää tuen mobiilialustoille (Android ja iOS). Voit kirjoittaa pelkällä Go:lla natiiveja applikaatioita tai tehdä kirjaston joka sisältää sidoksia +Go-paketista, jotka puolestaan voidaan kutsua Javasta (Android) ja Objective-C:stä (iOS). Katso [lisätietoja](https://github.com/golang/go/wiki/Mobile). From 0234e6eee1ed26f2135c271a198a4b0517d5bb2e Mon Sep 17 00:00:00 2001 From: ComSecNinja Date: Sat, 31 Oct 2015 22:16:50 +0200 Subject: [PATCH 142/286] Changes to follow style guide --- fi-fi/go-fi.html.markdown | 480 +++++++++++++++++++------------------- fi-fi/go.html.markdown | 440 ---------------------------------- 2 files changed, 246 insertions(+), 674 deletions(-) delete mode 100644 fi-fi/go.html.markdown diff --git a/fi-fi/go-fi.html.markdown b/fi-fi/go-fi.html.markdown index dc684227..8a0ca245 100644 --- a/fi-fi/go-fi.html.markdown +++ b/fi-fi/go-fi.html.markdown @@ -2,7 +2,7 @@ name: Go category: language language: Go -filename: learngo.go +filename: learngo-fi.go contributors: - ["Sonia Keys", "https://github.com/soniakeys"] - ["Christopher Bess", "https://github.com/cbess"] @@ -11,154 +11,157 @@ contributors: - ["Jose Donizetti", "https://github.com/josedonizetti"] - ["Alexej Friesen", "https://github.com/heyalexej"] - ["Clayton Walker", "https://github.com/cwalk"] +translators: + - ["Timo Virkkunen", "https://github.com/ComSecNinja"] --- -Go was created out of the need to get work done. It's not the latest trend -in computer science, but it is the newest fastest way to solve real-world -problems. +Go luotiin työn tekemistä varten. Se ei ole tietojenkäsittelyn uusin trendi, +mutta se on uusin nopein tapa ratkaista oikean maailman ongelmia. -It has familiar concepts of imperative languages with static typing. -It's fast to compile and fast to execute, it adds easy-to-understand -concurrency to leverage today's multi-core CPUs, and has features to -help with large-scale programming. +Sillä on staattisesti tyypitetyistä imperatiivisista kielistä tuttuja +konsepteja. Se kääntyy ja suorittuu nopeasti, lisää helposti käsitettävän +samanaikaisten komentojen suorittamisen nykyaikaisten moniytimisten +prosessoreiden hyödyntämiseksi ja antaa käyttäjälle ominaisuuksia suurten +projektien käsittelemiseksi. -Go comes with a great standard library and an enthusiastic community. +Go tuo mukanaan loistavan oletuskirjaston sekä innokkaan yhteisön. ```go -// Single line comment -/* Multi- - line comment */ +// Yhden rivin kommentti +/* Useamman + rivin kommentti */ -// A package clause starts every source file. -// Main is a special name declaring an executable rather than a library. +// Package -lausekkeella aloitetaan jokainen lähdekooditiedosto. +// Main on erityinen nimi joka ilmoittaa +// suoritettavan tiedoston kirjaston sijasta. package main -// Import declaration declares library packages referenced in this file. +// Import -lauseke ilmoittaa tässä tiedostossa käytetyt kirjastot. import ( - "fmt" // A package in the Go standard library. - "io/ioutil" // Implements some I/O utility functions. - m "math" // Math library with local alias m. - "net/http" // Yes, a web server! - "strconv" // String conversions. + "fmt" // Paketti Go:n oletuskirjastosta. + "io/ioutil" // Implementoi hyödyllisiä I/O -funktioita. + m "math" // Matematiikkakirjasto jolla on paikallinen nimi m. + "net/http" // Kyllä, web-palvelin! + "strconv" // Kirjainjonojen muuntajia. ) -// A function definition. Main is special. It is the entry point for the -// executable program. Love it or hate it, Go uses brace brackets. +// Funktion määrittelijä. Main on erityinen: se on ohjelman suorittamisen +// aloittamisen alkupiste. Rakasta tai vihaa sitä, Go käyttää aaltosulkeita. func main() { - // Println outputs a line to stdout. - // Qualify it with the package name, fmt. - fmt.Println("Hello world!") + // Println tulostaa rivin stdoutiin. + // Se tulee paketin fmt mukana, joten paketin nimi on mainittava. + fmt.Println("Hei maailma!") - // Call another function within this package. + // Kutsu toista funktiota tämän paketin sisällä. beyondHello() } -// Functions have parameters in parentheses. -// If there are no parameters, empty parentheses are still required. +// Funktioilla voi olla parametrejä sulkeissa. +// Vaikkei parametrejä olisikaan, sulkeet ovat silti pakolliset. func beyondHello() { - var x int // Variable declaration. Variables must be declared before use. - x = 3 // Variable assignment. - // "Short" declarations use := to infer the type, declare, and assign. + var x int // Muuttujan ilmoittaminen: ne täytyy ilmoittaa ennen käyttöä. + x = 3 // Arvon antaminen muuttujalle. + // "Lyhyet" ilmoitukset käyttävät := joka päättelee tyypin, ilmoittaa + // sekä antaa arvon muuttujalle. y := 4 - sum, prod := learnMultiple(x, y) // Function returns two values. - fmt.Println("sum:", sum, "prod:", prod) // Simple output. - learnTypes() // < y minutes, learn more! + sum, prod := learnMultiple(x, y) // Funktio palauttaa kaksi arvoa. + fmt.Println("summa:", sum, "tulo:", prod) // Yksinkertainen tuloste. + learnTypes() // < y minuuttia, opi lisää! } -/* <- multiline comment -Functions can have parameters and (multiple!) return values. -Here `x`, `y` are the arguments and `sum`, `prod` is the signature (what's returned). -Note that `x` and `sum` receive the type `int`. +/* <- usean rivin kommentti +Funktioilla voi olla parametrejä ja (useita!) palautusarvoja. +Tässä `x`, `y` ovat argumenttejä ja `sum`, `prod` ovat ne, mitä palautetaan. +Huomaa että `x` ja `sum` saavat tyyin `int`. */ func learnMultiple(x, y int) (sum, prod int) { - return x + y, x * y // Return two values. + return x + y, x * y // Palauta kaksi arvoa. } -// Some built-in types and literals. +// Sisäänrakennettuja tyyppejä ja todellisarvoja. func learnTypes() { - // Short declaration usually gives you what you want. - str := "Learn Go!" // string type. + // Lyhyt ilmoitus antaa yleensä haluamasi. + str := "Opi Go!" // merkkijonotyyppi. - s2 := `A "raw" string literal -can include line breaks.` // Same string type. + s2 := `"raaka" todellisarvoinen merrkijono +voi sisältää rivinvaihtoja.` // Sama merkkijonotyyppi. - // Non-ASCII literal. Go source is UTF-8. - g := 'Σ' // rune type, an alias for int32, holds a unicode code point. + // Ei-ASCII todellisarvo. Go-lähdekoodi on UTF-8. + g := 'Σ' // riimutyyppi, lempinimi int32:lle, sisältää unicode-koodipisteen. - f := 3.14195 // float64, an IEEE-754 64-bit floating point number. - c := 3 + 4i // complex128, represented internally with two float64's. + f := 3.14195 //float64, IEEE-754 64-bittinen liukuluku. + c := 3 + 4i // complex128, sisäisesti ilmaistu kahdella float64:lla. - // var syntax with initializers. - var u uint = 7 // Unsigned, but implementation dependent size as with int. + // var -syntaksi alkuarvoilla. + var u uint = 7 // Etumerkitön, toteutus riippuvainen koosta kuten int. var pi float32 = 22. / 7 - // Conversion syntax with a short declaration. - n := byte('\n') // byte is an alias for uint8. + // Muuntosyntaksi lyhyellä ilmoituksella. + n := byte('\n') // byte on leminimi uint8:lle. - // Arrays have size fixed at compile time. - var a4 [4]int // An array of 4 ints, initialized to all 0. - a3 := [...]int{3, 1, 5} // An array initialized with a fixed size of three - // elements, with values 3, 1, and 5. + // Listoilla on kiinteä koko kääntöhetkellä. + var a4 [4]int // 4 int:in lista, alkiot ovat alustettu nolliksi. + a3 := [...]int{3, 1, 5} // Listan alustaja jonka kiinteäksi kooksi tulee 3 + // alkiota, jotka saavat arvot 3, 1, ja 5. - // Slices have dynamic size. Arrays and slices each have advantages - // but use cases for slices are much more common. - s3 := []int{4, 5, 9} // Compare to a3. No ellipsis here. - s4 := make([]int, 4) // Allocates slice of 4 ints, initialized to all 0. - var d2 [][]float64 // Declaration only, nothing allocated here. - bs := []byte("a slice") // Type conversion syntax. + // Siivuilla on muuttuva koko. Sekä listoilla että siivuilla on puolensa, + // mutta siivut ovat yleisempiä käyttötapojensa vuoksi. + s3 := []int{4, 5, 9} // Vertaa a3: ei sananheittoa (...). + s4 := make([]int, 4) // Varaa 4 int:n siivun, alkiot alustettu nolliksi. + var d2 [][]float64 // Vain ilmoitus, muistia ei varata. + bs := []byte("a slice") // Tyypinmuuntosyntaksi. - // Because they are dynamic, slices can be appended to on-demand. - // To append elements to a slice, the built-in append() function is used. - // First argument is a slice to which we are appending. Commonly, - // the array variable is updated in place, as in example below. - s := []int{1, 2, 3} // Result is a slice of length 3. - s = append(s, 4, 5, 6) // Added 3 elements. Slice now has length of 6. - fmt.Println(s) // Updated slice is now [1 2 3 4 5 6] + // Koska siivut ovat dynaamisia, niitä voidaan yhdistellä sellaisinaan. + // Lisätäksesi alkioita siivuun, käytä sisäänrakennettua append()-funktiota. + // Ensimmäinen argumentti on siivu, johon alkoita lisätään. + s := []int{1, 2, 3} // Tuloksena on kolmen alkion pituinen lista. + s = append(s, 4, 5, 6) // Lisätty kolme alkiota. Siivun pituudeksi tulee 6. + fmt.Println(s) // Päivitetty siivu on nyt [1 2 3 4 5 6] - // To append another slice, instead of list of atomic elements we can - // pass a reference to a slice or a slice literal like this, with a - // trailing ellipsis, meaning take a slice and unpack its elements, - // appending them to slice s. - s = append(s, []int{7, 8, 9}...) // Second argument is a slice literal. - fmt.Println(s) // Updated slice is now [1 2 3 4 5 6 7 8 9] + // Lisätäksesi siivun toiseen voit antaa append-funktiolle referenssin + // siivuun tai todellisarvoiseen siivuun lisäämällä sanaheiton argumentin + // perään. Tämä tapa purkaa siivun alkiot ja lisää ne siivuun s. + s = append(s, []int{7, 8, 9}...) // 2. argumentti on todellisarvoinen siivu. + fmt.Println(s) // Päivitetty siivu on nyt [1 2 3 4 5 6 7 8 9] - p, q := learnMemory() // Declares p, q to be type pointer to int. - fmt.Println(*p, *q) // * follows a pointer. This prints two ints. + p, q := learnMemory() // Ilmoittaa p ja q olevan tyyppiä osoittaja int:iin. + fmt.Println(*p, *q) // * seuraa osoittajaa. Tämä tulostaa kaksi int:ä. - // Maps are a dynamically growable associative array type, like the - // hash or dictionary types of some other languages. + // Kartat ovat dynaamisesti kasvavia assosiatiivisia listoja, kuten hash tai + // dictionary toisissa kielissä. m := map[string]int{"three": 3, "four": 4} m["one"] = 1 - // Unused variables are an error in Go. - // The underscore lets you "use" a variable but discard its value. + // Käyttämättömät muuttujat ovat virheitä Go:ssa. + // Alaviiva antaa sinun "käyttää" muuttujan mutta hylätä sen arvon. _, _, _, _, _, _, _, _, _, _ = str, s2, g, f, u, pi, n, a3, s4, bs - // Output of course counts as using a variable. + // Tulostaminen tietysti lasketaan muuttujan käyttämiseksi. fmt.Println(s, c, a4, s3, d2, m) - learnFlowControl() // Back in the flow. + learnFlowControl() // Takaisin flowiin. } -// It is possible, unlike in many other languages for functions in go -// to have named return values. -// Assigning a name to the type being returned in the function declaration line -// allows us to easily return from multiple points in a function as well as to -// only use the return keyword, without anything further. +// Go:ssa on useista muista kielistä poiketen mahdollista käyttää nimettyjä +// palautusarvoja. +// Nimen antaminen palautettavan arvon tyypille funktion ilmoitusrivillä +// mahdollistaa helpon palaamisen useasta eri funktion suorituskohdasta sekä +// pelkän return-lausekkeen käytön ilman muita mainintoja. func learnNamedReturns(x, y int) (z int) { z = x * y - return // z is implicit here, because we named it earlier. + return // z on epäsuorasti tässä, koska nimesimme sen aiemmin. } -// Go is fully garbage collected. It has pointers but no pointer arithmetic. -// You can make a mistake with a nil pointer, but not by incrementing a pointer. +// Go kerää kaikki roskansa. Siinä on osoittajia mutta ei niiden laskentoa. +// Voit tehdä virheen mitättömällä osoittajalla, mutta et +// kasvattamalla osoittajaa. func learnMemory() (p, q *int) { - // Named return values p and q have type pointer to int. - p = new(int) // Built-in function new allocates memory. - // The allocated int is initialized to 0, p is no longer nil. - s := make([]int, 20) // Allocate 20 ints as a single block of memory. - s[3] = 7 // Assign one of them. - r := -2 // Declare another local variable. - return &s[3], &r // & takes the address of an object. + // Nimetyillä palautusarvoilla p ja q on tyyppi osoittaja int:iin. + p = new(int) // Sisäänrakennettu funktio new varaa muistia. + // Varattu int on alustettu nollaksi, p ei ole enää mitätön. + s := make([]int, 20) // Varaa 20 int:ä yhteen kohtaan muistissa. + s[3] = 7 // Anna yhdelle niistä arvo. + r := -2 // Ilmoita toinen paikallinen muuttuja. + return &s[3], &r // & ottaa asian osoitteen muistissa. } func expensiveComputation() float64 { @@ -166,234 +169,241 @@ func expensiveComputation() float64 { } func learnFlowControl() { - // If statements require brace brackets, and do not require parentheses. + // If -lausekkeet vaativat aaltosulkeet mutta ei tavallisia sulkeita. if true { - fmt.Println("told ya") + fmt.Println("mitä mä sanoin") } - // Formatting is standardized by the command line command "go fmt." + // Muotoilu on standardoitu käyttämällä komentorivin komentoa "go fmt". if false { - // Pout. + // Nyrpistys. } else { - // Gloat. + // Nautinto. } - // Use switch in preference to chained if statements. + // Käytä switch -lauseketta ketjutettujen if -lausekkeiden sijasta. x := 42.0 switch x { case 0: case 1: case 42: - // Cases don't "fall through". + // Tapaukset eivät "tipu läpi". /* - There is a `fallthrough` keyword however, see: + Kuitenkin meillä on erikseen `fallthrough` -avainsana. Katso: https://github.com/golang/go/wiki/Switch#fall-through */ case 43: - // Unreached. + // Saavuttamaton. default: - // Default case is optional. + // Oletustapaus (default) on valinnainen. } - // Like if, for doesn't use parens either. - // Variables declared in for and if are local to their scope. - for x := 0; x < 3; x++ { // ++ is a statement. - fmt.Println("iteration", x) + // Kuten if, for -lauseke ei myöskään käytä tavallisia sulkeita. + // for- ja if- lausekkeissa ilmoitetut muuttujat ovat paikallisia niiden + // piireissä. + for x := 0; x < 3; x++ { // ++ on lauseke. Sama kuin "x = x + 1". + fmt.Println("iteraatio", x) } - // x == 42 here. + // x == 42 tässä. - // For is the only loop statement in Go, but it has alternate forms. - for { // Infinite loop. - break // Just kidding. - continue // Unreached. + // For on kielen ainoa silmukkalauseke mutta sillä on vaihtoehtosia muotoja. + for { // Päättymätön silmukka. + break // Kunhan vitsailin. + continue // Saavuttamaton. } - // You can use range to iterate over an array, a slice, a string, a map, or a channel. - // range returns one (channel) or two values (array, slice, string and map). - for key, value := range map[string]int{"one": 1, "two": 2, "three": 3} { - // for each pair in the map, print key and value - fmt.Printf("key=%s, value=%d\n", key, value) + // Voit käyttää range -lauseketta iteroidaksesi listojen, siivujen, merkki- + // jonojen, karttojen tai kanavien läpi. range palauttaa yhden (kanava) tai + // kaksi arvoa (lista, siivu, merkkijono ja kartta). + for key, value := range map[string]int{"yksi": 1, "kaksi": 2, "kolme": 3} { + // jokaista kartan paria kohden, tulosta avain ja arvo + fmt.Printf("avain=%s, arvo=%d\n", key, value) } - // As with for, := in an if statement means to declare and assign - // y first, then test y > x. + // Kuten for -lausekkeessa := if -lausekkeessa tarkoittaa ilmoittamista ja + // arvon asettamista. + // Aseta ensin y, sitten testaa onko y > x. if y := expensiveComputation(); y > x { x = y } - // Function literals are closures. + // Todellisarvoiset funktiot ovat sulkeumia. xBig := func() bool { - return x > 10000 // References x declared above switch statement. + return x > 10000 // Viittaa ylempänä ilmoitettuun x:ään. } - fmt.Println("xBig:", xBig()) // true (we last assigned e^10 to x). - x = 1.3e3 // This makes x == 1300 - fmt.Println("xBig:", xBig()) // false now. + fmt.Println("xBig:", xBig()) // tosi (viimeisin arvo on e^10). + x = 1.3e3 // Tämä tekee x == 1300 + fmt.Println("xBig:", xBig()) // epätosi nyt. - // What's more is function literals may be defined and called inline, - // acting as an argument to function, as long as: - // a) function literal is called immediately (), - // b) result type matches expected type of argument. - fmt.Println("Add + double two numbers: ", + // Lisäksi todellisarvoiset funktiot voidaan samalla sekä ilmoittaa että + // kutsua, jolloin niitä voidaan käyttää funtioiden argumentteina kunhan: + // a) todellisarvoinen funktio kutsutaan välittömästi (), + // b) palautettu tyyppi vastaa odotettua argumentin tyyppiä. + fmt.Println("Lisää ja tuplaa kaksi numeroa: ", func(a, b int) int { return (a + b) * 2 - }(10, 2)) // Called with args 10 and 2 - // => Add + double two numbers: 24 + }(10, 2)) // Kutsuttu argumenteilla 10 ja 2 + // => Lisää ja tuplaa kaksi numeroa: 24 - // When you need it, you'll love it. + // Kun tarvitset sitä, rakastat sitä. goto love love: - learnFunctionFactory() // func returning func is fun(3)(3) - learnDefer() // A quick detour to an important keyword. - learnInterfaces() // Good stuff coming up! + learnFunctionFactory() // Funktioita palauttavat funktiot + learnDefer() // Nopea kiertoreitti tärkeään avainsanaan. + learnInterfaces() // Hyvää kamaa tulossa! } func learnFunctionFactory() { - // Next two are equivalent, with second being more practical - fmt.Println(sentenceFactory("summer")("A beautiful", "day!")) + // Seuraavat kaksi ovat vastaavia, mutta toinen on käytännöllisempi + fmt.Println(sentenceFactory("kesä")("Kaunis", "päivä!")) - d := sentenceFactory("summer") - fmt.Println(d("A beautiful", "day!")) - fmt.Println(d("A lazy", "afternoon!")) + d := sentenceFactory("kesä") + fmt.Println(d("Kaunis", "päivä!")) + fmt.Println(d("Laiska", "iltapäivä!")) } -// Decorators are common in other languages. Same can be done in Go -// with function literals that accept arguments. +// Somisteet ovat yleisiä toisissa kielissä. Sama saavutetaan Go:ssa käyttämällä +// todellisarvoisia funktioita jotka ottavat vastaan argumentteja. func sentenceFactory(mystring string) func(before, after string) string { return func(before, after string) string { - return fmt.Sprintf("%s %s %s", before, mystring, after) // new string + return fmt.Sprintf("%s %s %s", before, mystring, after) // uusi jono } } func learnDefer() (ok bool) { - // Deferred statements are executed just before the function returns. - defer fmt.Println("deferred statements execute in reverse (LIFO) order.") - defer fmt.Println("\nThis line is being printed first because") - // Defer is commonly used to close a file, so the function closing the - // file stays close to the function opening the file. + // Lykätyt lausekkeet suoritetaan juuri ennen funktiosta palaamista. + defer fmt.Println("lykätyt lausekkeet suorittuvat") + defer fmt.Println("käänteisessä järjestyksessä (LIFO).") + defer fmt.Println("\nTämä rivi tulostuu ensin, koska") + // Defer -lauseketta käytetään yleisesti tiedoston sulkemiseksi, jotta + // tiedoston sulkeva funktio pysyy lähellä sen avannutta funktiota. return true } -// Define Stringer as an interface type with one method, String. +// Määrittele Stringer rajapintatyypiksi jolla on +// yksi jäsenfunktio eli metodi, String. type Stringer interface { String() string } -// Define pair as a struct with two fields, ints named x and y. +// Määrittele pair rakenteeksi jossa on kaksi kenttää, x ja y tyyppiä int. type pair struct { x, y int } -// Define a method on type pair. Pair now implements Stringer. -func (p pair) String() string { // p is called the "receiver" - // Sprintf is another public function in package fmt. - // Dot syntax references fields of p. +// Määrittele jäsenfunktio pair:lle. Pair tyydyttää nyt Stringer -rajapinnan. +func (p pair) String() string { // p:tä kutsutaan nimellä "receiver" + // Sprintf on toinen julkinen funktio paketissa fmt. + // Pistesyntaksilla viitataan P:n kenttiin. return fmt.Sprintf("(%d, %d)", p.x, p.y) } func learnInterfaces() { - // Brace syntax is a "struct literal". It evaluates to an initialized - // struct. The := syntax declares and initializes p to this struct. + // Aaltosuljesyntaksi on "todellisarvoinen rakenne". Se todentuu alustetuksi + // rakenteeksi. := -syntaksi ilmoittaa ja alustaa p:n täksi rakenteeksi. p := pair{3, 4} - fmt.Println(p.String()) // Call String method of p, of type pair. - var i Stringer // Declare i of interface type Stringer. - i = p // Valid because pair implements Stringer - // Call String method of i, of type Stringer. Output same as above. + fmt.Println(p.String()) // Kutsu p:n (tyyppiä pair) jäsenfunktiota String. + var i Stringer // Ilmoita i Stringer-rajapintatyypiksi. + i = p // Pätevä koska pair tyydyttää rajapinnan Stringer. + // Kutsu i:n (Stringer) jäsenfunktiota String. Tuloste on sama kuin yllä. fmt.Println(i.String()) - // Functions in the fmt package call the String method to ask an object - // for a printable representation of itself. - fmt.Println(p) // Output same as above. Println calls String method. - fmt.Println(i) // Output same as above. + // Funktiot fmt-paketissa kutsuvat argumenttien String-jäsenfunktiota + // selvittääkseen onko niistä saatavilla tulostettavaa vastinetta. + fmt.Println(p) // Tuloste on sama kuin yllä. Println kutsuu String-metodia. + fmt.Println(i) // Tuloste on sama kuin yllä. - learnVariadicParams("great", "learning", "here!") + learnVariadicParams("loistavaa", "oppimista", "täällä!") } -// Functions can have variadic parameters. +// Funktioilla voi olla muuttuva eli variteettinen +// määrä argumentteja eli parametrejä. func learnVariadicParams(myStrings ...interface{}) { - // Iterate each value of the variadic. - // The underbar here is ignoring the index argument of the array. + // Iteroi jokaisen argumentin läpi. + // Tässä alaviivalla sivuutetaan argumenttilistan kunkin kohdan indeksi. for _, param := range myStrings { fmt.Println("param:", param) } - // Pass variadic value as a variadic parameter. + // Luovuta variteettinen arvo variteettisena parametrinä. fmt.Println("params:", fmt.Sprintln(myStrings...)) learnErrorHandling() } func learnErrorHandling() { - // ", ok" idiom used to tell if something worked or not. - m := map[int]string{3: "three", 4: "four"} - if x, ok := m[1]; !ok { // ok will be false because 1 is not in the map. - fmt.Println("no one there") + // "; ok" -muotoa käytetään selvittääksemme toimiko jokin vai ei. + m := map[int]string{3: "kolme", 4: "neljä"} + if x, ok := m[1]; !ok { // ok on epätosi koska 1 ei ole kartassa. + fmt.Println("ei ketään täällä") } else { - fmt.Print(x) // x would be the value, if it were in the map. + fmt.Print(x) // x olisi arvo jos se olisi kartassa. } - // An error value communicates not just "ok" but more about the problem. - if _, err := strconv.Atoi("non-int"); err != nil { // _ discards value - // prints 'strconv.ParseInt: parsing "non-int": invalid syntax' + // Virhearvo voi kertoa muutakin ongelmasta. + if _, err := strconv.Atoi("ei-luku"); err != nil { // _ sivuuttaa arvon + // tulostaa strconv.ParseInt: parsing "ei-luku": invalid syntax fmt.Println(err) } - // We'll revisit interfaces a little later. Meanwhile, + // Palaamme rajapintoihin hieman myöhemmin. Sillä välin, learnConcurrency() } -// c is a channel, a concurrency-safe communication object. +// c on kanava, samanaikaisturvallinen viestintäolio. func inc(i int, c chan int) { - c <- i + 1 // <- is the "send" operator when a channel appears on the left. + c <- i + 1 // <- on "lähetysoperaattori" kun kanava on siitä vasemmalla. } -// We'll use inc to increment some numbers concurrently. +// Käytämme inc -funktiota samanaikaiseen lukujen lisäämiseen. func learnConcurrency() { - // Same make function used earlier to make a slice. Make allocates and - // initializes slices, maps, and channels. + // Sama make -funktio jota käytimme aikaisemmin siivun luomiseksi. Make + // varaa muistin ja alustaa siivut, kartat ja kanavat. c := make(chan int) - // Start three concurrent goroutines. Numbers will be incremented - // concurrently, perhaps in parallel if the machine is capable and - // properly configured. All three send to the same channel. - go inc(0, c) // go is a statement that starts a new goroutine. + // Aloita kolme samanaikaista gorutiinia (goroutine). Luvut kasvavat + // samanaikaisesti ja ehkäpä rinnakkain jos laite on kykenevä ja oikein + // määritelty. Kaikki kolme lähettävät samalle kanavalle. + go inc(0, c) // go -lauseke aloittaa uuden gorutiinin. go inc(10, c) go inc(-805, c) - // Read three results from the channel and print them out. - // There is no telling in what order the results will arrive! - fmt.Println(<-c, <-c, <-c) // channel on right, <- is "receive" operator. + // Lue kolme palautusarvoa kanavalta ja tulosta ne. + // Niiden saapumisjärjestystä ei voida taata! + // <- on "vastaanotto-operaattori" jos kanava on oikealla + fmt.Println(<-c, <-c, <-c) - cs := make(chan string) // Another channel, this one handles strings. - ccs := make(chan chan string) // A channel of string channels. - go func() { c <- 84 }() // Start a new goroutine just to send a value. - go func() { cs <- "wordy" }() // Again, for cs this time. - // Select has syntax like a switch statement but each case involves - // a channel operation. It selects a case at random out of the cases - // that are ready to communicate. + cs := make(chan string) // Toinen kanava joka käsittelee merkkijonoja. + ccs := make(chan chan string) // Kanava joka käsittelee merkkijonokanavia. + go func() { c <- 84 }() // Aloita uusi gorutiini arvon lähettämiseksi. + go func() { cs <- "sanaa" }() // Uudestaan, mutta cs -kanava tällä kertaa. + // Select -lausekkeella on syntaksi kuten switch -lausekkeella mutta + // jokainen tapaus sisältää kanavaoperaation. Se valitsee satunnaisen + // tapauksen niistä kanavista, jotka ovat kommunikaatiovalmiita select { - case i := <-c: // The value received can be assigned to a variable, - fmt.Printf("it's a %T", i) - case <-cs: // or the value received can be discarded. - fmt.Println("it's a string") - case <-ccs: // Empty channel, not ready for communication. - fmt.Println("didn't happen.") + case i := <-c: // Vastaanotettu arvo voidaan antaa muuttujalle + fmt.Printf("se on %T", i) + case <-cs: // tai vastaanotettu arvo voidaan sivuuttaa. + fmt.Println("se on merkkijono") + case <-ccs: // Tyhjä kanava; ei valmis kommunikaatioon. + fmt.Println("ei tapahtunut.") } - // At this point a value was taken from either c or cs. One of the two - // goroutines started above has completed, the other will remain blocked. + // Tässä vaiheessa arvo oli otettu joko c:ltä tai cs:ltä. Yksi kahdesta + // ylempänä aloitetusta gorutiinista on valmistunut, toinen pysyy tukossa. - learnWebProgramming() // Go does it. You want to do it too. + learnWebProgramming() // Go tekee sitä. Sinäkin haluat tehdä sitä. } -// A single function from package http starts a web server. +// Yksittäinen funktio http -paketista aloittaa web-palvelimen. func learnWebProgramming() { - // First parameter of ListenAndServe is TCP address to listen to. - // Second parameter is an interface, specifically http.Handler. + // ListenAndServe:n ensimmäinen parametri on TCP-osoite, jota kuunnellaan. + // Toinen parametri on rajapinta, http.Handler. go func() { err := http.ListenAndServe(":8080", pair{}) - fmt.Println(err) // don't ignore errors + fmt.Println(err) // älä sivuuta virheitä. }() requestServer() } -// Make pair an http.Handler by implementing its only method, ServeHTTP. +// Tee pair:sta http.Handler implementoimalla sen ainoa metodi, ServeHTTP. func (p pair) ServeHTTP(w http.ResponseWriter, r *http.Request) { - // Serve data with a method of http.ResponseWriter. - w.Write([]byte("You learned Go in Y minutes!")) + // Tarjoa dataa metodilla http.ResponseWriter. + w.Write([]byte("Opit Go:n Y minuutissa!")) } func requestServer() { @@ -401,28 +411,30 @@ func requestServer() { fmt.Println(err) defer resp.Body.Close() body, err := ioutil.ReadAll(resp.Body) - fmt.Printf("\nWebserver said: `%s`", string(body)) + fmt.Printf("\nWeb-palvelin sanoo: `%s`", string(body)) } ``` -## Further Reading +## Lisää luettavaa -The root of all things Go is the [official Go web site](http://golang.org/). -There you can follow the tutorial, play interactively, and read lots. -Aside from a tour, [the docs](https://golang.org/doc/) contain information on -how to write clean and effective Go code, package and command docs, and release history. +Go-tietämyksen alku ja juuri on sen [virallinen verkkosivu]()(http://golang.org/). +Siellä voit seurata oppitunteja, askarrella vuorovaikutteisesti sekä lukea paljon. +Kierroksen lisäksi [dokumentaatio](https://golang.org/doc/) pitää sisällään tietoa +siistin Go-koodin kirjoittamisesta, pakettien ja komentojen käytöstä sekä julkaisuhistoriasta. -The language definition itself is highly recommended. It's easy to read -and amazingly short (as language definitions go these days.) +Kielen määritelmä itsessään on suuresti suositeltavissa. Se on helppolukuinen ja +yllättävän lyhyt (niissä määrin kuin kielimääritelmät nykypäivänä ovat.) -You can play around with the code on [Go playground](https://play.golang.org/p/tnWMjr16Mm). Try to change it and run it from your browser! Note that you can use [https://play.golang.org](https://play.golang.org) as a [REPL](https://en.wikipedia.org/wiki/Read-eval-print_loop) to test things and code in your browser, without even installing Go. +Voit askarrella parissa kanssa [Go playgroundissa](https://play.golang.org/p/tnWMjr16Mm). +Muuttele sitä ja aja se selaimestasi! Huomaa, että voit käyttää [https://play.golang.org](https://play.golang.org) +[REPL:na](https://en.wikipedia.org/wiki/Read-eval-print_loop) testataksesi ja koodataksesi selaimessasi, ilman Go:n asentamista. -On the reading list for students of Go is the [source code to the standard -library](http://golang.org/src/pkg/). Comprehensively documented, it -demonstrates the best of readable and understandable Go, Go style, and Go -idioms. Or you can click on a function name in [the -documentation](http://golang.org/pkg/) and the source code comes up! +Go:n opiskelijoiden lukulistalla on [oletuskirjaston lähdekoodi](http://golang.org/src/pkg/). +Kattavasti dokumentoituna se antaa parhaan kuvan helppolukuisesta ja ymmärrettävästä Go-koodista, +-tyylistä ja -tavoista. Voit klikata funktion nimeä [doukumentaatiossa](http://golang.org/pkg/) ja +lähdekoodi tulee esille! -Another great resource to learn Go is [Go by example](https://gobyexample.com/). +Toinen loistava paikka oppia on [Go by example](https://gobyexample.com/). -Go Mobile adds support for mobile platforms (Android and iOS). You can write all-Go native mobile apps or write a library that contains bindings from a Go package, which can be invoked via Java (Android) and Objective-C (iOS). Check out the [Go Mobile page](https://github.com/golang/go/wiki/Mobile) for more information. +Go Mobile lisää tuen mobiilialustoille (Android ja iOS). Voit kirjoittaa pelkällä Go:lla natiiveja applikaatioita tai tehdä kirjaston joka sisältää sidoksia +Go-paketista, jotka puolestaan voidaan kutsua Javasta (Android) ja Objective-C:stä (iOS). Katso [lisätietoja](https://github.com/golang/go/wiki/Mobile). diff --git a/fi-fi/go.html.markdown b/fi-fi/go.html.markdown deleted file mode 100644 index 714d4e06..00000000 --- a/fi-fi/go.html.markdown +++ /dev/null @@ -1,440 +0,0 @@ ---- -name: Go -category: language -language: Go -filename: learngo.go -contributors: - - ["Sonia Keys", "https://github.com/soniakeys"] - - ["Christopher Bess", "https://github.com/cbess"] - - ["Jesse Johnson", "https://github.com/holocronweaver"] - - ["Quint Guvernator", "https://github.com/qguv"] - - ["Jose Donizetti", "https://github.com/josedonizetti"] - - ["Alexej Friesen", "https://github.com/heyalexej"] - - ["Clayton Walker", "https://github.com/cwalk"] -translators: - - ["Timo Virkkunen", "https://github.com/ComSecNinja"] ---- - -Go luotiin työn tekemistä varten. Se ei ole tietojenkäsittelyn uusin trendi, -mutta se on uusin nopein tapa ratkaista oikean maailman ongelmia. - -Sillä on staattisesti tyypitetyistä imperatiivisista kielistä tuttuja -konsepteja. Se kääntyy ja suorittuu nopeasti, lisää helposti käsitettävän -samanaikaisten komentojen suorittamisen nykyaikaisten moniytimisten -prosessoreiden hyödyntämiseksi ja antaa käyttäjälle ominaisuuksia suurten -projektien käsittelemiseksi. - -Go tuo mukanaan loistavan oletuskirjaston sekä innokkaan yhteisön. - -```go -// Yhden rivin kommentti -/* Useamman - rivin kommentti */ - -// Package -lausekkeella aloitetaan jokainen lähdekooditiedosto. -// Main on erityinen nimi joka ilmoittaa -// suoritettavan tiedoston kirjaston sijasta. -package main - -// Import -lauseke ilmoittaa tässä tiedostossa käytetyt kirjastot. -import ( - "fmt" // Paketti Go:n oletuskirjastosta. - "io/ioutil" // Implementoi hyödyllisiä I/O -funktioita. - m "math" // Matematiikkakirjasto jolla on paikallinen nimi m. - "net/http" // Kyllä, web-palvelin! - "strconv" // Kirjainjonojen muuntajia. -) - -// Funktion määrittelijä. Main on erityinen: se on ohjelman suorittamisen -// aloittamisen alkupiste. Rakasta tai vihaa sitä, Go käyttää aaltosulkeita. -func main() { - // Println tulostaa rivin stdoutiin. - // Se tulee paketin fmt mukana, joten paketin nimi on mainittava. - fmt.Println("Hei maailma!") - - // Kutsu toista funktiota tämän paketin sisällä. - beyondHello() -} - -// Funktioilla voi olla parametrejä sulkeissa. -// Vaikkei parametrejä olisikaan, sulkeet ovat silti pakolliset. -func beyondHello() { - var x int // Muuttujan ilmoittaminen: ne täytyy ilmoittaa ennen käyttöä. - x = 3 // Arvon antaminen muuttujalle. - // "Lyhyet" ilmoitukset käyttävät := joka päättelee tyypin, ilmoittaa - // sekä antaa arvon muuttujalle. - y := 4 - sum, prod := learnMultiple(x, y) // Funktio palauttaa kaksi arvoa. - fmt.Println("summa:", sum, "tulo:", prod) // Yksinkertainen tuloste. - learnTypes() // < y minuuttia, opi lisää! -} - -/* <- usean rivin kommentti -Funktioilla voi olla parametrejä ja (useita!) palautusarvoja. -Tässä `x`, `y` ovat argumenttejä ja `sum`, `prod` ovat ne, mitä palautetaan. -Huomaa että `x` ja `sum` saavat tyyin `int`. -*/ -func learnMultiple(x, y int) (sum, prod int) { - return x + y, x * y // Palauta kaksi arvoa. -} - -// Sisäänrakennettuja tyyppejä ja todellisarvoja. -func learnTypes() { - // Lyhyt ilmoitus antaa yleensä haluamasi. - str := "Opi Go!" // merkkijonotyyppi. - - s2 := `"raaka" todellisarvoinen merrkijono -voi sisältää rivinvaihtoja.` // Sama merkkijonotyyppi. - - // Ei-ASCII todellisarvo. Go-lähdekoodi on UTF-8. - g := 'Σ' // riimutyyppi, lempinimi int32:lle, sisältää unicode-koodipisteen. - - f := 3.14195 //float64, IEEE-754 64-bittinen liukuluku. - c := 3 + 4i // complex128, sisäisesti ilmaistu kahdella float64:lla. - - // var -syntaksi alkuarvoilla. - var u uint = 7 // Etumerkitön, toteutus riippuvainen koosta kuten int. - var pi float32 = 22. / 7 - - // Muuntosyntaksi lyhyellä ilmoituksella. - n := byte('\n') // byte on leminimi uint8:lle. - - // Listoilla on kiinteä koko kääntöhetkellä. - var a4 [4]int // 4 int:in lista, alkiot ovat alustettu nolliksi. - a3 := [...]int{3, 1, 5} // Listan alustaja jonka kiinteäksi kooksi tulee 3 - // alkiota, jotka saavat arvot 3, 1, ja 5. - - // Siivuilla on muuttuva koko. Sekä listoilla että siivuilla on puolensa, - // mutta siivut ovat yleisempiä käyttötapojensa vuoksi. - s3 := []int{4, 5, 9} // Vertaa a3: ei sananheittoa (...). - s4 := make([]int, 4) // Varaa 4 int:n siivun, alkiot alustettu nolliksi. - var d2 [][]float64 // Vain ilmoitus, muistia ei varata. - bs := []byte("a slice") // Tyypinmuuntosyntaksi. - - // Koska siivut ovat dynaamisia, niitä voidaan yhdistellä sellaisinaan. - // Lisätäksesi alkioita siivuun, käytä sisäänrakennettua append()-funktiota. - // Ensimmäinen argumentti on siivu, johon alkoita lisätään. - s := []int{1, 2, 3} // Tuloksena on kolmen alkion pituinen lista. - s = append(s, 4, 5, 6) // Lisätty kolme alkiota. Siivun pituudeksi tulee 6. - fmt.Println(s) // Päivitetty siivu on nyt [1 2 3 4 5 6] - - // Lisätäksesi siivun toiseen voit antaa append-funktiolle referenssin - // siivuun tai todellisarvoiseen siivuun lisäämällä sanaheiton argumentin - // perään. Tämä tapa purkaa siivun alkiot ja lisää ne siivuun s. - s = append(s, []int{7, 8, 9}...) // 2. argumentti on todellisarvoinen siivu. - fmt.Println(s) // Päivitetty siivu on nyt [1 2 3 4 5 6 7 8 9] - - p, q := learnMemory() // Ilmoittaa p ja q olevan tyyppiä osoittaja int:iin. - fmt.Println(*p, *q) // * seuraa osoittajaa. Tämä tulostaa kaksi int:ä. - - // Kartat ovat dynaamisesti kasvavia assosiatiivisia listoja, kuten hash tai - // dictionary toisissa kielissä. - m := map[string]int{"three": 3, "four": 4} - m["one"] = 1 - - // Käyttämättömät muuttujat ovat virheitä Go:ssa. - // Alaviiva antaa sinun "käyttää" muuttujan mutta hylätä sen arvon. - _, _, _, _, _, _, _, _, _, _ = str, s2, g, f, u, pi, n, a3, s4, bs - // Tulostaminen tietysti lasketaan muuttujan käyttämiseksi. - fmt.Println(s, c, a4, s3, d2, m) - - learnFlowControl() // Takaisin flowiin. -} - -// Go:ssa on useista muista kielistä poiketen mahdollista käyttää nimettyjä -// palautusarvoja. -// Nimen antaminen palautettavan arvon tyypille funktion ilmoitusrivillä -// mahdollistaa helpon palaamisen useasta eri funktion suorituskohdasta sekä -// pelkän return-lausekkeen käytön ilman muita mainintoja. -func learnNamedReturns(x, y int) (z int) { - z = x * y - return // z on epäsuorasti tässä, koska nimesimme sen aiemmin. -} - -// Go kerää kaikki roskansa. Siinä on osoittajia mutta ei niiden laskentoa. -// Voit tehdä virheen mitättömällä osoittajalla, mutta et -// kasvattamalla osoittajaa. -func learnMemory() (p, q *int) { - // Nimetyillä palautusarvoilla p ja q on tyyppi osoittaja int:iin. - p = new(int) // Sisäänrakennettu funktio new varaa muistia. - // Varattu int on alustettu nollaksi, p ei ole enää mitätön. - s := make([]int, 20) // Varaa 20 int:ä yhteen kohtaan muistissa. - s[3] = 7 // Anna yhdelle niistä arvo. - r := -2 // Ilmoita toinen paikallinen muuttuja. - return &s[3], &r // & ottaa asian osoitteen muistissa. -} - -func expensiveComputation() float64 { - return m.Exp(10) -} - -func learnFlowControl() { - // If -lausekkeet vaativat aaltosulkeet mutta ei tavallisia sulkeita. - if true { - fmt.Println("mitä mä sanoin") - } - // Muotoilu on standardoitu käyttämällä komentorivin komentoa "go fmt". - if false { - // Nyrpistys. - } else { - // Nautinto. - } - // Käytä switch -lauseketta ketjutettujen if -lausekkeiden sijasta. - x := 42.0 - switch x { - case 0: - case 1: - case 42: - // Tapaukset eivät "tipu läpi". - /* - Kuitenkin meillä on erikseen `fallthrough` -avainsana. Katso: - https://github.com/golang/go/wiki/Switch#fall-through - */ - case 43: - // Saavuttamaton. - default: - // Oletustapaus (default) on valinnainen. - } - // Kuten if, for -lauseke ei myöskään käytä tavallisia sulkeita. - // for- ja if- lausekkeissa ilmoitetut muuttujat ovat paikallisia niiden - // piireissä. - for x := 0; x < 3; x++ { // ++ on lauseke. Sama kuin "x = x + 1". - fmt.Println("iteraatio", x) - } - // x == 42 tässä. - - // For on kielen ainoa silmukkalauseke mutta sillä on vaihtoehtosia muotoja. - for { // Päättymätön silmukka. - break // Kunhan vitsailin. - continue // Saavuttamaton. - } - - // Voit käyttää range -lauseketta iteroidaksesi listojen, siivujen, merkki- - // jonojen, karttojen tai kanavien läpi. range palauttaa yhden (kanava) tai - // kaksi arvoa (lista, siivu, merkkijono ja kartta). - for key, value := range map[string]int{"yksi": 1, "kaksi": 2, "kolme": 3} { - // jokaista kartan paria kohden, tulosta avain ja arvo - fmt.Printf("avain=%s, arvo=%d\n", key, value) - } - - // Kuten for -lausekkeessa := if -lausekkeessa tarkoittaa ilmoittamista ja - // arvon asettamista. - // Aseta ensin y, sitten testaa onko y > x. - if y := expensiveComputation(); y > x { - x = y - } - // Todellisarvoiset funktiot ovat sulkeumia. - xBig := func() bool { - return x > 10000 // Viittaa ylempänä ilmoitettuun x:ään. - } - fmt.Println("xBig:", xBig()) // tosi (viimeisin arvo on e^10). - x = 1.3e3 // Tämä tekee x == 1300 - fmt.Println("xBig:", xBig()) // epätosi nyt. - - // Lisäksi todellisarvoiset funktiot voidaan samalla sekä ilmoittaa että - // kutsua, jolloin niitä voidaan käyttää funtioiden argumentteina kunhan: - // a) todellisarvoinen funktio kutsutaan välittömästi (), - // b) palautettu tyyppi vastaa odotettua argumentin tyyppiä. - fmt.Println("Lisää ja tuplaa kaksi numeroa: ", - func(a, b int) int { - return (a + b) * 2 - }(10, 2)) // Kutsuttu argumenteilla 10 ja 2 - // => Lisää ja tuplaa kaksi numeroa: 24 - - // Kun tarvitset sitä, rakastat sitä. - goto love -love: - - learnFunctionFactory() // Funktioita palauttavat funktiot - learnDefer() // Nopea kiertoreitti tärkeään avainsanaan. - learnInterfaces() // Hyvää kamaa tulossa! -} - -func learnFunctionFactory() { - // Seuraavat kaksi ovat vastaavia, mutta toinen on käytännöllisempi - fmt.Println(sentenceFactory("kesä")("Kaunis", "päivä!")) - - d := sentenceFactory("kesä") - fmt.Println(d("Kaunis", "päivä!")) - fmt.Println(d("Laiska", "iltapäivä!")) -} - -// Somisteet ovat yleisiä toisissa kielissä. Sama saavutetaan Go:ssa käyttämällä -// todellisarvoisia funktioita jotka ottavat vastaan argumentteja. -func sentenceFactory(mystring string) func(before, after string) string { - return func(before, after string) string { - return fmt.Sprintf("%s %s %s", before, mystring, after) // uusi jono - } -} - -func learnDefer() (ok bool) { - // Lykätyt lausekkeet suoritetaan juuri ennen funktiosta palaamista. - defer fmt.Println("lykätyt lausekkeet suorittuvat") - defer fmt.Println("käänteisessä järjestyksessä (LIFO).") - defer fmt.Println("\nTämä rivi tulostuu ensin, koska") - // Defer -lauseketta käytetään yleisesti tiedoston sulkemiseksi, jotta - // tiedoston sulkeva funktio pysyy lähellä sen avannutta funktiota. - return true -} - -// Määrittele Stringer rajapintatyypiksi jolla on -// yksi jäsenfunktio eli metodi, String. -type Stringer interface { - String() string -} - -// Määrittele pair rakenteeksi jossa on kaksi kenttää, x ja y tyyppiä int. -type pair struct { - x, y int -} - -// Määrittele jäsenfunktio pair:lle. Pair tyydyttää nyt Stringer -rajapinnan. -func (p pair) String() string { // p:tä kutsutaan nimellä "receiver" - // Sprintf on toinen julkinen funktio paketissa fmt. - // Pistesyntaksilla viitataan P:n kenttiin. - return fmt.Sprintf("(%d, %d)", p.x, p.y) -} - -func learnInterfaces() { - // Aaltosuljesyntaksi on "todellisarvoinen rakenne". Se todentuu alustetuksi - // rakenteeksi. := -syntaksi ilmoittaa ja alustaa p:n täksi rakenteeksi. - p := pair{3, 4} - fmt.Println(p.String()) // Kutsu p:n (tyyppiä pair) jäsenfunktiota String. - var i Stringer // Ilmoita i Stringer-rajapintatyypiksi. - i = p // Pätevä koska pair tyydyttää rajapinnan Stringer. - // Kutsu i:n (Stringer) jäsenfunktiota String. Tuloste on sama kuin yllä. - fmt.Println(i.String()) - - // Funktiot fmt-paketissa kutsuvat argumenttien String-jäsenfunktiota - // selvittääkseen onko niistä saatavilla tulostettavaa vastinetta. - fmt.Println(p) // Tuloste on sama kuin yllä. Println kutsuu String-metodia. - fmt.Println(i) // Tuloste on sama kuin yllä. - - learnVariadicParams("loistavaa", "oppimista", "täällä!") -} - -// Funktioilla voi olla muuttuva eli variteettinen -// määrä argumentteja eli parametrejä. -func learnVariadicParams(myStrings ...interface{}) { - // Iteroi jokaisen argumentin läpi. - // Tässä alaviivalla sivuutetaan argumenttilistan kunkin kohdan indeksi. - for _, param := range myStrings { - fmt.Println("param:", param) - } - - // Luovuta variteettinen arvo variteettisena parametrinä. - fmt.Println("params:", fmt.Sprintln(myStrings...)) - - learnErrorHandling() -} - -func learnErrorHandling() { - // "; ok" -muotoa käytetään selvittääksemme toimiko jokin vai ei. - m := map[int]string{3: "kolme", 4: "neljä"} - if x, ok := m[1]; !ok { // ok on epätosi koska 1 ei ole kartassa. - fmt.Println("ei ketään täällä") - } else { - fmt.Print(x) // x olisi arvo jos se olisi kartassa. - } - // Virhearvo voi kertoa muutakin ongelmasta. - if _, err := strconv.Atoi("ei-luku"); err != nil { // _ sivuuttaa arvon - // tulostaa strconv.ParseInt: parsing "ei-luku": invalid syntax - fmt.Println(err) - } - // Palaamme rajapintoihin hieman myöhemmin. Sillä välin, - learnConcurrency() -} - -// c on kanava, samanaikaisturvallinen viestintäolio. -func inc(i int, c chan int) { - c <- i + 1 // <- on "lähetysoperaattori" kun kanava on siitä vasemmalla. -} - -// Käytämme inc -funktiota samanaikaiseen lukujen lisäämiseen. -func learnConcurrency() { - // Sama make -funktio jota käytimme aikaisemmin siivun luomiseksi. Make - // varaa muistin ja alustaa siivut, kartat ja kanavat. - c := make(chan int) - // Aloita kolme samanaikaista gorutiinia (goroutine). Luvut kasvavat - // samanaikaisesti ja ehkäpä rinnakkain jos laite on kykenevä ja oikein - // määritelty. Kaikki kolme lähettävät samalle kanavalle. - go inc(0, c) // go -lauseke aloittaa uuden gorutiinin. - go inc(10, c) - go inc(-805, c) - // Lue kolme palautusarvoa kanavalta ja tulosta ne. - // Niiden saapumisjärjestystä ei voida taata! - // <- on "vastaanotto-operaattori" jos kanava on oikealla - fmt.Println(<-c, <-c, <-c) - - cs := make(chan string) // Toinen kanava joka käsittelee merkkijonoja. - ccs := make(chan chan string) // Kanava joka käsittelee merkkijonokanavia. - go func() { c <- 84 }() // Aloita uusi gorutiini arvon lähettämiseksi. - go func() { cs <- "sanaa" }() // Uudestaan, mutta cs -kanava tällä kertaa. - // Select -lausekkeella on syntaksi kuten switch -lausekkeella mutta - // jokainen tapaus sisältää kanavaoperaation. Se valitsee satunnaisen - // tapauksen niistä kanavista, jotka ovat kommunikaatiovalmiita - select { - case i := <-c: // Vastaanotettu arvo voidaan antaa muuttujalle - fmt.Printf("se on %T", i) - case <-cs: // tai vastaanotettu arvo voidaan sivuuttaa. - fmt.Println("se on merkkijono") - case <-ccs: // Tyhjä kanava; ei valmis kommunikaatioon. - fmt.Println("ei tapahtunut.") - } - // Tässä vaiheessa arvo oli otettu joko c:ltä tai cs:ltä. Yksi kahdesta - // ylempänä aloitetusta gorutiinista on valmistunut, toinen pysyy tukossa. - - learnWebProgramming() // Go tekee sitä. Sinäkin haluat tehdä sitä. -} - -// Yksittäinen funktio http -paketista aloittaa web-palvelimen. -func learnWebProgramming() { - - // ListenAndServe:n ensimmäinen parametri on TCP-osoite, jota kuunnellaan. - // Toinen parametri on rajapinta, http.Handler. - go func() { - err := http.ListenAndServe(":8080", pair{}) - fmt.Println(err) // älä sivuuta virheitä. - }() - - requestServer() -} - -// Tee pair:sta http.Handler implementoimalla sen ainoa metodi, ServeHTTP. -func (p pair) ServeHTTP(w http.ResponseWriter, r *http.Request) { - // Tarjoa dataa metodilla http.ResponseWriter. - w.Write([]byte("Opit Go:n Y minuutissa!")) -} - -func requestServer() { - resp, err := http.Get("http://localhost:8080") - fmt.Println(err) - defer resp.Body.Close() - body, err := ioutil.ReadAll(resp.Body) - fmt.Printf("\nWeb-palvelin sanoo: `%s`", string(body)) -} -``` - -## Lisää luettavaa - -Go-tietämyksen alku ja juuri on sen [virallinen verkkosivu]()(http://golang.org/). -Siellä voit seurata oppitunteja, askarrella vuorovaikutteisesti sekä lukea paljon. -Kierroksen lisäksi [dokumentaatio](https://golang.org/doc/) pitää sisällään tietoa -siistin Go-koodin kirjoittamisesta, pakettien ja komentojen käytöstä sekä julkaisuhistoriasta. - -Kielen määritelmä itsessään on suuresti suositeltavissa. Se on helppolukuinen ja -yllättävän lyhyt (niissä määrin kuin kielimääritelmät nykypäivänä ovat.) - -Voit askarrella parissa kanssa [Go playgroundissa](https://play.golang.org/p/tnWMjr16Mm). -Muuttele sitä ja aja se selaimestasi! Huomaa, että voit käyttää [https://play.golang.org](https://play.golang.org) -[REPL:na](https://en.wikipedia.org/wiki/Read-eval-print_loop) testataksesi ja koodataksesi selaimessasi, ilman Go:n asentamista. - -Go:n opiskelijoiden lukulistalla on [oletuskirjaston lähdekoodi](http://golang.org/src/pkg/). -Kattavasti dokumentoituna se antaa parhaan kuvan helppolukuisesta ja ymmärrettävästä Go-koodista, --tyylistä ja -tavoista. Voit klikata funktion nimeä [doukumentaatiossa](http://golang.org/pkg/) ja -lähdekoodi tulee esille! - -Toinen loistava paikka oppia on [Go by example](https://gobyexample.com/). - -Go Mobile lisää tuen mobiilialustoille (Android ja iOS). Voit kirjoittaa pelkällä Go:lla natiiveja applikaatioita tai tehdä kirjaston joka sisältää sidoksia -Go-paketista, jotka puolestaan voidaan kutsua Javasta (Android) ja Objective-C:stä (iOS). Katso [lisätietoja](https://github.com/golang/go/wiki/Mobile). From 39b58bacb761d591c7e89e8de8ddfe713672f4ab Mon Sep 17 00:00:00 2001 From: ComSecNinja Date: Sat, 31 Oct 2015 22:27:44 +0200 Subject: [PATCH 143/286] More style guide abiding changes --- fi-fi/go-fi.html.markdown | 1 + 1 file changed, 1 insertion(+) diff --git a/fi-fi/go-fi.html.markdown b/fi-fi/go-fi.html.markdown index 8a0ca245..9ed4e0d2 100644 --- a/fi-fi/go-fi.html.markdown +++ b/fi-fi/go-fi.html.markdown @@ -13,6 +13,7 @@ contributors: - ["Clayton Walker", "https://github.com/cwalk"] translators: - ["Timo Virkkunen", "https://github.com/ComSecNinja"] +lang: fi-fi --- Go luotiin työn tekemistä varten. Se ei ole tietojenkäsittelyn uusin trendi, From bc8af24706f5f1056327c7566d398ae694671d83 Mon Sep 17 00:00:00 2001 From: Frederik Andersen Date: Sat, 31 Oct 2015 22:16:39 +0100 Subject: [PATCH 144/286] Update dart.html.markdown typo --- dart.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/dart.html.markdown b/dart.html.markdown index f7601271..fc7b220e 100644 --- a/dart.html.markdown +++ b/dart.html.markdown @@ -498,7 +498,7 @@ main() { ## Further Reading -Dart has a comprehenshive web-site. It covers API reference, tutorials, articles and more, including a +Dart has a comprehensive web-site. It covers API reference, tutorials, articles and more, including a useful Try Dart online. http://www.dartlang.org/ http://try.dartlang.org/ From b42f739fa4422fb947f681b5716ae3644014ebf2 Mon Sep 17 00:00:00 2001 From: Pranit Bauva Date: Sun, 1 Nov 2015 02:54:52 +0530 Subject: [PATCH 145/286] Fix a typo is julia.html.markdown --- julia.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/julia.html.markdown b/julia.html.markdown index cba7cd45..675cf5d3 100644 --- a/julia.html.markdown +++ b/julia.html.markdown @@ -723,7 +723,7 @@ code_native(square_area, (Float64,)) # ret # # Note that julia will use floating point instructions if any of the -# arguements are floats. +# arguments are floats. # Let's calculate the area of a circle circle_area(r) = pi * r * r # circle_area (generic function with 1 method) circle_area(5) # 78.53981633974483 From b8999e88ed3d9317725c79987a379871a6eb8988 Mon Sep 17 00:00:00 2001 From: Pranit Bauva Date: Sun, 1 Nov 2015 03:06:03 +0530 Subject: [PATCH 146/286] Add Pranit Bauva to the contributors list of julia.html.markdown --- julia.html.markdown | 1 + 1 file changed, 1 insertion(+) diff --git a/julia.html.markdown b/julia.html.markdown index 675cf5d3..220b52a4 100644 --- a/julia.html.markdown +++ b/julia.html.markdown @@ -2,6 +2,7 @@ language: Julia contributors: - ["Leah Hanson", "http://leahhanson.us"] + - ["Pranit Bauva", "http://github.com/pranitbauva1997"] filename: learnjulia.jl --- From d59c326fe0d90e01f31ff10d89d7fe37a2f654e6 Mon Sep 17 00:00:00 2001 From: ComSecNinja Date: Sat, 31 Oct 2015 23:37:23 +0200 Subject: [PATCH 147/286] Translate markdown/en to Finnish --- fi-fi/markdown-fi.html.markdown | 259 ++++++++++++++++++++++++++++++++ 1 file changed, 259 insertions(+) create mode 100644 fi-fi/markdown-fi.html.markdown diff --git a/fi-fi/markdown-fi.html.markdown b/fi-fi/markdown-fi.html.markdown new file mode 100644 index 00000000..14b0f1d9 --- /dev/null +++ b/fi-fi/markdown-fi.html.markdown @@ -0,0 +1,259 @@ +--- +language: markdown +filename: markdown-fi.md +contributors: + - ["Dan Turkel", "http://danturkel.com/"] +translators: + - ["Timo Virkkunen", "https://github.com/ComSecNinja"] +lang: fi-fi +--- + +John Gruber loi Markdownin vuona 2004. Sen tarkoitus on olla helposti luettava ja kirjoitettava syntaksi joka muuntuu helposti HTML:ksi (ja nyt myös moneksi muuksi formaatiksi). + +```markdown + + + + + + +# Tämä on

+## Tämä on

+### Tämä on

+#### Tämä on

+##### Tämä on

+###### Tämä on
+ + +Tämä on h1 +============= + +Tämä on h2 +------------- + + + + +*Tämä teksti on kursivoitua.* +_Kuten on myös tämä teksti._ + +**Tämä teksti on lihavoitua.** +__Kuten on tämäkin teksti.__ + +***Tämä teksti on molempia.*** +**_Kuten tämäkin!_** +*__Kuten tämäkin!__* + + + +~~Tämä teksti on yliviivattua.~~ + + + +Tämä on kappala. Kirjoittelen kappaleeseen, eikö tämä olekin hauskaa? + +Nyt olen kappaleessa 2. +Olen edelleen toisessa kappaleessa! + + +Olen kolmannessa kappaleessa! + + + +Päätän tämän kahteen välilyöntiin (maalaa minut nähdäksesi ne). + +There's a
above me! + + + +> Tämä on lainaus. Voit joko +> manuaalisesti rivittää tekstisi ja laittaa >-merkin jokaisen rivin eteen tai antaa jäsentimen rivittää pitkät tekstirivit. +> Sillä ei ole merkitystä kunhan rivit alkavat >-merkillä. + +> Voit myös käyttää useampaa +>> sisennystasoa +> Kuinka hienoa se on? + + + + +* Kohta +* Kohta +* Kolmas kohta + +tai + ++ Kohta ++ Kohta ++ Kolmas kohta + +tai + +- Kohta +- Kohta +- Kolmas kohta + + + +1. Kohta yksi +2. Kohta kaksi +3. Kohta kolme + + + +1. Kohta yksi +1. Kohta kaksi +1. Kohta kolme + + + + +1. Kohta yksi +2. Kohta kaksi +3. Kohta kolme + * Alakohta + * Alakohta +4. Kohta neljä + + + +Alla olevat ruudut ilman x-merkkiä ovat merkitsemättömiä HTML-valintaruutuja. +- [ ] Ensimmäinen suoritettava tehtävä. +- [ ] Toinen tehtävä joka täytyy tehdä +Tämä alla oleva ruutu on merkitty HTML-valintaruutu. +- [x] Tämä tehtävä on suoritettu + + + + + Tämä on koodia + Kuten tämäkin + + + + my_array.each do |item| + puts item + end + + + +John ei tiennyt edes mitä `go_to()` -funktio teki! + + + +\`\`\`ruby +def foobar + puts "Hello world!" +end +\`\`\` + + + + + + +*** +--- +- - - +**************** + + + + +[Klikkaa tästä!](http://example.com/) + + + +[Klikkaa tästä!](http://example.com/ "Linkki Example.com:iin") + + + +[Musiikkia](/musiikki/). + + + +[Klikkaa tätä linkkiä][link1] saadaksesi lisätietoja! +[Katso myös tämä linkki][foobar] jos haluat. + +[link1]: http://example.com/ "Siistii!" +[foobar]: http://foobar.biz/ "Selkis!" + + + + + +[This][] is a link. + +[this]: http://tämäonlinkki.com/ + + + + + + +![Kuvan alt-attribuutti](http://imgur.com/munkuva.jpg "Vaihtoehtoinen otsikko") + + + +![Tämä on se alt-attribuutti][munkuva] + +[munkuva]: suhteellinen/polku/siitii/kuva.jpg "otsikko tähän tarvittaessa" + + + + + on sama kuin +[http://testwebsite.com/](http://testwebsite.com/) + + + + + + + +haluan kirjoittaa *tämän tekstin jonka ympärillä on asteriskit* mutta en halua +sen kursivoituvan, joten teen näin: \*tämän tekstin ympärillä on asteriskit\*. + + + + +Tietokoneesi kaatui? Kokeile painaa +Ctrl+Alt+Del + + + + +| Kolumni1 | Kolumni2 | Kolumni3 | +| :----------- | :------: | ------------: | +| Vasemmalle | Keskelle | Oikealle | +| blaa | blaa | blaa | + + + +Kolumni 1 | Kolumni 2 | Kolumni 3 +:-- | :-: | --: +Hyi tämä on ruma | saa se | loppumaan + + + +``` + +Lisää tietoa löydät John Gruberin [virallisesta julkaisusta](http://daringfireball.net/projects/markdown/syntax) +ja Adam Pritchardin loistavasta [lunttilapusta](https://github.com/adam-p/markdown-here/wiki/Markdown-Cheatsheet). From 99fbb1398edae2523411614578f2e96613743104 Mon Sep 17 00:00:00 2001 From: ComSecNinja Date: Sat, 31 Oct 2015 23:55:17 +0200 Subject: [PATCH 148/286] Revert "Translate markdown/en to Finnish" This reverts commit d59c326fe0d90e01f31ff10d89d7fe37a2f654e6. --- fi-fi/markdown-fi.html.markdown | 259 -------------------------------- 1 file changed, 259 deletions(-) delete mode 100644 fi-fi/markdown-fi.html.markdown diff --git a/fi-fi/markdown-fi.html.markdown b/fi-fi/markdown-fi.html.markdown deleted file mode 100644 index 14b0f1d9..00000000 --- a/fi-fi/markdown-fi.html.markdown +++ /dev/null @@ -1,259 +0,0 @@ ---- -language: markdown -filename: markdown-fi.md -contributors: - - ["Dan Turkel", "http://danturkel.com/"] -translators: - - ["Timo Virkkunen", "https://github.com/ComSecNinja"] -lang: fi-fi ---- - -John Gruber loi Markdownin vuona 2004. Sen tarkoitus on olla helposti luettava ja kirjoitettava syntaksi joka muuntuu helposti HTML:ksi (ja nyt myös moneksi muuksi formaatiksi). - -```markdown - - - - - - -# Tämä on

-## Tämä on

-### Tämä on

-#### Tämä on

-##### Tämä on

-###### Tämä on
- - -Tämä on h1 -============= - -Tämä on h2 -------------- - - - - -*Tämä teksti on kursivoitua.* -_Kuten on myös tämä teksti._ - -**Tämä teksti on lihavoitua.** -__Kuten on tämäkin teksti.__ - -***Tämä teksti on molempia.*** -**_Kuten tämäkin!_** -*__Kuten tämäkin!__* - - - -~~Tämä teksti on yliviivattua.~~ - - - -Tämä on kappala. Kirjoittelen kappaleeseen, eikö tämä olekin hauskaa? - -Nyt olen kappaleessa 2. -Olen edelleen toisessa kappaleessa! - - -Olen kolmannessa kappaleessa! - - - -Päätän tämän kahteen välilyöntiin (maalaa minut nähdäksesi ne). - -There's a
above me! - - - -> Tämä on lainaus. Voit joko -> manuaalisesti rivittää tekstisi ja laittaa >-merkin jokaisen rivin eteen tai antaa jäsentimen rivittää pitkät tekstirivit. -> Sillä ei ole merkitystä kunhan rivit alkavat >-merkillä. - -> Voit myös käyttää useampaa ->> sisennystasoa -> Kuinka hienoa se on? - - - - -* Kohta -* Kohta -* Kolmas kohta - -tai - -+ Kohta -+ Kohta -+ Kolmas kohta - -tai - -- Kohta -- Kohta -- Kolmas kohta - - - -1. Kohta yksi -2. Kohta kaksi -3. Kohta kolme - - - -1. Kohta yksi -1. Kohta kaksi -1. Kohta kolme - - - - -1. Kohta yksi -2. Kohta kaksi -3. Kohta kolme - * Alakohta - * Alakohta -4. Kohta neljä - - - -Alla olevat ruudut ilman x-merkkiä ovat merkitsemättömiä HTML-valintaruutuja. -- [ ] Ensimmäinen suoritettava tehtävä. -- [ ] Toinen tehtävä joka täytyy tehdä -Tämä alla oleva ruutu on merkitty HTML-valintaruutu. -- [x] Tämä tehtävä on suoritettu - - - - - Tämä on koodia - Kuten tämäkin - - - - my_array.each do |item| - puts item - end - - - -John ei tiennyt edes mitä `go_to()` -funktio teki! - - - -\`\`\`ruby -def foobar - puts "Hello world!" -end -\`\`\` - - - - - - -*** ---- -- - - -**************** - - - - -[Klikkaa tästä!](http://example.com/) - - - -[Klikkaa tästä!](http://example.com/ "Linkki Example.com:iin") - - - -[Musiikkia](/musiikki/). - - - -[Klikkaa tätä linkkiä][link1] saadaksesi lisätietoja! -[Katso myös tämä linkki][foobar] jos haluat. - -[link1]: http://example.com/ "Siistii!" -[foobar]: http://foobar.biz/ "Selkis!" - - - - - -[This][] is a link. - -[this]: http://tämäonlinkki.com/ - - - - - - -![Kuvan alt-attribuutti](http://imgur.com/munkuva.jpg "Vaihtoehtoinen otsikko") - - - -![Tämä on se alt-attribuutti][munkuva] - -[munkuva]: suhteellinen/polku/siitii/kuva.jpg "otsikko tähän tarvittaessa" - - - - - on sama kuin -[http://testwebsite.com/](http://testwebsite.com/) - - - - - - - -haluan kirjoittaa *tämän tekstin jonka ympärillä on asteriskit* mutta en halua -sen kursivoituvan, joten teen näin: \*tämän tekstin ympärillä on asteriskit\*. - - - - -Tietokoneesi kaatui? Kokeile painaa -Ctrl+Alt+Del - - - - -| Kolumni1 | Kolumni2 | Kolumni3 | -| :----------- | :------: | ------------: | -| Vasemmalle | Keskelle | Oikealle | -| blaa | blaa | blaa | - - - -Kolumni 1 | Kolumni 2 | Kolumni 3 -:-- | :-: | --: -Hyi tämä on ruma | saa se | loppumaan - - - -``` - -Lisää tietoa löydät John Gruberin [virallisesta julkaisusta](http://daringfireball.net/projects/markdown/syntax) -ja Adam Pritchardin loistavasta [lunttilapusta](https://github.com/adam-p/markdown-here/wiki/Markdown-Cheatsheet). From c3e769e4ac50d4475a530969663e073f4ff002ca Mon Sep 17 00:00:00 2001 From: Brook Zhou Date: Sat, 31 Oct 2015 16:17:58 -0700 Subject: [PATCH 149/286] [cpp/en] comparator function for std containers --- c++.html.markdown | 18 ++++++++++++++++++ 1 file changed, 18 insertions(+) diff --git a/c++.html.markdown b/c++.html.markdown index d03092e5..6b452b1b 100644 --- a/c++.html.markdown +++ b/c++.html.markdown @@ -801,6 +801,24 @@ void doSomethingWithAFile(const std::string& filename) // all automatically destroy their contents when they fall out of scope. // - Mutexes using lock_guard and unique_lock +// containers with object keys of non-primitive values (custom classes) require +// compare function in the object itself or as a function pointer. Primitives +// have default comparators, but you can override it. +class Foo { +public: + int j; + Foo(int a) : j(a) {} +}; +struct compareFunction { + bool operator()(const Foo& a, const Foo& b) const { + return a.j < b.j; + } +}; +//this isn't allowed (although it can vary depending on compiler) +//std::map fooMap; +std::map fooMap; +fooMap[Foo(1)] = 1; +fooMap.find(Foo(1)); //true ///////////////////// // Fun stuff From 6e9e1f4af018dc0e277c968d9b5fe011e0a1ce97 Mon Sep 17 00:00:00 2001 From: Ryan Date: Sat, 31 Oct 2015 16:49:57 -0700 Subject: [PATCH 150/286] Added new resource to javascript --- javascript.html.markdown | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/javascript.html.markdown b/javascript.html.markdown index e285ca4e..98261334 100644 --- a/javascript.html.markdown +++ b/javascript.html.markdown @@ -561,7 +561,9 @@ of the language. [Eloquent Javascript][8] by Marijn Haverbeke is an excellent JS book/ebook with attached terminal -[Javascript: The Right Way][9] is a guide intended to introduce new developers to JavaScript and help experienced developers learn more about its best practices. +[Eloquent Javascript - The Annotated Version][9] by Gordon Zhu is also a great derivative of Eloquent Javascript with extra explanations and clarifications for some of the more complicated examples. + +[Javascript: The Right Way][10] is a guide intended to introduce new developers to JavaScript and help experienced developers learn more about its best practices. In addition to direct contributors to this article, some content is adapted from @@ -577,4 +579,5 @@ Mozilla Developer Network. [6]: http://www.amazon.com/gp/product/0596805527/ [7]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/A_re-introduction_to_JavaScript [8]: http://eloquentjavascript.net/ -[9]: http://jstherightway.org/ +[9]: http://watchandcode.com/courses/eloquent-javascript-the-annotated-version +[10]: http://jstherightway.org/ From f10292ed98674521cc80a0ab66d8508c74e7a627 Mon Sep 17 00:00:00 2001 From: Ryan Date: Sat, 31 Oct 2015 16:55:25 -0700 Subject: [PATCH 151/286] Added new ruby resource --- ruby.html.markdown | 1 + 1 file changed, 1 insertion(+) diff --git a/ruby.html.markdown b/ruby.html.markdown index 8720fec6..1118e2dd 100644 --- a/ruby.html.markdown +++ b/ruby.html.markdown @@ -588,6 +588,7 @@ Something.new.qux # => 'qux' ## Additional resources - [Learn Ruby by Example with Challenges](http://www.learneroo.com/modules/61/nodes/338) - A variant of this reference with in-browser challenges. +- [An Interactive Tutorial for Ruby](https://rubymonk.com/) - Learn Ruby through a series of interactive tutorials. - [Official Documentation](http://www.ruby-doc.org/core-2.1.1/) - [Ruby from other languages](https://www.ruby-lang.org/en/documentation/ruby-from-other-languages/) - [Programming Ruby](http://www.amazon.com/Programming-Ruby-1-9-2-0-Programmers/dp/1937785491/) - An older [free edition](http://ruby-doc.com/docs/ProgrammingRuby/) is available online. From dbe6184519860e526432c4987a6f67d6c0acf38e Mon Sep 17 00:00:00 2001 From: Fernando Valverde Arredondo Date: Sun, 1 Nov 2015 01:48:44 +0100 Subject: [PATCH 152/286] Update contributor list --- objective-c.html.markdown | 13 ++++++------- swift.html.markdown | 5 +++-- 2 files changed, 9 insertions(+), 9 deletions(-) diff --git a/objective-c.html.markdown b/objective-c.html.markdown index 1fa731e3..097cb846 100644 --- a/objective-c.html.markdown +++ b/objective-c.html.markdown @@ -1,13 +1,12 @@ --- - language: Objective-C contributors: - ["Eugene Yagrushkin", "www.about.me/yagrushkin"] - ["Yannick Loriot", "https://github.com/YannickL"] - ["Levi Bostian", "https://github.com/levibostian"] - ["Clayton Walker", "https://github.com/cwalk"] + - ["Fernando Valverde", "http://visualcosita.xyz"] filename: LearnObjectiveC.m - --- Objective-C is the main programming language used by Apple for the OS X and iOS operating systems and their respective frameworks, Cocoa and Cocoa Touch. @@ -152,13 +151,13 @@ int main (int argc, const char * argv[]) [mutableDictionary setObject:@"value1" forKey:@"key1"]; [mutableDictionary setObject:@"value2" forKey:@"key2"]; [mutableDictionary removeObjectForKey:@"key1"]; - + // Change types from Mutable To Immutable //In general [object mutableCopy] will make the object mutable whereas [object copy] will make the object immutable NSMutableDictionary *aMutableDictionary = [aDictionary mutableCopy]; NSDictionary *mutableDictionaryChanged = [mutableDictionary copy]; - - + + // Set object NSSet *set = [NSSet setWithObjects:@"Hello", @"Hello", @"World", nil]; NSLog(@"%@", set); // prints => {(Hello, World)} (may be in different order) @@ -605,7 +604,7 @@ int main (int argc, const char * argv[]) { // Starting in Xcode 7.0, you can create Generic classes, // allowing you to provide greater type safety and clarity -// without writing excessive boilerplate. +// without writing excessive boilerplate. @interface Result<__covariant A> : NSObject - (void)handleSuccess:(void(^)(A))success @@ -633,7 +632,7 @@ Result *result; @property (nonatomic) NSNumber * object; @end -// It should be obvious, however, that writing one +// It should be obvious, however, that writing one // Class to solve a problem is always preferable to writing two // Note that Clang will not accept generic types in @implementations, diff --git a/swift.html.markdown b/swift.html.markdown index 1ca81bc2..f3746613 100644 --- a/swift.html.markdown +++ b/swift.html.markdown @@ -6,6 +6,7 @@ contributors: - ["Joey Huang", "http://github.com/kamidox"] - ["Anthony Nguyen", "http://github.com/anthonyn60"] - ["Clayton Walker", "https://github.com/cwalk"] + - ["Fernando Valverde", "http://visualcosita.xyz"] filename: learnswift.swift --- @@ -25,7 +26,7 @@ import UIKit // Xcode supports landmarks to annotate your code and lists them in the jump bar // MARK: Section mark -// MARK: - Section mark with a separator line +// MARK: - Section mark with a separator line // TODO: Do something soon // FIXME: Fix this code @@ -83,7 +84,7 @@ if someOptionalString != nil { someOptionalString = nil /* - Trying to use ! to access a non-existent optional value triggers a runtime + Trying to use ! to access a non-existent optional value triggers a runtime error. Always make sure that an optional contains a non-nil value before using ! to force-unwrap its value. */ From 0e1a77c065076993a170bc2874987a6289856a9f Mon Sep 17 00:00:00 2001 From: Willie Zhu Date: Sat, 31 Oct 2015 22:31:27 -0400 Subject: [PATCH 153/286] [whip/en] Fix typos --- whip.html.markdown | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/whip.html.markdown b/whip.html.markdown index 61c301a5..e7e5e427 100644 --- a/whip.html.markdown +++ b/whip.html.markdown @@ -9,7 +9,7 @@ filename: whip.lisp --- Whip is a LISP-dialect made for scripting and simplified concepts. -It has also borrowed a lot of functions and syntax from Haskell(a non-related language). +It has also borrowed a lot of functions and syntax from Haskell (a non-related language). These docs were written by the creator of the language himself. So is this line. @@ -172,12 +172,12 @@ undefined ; user to indicate a value that hasn't been set ; Comprehensions ; `range` or `..` generates a list of numbers for -; each number between it's two args. +; each number between its two args. (range 1 5) ; => (1 2 3 4 5) (.. 0 2) ; => (0 1 2) -; `map` applies it's first arg(which should be a lambda/function) -; to each item in the following arg(which should be a list) +; `map` applies its first arg (which should be a lambda/function) +; to each item in the following arg (which should be a list) (map (-> (x) (+ x 1)) (1 2 3)) ; => (2 3 4) ; Reduce From 84a1ae46c7bd98906b90e1ae0e8089382e95777f Mon Sep 17 00:00:00 2001 From: Jacob Ward Date: Sat, 31 Oct 2015 21:02:18 -0600 Subject: [PATCH 154/286] Made the rendered text more readable. I formatted the document so that the rendered page is more easily readable. (plus it also serves as even more of an example of how to use Markdown.) #meta --- markdown.html.markdown | 217 ++++++++++++++++++++++++----------------- 1 file changed, 130 insertions(+), 87 deletions(-) diff --git a/markdown.html.markdown b/markdown.html.markdown index b956a5f2..f17c2b75 100644 --- a/markdown.html.markdown +++ b/markdown.html.markdown @@ -2,45 +2,53 @@ language: markdown contributors: - ["Dan Turkel", "http://danturkel.com/"] + - ["Jacob Ward", "http://github.com/JacobCWard/"] filename: markdown.md --- + Markdown was created by John Gruber in 2004. It's meant to be an easy to read and write syntax which converts easily to HTML (and now many other formats as well). -Give me as much feedback as you want! / Feel free to fork and pull request! - - -```markdown - +element's contents. - +specific to a certain parser. - - +- [Headings](#headings) +- [Simple Text Styles](#simple-text-styles) + +## Headings + +You can create HTML elements `

` through `

` easily by prepending the +text you want to be in that element by a number of hashes (#). + +```markdown # This is an

## This is an

### This is an

#### This is an

##### This is an

###### This is an
+``` +Markdown also provides us with two alternative ways of indicating h1 and h2. - +```markdown This is an h1 ============= This is an h2 ------------- +``` +## Simple text styles - - +Text can be easily styled as italic or bold using markdown. +```markdown *This text is in italics.* _And so is this text._ @@ -50,15 +58,20 @@ __And so is this text.__ ***This text is in both.*** **_As is this!_** *__And this!__* +``` - +In Github Flavored Markdown, which is used to render markdown files on +Github, we also have strikethrough: +```markdown ~~This text is rendered with strikethrough.~~ +``` +## Paragraphs - +Paragraphs are a one or multiple adjacent lines of text separated by one or +multiple blank lines. +```markdown This is a paragraph. I'm typing in a paragraph isn't this fun? Now I'm in paragraph 2. @@ -66,16 +79,20 @@ I'm still in paragraph 2 too! I'm in paragraph three! +``` - +Should you ever want to insert an HTML
tag, you can end a paragraph +with two or more spaces and then begin a new paragraph. +```markdown I end with two spaces (highlight me to see them). There's a
above me! +``` - +Block quotes are easy and done with the > character. +```markdown > This is a block quote. You can either > manually wrap your lines and put a `>` before every line or you can let your lines get really long and wrap on their own. > It doesn't make a difference so long as they start with a `>`. @@ -84,9 +101,12 @@ There's a
above me! >> of indentation? > How neat is that? - - +``` +## Lists +Unordered lists can be made using asterisks, pluses, or hyphens. + +```markdown * Item * Item * Another item @@ -102,159 +122,182 @@ or - Item - Item - One last item +``` +Ordered lists are done with a number followed by a period. - - +```markdown 1. Item one 2. Item two 3. Item three +``` - +You don't even have to label the items correctly and markdown will still +render the numbers in order, but this may not be a good idea. +```markdown 1. Item one 1. Item two 1. Item three - - - +``` +(This renders the same as the above example) +You can also use sublists +```markdown 1. Item one 2. Item two 3. Item three * Sub-item * Sub-item 4. Item four +``` - +There are even task lists. This creates HTML checkboxes. +```markdown Boxes below without the 'x' are unchecked HTML checkboxes. - [ ] First task to complete. - [ ] Second task that needs done This checkbox below will be a checked HTML checkbox. - [x] This task has been completed +``` - - +## Code blocks +You can indicate a code block (which uses the `` element) by indenting +a line with four spaces or a tab. + +```markdown This is code So is this +``` - +You can also re-tab (or add an additional four spaces) for indentation +inside your code +```markdown my_array.each do |item| puts item end +``` - +Inline code can be created using the backtick character ` +```markdown John didn't even know what the `go_to()` function did! +``` - - +In Github Flavored Markdown, you can use a special syntax for code +```markdown \`\`\`ruby def foobar puts "Hello world!" end \`\`\` +``` - +The above text doesn't require indenting, plus Github will use syntax +highlighting of the language you specify after the \`\`\` - - +## Horizontal rule (`
`) +Horizontal rules are easily added with three or more asterisks or hyphens, +with or without spaces. +```markdown *** --- - - - **************** +``` - - +## Links +One of the best things about markdown is how easy it is to make links. Put +the text to display in hard brackets [] followed by the url in parentheses () + +```markdown [Click me!](http://test.com/) - - - +``` +You can also add a link title using quotes inside the parentheses. +```markdown [Click me!](http://test.com/ "Link to Test.com") - - - +``` +Relative paths work too. +```markdown [Go to music](/music/). - - - +``` +Markdown also supports reference style links. +```markdown [Click this link][link1] for more info about it! [Also check out this link][foobar] if you want to. [link1]: http://test.com/ "Cool!" [foobar]: http://foobar.biz/ "Alright!" - - - - +There is also "implicit naming" which lets you use the link text as the id. +```markdown [This][] is a link. [this]: http://thisisalink.com/ +``` +But it's not that commonly used. - - - - - +## Images +Images are done the same way as links but with an exclamation point in front! +```markdown ![This is the alt-attribute for my image](http://imgur.com/myimage.jpg "An optional title") - - - +``` +And reference style works as expected. +```markdown ![This is the alt-attribute.][myimage] [myimage]: relative/urls/cool/image.jpg "if you need a title, it's here" +``` - - - +## Miscellany +### Auto-links +```markdown is equivalent to [http://testwebsite.com/](http://testwebsite.com/) +``` - - +### Auto-links for emails +```markdown +``` - - +### Escaping characters +```markdown I want to type *this text surrounded by asterisks* but I don't want it to be in italics, so I do this: \*this text surrounded by asterisks\*. +``` - - +### Keyboard keys +In Github Flavored Markdown, you can use a tag to represent keyboard keys. +```markdown Your computer crashed? Try sending a Ctrl+Alt+Del +``` +### Tables - - - +Tables are only available in Github Flavored Markdown and are slightly +cumbersome, but if you really want it: +```markdown | Col1 | Col2 | Col3 | | :----------- | :------: | ------------: | | Left-aligned | Centered | Right-aligned | | blah | blah | blah | +``` +or, for the same results - - +```markdown Col 1 | Col2 | Col3 :-- | :-: | --: Ugh this is so ugly | make it | stop - - - ``` - +--- For more info, check out John Gruber's official post of syntax [here](http://daringfireball.net/projects/markdown/syntax) and Adam Pritchard's great cheatsheet [here](https://github.com/adam-p/markdown-here/wiki/Markdown-Cheatsheet). From cf9c94934533dbd3c96ac35d94bc88e50154c7ac Mon Sep 17 00:00:00 2001 From: Jacob Ward Date: Sat, 31 Oct 2015 21:09:58 -0600 Subject: [PATCH 155/286] in-page navigational links added links to the various sections of the document --- markdown.html.markdown | 11 +++++++++-- 1 file changed, 9 insertions(+), 2 deletions(-) diff --git a/markdown.html.markdown b/markdown.html.markdown index f17c2b75..7be37f81 100644 --- a/markdown.html.markdown +++ b/markdown.html.markdown @@ -21,6 +21,13 @@ specific to a certain parser. - [Headings](#headings) - [Simple Text Styles](#simple-text-styles) +- [Paragraphs](#paragraphs) +- [Lists](#lists) +- [Code blocks](#code-blocks) +- [Horizontal rule](#horizontal-rule) +- [Links](#links) +- [Images](#images) +- [Miscellany](#miscellany) ## Headings @@ -198,9 +205,9 @@ end The above text doesn't require indenting, plus Github will use syntax highlighting of the language you specify after the \`\`\` -## Horizontal rule (`
`) +## Horizontal rule -Horizontal rules are easily added with three or more asterisks or hyphens, +Horizontal rules (`
`) are easily added with three or more asterisks or hyphens, with or without spaces. ```markdown *** From 06c6c0fe2c03f6479c5906a807a88842b780cce9 Mon Sep 17 00:00:00 2001 From: poetienshul Date: Sat, 31 Oct 2015 23:20:00 -0400 Subject: [PATCH 156/286] visualbasic Commenting spacing inconsistency --- visualbasic.html.markdown | 30 +++++++++++++++--------------- 1 file changed, 15 insertions(+), 15 deletions(-) diff --git a/visualbasic.html.markdown b/visualbasic.html.markdown index accdbf56..dfb89307 100644 --- a/visualbasic.html.markdown +++ b/visualbasic.html.markdown @@ -9,13 +9,13 @@ filename: learnvisualbasic.vb Module Module1 Sub Main() - ' A Quick Overview of Visual Basic Console Applications before we dive - ' in to the deep end. - ' Apostrophe starts comments. - ' To Navigate this tutorial within the Visual Basic Complier, I've put - ' together a navigation system. - ' This navigation system is explained however as we go deeper into this - ' tutorial, you'll understand what it all means. + 'A Quick Overview of Visual Basic Console Applications before we dive + 'in to the deep end. + 'Apostrophe starts comments. + 'To Navigate this tutorial within the Visual Basic Complier, I've put + 'together a navigation system. + 'This navigation system is explained however as we go deeper into this + 'tutorial, you'll understand what it all means. Console.Title = ("Learn X in Y Minutes") Console.WriteLine("NAVIGATION") 'Display Console.WriteLine("") @@ -32,9 +32,9 @@ Module Module1 Console.WriteLine("50. About") Console.WriteLine("Please Choose A Number From The Above List") Dim selection As String = Console.ReadLine - ' The "Case" in the Select statement is optional. - ' For example, "Select selection" instead of "Select Case selection" - ' will also work. + 'The "Case" in the Select statement is optional. + 'For example, "Select selection" instead of "Select Case selection" + 'will also work. Select Case selection Case "1" 'HelloWorld Output Console.Clear() 'Clears the application and opens the private sub @@ -91,12 +91,12 @@ Module Module1 'Two Private Sub HelloWorldInput() Console.Title = "Hello World YourName | Learn X in Y Minutes" - ' Variables - ' Data entered by a user needs to be stored. - ' Variables also start with a Dim and end with an As VariableType. + 'Variables + 'Data entered by a user needs to be stored. + 'Variables also start with a Dim and end with an As VariableType. - ' In this tutorial, we want to know what your name, and make the program - ' respond to what is said. + 'In this tutorial, we want to know what your name, and make the program + 'respond to what is said. Dim username As String 'We use string as string is a text based variable. Console.WriteLine("Hello, What is your name? ") 'Ask the user their name. From 244c649f46cad2d3955c97db26772720307647d1 Mon Sep 17 00:00:00 2001 From: ingmrb Date: Sun, 1 Nov 2015 01:40:07 -0300 Subject: [PATCH 157/286] [gites] fixed typos --- es-es/git-es.html.markdown | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/es-es/git-es.html.markdown b/es-es/git-es.html.markdown index 18b544b4..4e1e68ba 100644 --- a/es-es/git-es.html.markdown +++ b/es-es/git-es.html.markdown @@ -18,11 +18,11 @@ versionar y administrar nuestro código fuente. ## Versionamiento, conceptos. -### Qué es el control de versiones? +### ¿Qué es el control de versiones? El control de versiones es un sistema que guarda todos los cambios realizados en uno o varios archivos, a lo largo del tiempo. -### Versionamiento centralizado vs Versionamiento Distribuido. +### Versionamiento centralizado vs versionamiento distribuido. + El versionamiento centralizado se enfoca en sincronizar, rastrear, y respaldar archivos. @@ -33,9 +33,9 @@ uno o varios archivos, a lo largo del tiempo. [Información adicional](http://git-scm.com/book/es/Empezando-Acerca-del-control-de-versiones) -### Por qué usar Git? +### ¿Por qué usar Git? -* Se puede trabajar sin conexion. +* Se puede trabajar sin conexión. * ¡Colaborar con otros es sencillo!. * Derivar, crear ramas del proyecto (aka: Branching) es fácil. * Combinar (aka: Merging) @@ -47,7 +47,7 @@ uno o varios archivos, a lo largo del tiempo. ### Repositorio Un repositorio es un conjunto de archivos, directorios, registros, cambios (aka: -comits), y encabezados (aka: heads). Imagina que un repositorio es una clase, +commits), y encabezados (aka: heads). Imagina que un repositorio es una clase, y que sus atributos otorgan acceso al historial del elemento, además de otras cosas. @@ -62,12 +62,12 @@ y mas. ### Directorio de trabajo (componentes del repositorio) -Es basicamente los directorios y archivos dentro del repositorio. La mayoría de +Es básicamente los directorios y archivos dentro del repositorio. La mayoría de las veces se le llama "directorio de trabajo". ### Índice (componentes del directorio .git) -El índice es el área de inicio en git. Es basicamente la capa que separa el +El índice es el área de inicio en git. Es básicamente la capa que separa el directorio de trabajo del repositorio en git. Esto otorga a los desarrolladores más poder sobre lo que se envía y se recibe del repositorio. From d34c60e881d31bd9d5d5c4bb6fbc1fb44038c0de Mon Sep 17 00:00:00 2001 From: ingmrb Date: Sun, 1 Nov 2015 02:12:41 -0300 Subject: [PATCH 158/286] [git/es] fixed typos From db482790ec142138118a8d71a1a7b17a99cd1491 Mon Sep 17 00:00:00 2001 From: ingmrb Date: Sun, 1 Nov 2015 02:14:51 -0300 Subject: [PATCH 159/286] [json/es] fixed typos --- es-es/json-es.html.markdown | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/es-es/json-es.html.markdown b/es-es/json-es.html.markdown index fff678eb..c98049f9 100644 --- a/es-es/json-es.html.markdown +++ b/es-es/json-es.html.markdown @@ -21,22 +21,22 @@ JSON en su forma más pura no tiene comentarios, pero la mayoría de los parsead "llaves": "siempre debe estar entre comillas (ya sean dobles o simples)", "numeros": 0, "strings": "Høla, múndo. Todo el unicode está permitido, así como \"escapar\".", - "soporta booleanos?": true, - "vacios": null, + "¿soporta booleanos?": true, + "vacíos": null, "numero grande": 1.2e+100, "objetos": { - "comentario": "La mayoria de tu estructura vendra de objetos.", + "comentario": "La mayoría de tu estructura vendrá de objetos.", "arreglo": [0, 1, 2, 3, "Los arreglos pueden contener cualquier cosa.", 5], "otro objeto": { - "comentario": "Estas cosas pueden estar anidadas, muy util." + "comentario": "Estas cosas pueden estar anidadas, muy útil." } }, - "tonteria": [ + "tontería": [ { "fuentes de potasio": ["bananas"] }, @@ -50,10 +50,10 @@ JSON en su forma más pura no tiene comentarios, pero la mayoría de los parsead "estilo alternativo": { "comentario": "Mira esto!" - , "posicion de la coma": "no importa - mientras este antes del valor, entonces sera valido" - , "otro comentario": "que lindo" + , "posición de la coma": "no importa - mientras este antes del valor, entonces sera válido" + , "otro comentario": "qué lindo" }, - "eso fue rapido": "Y, estas listo. Ahora sabes todo lo que JSON tiene para ofrecer." + "eso fue rapido": "Y, estás listo. Ahora sabes todo lo que JSON tiene para ofrecer." } ``` From 471c4b129bceb74c5c38758cebd9851d9f838064 Mon Sep 17 00:00:00 2001 From: ingmrb Date: Sun, 1 Nov 2015 02:16:35 -0300 Subject: [PATCH 160/286] [javascript/es] fixed typos --- es-es/javascript-es.html.markdown | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/es-es/javascript-es.html.markdown b/es-es/javascript-es.html.markdown index d475cf42..c5419a21 100644 --- a/es-es/javascript-es.html.markdown +++ b/es-es/javascript-es.html.markdown @@ -30,7 +30,7 @@ Aunque JavaScript no sólo se limita a los navegadores web: Node.js, Un proyecto // Cada sentencia puede ser terminada con punto y coma ; hazAlgo(); -// ... aunque no es necesario, ya que el punto y coma se agrega automaticamente +// ... aunque no es necesario, ya que el punto y coma se agrega automáticamente // cada que se detecta una nueva línea, a excepción de algunos casos. hazAlgo() @@ -109,7 +109,7 @@ null == undefined; // = true null === undefined; // false // Los Strings funcionan como arreglos de caracteres -// Puedes accesar a cada caracter con la función charAt() +// Puedes acceder a cada caracter con la función charAt() "Este es un String".charAt(0); // = 'E' // ...o puedes usar la función substring() para acceder a pedazos más grandes @@ -301,7 +301,7 @@ i; // = 5 - en un lenguaje que da ámbitos por bloque esto sería undefined, per //inmediatamente", que preveé variables temporales de fugarse al ámbito global (function(){ var temporal = 5; - // Podemos accesar al ámbito global asignando al 'objeto global', el cual + // Podemos acceder al ámbito global asignando al 'objeto global', el cual // en un navegador siempre es 'window'. El objeto global puede tener // un nombre diferente en ambientes distintos, por ejemplo Node.js . window.permanente = 10; @@ -321,7 +321,7 @@ function decirHolaCadaCincoSegundos(nombre){ alert(texto); } setTimeout(interna, 5000); - // setTimeout es asíncrono, así que la funcion decirHolaCadaCincoSegundos + // setTimeout es asíncrono, así que la función decirHolaCadaCincoSegundos // terminará inmediatamente, y setTimeout llamará a interna() a los cinco segundos // Como interna está "cerrada dentro de" decirHolaCadaCindoSegundos, interna todavía tiene // acceso a la variable 'texto' cuando es llamada. @@ -339,7 +339,7 @@ var miObjeto = { }; miObjeto.miFuncion(); // = "¡Hola Mundo!" -// Cuando las funciones de un objeto son llamadas, pueden accesar a las variables +// Cuando las funciones de un objeto son llamadas, pueden acceder a las variables // del objeto con la palabra clave 'this'. miObjeto = { miString: "¡Hola Mundo!", @@ -401,11 +401,11 @@ var MiConstructor = function(){ miNuevoObjeto = new MiConstructor(); // = {miNumero: 5} miNuevoObjeto.miNumero; // = 5 -// Todos los objetos JavaScript tienen un 'prototipo'. Cuando vas a accesar a una +// Todos los objetos JavaScript tienen un 'prototipo'. Cuando vas a acceder a una // propiedad en un objeto que no existe en el objeto el intérprete buscará en // el prototipo. -// Algunas implementaciones de JavaScript te permiten accesar al prototipo de +// Algunas implementaciones de JavaScript te permiten acceder al prototipo de // un objeto con la propiedad __proto__. Mientras que esto es útil para explicar // prototipos, no es parte del estándar; veremos formas estándar de usar prototipos // más adelante. @@ -440,7 +440,7 @@ miPrototipo.sentidoDeLaVida = 43; miObjeto.sentidoDeLaVida; // = 43 // Mencionabamos anteriormente que __proto__ no está estandarizado, y que no -// existe una forma estándar de accesar al prototipo de un objeto. De todas formas. +// existe una forma estándar de acceder al prototipo de un objeto. De todas formas. // hay dos formas de crear un nuevo objeto con un prototipo dado. // El primer método es Object.create, el cual es una adición reciente a JavaScript, From 5b58fae6a3770341207e810a466c0be863d80782 Mon Sep 17 00:00:00 2001 From: ingmrb Date: Sun, 1 Nov 2015 02:19:50 -0300 Subject: [PATCH 161/286] [javascript /es] fixed typos. --- es-es/javascript-es.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/es-es/javascript-es.html.markdown b/es-es/javascript-es.html.markdown index c5419a21..3273f7ad 100644 --- a/es-es/javascript-es.html.markdown +++ b/es-es/javascript-es.html.markdown @@ -186,7 +186,7 @@ miObjeto.miLlave; // = "miValor" // agregar nuevas llaves. miObjeto.miTerceraLlave = true; -// Si intentas accesar con una llave que aún no está asignada tendrás undefined. +// Si intentas acceder con una llave que aún no está asignada tendrás undefined. miObjeto.miCuartaLlave; // = undefined /////////////////////////////////// From a3b69a2275c343d4e5b4e58d6eb4010517e0eef9 Mon Sep 17 00:00:00 2001 From: ingmrb Date: Sun, 1 Nov 2015 02:24:00 -0300 Subject: [PATCH 162/286] [javascript /es] typo --- es-es/javascript-es.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/es-es/javascript-es.html.markdown b/es-es/javascript-es.html.markdown index 3273f7ad..9ef0c63e 100644 --- a/es-es/javascript-es.html.markdown +++ b/es-es/javascript-es.html.markdown @@ -476,7 +476,7 @@ typeof miNumero; // = 'number' typeof miNumeroObjeto; // = 'object' miNumero === miNumeroObjeyo; // = false if (0){ - // Este código no se ejecutara porque 0 es false. + // Este código no se ejecutará porque 0 es false. } // Aún así, los objetos que envuelven y los prototipos por defecto comparten From 09c3177531eacd476ec4e822ddc485439e22c4b8 Mon Sep 17 00:00:00 2001 From: Saravanan Ganesh Date: Sat, 31 Oct 2015 22:55:11 -0700 Subject: [PATCH 163/286] [less/en] Add Less tutorial, similar to sass --- less.html.markdown | 379 +++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 379 insertions(+) create mode 100644 less.html.markdown diff --git a/less.html.markdown b/less.html.markdown new file mode 100644 index 00000000..41d66a54 --- /dev/null +++ b/less.html.markdown @@ -0,0 +1,379 @@ +--- +language: less +filename: learnless.less +contributors: + - ["Saravanan Ganesh", "http://srrvnn.me"] +--- + +Less is a CSS pre-processor, that adds features such as variables, nesting, mixins and more. +Less (and other preprocessors, such as [Sass](http://sass-lang.com/) help developers to write maintainable and DRY (Don't Repeat Yourself) code. + +```less + + +//Single line comments are removed when Less is compiled to CSS. + +/*Multi line comments are preserved. */ + + +/*Variables +==============================*/ + + + +/* You can store a CSS value (such as a color) in a variable. +Use the '@' symbol to create a variable. */ + +@primary-color: #A3A4FF; +@secondary-color: #51527F; +@body-font: 'Roboto', sans-serif; + +/* You can use the variables throughout your stylesheet. +Now if you want to change a color, you only have to make the change once.*/ + +body { + background-color: @primary-color; + color: @secondary-color; + font-family: @body-font; +} + +/* This would compile to: */ +body { + background-color: #A3A4FF; + color: #51527F; + font-family: 'Roboto', sans-serif; +} + + +/* This is much more maintainable than having to change the color +each time it appears throughout your stylesheet. */ + + +/*Mixins +==============================*/ + + + +/* If you find you are writing the same code for more than one +element, you might want to reuse that easily.*/ + +.center { + display: block; + margin-left: auto; + margin-right: auto; + left: 0; + right: 0; +} + +/* You can use the mixin by simply adding the selector as a style */ + +div { + .center; + background-color: @primary-color; +} + +/*Which would compile to: */ +.center { + display: block; + margin-left: auto; + margin-right: auto; + left: 0; + right: 0; +} +div { + display: block; + margin-left: auto; + margin-right: auto; + left: 0; + right: 0; + background-color: #A3A4FF; +} + +/* You can omit the mixin code from being compiled by adding paranthesis + after the selector */ + +.center() { + display: block; + margin-left: auto; + margin-right: auto; + left: 0; + right: 0; +} + +div { + .center; + background-color: @primary-color; +} + +/*Which would compile to: */ +div { + display: block; + margin-left: auto; + margin-right: auto; + left: 0; + right: 0; + background-color: #A3A4FF; +} + + +/*Functions +==============================*/ + + + +/* Less provides functions that can be used to accomplish a variety of + tasks. Consider the following */ + +/* Functions can be invoked by using their name and passing in the + required arguments */ +body { + width: round(10.25px); +} + +.footer { + background-color: fadeout(#000000, 0.25) +} + +/* Compiles to: */ + +body { + width: 10px; +} + +.footer { + background-color: rgba(0, 0, 0, 0.75); +} + +/* You may also define your own functions. Functions are very similar to + mixins. When trying to choose between a function or a mixin, remember + that mixins are best for generating CSS while functions are better for + logic that might be used throughout your Less code. The examples in + the Math Operators' section are ideal candidates for becoming a reusable + function. */ + +/* This function will take a target size and the parent size and calculate + and return the percentage */ + +.average(@x, @y) { + @average_result: ((@x + @y) / 2); +} + +div { + .average(16px, 50px); // "call" the mixin + padding: @average_result; // use its "return" value +} + +/* Compiles to: */ + +div { + padding: 33px; +} + +/*Extend (Inheritance) +==============================*/ + + + +/*Extend is a way to share the properties of one selector with another. */ + +.display { + height: 50px; +} + +.display-success { + &:extend(.display); + border-color: #22df56; +} + +/* Compiles to: */ +.display, +.display-success { + height: 50px; +} +.display-success { + border-color: #22df56; +} + +/* Extending a CSS statement is preferable to creating a mixin + because of the way it groups together the classes that all share + the same base styling. If this was done with a mixin, the properties + would be duplicated for each statement that + called the mixin. While it won't affect your workflow, it will + add unnecessary bloat to the files created by the Less compiler. */ + + + +/*Nesting +==============================*/ + + + +/*Less allows you to nest selectors within selectors */ + +ul { + list-style-type: none; + margin-top: 2em; + + li { + background-color: #FF0000; + } +} + +/* '&' will be replaced by the parent selector. */ +/* You can also nest pseudo-classes. */ +/* Keep in mind that over-nesting will make your code less maintainable. +Best practices recommend going no more than 3 levels deep when nesting. +For example: */ + +ul { + list-style-type: none; + margin-top: 2em; + + li { + background-color: red; + + &:hover { + background-color: blue; + } + + a { + color: white; + } + } +} + +/* Compiles to: */ + +ul { + list-style-type: none; + margin-top: 2em; +} + +ul li { + background-color: red; +} + +ul li:hover { + background-color: blue; +} + +ul li a { + color: white; +} + + + +/*Partials and Imports +==============================*/ + + + +/* Less allows you to create partial files. This can help keep your Less + code modularized. Partial files conventionally begin with an '_', + e.g. _reset.less. and are imported into a main less file that gets + compiled into CSS */ + +/* Consider the following CSS which we'll put in a file called _reset.less */ + +html, +body, +ul, +ol { + margin: 0; + padding: 0; +} + +/* Less offers @import which can be used to import partials into a file. + This differs from the traditional CSS @import statement which makes + another HTTP request to fetch the imported file. Less takes the + imported file and combines it with the compiled code. */ + +@import 'reset'; + +body { + font-size: 16px; + font-family: Helvetica, Arial, Sans-serif; +} + +/* Compiles to: */ + +html, body, ul, ol { + margin: 0; + padding: 0; +} + +body { + font-size: 16px; + font-family: Helvetica, Arial, Sans-serif; +} + + +/*Math Operations +==============================*/ + + + +/* Less provides the following operators: +, -, *, /, and %. These can + be useful for calculating values directly in your Less files instead + of using values that you've already calculated by hand. Below is an example + of a setting up a simple two column design. */ + +@content-area: 960px; +@main-content: 600px; +@sidebar-content: 300px; + +@main-size: @main-content / @content-area * 100%; +@sidebar-size: @sidebar-content / @content-area * 100%; +@gutter: 100% - (@main-size + @sidebar-size); + +body { + width: 100%; +} + +.main-content { + width: @main-size; +} + +.sidebar { + width: @sidebar-size; +} + +.gutter { + width: @gutter; +} + +/* Compiles to: */ + +body { + width: 100%; +} + +.main-content { + width: 62.5%; +} + +.sidebar { + width: 31.25%; +} + +.gutter { + width: 6.25%; +} + + +``` + +## Practice Less + +If you want to play with Less in your browser, check out [LESS2CSS](http://lesscss.org/less-preview/). + +## Compatibility + +Less can be used in any project as long as you have a program to compile it +into CSS. You'll want to verify that the CSS you're using is compatible +with your target browsers. + +[QuirksMode CSS](http://www.quirksmode.org/css/) and [CanIUse](http://caniuse.com) are great resources for checking compatibility. + +## Further reading +* [Official Documentation](http://lesscss.org/features/) From ecdd217522a1f1b70dd1abca720e36f24622db6d Mon Sep 17 00:00:00 2001 From: Ramanan Balakrishnan Date: Sat, 31 Oct 2015 23:35:20 -0700 Subject: [PATCH 164/286] [latex/en] Explain how to setup a bibliography section --- latex.html.markdown | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/latex.html.markdown b/latex.html.markdown index 31231a70..e89d7e3b 100644 --- a/latex.html.markdown +++ b/latex.html.markdown @@ -227,6 +227,15 @@ format you defined in Step 1. That's all for now! +% Most often, you would want to have a references section in your document. +% The easiest way to set this up would be by using the bibliography section +\begin{thebibliography}{1} + % similar to other lists, the \bibitem command can be used to list items + % each entry can then be cited directly in the body of the text + \bibitem{latexwiki} The amazing LaTeX wikibook: {\em https://en.wikibooks.org/wiki/LaTeX} + \bibitem{latextutorial} An actual tutorial: {\em http://www.latex-tutorial.com} +\end{thebibliography} + % end the document \end{document} ``` From 96f0b3b3903c6f619b4a964a98e1cb0a463c47e6 Mon Sep 17 00:00:00 2001 From: Hinet60613 Date: Mon, 2 Nov 2015 00:03:58 +0800 Subject: [PATCH 165/286] Transated Python 2 to zh-tw. Line 01 .. 143 --- zh-tw/python-tw.html.markdown | 731 ++++++++++++++++++++++++++++++++++ 1 file changed, 731 insertions(+) create mode 100644 zh-tw/python-tw.html.markdown diff --git a/zh-tw/python-tw.html.markdown b/zh-tw/python-tw.html.markdown new file mode 100644 index 00000000..8381f325 --- /dev/null +++ b/zh-tw/python-tw.html.markdown @@ -0,0 +1,731 @@ +--- +language: python +contributors: + - ["Louie Dinh", "http://ldinh.ca"] + - ["Amin Bandali", "http://aminbandali.com"] + - ["Andre Polykanine", "https://github.com/Oire"] + - ["evuez", "http://github.com/evuez"] +translators: + - ["Michael Yeh", "https://github.com/hinet60613"] +filename: learnpython.py +--- + +Python是在1990年代早期由Guido Van Rossum創建的。它是現在最流行的程式語言之一。我愛上Python是因為他極為清晰的語法,甚至可以說它就是可執行的虛擬碼。 + +非常歡迎各位給我們任何回饋! 你可以在[@louiedinh](http://twitter.com/louiedinh) 或 louiedinh [at] [google's email service]聯絡到我。 + +註: 本篇文章適用的版本為Python 2.7,但大部分的Python 2.X版本應該都適用。 Python 2.7將會在2020年停止維護,因此建議您可以從Python 3開始學Python。 +Python 3.X可以看這篇[Python 3 教學 (英文)](http://learnxinyminutes.com/docs/python3/). + +讓程式碼同時支援Python 2.7和3.X是可以做到的,只要引入 + [`__future__` imports](https://docs.python.org/2/library/__future__.html) 模組. + `__future__` 模組允許你撰寫可以在Python 2上執行的Python 3程式碼,詳細訊息請參考Python 3 教學。 + +```python + +# 單行註解從井字號開始 + +""" 多行字串可以用三個雙引號 + 包住,不過通常這種寫法會 + 被拿來當作多行註解 +""" + +#################################################### +## 1. 原始型別與運算元 +#################################################### + +# 你可以使用數字 +3 # => 3 + +# 還有四則運算 +1 + 1 # => 2 +8 - 1 # => 7 +10 * 2 # => 20 +35 / 5 # => 7 + +# 除法比較麻煩,除以整數時會自動捨去小數位。 +5 / 2 # => 2 + +# 要做精確的除法,我們需要浮點數 +2.0 # 浮點數 +11.0 / 4.0 # => 2.75 精確多了! + +# 整數除法的無條件捨去對正數或負數都適用 +5 // 3 # => 1 +5.0 // 3.0 # => 1.0 # 浮點數的整數也適用 +-5 // 3 # => -2 +-5.0 // 3.0 # => -2.0 + +# 我們可以用除法模組(參考第六節:模組),讓 +# 單一斜線代表普通除法,而非無條件捨去 +from __future__ import division +11/4 # => 2.75 ...普通除法 +11//4 # => 2 ...無條件捨去 + +# 取餘數 +7 % 3 # => 1 + +# 指數 (x的y次方) +2**4 # => 16 + +# 括號即先乘除後加減 +(1 + 3) * 2 # => 8 + +# 布林運算 +# 注意 "and" 和 "or" 的大小寫 +True and False #=> False +False or True #=> True + +# 用整數與布林值做運算 +0 and 2 #=> 0 +-5 or 0 #=> -5 +0 == False #=> True +2 == True #=> False +1 == True #=> True + +# 用not取反向 +not True # => False +not False # => True + +# 等於判斷是用 == +1 == 1 # => True +2 == 1 # => False + +# 不等於判斷是用 != +1 != 1 # => False +2 != 1 # => True + +# 更多比較 +1 < 10 # => True +1 > 10 # => False +2 <= 2 # => True +2 >= 2 # => True + +# 比較是可以串接的 +1 < 2 < 3 # => True +2 < 3 < 2 # => False + +# 字串用單引號 ' 或雙引號 " 建立 +"This is a string." +'This is also a string.' + +# 字串相加會被串接再一起 +"Hello " + "world!" # => "Hello world!" +# 不用加號也可以做字串相加 +"Hello " "world!" # => "Hello world!" + +# ... 也可以做相乘 +"Hello" * 3 # => "HelloHelloHello" + +# 字串可以被視為字元的陣列 +"This is a string"[0] # => 'T' + +# 字串的格式化可以用百分之符號 % +# 儘管在Python 3.1後這個功能被廢棄了,並且在 +# 之後的版本會被移除,但還是可以了解一下 +x = 'apple' +y = 'lemon' +z = "The items in the basket are %s and %s" % (x,y) + +# 新的格式化方式是使用format函式 +# 這個方式也是較為推薦的 +"{} is a {}".format("This", "placeholder") +"{0} can be {1}".format("strings", "formatted") +# 你也可以用關鍵字,如果你不想數你是要用第幾個變數的話 +"{name} wants to eat {food}".format(name="Bob", food="lasagna") + +# 無(None) 是一個物件 +None # => None + +# 不要用等於符號 "==" 對 無(None)做比較 +# 用 "is" +"etc" is None # => False +None is None # => True + +# The 'is' operator tests for object identity. This isn't +# very useful when dealing with primitive values, but is +# very useful when dealing with objects. + +# Any object can be used in a Boolean context. +# The following values are considered falsey: +# - None +# - zero of any numeric type (e.g., 0, 0L, 0.0, 0j) +# - empty sequences (e.g., '', (), []) +# - empty containers (e.g., {}, set()) +# - instances of user-defined classes meeting certain conditions +# see: https://docs.python.org/2/reference/datamodel.html#object.__nonzero__ +# +# All other values are truthy (using the bool() function on them returns True). +bool(0) # => False +bool("") # => False + + +#################################################### +## 2. Variables and Collections +#################################################### + +# Python has a print statement +print "I'm Python. Nice to meet you!" # => I'm Python. Nice to meet you! + +# Simple way to get input data from console +input_string_var = raw_input("Enter some data: ") # Returns the data as a string +input_var = input("Enter some data: ") # Evaluates the data as python code +# Warning: Caution is recommended for input() method usage +# Note: In python 3, input() is deprecated and raw_input() is renamed to input() + +# No need to declare variables before assigning to them. +some_var = 5 # Convention is to use lower_case_with_underscores +some_var # => 5 + +# Accessing a previously unassigned variable is an exception. +# See Control Flow to learn more about exception handling. +some_other_var # Raises a name error + +# if can be used as an expression +# Equivalent of C's '?:' ternary operator +"yahoo!" if 3 > 2 else 2 # => "yahoo!" + +# Lists store sequences +li = [] +# You can start with a prefilled list +other_li = [4, 5, 6] + +# Add stuff to the end of a list with append +li.append(1) # li is now [1] +li.append(2) # li is now [1, 2] +li.append(4) # li is now [1, 2, 4] +li.append(3) # li is now [1, 2, 4, 3] +# Remove from the end with pop +li.pop() # => 3 and li is now [1, 2, 4] +# Let's put it back +li.append(3) # li is now [1, 2, 4, 3] again. + +# Access a list like you would any array +li[0] # => 1 +# Assign new values to indexes that have already been initialized with = +li[0] = 42 +li[0] # => 42 +li[0] = 1 # Note: setting it back to the original value +# Look at the last element +li[-1] # => 3 + +# Looking out of bounds is an IndexError +li[4] # Raises an IndexError + +# You can look at ranges with slice syntax. +# (It's a closed/open range for you mathy types.) +li[1:3] # => [2, 4] +# Omit the beginning +li[2:] # => [4, 3] +# Omit the end +li[:3] # => [1, 2, 4] +# Select every second entry +li[::2] # =>[1, 4] +# Reverse a copy of the list +li[::-1] # => [3, 4, 2, 1] +# Use any combination of these to make advanced slices +# li[start:end:step] + +# Remove arbitrary elements from a list with "del" +del li[2] # li is now [1, 2, 3] + +# You can add lists +li + other_li # => [1, 2, 3, 4, 5, 6] +# Note: values for li and for other_li are not modified. + +# Concatenate lists with "extend()" +li.extend(other_li) # Now li is [1, 2, 3, 4, 5, 6] + +# Remove first occurrence of a value +li.remove(2) # li is now [1, 3, 4, 5, 6] +li.remove(2) # Raises a ValueError as 2 is not in the list + +# Insert an element at a specific index +li.insert(1, 2) # li is now [1, 2, 3, 4, 5, 6] again + +# Get the index of the first item found +li.index(2) # => 1 +li.index(7) # Raises a ValueError as 7 is not in the list + +# Check for existence in a list with "in" +1 in li # => True + +# Examine the length with "len()" +len(li) # => 6 + + +# Tuples are like lists but are immutable. +tup = (1, 2, 3) +tup[0] # => 1 +tup[0] = 3 # Raises a TypeError + +# You can do all those list thingies on tuples too +len(tup) # => 3 +tup + (4, 5, 6) # => (1, 2, 3, 4, 5, 6) +tup[:2] # => (1, 2) +2 in tup # => True + +# You can unpack tuples (or lists) into variables +a, b, c = (1, 2, 3) # a is now 1, b is now 2 and c is now 3 +d, e, f = 4, 5, 6 # you can leave out the parentheses +# Tuples are created by default if you leave out the parentheses +g = 4, 5, 6 # => (4, 5, 6) +# Now look how easy it is to swap two values +e, d = d, e # d is now 5 and e is now 4 + + +# Dictionaries store mappings +empty_dict = {} +# Here is a prefilled dictionary +filled_dict = {"one": 1, "two": 2, "three": 3} + +# Look up values with [] +filled_dict["one"] # => 1 + +# Get all keys as a list with "keys()" +filled_dict.keys() # => ["three", "two", "one"] +# Note - Dictionary key ordering is not guaranteed. +# Your results might not match this exactly. + +# Get all values as a list with "values()" +filled_dict.values() # => [3, 2, 1] +# Note - Same as above regarding key ordering. + +# Check for existence of keys in a dictionary with "in" +"one" in filled_dict # => True +1 in filled_dict # => False + +# Looking up a non-existing key is a KeyError +filled_dict["four"] # KeyError + +# Use "get()" method to avoid the KeyError +filled_dict.get("one") # => 1 +filled_dict.get("four") # => None +# The get method supports a default argument when the value is missing +filled_dict.get("one", 4) # => 1 +filled_dict.get("four", 4) # => 4 +# note that filled_dict.get("four") is still => None +# (get doesn't set the value in the dictionary) + +# set the value of a key with a syntax similar to lists +filled_dict["four"] = 4 # now, filled_dict["four"] => 4 + +# "setdefault()" inserts into a dictionary only if the given key isn't present +filled_dict.setdefault("five", 5) # filled_dict["five"] is set to 5 +filled_dict.setdefault("five", 6) # filled_dict["five"] is still 5 + + +# Sets store ... well sets (which are like lists but can contain no duplicates) +empty_set = set() +# Initialize a "set()" with a bunch of values +some_set = set([1, 2, 2, 3, 4]) # some_set is now set([1, 2, 3, 4]) + +# order is not guaranteed, even though it may sometimes look sorted +another_set = set([4, 3, 2, 2, 1]) # another_set is now set([1, 2, 3, 4]) + +# Since Python 2.7, {} can be used to declare a set +filled_set = {1, 2, 2, 3, 4} # => {1, 2, 3, 4} + +# Add more items to a set +filled_set.add(5) # filled_set is now {1, 2, 3, 4, 5} + +# Do set intersection with & +other_set = {3, 4, 5, 6} +filled_set & other_set # => {3, 4, 5} + +# Do set union with | +filled_set | other_set # => {1, 2, 3, 4, 5, 6} + +# Do set difference with - +{1, 2, 3, 4} - {2, 3, 5} # => {1, 4} + +# Do set symmetric difference with ^ +{1, 2, 3, 4} ^ {2, 3, 5} # => {1, 4, 5} + +# Check if set on the left is a superset of set on the right +{1, 2} >= {1, 2, 3} # => False + +# Check if set on the left is a subset of set on the right +{1, 2} <= {1, 2, 3} # => True + +# Check for existence in a set with in +2 in filled_set # => True +10 in filled_set # => False + + +#################################################### +## 3. Control Flow +#################################################### + +# Let's just make a variable +some_var = 5 + +# Here is an if statement. Indentation is significant in python! +# prints "some_var is smaller than 10" +if some_var > 10: + print "some_var is totally bigger than 10." +elif some_var < 10: # This elif clause is optional. + print "some_var is smaller than 10." +else: # This is optional too. + print "some_var is indeed 10." + + +""" +For loops iterate over lists +prints: + dog is a mammal + cat is a mammal + mouse is a mammal +""" +for animal in ["dog", "cat", "mouse"]: + # You can use {0} to interpolate formatted strings. (See above.) + print "{0} is a mammal".format(animal) + +""" +"range(number)" returns a list of numbers +from zero to the given number +prints: + 0 + 1 + 2 + 3 +""" +for i in range(4): + print i + +""" +"range(lower, upper)" returns a list of numbers +from the lower number to the upper number +prints: + 4 + 5 + 6 + 7 +""" +for i in range(4, 8): + print i + +""" +While loops go until a condition is no longer met. +prints: + 0 + 1 + 2 + 3 +""" +x = 0 +while x < 4: + print x + x += 1 # Shorthand for x = x + 1 + +# Handle exceptions with a try/except block + +# Works on Python 2.6 and up: +try: + # Use "raise" to raise an error + raise IndexError("This is an index error") +except IndexError as e: + pass # Pass is just a no-op. Usually you would do recovery here. +except (TypeError, NameError): + pass # Multiple exceptions can be handled together, if required. +else: # Optional clause to the try/except block. Must follow all except blocks + print "All good!" # Runs only if the code in try raises no exceptions +finally: # Execute under all circumstances + print "We can clean up resources here" + +# Instead of try/finally to cleanup resources you can use a with statement +with open("myfile.txt") as f: + for line in f: + print line + +#################################################### +## 4. Functions +#################################################### + +# Use "def" to create new functions +def add(x, y): + print "x is {0} and y is {1}".format(x, y) + return x + y # Return values with a return statement + +# Calling functions with parameters +add(5, 6) # => prints out "x is 5 and y is 6" and returns 11 + +# Another way to call functions is with keyword arguments +add(y=6, x=5) # Keyword arguments can arrive in any order. + + +# You can define functions that take a variable number of +# positional args, which will be interpreted as a tuple if you do not use the * +def varargs(*args): + return args + +varargs(1, 2, 3) # => (1, 2, 3) + + +# You can define functions that take a variable number of +# keyword args, as well, which will be interpreted as a dict if you do not use ** +def keyword_args(**kwargs): + return kwargs + +# Let's call it to see what happens +keyword_args(big="foot", loch="ness") # => {"big": "foot", "loch": "ness"} + + +# You can do both at once, if you like +def all_the_args(*args, **kwargs): + print args + print kwargs +""" +all_the_args(1, 2, a=3, b=4) prints: + (1, 2) + {"a": 3, "b": 4} +""" + +# When calling functions, you can do the opposite of args/kwargs! +# Use * to expand positional args and use ** to expand keyword args. +args = (1, 2, 3, 4) +kwargs = {"a": 3, "b": 4} +all_the_args(*args) # equivalent to foo(1, 2, 3, 4) +all_the_args(**kwargs) # equivalent to foo(a=3, b=4) +all_the_args(*args, **kwargs) # equivalent to foo(1, 2, 3, 4, a=3, b=4) + +# you can pass args and kwargs along to other functions that take args/kwargs +# by expanding them with * and ** respectively +def pass_all_the_args(*args, **kwargs): + all_the_args(*args, **kwargs) + print varargs(*args) + print keyword_args(**kwargs) + +# Function Scope +x = 5 + +def set_x(num): + # Local var x not the same as global variable x + x = num # => 43 + print x # => 43 + +def set_global_x(num): + global x + print x # => 5 + x = num # global var x is now set to 6 + print x # => 6 + +set_x(43) +set_global_x(6) + +# Python has first class functions +def create_adder(x): + def adder(y): + return x + y + return adder + +add_10 = create_adder(10) +add_10(3) # => 13 + +# There are also anonymous functions +(lambda x: x > 2)(3) # => True +(lambda x, y: x ** 2 + y ** 2)(2, 1) # => 5 + +# There are built-in higher order functions +map(add_10, [1, 2, 3]) # => [11, 12, 13] +map(max, [1, 2, 3], [4, 2, 1]) # => [4, 2, 3] + +filter(lambda x: x > 5, [3, 4, 5, 6, 7]) # => [6, 7] + +# We can use list comprehensions for nice maps and filters +[add_10(i) for i in [1, 2, 3]] # => [11, 12, 13] +[x for x in [3, 4, 5, 6, 7] if x > 5] # => [6, 7] + + +#################################################### +## 5. Classes +#################################################### + +# We subclass from object to get a class. +class Human(object): + + # A class attribute. It is shared by all instances of this class + species = "H. sapiens" + + # Basic initializer, this is called when this class is instantiated. + # Note that the double leading and trailing underscores denote objects + # or attributes that are used by python but that live in user-controlled + # namespaces. You should not invent such names on your own. + def __init__(self, name): + # Assign the argument to the instance's name attribute + self.name = name + + # Initialize property + self.age = 0 + + + # An instance method. All methods take "self" as the first argument + def say(self, msg): + return "{0}: {1}".format(self.name, msg) + + # A class method is shared among all instances + # They are called with the calling class as the first argument + @classmethod + def get_species(cls): + return cls.species + + # A static method is called without a class or instance reference + @staticmethod + def grunt(): + return "*grunt*" + + # A property is just like a getter. + # It turns the method age() into an read-only attribute + # of the same name. + @property + def age(self): + return self._age + + # This allows the property to be set + @age.setter + def age(self, age): + self._age = age + + # This allows the property to be deleted + @age.deleter + def age(self): + del self._age + + +# Instantiate a class +i = Human(name="Ian") +print i.say("hi") # prints out "Ian: hi" + +j = Human("Joel") +print j.say("hello") # prints out "Joel: hello" + +# Call our class method +i.get_species() # => "H. sapiens" + +# Change the shared attribute +Human.species = "H. neanderthalensis" +i.get_species() # => "H. neanderthalensis" +j.get_species() # => "H. neanderthalensis" + +# Call the static method +Human.grunt() # => "*grunt*" + +# Update the property +i.age = 42 + +# Get the property +i.age # => 42 + +# Delete the property +del i.age +i.age # => raises an AttributeError + + +#################################################### +## 6. Modules +#################################################### + +# You can import modules +import math +print math.sqrt(16) # => 4 + +# You can get specific functions from a module +from math import ceil, floor +print ceil(3.7) # => 4.0 +print floor(3.7) # => 3.0 + +# You can import all functions from a module. +# Warning: this is not recommended +from math import * + +# You can shorten module names +import math as m +math.sqrt(16) == m.sqrt(16) # => True +# you can also test that the functions are equivalent +from math import sqrt +math.sqrt == m.sqrt == sqrt # => True + +# Python modules are just ordinary python files. You +# can write your own, and import them. The name of the +# module is the same as the name of the file. + +# You can find out which functions and attributes +# defines a module. +import math +dir(math) + + +#################################################### +## 7. Advanced +#################################################### + +# Generators help you make lazy code +def double_numbers(iterable): + for i in iterable: + yield i + i + +# A generator creates values on the fly. +# Instead of generating and returning all values at once it creates one in each +# iteration. This means values bigger than 15 wont be processed in +# double_numbers. +# Note xrange is a generator that does the same thing range does. +# Creating a list 1-900000000 would take lot of time and space to be made. +# xrange creates an xrange generator object instead of creating the entire list +# like range does. +# We use a trailing underscore in variable names when we want to use a name that +# would normally collide with a python keyword +xrange_ = xrange(1, 900000000) + +# will double all numbers until a result >=30 found +for i in double_numbers(xrange_): + print i + if i >= 30: + break + + +# Decorators +# in this example beg wraps say +# Beg will call say. If say_please is True then it will change the returned +# message +from functools import wraps + + +def beg(target_function): + @wraps(target_function) + def wrapper(*args, **kwargs): + msg, say_please = target_function(*args, **kwargs) + if say_please: + return "{} {}".format(msg, "Please! I am poor :(") + return msg + + return wrapper + + +@beg +def say(say_please=False): + msg = "Can you buy me a beer?" + return msg, say_please + + +print say() # Can you buy me a beer? +print say(say_please=True) # Can you buy me a beer? Please! I am poor :( +``` + +## Ready For More? + +### Free Online + +* [Automate the Boring Stuff with Python](https://automatetheboringstuff.com) +* [Learn Python The Hard Way](http://learnpythonthehardway.org/book/) +* [Dive Into Python](http://www.diveintopython.net/) +* [The Official Docs](http://docs.python.org/2/) +* [Hitchhiker's Guide to Python](http://docs.python-guide.org/en/latest/) +* [Python Module of the Week](http://pymotw.com/2/) +* [A Crash Course in Python for Scientists](http://nbviewer.ipython.org/5920182) +* [First Steps With Python](https://realpython.com/learn/python-first-steps/) + +### Dead Tree + +* [Programming Python](http://www.amazon.com/gp/product/0596158106/ref=as_li_qf_sp_asin_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=0596158106&linkCode=as2&tag=homebits04-20) +* [Dive Into Python](http://www.amazon.com/gp/product/1441413022/ref=as_li_tf_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=1441413022&linkCode=as2&tag=homebits04-20) +* [Python Essential Reference](http://www.amazon.com/gp/product/0672329786/ref=as_li_tf_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=0672329786&linkCode=as2&tag=homebits04-20) From 09cd1ab461ad8b560824f687cc818d7708aea427 Mon Sep 17 00:00:00 2001 From: Hinet60613 Date: Mon, 2 Nov 2015 00:40:41 +0800 Subject: [PATCH 166/286] Add lang of translation. Translate to Line 255 --- zh-tw/python-tw.html.markdown | 127 +++++++++++++++++----------------- 1 file changed, 64 insertions(+), 63 deletions(-) diff --git a/zh-tw/python-tw.html.markdown b/zh-tw/python-tw.html.markdown index 8381f325..8e9ca79a 100644 --- a/zh-tw/python-tw.html.markdown +++ b/zh-tw/python-tw.html.markdown @@ -8,6 +8,7 @@ contributors: translators: - ["Michael Yeh", "https://github.com/hinet60613"] filename: learnpython.py +lang: zh-tw --- Python是在1990年代早期由Guido Van Rossum創建的。它是現在最流行的程式語言之一。我愛上Python是因為他極為清晰的語法,甚至可以說它就是可執行的虛擬碼。 @@ -142,115 +143,115 @@ None # => None "etc" is None # => False None is None # => True -# The 'is' operator tests for object identity. This isn't -# very useful when dealing with primitive values, but is -# very useful when dealing with objects. +# 'is' 運算元是用來識別物件的。對原始型別來說或許沒什麼用, +# 但對物件來說是很有用的。 -# Any object can be used in a Boolean context. -# The following values are considered falsey: -# - None -# - zero of any numeric type (e.g., 0, 0L, 0.0, 0j) -# - empty sequences (e.g., '', (), []) -# - empty containers (e.g., {}, set()) -# - instances of user-defined classes meeting certain conditions -# see: https://docs.python.org/2/reference/datamodel.html#object.__nonzero__ +# 任何物件都可以被當作布林值使用 +# 以下的值會被視為是False : +# - 無(None) +# - 任何型別的零 (例如: 0, 0L, 0.0, 0j) +# - 空序列 (例如: '', (), []) +# - 空容器 (例如: {}, set()) +# - 自定義型別的實體,且滿足某些條件 +# 請參考文件: https://docs.python.org/2/reference/datamodel.html#object.__nonzero__ # -# All other values are truthy (using the bool() function on them returns True). +# 其餘的值都會被視為True (用bool()函式讓他們回傳布林值). bool(0) # => False bool("") # => False #################################################### -## 2. Variables and Collections +## 2. 變數與集合 #################################################### -# Python has a print statement +# Python的輸出很方便 print "I'm Python. Nice to meet you!" # => I'm Python. Nice to meet you! -# Simple way to get input data from console -input_string_var = raw_input("Enter some data: ") # Returns the data as a string -input_var = input("Enter some data: ") # Evaluates the data as python code -# Warning: Caution is recommended for input() method usage -# Note: In python 3, input() is deprecated and raw_input() is renamed to input() +# 從命令列獲得值也很方便 +input_string_var = raw_input("Enter some data: ") # 資料會被視為字串存進變數 +input_var = input("Enter some data: ") # 輸入的資料會被當作Python程式碼執行 +# 注意: 請謹慎使用input()函式 +# 註: 在Python 3中,input()已被棄用,raw_input()已被更名為input() -# No need to declare variables before assigning to them. -some_var = 5 # Convention is to use lower_case_with_underscores +# 使用變數前不需要先宣告 +some_var = 5 # 方便好用 +lower_case_with_underscores some_var # => 5 -# Accessing a previously unassigned variable is an exception. -# See Control Flow to learn more about exception handling. -some_other_var # Raises a name error +# 存取沒有被賦值的變數會造成例外 +# 請參考錯誤流程部分做例外處理 +some_other_var # 造成 NameError -# if can be used as an expression -# Equivalent of C's '?:' ternary operator +# if可以當判斷式使用 +# 相當於C語言中的二元判斷式 "yahoo!" if 3 > 2 else 2 # => "yahoo!" -# Lists store sequences +# 串列型態可以儲存集合 li = [] -# You can start with a prefilled list +# 你可以預先填好串列內容 other_li = [4, 5, 6] -# Add stuff to the end of a list with append -li.append(1) # li is now [1] -li.append(2) # li is now [1, 2] -li.append(4) # li is now [1, 2, 4] -li.append(3) # li is now [1, 2, 4, 3] -# Remove from the end with pop +# 用append()在串列後新增東西 append +li.append(1) # 此時 li 內容為 [1] +li.append(2) # 此時 li 內容為 [1, 2] +li.append(4) # 此時 li 內容為 [1, 2, 4] +li.append(3) # 此時 li 內容為 [1, 2, 4, 3] +# 用pop()移除串列尾端的元素 li.pop() # => 3 and li is now [1, 2, 4] -# Let's put it back +# 然後再塞回去 li.append(3) # li is now [1, 2, 4, 3] again. -# Access a list like you would any array +# 你可以像存取陣列一樣的存取串列 li[0] # => 1 -# Assign new values to indexes that have already been initialized with = +# 用等號 = 給串列中特定索引的元素賦值 li[0] = 42 li[0] # => 42 -li[0] = 1 # Note: setting it back to the original value -# Look at the last element +li[0] = 1 # 註: 將其設定回原本的值 +# 用 -1 索引值查看串列最後一個元素 li[-1] # => 3 -# Looking out of bounds is an IndexError +# 存取超過範圍會產生IndexError li[4] # Raises an IndexError -# You can look at ranges with slice syntax. -# (It's a closed/open range for you mathy types.) +# 你可以用切片語法來存取特定範圍的值 +# (相當於數學中的左閉右開區間,即包含最左邊界,但不包含右邊界) li[1:3] # => [2, 4] -# Omit the beginning +# 略過開頭元素 li[2:] # => [4, 3] -# Omit the end +# 略過結尾元素 li[:3] # => [1, 2, 4] -# Select every second entry +# 每隔兩個元素取值 li[::2] # =>[1, 4] -# Reverse a copy of the list +# 串列反轉 li[::-1] # => [3, 4, 2, 1] -# Use any combination of these to make advanced slices -# li[start:end:step] +# 你可以任意組合來達到你想要的效果 +# li[開始索引:結束索引:間隔] -# Remove arbitrary elements from a list with "del" -del li[2] # li is now [1, 2, 3] +# 用 "del" 從串列中移除任意元素 +del li[2] # 現在 li 內容為 [1, 2, 3] -# You can add lists +# 你可以做串列相加 li + other_li # => [1, 2, 3, 4, 5, 6] -# Note: values for li and for other_li are not modified. +# 註: li 及 other_li 沒有被更動 -# Concatenate lists with "extend()" -li.extend(other_li) # Now li is [1, 2, 3, 4, 5, 6] +# 用 "extend()" 做串列串接 +li.extend(other_li) # 現在 li 內容為 [1, 2, 3, 4, 5, 6] -# Remove first occurrence of a value -li.remove(2) # li is now [1, 3, 4, 5, 6] -li.remove(2) # Raises a ValueError as 2 is not in the list +# 移除特定值的第一次出現 +li.remove(2) # 現在 li 內容為 [1, 3, 4, 5, 6] +li.remove(2) # 2 不在串列中,造成 ValueError -# Insert an element at a specific index -li.insert(1, 2) # li is now [1, 2, 3, 4, 5, 6] again +# 在特定位置插入值 +li.insert(1, 2) # 現在 li 內容再次回復為 [1, 2, 3, 4, 5, 6] -# Get the index of the first item found +# 取得特定值在串列中第一次出現的位置 li.index(2) # => 1 -li.index(7) # Raises a ValueError as 7 is not in the list +li.index(7) # 7 不在串列中,造成 ValueError -# Check for existence in a list with "in" +# 用 "in" 檢查特定值是否出現在串列中 1 in li # => True -# Examine the length with "len()" +# 用 "len()" 取得串列長度 len(li) # => 6 From 6c9bf0dc5bccf644439346763f36b047a898a694 Mon Sep 17 00:00:00 2001 From: Hinet60613 Date: Mon, 2 Nov 2015 02:06:40 +0800 Subject: [PATCH 167/286] Translate to Sec. 4 finished. --- zh-tw/python-tw.html.markdown | 197 +++++++++++++++++----------------- 1 file changed, 100 insertions(+), 97 deletions(-) diff --git a/zh-tw/python-tw.html.markdown b/zh-tw/python-tw.html.markdown index 8e9ca79a..073c5e91 100644 --- a/zh-tw/python-tw.html.markdown +++ b/zh-tw/python-tw.html.markdown @@ -6,7 +6,7 @@ contributors: - ["Andre Polykanine", "https://github.com/Oire"] - ["evuez", "http://github.com/evuez"] translators: - - ["Michael Yeh", "https://github.com/hinet60613"] + - ["Michael Yeh", "https://hinet60613.github.io/"] filename: learnpython.py lang: zh-tw --- @@ -255,137 +255,139 @@ li.index(7) # 7 不在串列中,造成 ValueError len(li) # => 6 -# Tuples are like lists but are immutable. +# 元組(Tuple,以下仍用原文)類似於串列,但是它是不可改變的 tup = (1, 2, 3) tup[0] # => 1 -tup[0] = 3 # Raises a TypeError +tup[0] = 3 # 產生TypeError -# You can do all those list thingies on tuples too +# 能對串列做的東西都可以對tuple做 len(tup) # => 3 tup + (4, 5, 6) # => (1, 2, 3, 4, 5, 6) tup[:2] # => (1, 2) 2 in tup # => True -# You can unpack tuples (or lists) into variables -a, b, c = (1, 2, 3) # a is now 1, b is now 2 and c is now 3 -d, e, f = 4, 5, 6 # you can leave out the parentheses -# Tuples are created by default if you leave out the parentheses +# 你可以把tuple拆開並分別將值存入不同變數 +a, b, c = (1, 2, 3) # a 現在是 1, b 現在是 2, c 現在是 3 +d, e, f = 4, 5, 6 # 也可以不寫括號 +# 如果不加括號,預設會產生tuple g = 4, 5, 6 # => (4, 5, 6) -# Now look how easy it is to swap two values +# 你看,交換兩個值很簡單吧 e, d = d, e # d is now 5 and e is now 4 -# Dictionaries store mappings +# 字典(Dictionary)用來儲存映射關係 empty_dict = {} -# Here is a prefilled dictionary +# 你可以對字典做初始化 filled_dict = {"one": 1, "two": 2, "three": 3} -# Look up values with [] +# 用 [] 取值 filled_dict["one"] # => 1 -# Get all keys as a list with "keys()" +# 用 "keys()" 將所有的Key輸出到一個List中 filled_dict.keys() # => ["three", "two", "one"] -# Note - Dictionary key ordering is not guaranteed. -# Your results might not match this exactly. +# 註: 字典裡key的排序是不固定的 +# 你的執行結果可能與上面不同 +# 譯註: 只能保證所有的key都有出現,但不保證順序 -# Get all values as a list with "values()" +# 用 "valuess()" 將所有的Value輸出到一個List中 filled_dict.values() # => [3, 2, 1] -# Note - Same as above regarding key ordering. +# 註: 同上,不保證順序 -# Check for existence of keys in a dictionary with "in" +# 用 "in" 來檢查指定的Key是否在字典中 "one" in filled_dict # => True 1 in filled_dict # => False -# Looking up a non-existing key is a KeyError +# 查詢不存在的Key會造成KeyError filled_dict["four"] # KeyError -# Use "get()" method to avoid the KeyError +# 用 "get()" 來避免KeyError +# 若指定的Key不存在的話會得到None filled_dict.get("one") # => 1 filled_dict.get("four") # => None -# The get method supports a default argument when the value is missing +# "get()" 函式支援預設值,當找不到指定的值時,會回傳指定的預設值 filled_dict.get("one", 4) # => 1 filled_dict.get("four", 4) # => 4 -# note that filled_dict.get("four") is still => None -# (get doesn't set the value in the dictionary) +# 注意此時 filled_dict.get("four") 仍然為 None +# (get()此時並沒有產生出任何的值) -# set the value of a key with a syntax similar to lists -filled_dict["four"] = 4 # now, filled_dict["four"] => 4 +# 像操作list一樣,對指定的Key賦值 +filled_dict["four"] = 4 # 此時 filled_dict["four"] => 4 -# "setdefault()" inserts into a dictionary only if the given key isn't present -filled_dict.setdefault("five", 5) # filled_dict["five"] is set to 5 -filled_dict.setdefault("five", 6) # filled_dict["five"] is still 5 +# "setdefault()" 只在指定的Key不存在時才會將值插入dictionary +filled_dict.setdefault("five", 5) # filled_dict["five"] 被指定為 5 +filled_dict.setdefault("five", 6) # filled_dict["five"] 仍保持 5 -# Sets store ... well sets (which are like lists but can contain no duplicates) +# 集合(Set)被用來儲存...集合。 +# 跟串列(List)有點像,但集合內不會有重複的元素 empty_set = set() -# Initialize a "set()" with a bunch of values -some_set = set([1, 2, 2, 3, 4]) # some_set is now set([1, 2, 3, 4]) +# 初始化 "set()" 並給定一些值 +some_set = set([1, 2, 2, 3, 4]) # 現在 some_set 為 set([1, 2, 3, 4]),注意重複的元素只有一個會被存入 -# order is not guaranteed, even though it may sometimes look sorted -another_set = set([4, 3, 2, 2, 1]) # another_set is now set([1, 2, 3, 4]) +# 一樣,不保證順序,就算真的有照順序排也只是你運氣好 +another_set = set([4, 3, 2, 2, 1]) # another_set 現在為 set([1, 2, 3, 4]) -# Since Python 2.7, {} can be used to declare a set +# 從 Python 2.7 開始,可以使用大括號 {} 來宣告Set filled_set = {1, 2, 2, 3, 4} # => {1, 2, 3, 4} -# Add more items to a set +# 加入更多元素進入Set filled_set.add(5) # filled_set is now {1, 2, 3, 4, 5} -# Do set intersection with & +# 用 & 來對兩個集合取交集 other_set = {3, 4, 5, 6} filled_set & other_set # => {3, 4, 5} -# Do set union with | +# 用 | 來對兩個集合取聯集 filled_set | other_set # => {1, 2, 3, 4, 5, 6} -# Do set difference with - +# 用 - 來將第二個集合內有的元素移出第一個集合 {1, 2, 3, 4} - {2, 3, 5} # => {1, 4} -# Do set symmetric difference with ^ +# 用 ^ 來對兩個集合取差集 {1, 2, 3, 4} ^ {2, 3, 5} # => {1, 4, 5} -# Check if set on the left is a superset of set on the right +# 檢查左邊是否為右邊的母集 {1, 2} >= {1, 2, 3} # => False -# Check if set on the left is a subset of set on the right +# 檢查左邊是否為右邊的子集 {1, 2} <= {1, 2, 3} # => True -# Check for existence in a set with in +# 用 in 來檢查某元素是否存在於集合內 2 in filled_set # => True 10 in filled_set # => False #################################################### -## 3. Control Flow +## 3. 控制流程 #################################################### -# Let's just make a variable +# 首先,先宣告一個變數 some_var = 5 -# Here is an if statement. Indentation is significant in python! -# prints "some_var is smaller than 10" +# 這邊是 if 判斷式。注意,縮排對Python是很重要的。 +# 下面應該會印出 "some_var is smaller than 10" if some_var > 10: print "some_var is totally bigger than 10." -elif some_var < 10: # This elif clause is optional. +elif some_var < 10: # elif 可有可無 print "some_var is smaller than 10." -else: # This is optional too. +else: # else 也可有可無 print "some_var is indeed 10." """ -For loops iterate over lists -prints: +For 迴圈會遞迴整的List +下面的程式碼會輸出: dog is a mammal cat is a mammal mouse is a mammal """ for animal in ["dog", "cat", "mouse"]: - # You can use {0} to interpolate formatted strings. (See above.) + # 你可以用{0}來組合0出格式化字串 (見上面.) print "{0} is a mammal".format(animal) """ -"range(number)" returns a list of numbers -from zero to the given number -prints: +"range(number)" 回傳一個包含從0到給定值的數字List, +下面的程式碼會輸出: 0 1 2 @@ -395,9 +397,9 @@ for i in range(4): print i """ -"range(lower, upper)" returns a list of numbers -from the lower number to the upper number -prints: +"range(lower, upper)" 回傳一個包含從給定的下限 +到給定的上限的數字List +下面的程式碼會輸出: 4 5 6 @@ -407,8 +409,8 @@ for i in range(4, 8): print i """ -While loops go until a condition is no longer met. -prints: +While迴圈會執行到條件不成立為止 +下面的程式碼會輸出: 0 1 2 @@ -417,62 +419,62 @@ prints: x = 0 while x < 4: print x - x += 1 # Shorthand for x = x + 1 + x += 1 # x = x + 1 的簡寫 -# Handle exceptions with a try/except block +# 用try/except處理例外 -# Works on Python 2.6 and up: +# 適用Python 2.6及以上版本 try: - # Use "raise" to raise an error + # 用 "raise" 來發起例外 raise IndexError("This is an index error") except IndexError as e: - pass # Pass is just a no-op. Usually you would do recovery here. + pass # 毫無反應,就只是個什麼都沒做的pass。通常這邊會讓你做對例外的處理 except (TypeError, NameError): - pass # Multiple exceptions can be handled together, if required. -else: # Optional clause to the try/except block. Must follow all except blocks - print "All good!" # Runs only if the code in try raises no exceptions -finally: # Execute under all circumstances + pass # 有需要的話,多種例外可以一起處理 +else: # else 可有可無,但必須寫在所有的except後 + print "All good!" # 只有在try的時候沒有產生任何except才會被執行 +finally: # 不管什麼情況下一定會被執行 print "We can clean up resources here" -# Instead of try/finally to cleanup resources you can use a with statement +# 除了try/finally以外,你可以用 with 來簡單的處理清理動作 with open("myfile.txt") as f: for line in f: print line #################################################### -## 4. Functions +## 4. 函式 #################################################### -# Use "def" to create new functions +# 用 "def" 來建立新函式 def add(x, y): print "x is {0} and y is {1}".format(x, y) - return x + y # Return values with a return statement + return x + y # 用 "return" 來回傳值 -# Calling functions with parameters -add(5, 6) # => prints out "x is 5 and y is 6" and returns 11 +# 用參數來呼叫韓式 +add(5, 6) # => 輸出 "x is 5 and y is 6" 並回傳 11 -# Another way to call functions is with keyword arguments -add(y=6, x=5) # Keyword arguments can arrive in any order. +# 你也可以寫上參數名稱來呼叫函式 +add(y=6, x=5) # 這種狀況下,兩個參數的順序並不影響執行 -# You can define functions that take a variable number of -# positional args, which will be interpreted as a tuple if you do not use the * +# 你可以定義接受多個變數的函式,這些變數是按照順序排序的 +# 如果不加*的話會被解讀為tuple def varargs(*args): return args varargs(1, 2, 3) # => (1, 2, 3) -# You can define functions that take a variable number of -# keyword args, as well, which will be interpreted as a dict if you do not use ** +# 你可以定義接受多個變數的函式,這些變數是按照keyword排序的 +# 如果不加**的話會被解讀為dictionary def keyword_args(**kwargs): return kwargs -# Let's call it to see what happens +# 呼叫看看會發生什麼事吧 keyword_args(big="foot", loch="ness") # => {"big": "foot", "loch": "ness"} -# You can do both at once, if you like +# 如果你想要,你也可以兩個同時用 def all_the_args(*args, **kwargs): print args print kwargs @@ -482,39 +484,40 @@ all_the_args(1, 2, a=3, b=4) prints: {"a": 3, "b": 4} """ -# When calling functions, you can do the opposite of args/kwargs! -# Use * to expand positional args and use ** to expand keyword args. +# 呼叫函式時,你可以做反向的操作 +# 用 * 將變數展開為順序排序的變數 +# 用 ** 將變數展開為Keyword排序的變數 args = (1, 2, 3, 4) kwargs = {"a": 3, "b": 4} -all_the_args(*args) # equivalent to foo(1, 2, 3, 4) -all_the_args(**kwargs) # equivalent to foo(a=3, b=4) -all_the_args(*args, **kwargs) # equivalent to foo(1, 2, 3, 4, a=3, b=4) +all_the_args(*args) # 等同於 foo(1, 2, 3, 4) +all_the_args(**kwargs) # 等同於 foo(a=3, b=4) +all_the_args(*args, **kwargs) # 等同於 foo(1, 2, 3, 4, a=3, b=4) -# you can pass args and kwargs along to other functions that take args/kwargs -# by expanding them with * and ** respectively +# 你可以把args跟kwargs傳到下一個函式內 +# 分別用 * 跟 ** 將它展開就可以了 def pass_all_the_args(*args, **kwargs): all_the_args(*args, **kwargs) print varargs(*args) print keyword_args(**kwargs) -# Function Scope +# 函式範圍 x = 5 def set_x(num): - # Local var x not the same as global variable x + # 區域變數 x 和全域變數 x 不是同一個東西 x = num # => 43 print x # => 43 def set_global_x(num): global x print x # => 5 - x = num # global var x is now set to 6 + x = num # 全域變數 x 在set_global_x(6)被設定為 6 print x # => 6 set_x(43) set_global_x(6) -# Python has first class functions +# Python有一級函式 def create_adder(x): def adder(y): return x + y @@ -523,23 +526,23 @@ def create_adder(x): add_10 = create_adder(10) add_10(3) # => 13 -# There are also anonymous functions +# 也有匿名函式 (lambda x: x > 2)(3) # => True (lambda x, y: x ** 2 + y ** 2)(2, 1) # => 5 -# There are built-in higher order functions +# 還有內建的高階函式 map(add_10, [1, 2, 3]) # => [11, 12, 13] map(max, [1, 2, 3], [4, 2, 1]) # => [4, 2, 3] filter(lambda x: x > 5, [3, 4, 5, 6, 7]) # => [6, 7] -# We can use list comprehensions for nice maps and filters +# 我們可以用List列表的方式對map和filter等高階函式做更有趣的應用 [add_10(i) for i in [1, 2, 3]] # => [11, 12, 13] [x for x in [3, 4, 5, 6, 7] if x > 5] # => [6, 7] #################################################### -## 5. Classes +## 5. 類別 #################################################### # We subclass from object to get a class. From e2b93f579cbcbb58612081b46f4460cd0255edb3 Mon Sep 17 00:00:00 2001 From: Hinet60613 Date: Mon, 2 Nov 2015 02:18:21 +0800 Subject: [PATCH 168/286] Finish translation of Sec. 6 --- zh-tw/python-tw.html.markdown | 44 +++++++++++++++++------------------ 1 file changed, 22 insertions(+), 22 deletions(-) diff --git a/zh-tw/python-tw.html.markdown b/zh-tw/python-tw.html.markdown index 073c5e91..d113f90c 100644 --- a/zh-tw/python-tw.html.markdown +++ b/zh-tw/python-tw.html.markdown @@ -545,25 +545,25 @@ filter(lambda x: x > 5, [3, 4, 5, 6, 7]) # => [6, 7] ## 5. 類別 #################################################### -# We subclass from object to get a class. +# 我們可以由object繼承出一個新的類別 class Human(object): - # A class attribute. It is shared by all instances of this class + # 類別的參數,被所有這個類別的實體所共用 species = "H. sapiens" - # Basic initializer, this is called when this class is instantiated. - # Note that the double leading and trailing underscores denote objects - # or attributes that are used by python but that live in user-controlled - # namespaces. You should not invent such names on your own. + # 基礎建構函式,當class被實體化的時候會被呼叫 + # 注意前後的雙底線代表物件 + # 還有被python用,但實際上是在使用者控制的命名 + # 空間內的參數。你不應該自己宣告這樣的名稱。 def __init__(self, name): - # Assign the argument to the instance's name attribute + # 將函式引入的參數 name 指定給實體的 name 參數 self.name = name - # Initialize property + # 初始化屬性 self.age = 0 - # An instance method. All methods take "self" as the first argument + # 一個實體的方法(method)。 所有的method都以self為第一個參數 def say(self, msg): return "{0}: {1}".format(self.name, msg) @@ -626,41 +626,41 @@ i.age # => raises an AttributeError #################################################### -## 6. Modules +## 6. 模組 #################################################### -# You can import modules +# 你可以引入模組來做使用 import math print math.sqrt(16) # => 4 + # math.sqrt()為取根號 -# You can get specific functions from a module +# 你可以只從模組取出特定幾個函式 from math import ceil, floor print ceil(3.7) # => 4.0 print floor(3.7) # => 3.0 -# You can import all functions from a module. -# Warning: this is not recommended +# 你可以將所有的函式從模組中引入 +# 注意:不建議這麼做 from math import * -# You can shorten module names +# 你可以用 as 簡寫模組名稱 import math as m math.sqrt(16) == m.sqrt(16) # => True -# you can also test that the functions are equivalent +# 你也可以測試函示是否相等 from math import sqrt math.sqrt == m.sqrt == sqrt # => True -# Python modules are just ordinary python files. You -# can write your own, and import them. The name of the -# module is the same as the name of the file. +# Python的模組就只是一般的Python檔。 +# 你可以自己的模組自己寫、自己的模組自己引入 +# 模組的名稱和檔案名稱一樣 -# You can find out which functions and attributes -# defines a module. +# 你可以用dir()來查看有哪些可用函式和屬性 import math dir(math) #################################################### -## 7. Advanced +## 7. 進階 #################################################### # Generators help you make lazy code From 3544a43d117d7b63de2c3443250270d92d00dce9 Mon Sep 17 00:00:00 2001 From: Hinet60613 Date: Mon, 2 Nov 2015 02:27:42 +0800 Subject: [PATCH 169/286] Finish Sec. 7 translation. --- zh-tw/python-tw.html.markdown | 34 +++++++++++++++------------------- 1 file changed, 15 insertions(+), 19 deletions(-) diff --git a/zh-tw/python-tw.html.markdown b/zh-tw/python-tw.html.markdown index d113f90c..797fc6ed 100644 --- a/zh-tw/python-tw.html.markdown +++ b/zh-tw/python-tw.html.markdown @@ -663,34 +663,30 @@ dir(math) ## 7. 進階 #################################################### -# Generators help you make lazy code +# 產生器(Generator)可以讓你寫更懶惰的程式碼 def double_numbers(iterable): for i in iterable: yield i + i -# A generator creates values on the fly. -# Instead of generating and returning all values at once it creates one in each -# iteration. This means values bigger than 15 wont be processed in -# double_numbers. -# Note xrange is a generator that does the same thing range does. -# Creating a list 1-900000000 would take lot of time and space to be made. -# xrange creates an xrange generator object instead of creating the entire list -# like range does. -# We use a trailing underscore in variable names when we want to use a name that -# would normally collide with a python keyword +# 產生器可以讓你即時的產生值 +# 不是全部產生完之後再一次回傳,產生器會在每一個遞迴時 +# 產生值。 這也意味著大於15的值不會在double_numbers中產生。 +# 這邊,xrange()做的事情和range()一樣 +# 建立一個 1-900000000 的List會消耗很多時間和記憶體空間 +# xrange() 建立一個產生器物件,而不是如range()建立整個List +# 我們用底線來避免可能和python的關鍵字重複的名稱 xrange_ = xrange(1, 900000000) -# will double all numbers until a result >=30 found +# 下面的程式碼會把所有的值乘以兩倍,直到出現大於30的值 for i in double_numbers(xrange_): print i if i >= 30: break -# Decorators -# in this example beg wraps say -# Beg will call say. If say_please is True then it will change the returned -# message +# 裝飾子 +# 在這個範例中,beg會綁在say上 +# Beg會呼叫say。 如果say_please為True的話,它會更改回傳的訊息 from functools import wraps @@ -715,9 +711,9 @@ print say() # Can you buy me a beer? print say(say_please=True) # Can you buy me a beer? Please! I am poor :( ``` -## Ready For More? +## 準備好學更多了嗎? -### Free Online +### 線上免費資源 * [Automate the Boring Stuff with Python](https://automatetheboringstuff.com) * [Learn Python The Hard Way](http://learnpythonthehardway.org/book/) @@ -728,7 +724,7 @@ print say(say_please=True) # Can you buy me a beer? Please! I am poor :( * [A Crash Course in Python for Scientists](http://nbviewer.ipython.org/5920182) * [First Steps With Python](https://realpython.com/learn/python-first-steps/) -### Dead Tree +### 或買本書? * [Programming Python](http://www.amazon.com/gp/product/0596158106/ref=as_li_qf_sp_asin_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=0596158106&linkCode=as2&tag=homebits04-20) * [Dive Into Python](http://www.amazon.com/gp/product/1441413022/ref=as_li_tf_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=1441413022&linkCode=as2&tag=homebits04-20) From 2ecf370ce4e8b6644863e92652f9b63717ab3e6e Mon Sep 17 00:00:00 2001 From: Hinet60613 Date: Mon, 2 Nov 2015 02:32:25 +0800 Subject: [PATCH 170/286] Sec. 6 translated. All sections translated. Hooray. --- zh-tw/python-tw.html.markdown | 29 ++++++++++++++--------------- 1 file changed, 14 insertions(+), 15 deletions(-) diff --git a/zh-tw/python-tw.html.markdown b/zh-tw/python-tw.html.markdown index 797fc6ed..10b4669c 100644 --- a/zh-tw/python-tw.html.markdown +++ b/zh-tw/python-tw.html.markdown @@ -567,60 +567,59 @@ class Human(object): def say(self, msg): return "{0}: {1}".format(self.name, msg) - # A class method is shared among all instances - # They are called with the calling class as the first argument + # 一個類別方法會被所有的實體所共用 + # 他們會以類別為第一參數的方式被呼叫 @classmethod def get_species(cls): return cls.species - # A static method is called without a class or instance reference + # 靜態方法 @staticmethod def grunt(): return "*grunt*" - # A property is just like a getter. - # It turns the method age() into an read-only attribute - # of the same name. + # 屬性就像是用getter取值一樣 + # 它將方法 age() 轉為同名的、只能讀取的屬性 @property def age(self): return self._age - # This allows the property to be set + # 這樣寫的話可以讓屬性被寫入新的值 @age.setter def age(self, age): self._age = age - # This allows the property to be deleted + # 這樣寫的話允許屬性被刪除 @age.deleter def age(self): del self._age -# Instantiate a class +# 將類別實體化 i = Human(name="Ian") print i.say("hi") # prints out "Ian: hi" j = Human("Joel") print j.say("hello") # prints out "Joel: hello" -# Call our class method +# 呼叫類別方法 i.get_species() # => "H. sapiens" -# Change the shared attribute +# 更改共用的屬性 Human.species = "H. neanderthalensis" i.get_species() # => "H. neanderthalensis" j.get_species() # => "H. neanderthalensis" -# Call the static method +# 呼叫靜態方法 Human.grunt() # => "*grunt*" -# Update the property +# 更新屬性 i.age = 42 -# Get the property +# 取得屬性 i.age # => 42 -# Delete the property +# 移除屬性 del i.age i.age # => raises an AttributeError From 8d879735365461d817ccd75d0cae1be9d361197b Mon Sep 17 00:00:00 2001 From: CY Lim Date: Mon, 2 Nov 2015 11:23:59 +1100 Subject: [PATCH 171/286] println() depreciated in swift2.0 --- zh-cn/swift-cn.html.markdown | 99 ++++++++++++++++++------------------ 1 file changed, 49 insertions(+), 50 deletions(-) diff --git a/zh-cn/swift-cn.html.markdown b/zh-cn/swift-cn.html.markdown index 28001e3f..81efbb3e 100644 --- a/zh-cn/swift-cn.html.markdown +++ b/zh-cn/swift-cn.html.markdown @@ -19,7 +19,7 @@ Swift 的官方语言教程 [Swift Programming Language](https://itunes.apple.co // 导入外部模块 import UIKit -// +// // MARK: 基础 // @@ -28,12 +28,12 @@ import UIKit // TODO: TODO 标记 // FIXME: FIXME 标记 -println("Hello, world") +print("Hello, world") // 变量 (var) 的值设置后可以随意改变 // 常量 (let) 的值设置后不能改变 var myVariable = 42 -let øπΩ = "value" // 可以支持 unicode 变量名 +let øπΩ = "value" // 可以支持 unicode 变量名 let π = 3.1415926 let myConstant = 3.1415926 let explicitDouble: Double = 70 // 明确指定变量类型为 Double ,否则编译器将自动推断变量类型 @@ -46,16 +46,16 @@ let piText = "Pi = \(π), Pi 2 = \(π * 2)" // 格式化字符串 // 条件编译 // 使用 -D 定义编译开关 #if false - println("Not printed") + print("Not printed") let buildValue = 3 #else let buildValue = 7 #endif -println("Build value: \(buildValue)") // Build value: 7 +print("Build value: \(buildValue)") // Build value: 7 /* Optionals 是 Swift 的新特性,它允许你存储两种状态的值给 Optional 变量:有效值或 None - + Swift 要求所有的 Optinal 属性都必须有明确的值,如果为空,则必须明确设定为 nil Optional 是个枚举类型 @@ -67,9 +67,9 @@ var someOptionalString2: Optional = "optional" if someOptionalString != nil { // 变量不为空 if someOptionalString!.hasPrefix("opt") { - println("has the prefix") + print("has the prefix") } - + let empty = someOptionalString?.isEmpty } someOptionalString = nil @@ -94,7 +94,7 @@ anyObjectVar = "Changed value to a string, not good practice, but possible." /* 这里是注释 - + /* 支持嵌套的注释 */ @@ -136,21 +136,21 @@ var emptyMutableDictionary = [String: Float]() // 使用 var 定义字典变量 let myArray = [1, 1, 2, 3, 5] for value in myArray { if value == 1 { - println("One!") + print("One!") } else { - println("Not one!") + print("Not one!") } } // 字典的 for 循环 var dict = ["one": 1, "two": 2] for (key, value) in dict { - println("\(key): \(value)") + print("\(key): \(value)") } // 区间的 loop 循环:其中 `...` 表示闭环区间,即[-1, 3];`..<` 表示半开闭区间,即[-1,3) for i in -1...shoppingList.count { - println(i) + print(i) } shoppingList[1...2] = ["steak", "peacons"] // 可以使用 `..<` 来去掉最后一个元素 @@ -163,7 +163,7 @@ while i < 1000 { // do-while 循环 do { - println("hello") + print("hello") } while 1 == 2 // Switch 语句 @@ -177,7 +177,7 @@ case "cucumber", "watercress": let vegetableComment = "That would make a good tea sandwich." case let localScopeValue where localScopeValue.hasSuffix("pepper"): let vegetableComment = "Is it a spicy \(localScopeValue)?" -default: // 在 Swift 里,switch 语句的 case 必须处理所有可能的情况,如果 case 无法全部处理,则必须包含 default语句 +default: // 在 Swift 里,switch 语句的 case 必须处理所有可能的情况,如果 case 无法全部处理,则必须包含 default语句 let vegetableComment = "Everything tastes good in soup." } @@ -219,8 +219,8 @@ let pricesTuple = getGasPrices() let price = pricesTuple.2 // 3.79 // 通过下划线 (_) 来忽略不关心的值 let (_, price1, _) = pricesTuple // price1 == 3.69 -println(price1 == pricesTuple.1) // true -println("Gas price: \(price)") +print(price1 == pricesTuple.1) // true +print("Gas price: \(price)") // 可变参数 func setup(numbers: Int...) { @@ -248,7 +248,7 @@ func swapTwoInts(inout a: Int, inout b: Int) { var someIntA = 7 var someIntB = 3 swapTwoInts(&someIntA, &someIntB) -println(someIntB) // 7 +print(someIntB) // 7 // @@ -296,7 +296,7 @@ print(numbers) // [3, 6, 18] struct NamesTable { let names = [String]() - + // 自定义下标运算符 subscript(index: Int) -> String { return names[index] @@ -306,7 +306,7 @@ struct NamesTable { // 结构体有一个自动生成的隐含的命名构造函数 let namesTable = NamesTable(names: ["Me", "Them"]) let name = namesTable[1] -println("Name is \(name)") // Name is Them +print("Name is \(name)") // Name is Them // // MARK: 类 @@ -329,7 +329,7 @@ public class Shape { internal class Rect: Shape { // 值属性 (Stored properties) var sideLength: Int = 1 - + // 计算属性 (Computed properties) private var perimeter: Int { get { @@ -340,11 +340,11 @@ internal class Rect: Shape { sideLength = newValue / 4 } } - + // 延时加载的属性,只有这个属性第一次被引用时才进行初始化,而不是定义时就初始化 // subShape 值为 nil ,直到 subShape 第一次被引用时才初始化为一个 Rect 实例 lazy var subShape = Rect(sideLength: 4) - + // 监控属性值的变化。 // 当我们需要在属性值改变时做一些事情,可以使用 `willSet` 和 `didSet` 来设置监控函数 // `willSet`: 值改变之前被调用 @@ -352,14 +352,14 @@ internal class Rect: Shape { var identifier: String = "defaultID" { // `willSet` 的参数是即将设置的新值,参数名可以指定,如果没有指定,就是 `newValue` willSet(someIdentifier) { - println(someIdentifier) + print(someIdentifier) } // `didSet` 的参数是已经被覆盖掉的旧的值,参数名也可以指定,如果没有指定,就是 `oldValue` didSet { - println(oldValue) + print(oldValue) } } - + // 命名构造函数 (designated inits),它必须初始化所有的成员变量, // 然后调用父类的命名构造函数继续初始化父类的所有变量。 init(sideLength: Int) { @@ -367,13 +367,13 @@ internal class Rect: Shape { // 必须显式地在构造函数最后调用父类的构造函数 super.init super.init() } - + func shrink() { if sideLength > 0 { --sideLength } } - + // 函数重载使用 override 关键字 override func getArea() -> Int { return sideLength * sideLength @@ -394,16 +394,16 @@ class Square: Rect { } var mySquare = Square() -println(mySquare.getArea()) // 25 +print(mySquare.getArea()) // 25 mySquare.shrink() -println(mySquare.sideLength) // 4 +print(mySquare.sideLength) // 4 // 类型转换 let aShape = mySquare as Shape // 使用三个等号来比较是不是同一个实例 if mySquare === aShape { - println("Yep, it's mySquare") + print("Yep, it's mySquare") } class Circle: Shape { @@ -411,12 +411,12 @@ class Circle: Shape { override func getArea() -> Int { return 3 * radius * radius } - + // optional 构造函数,可能会返回 nil init?(radius: Int) { self.radius = radius super.init() - + if radius <= 0 { return nil } @@ -425,13 +425,13 @@ class Circle: Shape { // 根据 Swift 类型推断,myCircle 是 Optional 类型的变量 var myCircle = Circle(radius: 1) -println(myCircle?.getArea()) // Optional(3) -println(myCircle!.getArea()) // 3 +print(myCircle?.getArea()) // Optional(3) +print(myCircle!.getArea()) // 3 var myEmptyCircle = Circle(radius: -1) -println(myEmptyCircle?.getArea()) // "nil" +print(myEmptyCircle?.getArea()) // "nil" if let circle = myEmptyCircle { // 此语句不会输出,因为 myEmptyCircle 变量值为 nil - println("circle is not nil") + print("circle is not nil") } @@ -461,7 +461,7 @@ enum BookName: String { case John = "John" case Luke = "Luke" } -println("Name: \(BookName.John.rawValue)") +print("Name: \(BookName.John.rawValue)") // 与特定数据类型关联的枚举 enum Furniture { @@ -469,7 +469,7 @@ enum Furniture { case Desk(height: Int) // 和 String, Int 关联的枚举记录 case Chair(brand: String, height: Int) - + func description() -> String { switch self { case .Desk(let height): @@ -481,9 +481,9 @@ enum Furniture { } var desk: Furniture = .Desk(height: 80) -println(desk.description()) // "Desk with 80 cm" +print(desk.description()) // "Desk with 80 cm" var chair = Furniture.Chair(brand: "Foo", height: 40) -println(chair.description()) // "Chair of Foo with 40 cm" +print(chair.description()) // "Chair of Foo with 40 cm" // @@ -512,7 +512,7 @@ protocol ShapeGenerator { class MyShape: Rect { var delegate: TransformShape? - + func grow() { sideLength += 2 @@ -539,21 +539,21 @@ extension Square: Printable { } } -println("Square: \(mySquare)") // Area: 16 - ID: defaultID +print("Square: \(mySquare)") // Area: 16 - ID: defaultID // 也可以给系统内置类型添加功能支持 extension Int { var customProperty: String { return "This is \(self)" } - + func multiplyBy(num: Int) -> Int { return num * self } } -println(7.customProperty) // "This is 7" -println(14.multiplyBy(3)) // 42 +print(7.customProperty) // "This is 7" +print(14.multiplyBy(3)) // 42 // 泛型: 和 Java 及 C# 的泛型类似,使用 `where` 关键字来限制类型。 // 如果只有一个类型限制,可以省略 `where` 关键字 @@ -566,7 +566,7 @@ func findIndex(array: [T], valueToFind: T) -> Int? { return nil } let foundAtIndex = findIndex([1, 2, 3, 4], 3) -println(foundAtIndex == 2) // true +print(foundAtIndex == 2) // true // 自定义运算符: // 自定义运算符可以以下面的字符打头: @@ -581,11 +581,10 @@ prefix func !!! (inout shape: Square) -> Square { } // 当前值 -println(mySquare.sideLength) // 4 +print(mySquare.sideLength) // 4 // 使用自定义的 !!! 运算符来把矩形边长放大三倍 !!!mySquare -println(mySquare.sideLength) // 12 +print(mySquare.sideLength) // 12 ``` - From 9b0242fbe95517db45347a0416b53e9ed6769bdd Mon Sep 17 00:00:00 2001 From: CY Lim Date: Mon, 2 Nov 2015 12:17:23 +1100 Subject: [PATCH 172/286] add in update from English version --- zh-cn/swift-cn.html.markdown | 32 ++++++++++++++++++++++++++++---- 1 file changed, 28 insertions(+), 4 deletions(-) diff --git a/zh-cn/swift-cn.html.markdown b/zh-cn/swift-cn.html.markdown index 81efbb3e..78e97c2f 100644 --- a/zh-cn/swift-cn.html.markdown +++ b/zh-cn/swift-cn.html.markdown @@ -5,7 +5,8 @@ contributors: - ["Grant Timmerman", "http://github.com/grant"] translators: - ["Xavier Yao", "http://github.com/xavieryao"] - - ["Joey Huang", "http://github.com/kamidox"] + - ["Joey Huang", "http://github.com/kamidox"] + - ["CY Lim", "http://github.com/cylim"] lang: zh-cn --- @@ -28,7 +29,9 @@ import UIKit // TODO: TODO 标记 // FIXME: FIXME 标记 -print("Hello, world") +// Swift2.0 println() 及 print() 已经整合成 print()。 +print("Hello, world") // 这是原本的 println(),会自动进入下一行 +print("Hello, world", appendNewLine: false) // 如果不要自动进入下一行,需设定进入下一行为 false // 变量 (var) 的值设置后可以随意改变 // 常量 (let) 的值设置后不能改变 @@ -54,7 +57,8 @@ let piText = "Pi = \(π), Pi 2 = \(π * 2)" // 格式化字符串 print("Build value: \(buildValue)") // Build value: 7 /* - Optionals 是 Swift 的新特性,它允许你存储两种状态的值给 Optional 变量:有效值或 None + Optionals 是 Swift 的新特性,它允许你存储两种状态的值给 Optional 变量:有效值或 None 。 + 可在值名称后加个问号 (?) 来表示这个值是 Optional。 Swift 要求所有的 Optinal 属性都必须有明确的值,如果为空,则必须明确设定为 nil @@ -74,6 +78,10 @@ if someOptionalString != nil { } someOptionalString = nil +/* + 使用 (!) 可以解决无法访问optional值的运行错误。若要使用 (!)来强制解析,一定要确保 Optional 里不是 nil参数。 +*/ + // 显式解包 optional 变量 var unwrappedString: String! = "Value is expected." // 下面语句和上面完全等价,感叹号 (!) 是个后缀运算符,这也是个语法糖 @@ -116,6 +124,7 @@ shoppingList[1] = "bottle of water" let emptyArray = [String]() // 使用 let 定义常量,此时 emptyArray 数组不能添加或删除内容 let emptyArray2 = Array() // 与上一语句等价,上一语句更常用 var emptyMutableArray = [String]() // 使用 var 定义变量,可以向 emptyMutableArray 添加数组元素 +var explicitEmptyMutableStringArray: [String] = [] // 与上一语句等价 // 字典 var occupations = [ @@ -126,6 +135,7 @@ occupations["Jayne"] = "Public Relations" // 修改字典,如果 key 不存 let emptyDictionary = [String: Float]() // 使用 let 定义字典常量,字典常量不能修改里面的值 let emptyDictionary2 = Dictionary() // 与上一语句类型等价,上一语句更常用 var emptyMutableDictionary = [String: Float]() // 使用 var 定义字典变量 +var explicitEmptyMutableDictionary: [String: Float] = [:] // 与上一语句类型等价 // @@ -256,7 +266,7 @@ print(someIntB) // 7 // var numbers = [1, 2, 6] -// 函数是闭包的一个特例 +// 函数是闭包的一个特例 ({}) // 闭包实例 // `->` 分隔了闭包的参数和返回值 @@ -587,4 +597,18 @@ print(mySquare.sideLength) // 4 !!!mySquare print(mySquare.sideLength) // 12 +// 运算符也可以是泛型 +infix operator <-> {} +func <-> (inout a: T, inout b: T) { + let c = a + a = b + b = c +} + +var foo: Float = 10 +var bar: Float = 20 + +foo <-> bar +print("foo is \(foo), bar is \(bar)") // "foo is 20.0, bar is 10.0" + ``` From a4ed1aee75d13c237b4747b5560d209bce65f62b Mon Sep 17 00:00:00 2001 From: CY Lim Date: Mon, 2 Nov 2015 12:18:04 +1100 Subject: [PATCH 173/286] fixed Getting Start Guide link --- zh-cn/swift-cn.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/zh-cn/swift-cn.html.markdown b/zh-cn/swift-cn.html.markdown index 78e97c2f..3efe4941 100644 --- a/zh-cn/swift-cn.html.markdown +++ b/zh-cn/swift-cn.html.markdown @@ -14,7 +14,7 @@ Swift 是 Apple 开发的用于 iOS 和 OS X 开发的编程语言。Swift 于20 Swift 的官方语言教程 [Swift Programming Language](https://itunes.apple.com/us/book/swift-programming-language/id881256329) 可以从 iBooks 免费下载. -亦可参阅:Apple's [getting started guide](https://developer.apple.com/library/prerelease/ios/referencelibrary/GettingStarted/RoadMapiOS/index.html) ——一个完整的Swift 教程 +亦可参阅:Apple's [getting started guide](https://developer.apple.com/library/prerelease/ios/referencelibrary/GettingStarted/DevelopiOSAppsSwift/) ——一个完整的Swift 教程 ```swift // 导入外部模块 From c32a8b2ca157c1be2d3fa67fe429a5e2e92241b6 Mon Sep 17 00:00:00 2001 From: Jacob Ward Date: Sun, 1 Nov 2015 19:38:55 -0700 Subject: [PATCH 174/286] Removed extraneous characters. --- markdown.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/markdown.html.markdown b/markdown.html.markdown index 7be37f81..e148213c 100644 --- a/markdown.html.markdown +++ b/markdown.html.markdown @@ -242,7 +242,7 @@ Markdown also supports reference style links. ``` The title can also be in single quotes or in parentheses, or omitted entirely. The references can be anywhere in your document and the reference IDs -can be anything so long as they are unique. --> +can be anything so long as they are unique. There is also "implicit naming" which lets you use the link text as the id. ```markdown From 9444609b7d44a7f16cbd6c920374eb5e26f10725 Mon Sep 17 00:00:00 2001 From: Jacob Ward Date: Sun, 1 Nov 2015 20:32:41 -0700 Subject: [PATCH 175/286] Fixed grammar --- markdown.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/markdown.html.markdown b/markdown.html.markdown index e148213c..d38bfe33 100644 --- a/markdown.html.markdown +++ b/markdown.html.markdown @@ -9,7 +9,7 @@ filename: markdown.md Markdown was created by John Gruber in 2004. It's meant to be an easy to read and write syntax which converts easily to HTML (and now many other formats as well). -Markdown is a superset of HTML, so any HTML file is valid Markdown, that +Markdown is a superset of HTML, so any HTML file is valid Markdown. This means we can use HTML elements in Markdown, such as the comment element, and they won't be affected by a markdown parser. However, if you create an HTML element in your markdown file, you cannot use markdown syntax within that From c64f9231a9e9eb797519a582a73dbca452f00672 Mon Sep 17 00:00:00 2001 From: Jacob Ward Date: Sun, 1 Nov 2015 20:56:59 -0700 Subject: [PATCH 176/286] fix kbd tag --- markdown.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/markdown.html.markdown b/markdown.html.markdown index d38bfe33..64f5f351 100644 --- a/markdown.html.markdown +++ b/markdown.html.markdown @@ -284,7 +284,7 @@ in italics, so I do this: \*this text surrounded by asterisks\*. ### Keyboard keys -In Github Flavored Markdown, you can use a tag to represent keyboard keys. +In Github Flavored Markdown, you can use a `` tag to represent keyboard keys. ```markdown Your computer crashed? Try sending a Ctrl+Alt+Del From a4a7b2dd8308a8d67722d8c93e4c1a8c052f7f6a Mon Sep 17 00:00:00 2001 From: EL Date: Mon, 2 Nov 2015 16:30:15 +0300 Subject: [PATCH 177/286] fixed unintended opposite meaning --- python.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/python.html.markdown b/python.html.markdown index 2b43c5fc..f8f712d3 100644 --- a/python.html.markdown +++ b/python.html.markdown @@ -458,7 +458,7 @@ add(y=6, x=5) # Keyword arguments can arrive in any order. # You can define functions that take a variable number of -# positional args, which will be interpreted as a tuple if you do not use the * +# positional args, which will be interpreted as a tuple by using * def varargs(*args): return args @@ -466,7 +466,7 @@ varargs(1, 2, 3) # => (1, 2, 3) # You can define functions that take a variable number of -# keyword args, as well, which will be interpreted as a dict if you do not use ** +# keyword args, as well, which will be interpreted as a dict by using ** def keyword_args(**kwargs): return kwargs From b13bb0ce47386d0426342c0470ddc4a52720c56d Mon Sep 17 00:00:00 2001 From: Jake Faris Date: Mon, 2 Nov 2015 10:06:01 -0500 Subject: [PATCH 178/286] adds JF to authors --- ruby.html.markdown | 1 + 1 file changed, 1 insertion(+) diff --git a/ruby.html.markdown b/ruby.html.markdown index 782ffc4c..243f788b 100644 --- a/ruby.html.markdown +++ b/ruby.html.markdown @@ -14,6 +14,7 @@ contributors: - ["Rahil Momin", "https://github.com/iamrahil"] - ["Gabriel Halley", "https://github.com/ghalley"] - ["Persa Zula", "http://persazula.com"] + - ["Jake Faris", "https://github.com/farisj"] --- ```ruby From db4e212602121c5d84fc987d47054dbbbe21b1b0 Mon Sep 17 00:00:00 2001 From: Jacob Ward Date: Mon, 2 Nov 2015 08:11:50 -0700 Subject: [PATCH 179/286] Demonstrate html comments --- markdown.html.markdown | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/markdown.html.markdown b/markdown.html.markdown index 64f5f351..5f8d31c8 100644 --- a/markdown.html.markdown +++ b/markdown.html.markdown @@ -19,6 +19,7 @@ Markdown also varies in implementation from one parser to a next. This guide will attempt to clarify when features are universal or when they are specific to a certain parser. +- [HTML Elements](#html-elements) - [Headings](#headings) - [Simple Text Styles](#simple-text-styles) - [Paragraphs](#paragraphs) @@ -29,6 +30,12 @@ specific to a certain parser. - [Images](#images) - [Miscellany](#miscellany) +## HTML Elements +Markdown is a superset of HTML, so any HTML file is valid Markdown. +```markdown + +``` + ## Headings You can create HTML elements `

` through `

` easily by prepending the From 6d705f17b6295be0525ff98a94dd4703912e3654 Mon Sep 17 00:00:00 2001 From: Jacob Ward Date: Mon, 2 Nov 2015 08:17:40 -0700 Subject: [PATCH 180/286] fix demonstrate html elements/comments --- markdown.html.markdown | 6 ------ 1 file changed, 6 deletions(-) diff --git a/markdown.html.markdown b/markdown.html.markdown index 5f8d31c8..fdc59067 100644 --- a/markdown.html.markdown +++ b/markdown.html.markdown @@ -9,12 +9,6 @@ filename: markdown.md Markdown was created by John Gruber in 2004. It's meant to be an easy to read and write syntax which converts easily to HTML (and now many other formats as well). -Markdown is a superset of HTML, so any HTML file is valid Markdown. This -means we can use HTML elements in Markdown, such as the comment element, and -they won't be affected by a markdown parser. However, if you create an HTML -element in your markdown file, you cannot use markdown syntax within that -element's contents. - Markdown also varies in implementation from one parser to a next. This guide will attempt to clarify when features are universal or when they are specific to a certain parser. From 2469dd6f445bee0758c621a99e24fea8adc97c59 Mon Sep 17 00:00:00 2001 From: Jacob Ward Date: Mon, 2 Nov 2015 08:29:25 -0700 Subject: [PATCH 181/286] fix line breaks --- markdown.html.markdown | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/markdown.html.markdown b/markdown.html.markdown index fdc59067..8961c995 100644 --- a/markdown.html.markdown +++ b/markdown.html.markdown @@ -27,7 +27,9 @@ specific to a certain parser. ## HTML Elements Markdown is a superset of HTML, so any HTML file is valid Markdown. ```markdown - + ``` ## Headings From 37f6f848a6393a998d75e7b587f605422952f38b Mon Sep 17 00:00:00 2001 From: Serg Date: Mon, 2 Nov 2015 21:26:21 +0200 Subject: [PATCH 182/286] Rename ua-ua/javascript-ua.html.markdown to uk-ua/javascript-ua.html.markdown Please, change lang to uk-ua. --- {ua-ua => uk-ua}/javascript-ua.html.markdown | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename {ua-ua => uk-ua}/javascript-ua.html.markdown (100%) diff --git a/ua-ua/javascript-ua.html.markdown b/uk-ua/javascript-ua.html.markdown similarity index 100% rename from ua-ua/javascript-ua.html.markdown rename to uk-ua/javascript-ua.html.markdown From a25d4db0bcfb9325f69f68a2532df6fd88f4e78d Mon Sep 17 00:00:00 2001 From: rainjay Date: Tue, 3 Nov 2015 11:09:19 +0800 Subject: [PATCH 183/286] fix typo --- zh-tw/python-tw.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/zh-tw/python-tw.html.markdown b/zh-tw/python-tw.html.markdown index 10b4669c..c4706c43 100644 --- a/zh-tw/python-tw.html.markdown +++ b/zh-tw/python-tw.html.markdown @@ -450,7 +450,7 @@ def add(x, y): print "x is {0} and y is {1}".format(x, y) return x + y # 用 "return" 來回傳值 -# 用參數來呼叫韓式 +# 用參數來呼叫函式 add(5, 6) # => 輸出 "x is 5 and y is 6" 並回傳 11 # 你也可以寫上參數名稱來呼叫函式 From ae26df01957eb870401494b2f0a993920c7da665 Mon Sep 17 00:00:00 2001 From: WinChris Date: Tue, 3 Nov 2015 09:42:26 +0100 Subject: [PATCH 184/286] Create HTML-fr.html.markdown --- fr-fr/HTML-fr.html.markdown | 115 ++++++++++++++++++++++++++++++++++++ 1 file changed, 115 insertions(+) create mode 100644 fr-fr/HTML-fr.html.markdown diff --git a/fr-fr/HTML-fr.html.markdown b/fr-fr/HTML-fr.html.markdown new file mode 100644 index 00000000..fdde9107 --- /dev/null +++ b/fr-fr/HTML-fr.html.markdown @@ -0,0 +1,115 @@ +--- +language: html +filename: learnhtml-fr.html +contributors: + - ["Christophe THOMAS", "https://github.com/WinChris"] +lang: fr-fr +--- +HTML signifie HyperText Markup Language. +C'est un langage (format de fichiers) qui permet d'écrire des pages internet. +C’est un langage de balisage, il nous permet d'écrire des pages HTML au moyen de balises (Markup, en anglais). +Les fichiers HTML sont en réalité de simple fichier texte. +Qu'est-ce que le balisage ? C'est une façon de hiérarchiser ses données en les entourant par une balise ouvrante et une balise fermante. +Ce balisage sert à donner une signification au texte ainsi entouré. +Comme tous les autres langages, HTML a plusieurs versions. Ici, nous allons parlons de HTML5. + +**NOTE :** Vous pouvez tester les différentes balises que nous allons voir au fur et à mesure du tutoriel sur des sites comme [codepen](http://codepen.io/pen/) afin de voir les résultats, comprendre, et vous familiariser avec le langage. +Cet article porte principalement sur la syntaxe et quelques astuces. + + +```HTML + + + + + + + + + + + Mon Site + + +

Hello, world!

+ Venez voir ce que ça donne +

Ceci est un paragraphe

+

Ceci est un autre paragraphe

+
    +
  • Ceci est un item d'une liste non ordonnée (liste à puces)
  • +
  • Ceci est un autre item
  • +
  • Et ceci est le dernier item de la liste
  • +
+ + + + + + + + + + + + + + + + + + + + Mon Site + + + + + + + +

Hello, world!

+ +
Venez voir ce que ça donne +

Ceci est un paragraphe

+

Ceci est un autre paragraphe

+
    + +
  • Ceci est un item d'une liste non ordonnée (liste à puces)
  • +
  • Ceci est un autre item
  • +
  • Et ceci est le dernier item de la liste
  • +
+ + + + + + + + + + + + + + + + + + + + + + + + + +
First Header Second Header
Première ligne, première cellule Première ligne, deuxième cellule
Deuxième ligne, première celluleDeuxième ligne, deuxième cellule
+ +## Utilisation + +Le HTML s'écrit dans des fichiers `.html`. + +## En savoir plus + +* [Tutoriel HTML](http://slaout.linux62.org/html_css/html.html) +* [W3School](http://www.w3schools.com/html/html_intro.asp) From 05dac0dd3536dcf98c453198e6ebab5c122848a8 Mon Sep 17 00:00:00 2001 From: ioab Date: Wed, 4 Nov 2015 00:07:37 +0300 Subject: [PATCH 185/286] [vb/en] typos correction --- visualbasic.html.markdown | 64 +++++++++++++++++++-------------------- 1 file changed, 32 insertions(+), 32 deletions(-) diff --git a/visualbasic.html.markdown b/visualbasic.html.markdown index dfb89307..4f696262 100644 --- a/visualbasic.html.markdown +++ b/visualbasic.html.markdown @@ -45,10 +45,10 @@ Module Module1 Case "3" 'Calculating Whole Numbers Console.Clear() CalculatingWholeNumbers() - Case "4" 'Calculting Decimal Numbers + Case "4" 'Calculating Decimal Numbers Console.Clear() CalculatingDecimalNumbers() - Case "5" 'Working Calcculator + Case "5" 'Working Calculator Console.Clear() WorkingCalculator() Case "6" 'Using Do While Loops @@ -77,10 +77,10 @@ Module Module1 'One - I'm using numbers to help with the above navigation when I come back 'later to build it. - 'We use private subs to seperate different sections of the program. + 'We use private subs to separate different sections of the program. Private Sub HelloWorldOutput() 'Title of Console Application - Console.Title = "Hello World Ouput | Learn X in Y Minutes" + Console.Title = "Hello World Output | Learn X in Y Minutes" 'Use Console.Write("") or Console.WriteLine("") to print outputs. 'Followed by Console.Read() alternatively Console.Readline() 'Console.ReadLine() prints the output to the console. @@ -102,7 +102,7 @@ Module Module1 Console.WriteLine("Hello, What is your name? ") 'Ask the user their name. username = Console.ReadLine() 'Stores the users name. Console.WriteLine("Hello " + username) 'Output is Hello 'Their name' - Console.ReadLine() 'Outsputs the above. + Console.ReadLine() 'Outputs the above. 'The above will ask you a question followed by printing your answer. 'Other variables include Integer and we use Integer for whole numbers. End Sub @@ -110,7 +110,7 @@ Module Module1 'Three Private Sub CalculatingWholeNumbers() Console.Title = "Calculating Whole Numbers | Learn X in Y Minutes" - Console.Write("First number: ") 'Enter a whole number, 1, 2, 50, 104 ect + Console.Write("First number: ") 'Enter a whole number, 1, 2, 50, 104, etc Dim a As Integer = Console.ReadLine() Console.Write("Second number: ") 'Enter second whole number. Dim b As Integer = Console.ReadLine() @@ -126,7 +126,7 @@ Module Module1 'Of course we would like to be able to add up decimals. 'Therefore we could change the above from Integer to Double. - 'Enter a whole number, 1.2, 2.4, 50.1, 104.9 ect + 'Enter a whole number, 1.2, 2.4, 50.1, 104.9 etc Console.Write("First number: ") Dim a As Double = Console.ReadLine Console.Write("Second number: ") 'Enter second whole number. @@ -153,7 +153,7 @@ Module Module1 Dim f As Integer = a / b 'By adding the below lines we are able to calculate the subtract, - 'multply as well as divide the a and b values + 'multiply as well as divide the a and b values Console.Write(a.ToString() + " + " + b.ToString()) 'We want to pad the answers to the left by 3 spaces. Console.WriteLine(" = " + c.ToString.PadLeft(3)) @@ -199,7 +199,7 @@ Module Module1 Console.Write("Would you like to continue? (yes / no)") 'The program grabs the variable and prints and starts again. answer = Console.ReadLine - 'The command for the variable to work would be in this case "yes" + 'The command for the variable to work would be in this case "yes" Loop While answer = "yes" End Sub @@ -211,7 +211,7 @@ Module Module1 Console.Title = "Using For Loops | Learn X in Y Minutes" 'Declare Variable and what number it should count down in Step -1, - 'Step -2, Step -3 ect. + 'Step -2, Step -3 etc. For i As Integer = 10 To 0 Step -1 Console.WriteLine(i.ToString) 'Print the value of the counter Next i 'Calculate new value @@ -238,36 +238,36 @@ Module Module1 'Nine Private Sub IfElseStatement() - Console.Title = "If / Else Statement | Learn X in Y Minutes" + Console.Title = "If / Else Statement | Learn X in Y Minutes" 'Sometimes it is important to consider more than two alternatives. 'Sometimes there are a good few others. 'When this is the case, more than one if statement would be required. 'An if statement is great for vending machines. Where the user enters a code. - 'A1, A2, A3, ect to select an item. + 'A1, A2, A3, etc to select an item. 'All choices can be combined into a single if statement. Dim selection As String = Console.ReadLine 'Value for selection - Console.WriteLine("A1. for 7Up") - Console.WriteLine("A2. for Fanta") - Console.WriteLine("A3. for Dr. Pepper") - Console.WriteLine("A4. for Diet Coke") + Console.WriteLine("A1. for 7Up") + Console.WriteLine("A2. for Fanta") + Console.WriteLine("A3. for Dr. Pepper") + Console.WriteLine("A4. for Diet Coke") + Console.ReadLine() + If selection = "A1" Then + Console.WriteLine("7up") Console.ReadLine() - If selection = "A1" Then - Console.WriteLine("7up") - Console.ReadLine() - ElseIf selection = "A2" Then - Console.WriteLine("fanta") - Console.ReadLine() - ElseIf selection = "A3" Then - Console.WriteLine("dr. pepper") - Console.ReadLine() - ElseIf selection = "A4" Then - Console.WriteLine("diet coke") - Console.ReadLine() - Else - Console.WriteLine("Please select a product") - Console.ReadLine() - End If + ElseIf selection = "A2" Then + Console.WriteLine("fanta") + Console.ReadLine() + ElseIf selection = "A3" Then + Console.WriteLine("dr. pepper") + Console.ReadLine() + ElseIf selection = "A4" Then + Console.WriteLine("diet coke") + Console.ReadLine() + Else + Console.WriteLine("Please select a product") + Console.ReadLine() + End If End Sub From d92db6ea39723c7778b225de0f27d977bdee0b99 Mon Sep 17 00:00:00 2001 From: ioab Date: Wed, 4 Nov 2015 00:24:43 +0300 Subject: [PATCH 186/286] [vb/en] fix type inconsistencies for calculator subs --- visualbasic.html.markdown | 28 ++++++++++++++-------------- 1 file changed, 14 insertions(+), 14 deletions(-) diff --git a/visualbasic.html.markdown b/visualbasic.html.markdown index 4f696262..d6d1759d 100644 --- a/visualbasic.html.markdown +++ b/visualbasic.html.markdown @@ -126,10 +126,10 @@ Module Module1 'Of course we would like to be able to add up decimals. 'Therefore we could change the above from Integer to Double. - 'Enter a whole number, 1.2, 2.4, 50.1, 104.9 etc + 'Enter a floating-point number, 1.2, 2.4, 50.1, 104.9 etc Console.Write("First number: ") Dim a As Double = Console.ReadLine - Console.Write("Second number: ") 'Enter second whole number. + Console.Write("Second number: ") 'Enter second floating-point number. Dim b As Double = Console.ReadLine Dim c As Double = a + b Console.WriteLine(c) @@ -145,12 +145,12 @@ Module Module1 'Copy and paste the above again. Console.Write("First number: ") Dim a As Double = Console.ReadLine - Console.Write("Second number: ") 'Enter second whole number. - Dim b As Integer = Console.ReadLine - Dim c As Integer = a + b - Dim d As Integer = a * b - Dim e As Integer = a - b - Dim f As Integer = a / b + Console.Write("Second number: ") 'Enter second floating-point number. + Dim b As Double = Console.ReadLine + Dim c As Double = a + b + Dim d As Double = a * b + Dim e As Double = a - b + Dim f As Double = a / b 'By adding the below lines we are able to calculate the subtract, 'multiply as well as divide the a and b values @@ -179,11 +179,11 @@ Module Module1 Console.Write("First number: ") Dim a As Double = Console.ReadLine Console.Write("Second number: ") - Dim b As Integer = Console.ReadLine - Dim c As Integer = a + b - Dim d As Integer = a * b - Dim e As Integer = a - b - Dim f As Integer = a / b + Dim b As Double = Console.ReadLine + Dim c As Double = a + b + Dim d As Double = a * b + Dim e As Double = a - b + Dim f As Double = a / b Console.Write(a.ToString() + " + " + b.ToString()) Console.WriteLine(" = " + c.ToString.PadLeft(3)) @@ -196,7 +196,7 @@ Module Module1 Console.ReadLine() 'Ask the question, does the user wish to continue? Unfortunately it 'is case sensitive. - Console.Write("Would you like to continue? (yes / no)") + Console.Write("Would you like to continue? (yes / no) ") 'The program grabs the variable and prints and starts again. answer = Console.ReadLine 'The command for the variable to work would be in this case "yes" From 4552c56f03754ac6349c96ab73f794ecf1861254 Mon Sep 17 00:00:00 2001 From: ioab Date: Wed, 4 Nov 2015 00:49:44 +0300 Subject: [PATCH 187/286] [vb/en] remove unnecessary lines. Improve conditions (8 and 9) subs. --- visualbasic.html.markdown | 18 ++++++++---------- 1 file changed, 8 insertions(+), 10 deletions(-) diff --git a/visualbasic.html.markdown b/visualbasic.html.markdown index d6d1759d..30d03f77 100644 --- a/visualbasic.html.markdown +++ b/visualbasic.html.markdown @@ -222,7 +222,7 @@ Module Module1 'Eight Private Sub ConditionalStatement() Console.Title = "Conditional Statements | Learn X in Y Minutes" - Dim userName As String = Console.ReadLine + Dim userName As String Console.WriteLine("Hello, What is your name? ") 'Ask the user their name. userName = Console.ReadLine() 'Stores the users name. If userName = "Adam" Then @@ -244,30 +244,28 @@ Module Module1 'When this is the case, more than one if statement would be required. 'An if statement is great for vending machines. Where the user enters a code. 'A1, A2, A3, etc to select an item. - 'All choices can be combined into a single if statement. + 'All choices can be combined into a single if block. - Dim selection As String = Console.ReadLine 'Value for selection + Dim selection As String 'Declare a variable for selection + Console.WriteLine("Please select a product form our lovely vending machine.") Console.WriteLine("A1. for 7Up") Console.WriteLine("A2. for Fanta") Console.WriteLine("A3. for Dr. Pepper") Console.WriteLine("A4. for Diet Coke") - Console.ReadLine() + + selection = Console.ReadLine() 'Store a selection from the user If selection = "A1" Then Console.WriteLine("7up") - Console.ReadLine() ElseIf selection = "A2" Then Console.WriteLine("fanta") - Console.ReadLine() ElseIf selection = "A3" Then Console.WriteLine("dr. pepper") - Console.ReadLine() ElseIf selection = "A4" Then Console.WriteLine("diet coke") - Console.ReadLine() Else - Console.WriteLine("Please select a product") - Console.ReadLine() + Console.WriteLine("Sorry, I don't have any " + selection) End If + Console.ReadLine() End Sub From 7cbb4ec3ca21102f49e20f864223b084928db378 Mon Sep 17 00:00:00 2001 From: Deivuh Date: Tue, 3 Nov 2015 20:49:40 -0600 Subject: [PATCH 188/286] Correcciones de ortografia y de usos de palabras --- es-es/swift-es.html.markdown | 13 ++++++------- 1 file changed, 6 insertions(+), 7 deletions(-) diff --git a/es-es/swift-es.html.markdown b/es-es/swift-es.html.markdown index dcc3a607..c04ab02b 100644 --- a/es-es/swift-es.html.markdown +++ b/es-es/swift-es.html.markdown @@ -16,7 +16,7 @@ por Apple. Diseñado para coexistir con Objective-C y ser más resistente contra el código erroneo, Swift fue introducido en el 2014 en el WWDC, la conferencia de desarrolladores de Apple. -Véase también la guía oficial de Apple, [getting started guide](https://developer.apple.com/library/prerelease/ios/referencelibrary/GettingStarted/RoadMapiOS/index.html), el cual tiene un completo tutorial de Swift. +Véase también la guía oficial de Apple, [getting started guide](https://developer.apple.com/library/prerelease/ios/referencelibrary/GettingStarted/DevelopiOSAppsSwift/), el cual tiene un completo tutorial de Swift. ```swift @@ -56,7 +56,7 @@ let largeIntValue = 77_000 // 77000 let label = "some text " + String(myVariable) // Conversión (casting) let piText = "Pi = \(π), Pi 2 = \(π * 2)" // Interpolación de string -// Valos específicos de la construcción (build) +// Valores específicos de la compilación (build) // utiliza la configuración -D #if false print("No impreso") @@ -185,8 +185,7 @@ do { } while 1 == 2 // Switch -// Muy potente, se puede pensar como declaraciones `if` -// Very powerful, think `if` statements with con azúcar sintáctico +// Muy potente, se puede pensar como declaraciones `if` con _azúcar sintáctico_ // Soportan String, instancias de objetos, y primitivos (Int, Double, etc) let vegetable = "red pepper" switch vegetable { @@ -196,7 +195,7 @@ case "cucumber", "watercress": let vegetableComment = "That would make a good tea sandwich." case let localScopeValue where localScopeValue.hasSuffix("pepper"): let vegetableComment = "Is it a spicy \(localScopeValue)?" -default: // required (in order to cover all possible input) +default: // obligatorio (se debe cumplir con todos los posibles valores de entrada) let vegetableComment = "Everything tastes good in soup." } @@ -273,7 +272,7 @@ print(someIntB) // 7 // -// MARK: Closures +// MARK: Closures (Clausuras) // var numbers = [1, 2, 6] @@ -288,7 +287,7 @@ numbers.map({ return result }) -// Cuando se conoce el tipo, cono en lo anterior, se puede hacer esto +// Cuando se conoce el tipo, como en lo anterior, se puede hacer esto numbers = numbers.map({ number in 3 * number }) // o esto //numbers = numbers.map({ $0 * 3 }) From d5e0a9fbf87e80427850e06511f768c19ebf74d7 Mon Sep 17 00:00:00 2001 From: Suhas Date: Wed, 4 Nov 2015 20:14:45 +0530 Subject: [PATCH 189/286] Add more complex key examples, and an example of inheritance --- yaml.html.markdown | 31 ++++++++++++++++++++++++++++--- 1 file changed, 28 insertions(+), 3 deletions(-) diff --git a/yaml.html.markdown b/yaml.html.markdown index 6e3e2c94..62f08fb9 100644 --- a/yaml.html.markdown +++ b/yaml.html.markdown @@ -3,6 +3,7 @@ language: yaml filename: learnyaml.yaml contributors: - ["Adam Brenecki", "https://github.com/adambrenecki"] + - ["Suhas SG", "https://github.com/jargnar"] --- YAML is a data serialisation language designed to be directly writable and @@ -66,14 +67,19 @@ a_nested_map: # Maps don't have to have string keys. 0.25: a float key -# Keys can also be multi-line objects, using ? to indicate the start of a key. +# Keys can also be complex, like multi-line objects +# We use ? followed by a space to indicate the start of a complex key. ? | This is a key that has multiple lines : and this is its value -# YAML also allows collection types in keys, but many programming languages -# will complain. +# YAML also allows mapping between sequences with the complex key syntax +# Some language parsers might complain +# An example +? - Manchester United + - Real Madrid +: [ 2001-01-01, 2002-02-02 ] # Sequences (equivalent to lists or arrays) look like this: a_sequence: @@ -101,12 +107,31 @@ json_seq: [3, 2, 1, "takeoff"] anchored_content: &anchor_name This string will appear as the value of two keys. other_anchor: *anchor_name +# Anchors can be used to duplicate/inherit properties +base: &base + name: Everyone has same name + +foo: &foo + <<: *base + age: 10 + +bar: &bar + <<: *base + age: 20 + +# foo and bar would also have name: Everyone has same name + # YAML also has tags, which you can use to explicitly declare types. explicit_string: !!str 0.5 # Some parsers implement language specific tags, like this one for Python's # complex number type. python_complex_number: !!python/complex 1+2j +# We can also use yaml complex keys with language specific tags +? !!python/tuple [5, 7] +: Fifty Seven +# Would be {(5, 7): 'Fifty Seven'} in python + #################### # EXTRA YAML TYPES # #################### From 20f8f41ad5631f6638d42aca88ad2e0590abbccb Mon Sep 17 00:00:00 2001 From: Pranit Bauva Date: Wed, 4 Nov 2015 22:15:59 +0530 Subject: [PATCH 190/286] Add description that strings can be lexicographically compared with comparison operators --- julia.html.markdown | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/julia.html.markdown b/julia.html.markdown index cba7cd45..2fedcfd8 100644 --- a/julia.html.markdown +++ b/julia.html.markdown @@ -102,6 +102,11 @@ false # Printing is easy println("I'm Julia. Nice to meet you!") +# String can be compared lexicographically compared +"good" > "bye" # => true +"good" == "good" # => true +"1 + 2 = 3" == "1 + 2 = $(1+2)" # => true + #################################################### ## 2. Variables and Collections #################################################### From a6927f543ce6aee3ed409d7c88fc3695163c6609 Mon Sep 17 00:00:00 2001 From: Pranit Bauva Date: Wed, 4 Nov 2015 23:04:42 +0530 Subject: [PATCH 191/286] Add description about compact assignment of functions --- julia.html.markdown | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/julia.html.markdown b/julia.html.markdown index 2fedcfd8..a9eed2da 100644 --- a/julia.html.markdown +++ b/julia.html.markdown @@ -395,6 +395,10 @@ end add(5, 6) # => 11 after printing out "x is 5 and y is 6" +# Compact assignment of functions +f_add(x, y) = x + y # => "f (generic function with 1 method)" +f_add(3, 4) # => 7 + # You can define functions that take a variable number of # positional arguments function varargs(args...) From a00cc7127170fe47203900d1ab1aac998501e6ec Mon Sep 17 00:00:00 2001 From: Pranit Bauva Date: Wed, 4 Nov 2015 23:05:47 +0530 Subject: [PATCH 192/286] Add description about multiple return values --- julia.html.markdown | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/julia.html.markdown b/julia.html.markdown index a9eed2da..1a698834 100644 --- a/julia.html.markdown +++ b/julia.html.markdown @@ -399,6 +399,10 @@ add(5, 6) # => 11 after printing out "x is 5 and y is 6" f_add(x, y) = x + y # => "f (generic function with 1 method)" f_add(3, 4) # => 7 +# Function can also return multiple values as tuple +f(x, y) = x + y, x - y +f(3, 4) # => (7, -1) + # You can define functions that take a variable number of # positional arguments function varargs(args...) From 33628dca5cb4367cbbad1e4f48ddab0630b03330 Mon Sep 17 00:00:00 2001 From: Chris Martin Date: Wed, 4 Nov 2015 23:28:26 -0500 Subject: [PATCH 193/286] elixir: add eval results to try-rescue examples --- elixir.html.markdown | 2 ++ 1 file changed, 2 insertions(+) diff --git a/elixir.html.markdown b/elixir.html.markdown index eedeb227..720e080c 100644 --- a/elixir.html.markdown +++ b/elixir.html.markdown @@ -343,6 +343,7 @@ rescue RuntimeError -> "rescued a runtime error" _error -> "this will rescue any error" end +#=> "rescued a runtime error" # All exceptions have a message try do @@ -351,6 +352,7 @@ rescue x in [RuntimeError] -> x.message end +#=> "some error" ## --------------------------- ## -- Concurrency From 646eb2a2a19c4cecc20f680c959dd42da1a2961f Mon Sep 17 00:00:00 2001 From: Leslie Zhang Date: Sat, 7 Nov 2015 16:57:44 +0800 Subject: [PATCH 194/286] Correct math.sqrt(16) math.sqrt(16) returns 4.0 instead of 4 --- python3.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/python3.html.markdown b/python3.html.markdown index 2398e7ac..1f9d0e42 100644 --- a/python3.html.markdown +++ b/python3.html.markdown @@ -689,7 +689,7 @@ i.age # => raises an AttributeError # You can import modules import math -print(math.sqrt(16)) # => 4 +print(math.sqrt(16)) # => 4.0 # You can get specific functions from a module from math import ceil, floor From 3c1311a298211e099bb1d199947e88c2e09fddd4 Mon Sep 17 00:00:00 2001 From: Gnomino Date: Sat, 7 Nov 2015 18:12:21 +0100 Subject: [PATCH 195/286] [markdown/fr] Corrects the filename --- fr-fr/markdown.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/fr-fr/markdown.html.markdown b/fr-fr/markdown.html.markdown index e5e7c73a..66f0efbe 100644 --- a/fr-fr/markdown.html.markdown +++ b/fr-fr/markdown.html.markdown @@ -2,7 +2,7 @@ language: markdown contributors: - ["Andrei Curelaru", "http://www.infinidad.fr"] -filename: markdown.md +filename: markdown-fr.md lang: fr-fr --- From fdf5b334392a7cadba2c89b2f5f05cb0290e5025 Mon Sep 17 00:00:00 2001 From: zygimantus Date: Sat, 7 Nov 2015 21:10:35 +0200 Subject: [PATCH 196/286] lithuanian translation of json --- lt-lt/json.html.markdown | 80 ++++++++++++++++++++++++++++++++++++++++ 1 file changed, 80 insertions(+) create mode 100644 lt-lt/json.html.markdown diff --git a/lt-lt/json.html.markdown b/lt-lt/json.html.markdown new file mode 100644 index 00000000..70d7c714 --- /dev/null +++ b/lt-lt/json.html.markdown @@ -0,0 +1,80 @@ +--- +language: json +filename: learnjson.json +contributors: + - ["Zygimantus", "https://github.com/zygimantus"] +--- + +JSON („džeisonas“) yra itin paprastas duomenų mainų formatas, todėl tai bus pati lengviausia „Learn X in Y Minutes“ pamoka. + +JSON savo gryniausioje formoje neturi jokių komentarų, tačiau dauguma analizatorių priimtų C stiliaus komentarus (`//`, `/* */`). Kai kurie analizatoriai taip pat toleruoja gale esantį kablelį, pvz., kablelis po kiekvieno masyvo paskutinio elemento arba po paskutinio objekto lauko, tačiau jų reikėtų vengti dėl geresnio suderinamumo. + +JSON reikšmė privalo būti skaičius, eilutė, masyvas, objektas arba viena reikšmė iš šių: true, false, null. + +Palaikančios naršyklės yra: Firefox 3.5+, Internet Explorer 8.0+, Chrome 1.0+, Opera 10.0+, and Safari 4.0+. + +Failo plėtinys JSON failams yra „.json“, o MIME tipas yra „application/json“. + +Dauguma programavimo kalbų palaiko JSON duomenų serializaciją (kodavimą) ir deserializaciją (dekodavimą) į natyviasias duomenų struktūras. Javascript turi visišką JSON teksto kaip duomenų manipuliavimo palaikymą. + +Daugiau informacijos galima rasti http://www.json.org/ + +JSON yra pastatytas iš dviejų struktūrų: +* Vardų/reikšmių porų rinkinys. Daugomoje kalbų, tai yra realizuojama kaip objektas, įrašas, struktūra, žodynas, hash lentelė, sąrašas su raktais arba asociatyvusis masyvas. +* Rūšiuotas reikšmių sąrašas. Daugumoje kalbų, toks sąrašas yra realizuojama kaip masyvas, vektorius, sąrašas arba seka. + +Objektas su įvairiomis vardo/reikšmės poromis. + +```json +{ + "raktas": "reikšmė", + + "raktai": "privalo visada būti uždaryti dvigubomis kabutėmis", + "skaičiai": 0, + "eilutės": "Labas, pasauli. Visas unikodas yra leidžiamas, kartu su \"vengimu\".", + "turi logiką?": true, + "niekas": null, + + "didelis skaičius": 1.2e+100, + + "objektai": { + "komentaras": "Dauguma tavo struktūrų ateis iš objektų.", + + "masyvas": [0, 1, 2, 3, "Masyvas gali turėti bet ką savyje.", 5], + + "kitas objektas": { + "komentaras": "Šie dalykai gali būti įdedami naudingai." + } + }, + + "kvailumas": [ + { + "kalio šaltiniai": ["bananai"] + }, + [ + [1, 0, 0, 0], + [0, 1, 0, 0], + [0, 0, 1, "neo"], + [0, 0, 0, 1] + ] + ], + + "alternativus stilius": { + "komentaras": "tik pažiūrėk!" + , "kablelio padėti": "nesvarbi - kol jis prieš kitą raktą, tada teisingas" + , "kitas komentaras": "kaip gražu" + } +} +``` + +Paprastas reikšmių masyvas pats savaime yra galiojantis JSON. + +```json +[1, 2, 3, "tekstas", true] +``` + +Objektai taip pat gali būti masyvų dalis. + +```json +[{"vardas": "Jonas", "amžius": 25}, {"vardas": "Eglė", "amžius": 29}, {"vardas": "Petras", "amžius": 31}] +``` From d50fc51aa615267ab78d18e046e94ec68529fdeb Mon Sep 17 00:00:00 2001 From: ioab Date: Sun, 8 Nov 2015 23:46:41 +0300 Subject: [PATCH 197/286] correction --- visualbasic.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/visualbasic.html.markdown b/visualbasic.html.markdown index 30d03f77..0371e6f6 100644 --- a/visualbasic.html.markdown +++ b/visualbasic.html.markdown @@ -126,7 +126,7 @@ Module Module1 'Of course we would like to be able to add up decimals. 'Therefore we could change the above from Integer to Double. - 'Enter a floating-point number, 1.2, 2.4, 50.1, 104.9 etc + 'Enter a floating-point number, 1.2, 2.4, 50.1, 104.9, etc Console.Write("First number: ") Dim a As Double = Console.ReadLine Console.Write("Second number: ") 'Enter second floating-point number. @@ -211,7 +211,7 @@ Module Module1 Console.Title = "Using For Loops | Learn X in Y Minutes" 'Declare Variable and what number it should count down in Step -1, - 'Step -2, Step -3 etc. + 'Step -2, Step -3, etc. For i As Integer = 10 To 0 Step -1 Console.WriteLine(i.ToString) 'Print the value of the counter Next i 'Calculate new value From 341066bb8668a71e455f735ab34638c3533d2bdd Mon Sep 17 00:00:00 2001 From: ven Date: Sun, 8 Nov 2015 22:04:44 +0100 Subject: [PATCH 198/286] Address #1390 @Zoffixnet, awaiting your review --- perl6.html.markdown | 29 +++++++++++++++++------------ 1 file changed, 17 insertions(+), 12 deletions(-) diff --git a/perl6.html.markdown b/perl6.html.markdown index 45b15f05..3eec19f3 100644 --- a/perl6.html.markdown +++ b/perl6.html.markdown @@ -1,10 +1,9 @@ --- -name: perl6 category: language language: perl6 filename: learnperl6.pl contributors: - - ["Nami-Doc", "http://github.com/Nami-Doc"] + - ["vendethiel", "http://github.com/vendethiel"] --- Perl 6 is a highly capable, feature-rich programming language made for at @@ -374,6 +373,8 @@ say @array[^10]; # you can pass arrays as subscripts and it'll return say join(' ', @array[15..*]); #=> 15 16 17 18 19 # which is equivalent to: say join(' ', @array[-> $n { 15..$n }]); +# Note: if you try to do either of those with an infinite loop, +# you'll trigger an infinite loop (your program won't finish) # You can use that in most places you'd expect, even assigning to an array my @numbers = ^20; @@ -763,8 +764,9 @@ try { # and `enum`) are actually packages. (Packages are the lowest common denominator) # Packages are important - especially as Perl is well-known for CPAN, # the Comprehensive Perl Archive Network. -# You usually don't use packages directly: you use `class Package::Name::Here;`, -# or if you only want to export variables/subs, you can use `module`: +# You're not supposed to use the package keyword, usually: +# you use `class Package::Name::Here;` to declare a class, +# or if you only want to export variables/subs, you can use `module`: module Hello::World { # Bracketed form # If `Hello` doesn't exist yet, it'll just be a "stub", # that can be redeclared as something else later. @@ -774,11 +776,6 @@ unit module Parse::Text; # file-scoped form grammar Parse::Text::Grammar { # A grammar is a package, which you could `use` } -# NOTE for Perl 5 users: even though the `package` keyword exists, -# the braceless form is invalid (to catch a "perl5ism"). This will error out: -# package Foo; # because Perl 6 will think the entire file is Perl 5 -# Just use `module` or the brace version of `package`. - # You can use a module (bring its declarations into scope) with `use` use JSON::Tiny; # if you installed Rakudo* or Panda, you'll have this module say from-json('[1]').perl; #=> [1] @@ -870,8 +867,16 @@ LEAVE { say "Runs everytime you leave a block, even when an exception PRE { say "Asserts a precondition at every block entry, before ENTER (especially useful for loops)" } +# exemple: +for 0..2 { + PRE { $_ > 1 } # This is going to blow up with "Precondition failed" +} + POST { say "Asserts a postcondition at every block exit, after LEAVE (especially useful for loops)" } +for 0..2 { + POST { $_ < 2 } # This is going to blow up with "Postcondition failed" +} ## * Block/exceptions phasers sub { @@ -1239,14 +1244,14 @@ so 'foo!' ~~ / <-[ a..z ] + [ f o ]> + /; # True (the + doesn't replace the left # Group: you can group parts of your regexp with `[]`. # These groups are *not* captured (like PCRE's `(?:)`). so 'abc' ~~ / a [ b ] c /; # `True`. The grouping does pretty much nothing -so 'fooABCABCbar' ~~ / foo [ A B C ] + bar /; +so 'foo012012bar' ~~ / foo [ '01' <[0..9]> ] + bar /; # The previous line returns `True`. -# We match the "ABC" 1 or more time (the `+` was applied to the group). +# We match the "012" 1 or more time (the `+` was applied to the group). # But this does not go far enough, because we can't actually get back what # we matched. # Capture: We can actually *capture* the results of the regexp, using parentheses. -so 'fooABCABCbar' ~~ / foo ( A B C ) + bar /; # `True`. (using `so` here, `$/` below) +so 'fooABCABCbar' ~~ / foo ( 'A' <[A..Z]> 'C' ) + bar /; # `True`. (using `so` here, `$/` below) # So, starting with the grouping explanations. # As we said before, our `Match` object is available as `$/`: From eee0aba489080a13cdca80af46c3128997d792b3 Mon Sep 17 00:00:00 2001 From: Pranit Bauva Date: Mon, 9 Nov 2015 10:33:22 +0530 Subject: [PATCH 199/286] Remove the extra 'compared' in julia.html.markdown --- julia.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/julia.html.markdown b/julia.html.markdown index 1a698834..fcfa7e30 100644 --- a/julia.html.markdown +++ b/julia.html.markdown @@ -102,7 +102,7 @@ false # Printing is easy println("I'm Julia. Nice to meet you!") -# String can be compared lexicographically compared +# String can be compared lexicographically "good" > "bye" # => true "good" == "good" # => true "1 + 2 = 3" == "1 + 2 = $(1+2)" # => true From afc5ea14654e0e9cd11c7ef1b672639d12418bad Mon Sep 17 00:00:00 2001 From: "C. Bess" Date: Mon, 9 Nov 2015 17:54:05 -0600 Subject: [PATCH 200/286] - update examples - add examples for labeled tuples and computed properties --- swift.html.markdown | 17 ++++++++++++++++- 1 file changed, 16 insertions(+), 1 deletion(-) diff --git a/swift.html.markdown b/swift.html.markdown index 0d1d2df4..5e6b76e6 100644 --- a/swift.html.markdown +++ b/swift.html.markdown @@ -211,7 +211,7 @@ greet("Bob", "Tuesday") func greet2(#requiredName: String, externalParamName localParamName: String) -> String { return "Hello \(requiredName), the day is \(localParamName)" } -greet2(requiredName:"John", externalParamName: "Sunday") +greet2(requiredName: "John", externalParamName: "Sunday") // Function that returns multiple items in a tuple func getGasPrices() -> (Double, Double, Double) { @@ -224,6 +224,16 @@ let (_, price1, _) = pricesTuple // price1 == 3.69 println(price1 == pricesTuple.1) // true println("Gas price: \(price)") +// Named tuple params +func getGasPrices2() -> (lowestPrice: Double, highestPrice: Double, midPrice: Double) { + return (1.77, 37.70, 7.37) +} +let pricesTuple2 = getGasPrices2() +let price2 = pricesTuple2.lowestPrice +let (_, price3, _) = pricesTuple2 +println(pricesTuple2.highestPrice == pricesTuple2.1) // true +println("Highest gas price: \(pricesTuple2.highestPrice)") + // Variadic Args func setup(numbers: Int...) { // its an array @@ -337,6 +347,11 @@ internal class Rect: Shape { } } + // Computed properties must be declared as `var`, you know, cause they can change + var smallestSideLength: Int { + return self.sideLength - 1 + } + // Lazily load a property // subShape remains nil (uninitialized) until getter called lazy var subShape = Rect(sideLength: 4) From 618f8f5badfded04ee1edb7c24ccf24ea61a947b Mon Sep 17 00:00:00 2001 From: "C. Bess" Date: Mon, 9 Nov 2015 18:09:48 -0600 Subject: [PATCH 201/286] - update Swift examples - update to upgrade to Swift 2.1 - code cleanup --- swift.html.markdown | 81 +++++++++++++++++++++------------------------ 1 file changed, 38 insertions(+), 43 deletions(-) diff --git a/swift.html.markdown b/swift.html.markdown index f2e9d04c..a39bc1d6 100644 --- a/swift.html.markdown +++ b/swift.html.markdown @@ -32,7 +32,7 @@ import UIKit // In Swift 2, println and print were combined into one print method. Print automatically appends a new line. print("Hello, world") // println is now print -print("Hello, world", appendNewLine: false) // printing without appending a newline +print("Hello, world", terminator: "") // printing without appending a newline // variables (var) value can change after being set // constants (let) value can NOT be changed after being set @@ -60,14 +60,14 @@ let piText = "Pi = \(π), Pi 2 = \(π * 2)" // String interpolation print("Build value: \(buildValue)") // Build value: 7 /* - Optionals are a Swift language feature that either contains a value, - or contains nil (no value) to indicate that a value is missing. - A question mark (?) after the type marks the value as optional. +Optionals are a Swift language feature that either contains a value, +or contains nil (no value) to indicate that a value is missing. +A question mark (?) after the type marks the value as optional. - Because Swift requires every property to have a value, even nil must be - explicitly stored as an Optional value. +Because Swift requires every property to have a value, even nil must be +explicitly stored as an Optional value. - Optional is an enum. +Optional is an enum. */ var someOptionalString: String? = "optional" // Can be nil // same as above, but ? is a postfix operator (syntax candy) @@ -84,9 +84,9 @@ if someOptionalString != nil { someOptionalString = nil /* - Trying to use ! to access a non-existent optional value triggers a runtime - error. Always make sure that an optional contains a non-nil value before - using ! to force-unwrap its value. +Trying to use ! to access a non-existent optional value triggers a runtime +error. Always make sure that an optional contains a non-nil value before +using ! to force-unwrap its value. */ // implicitly unwrapped optional @@ -120,8 +120,8 @@ anyObjectVar = "Changed value to a string, not good practice, but possible." // /* - Array and Dictionary types are structs. So `let` and `var` also indicate - that they are mutable (var) or immutable (let) when declaring these types. +Array and Dictionary types are structs. So `let` and `var` also indicate +that they are mutable (var) or immutable (let) when declaring these types. */ // Array @@ -178,8 +178,8 @@ while i < 1000 { i *= 2 } -// do-while loop -do { +// repeat-while loop +repeat { print("hello") } while 1 == 2 @@ -209,22 +209,22 @@ default: // required (in order to cover all possible input) // Function with Swift header docs (format as reStructedText) /** - A greet operation +A greet operation - - A bullet in docs - - Another bullet in the docs +- A bullet in docs +- Another bullet in the docs - :param: name A name - :param: day A day - :returns: A string containing the name and day value. +:param: name A name +:param: day A day +:returns: A string containing the name and day value. */ func greet(name: String, day: String) -> String { return "Hello \(name), today is \(day)." } -greet("Bob", "Tuesday") +greet("Bob", day: "Tuesday") // similar to above except for the function parameter behaviors -func greet2(#requiredName: String, externalParamName localParamName: String) -> String { +func greet2(requiredName requiredName: String, externalParamName localParamName: String) -> String { return "Hello \(requiredName), the day is \(localParamName)" } greet2(requiredName: "John", externalParamName: "Sunday") @@ -247,14 +247,14 @@ func getGasPrices2() -> (lowestPrice: Double, highestPrice: Double, midPrice: Do let pricesTuple2 = getGasPrices2() let price2 = pricesTuple2.lowestPrice let (_, price3, _) = pricesTuple2 -println(pricesTuple2.highestPrice == pricesTuple2.1) // true -println("Highest gas price: \(pricesTuple2.highestPrice)") +print(pricesTuple2.highestPrice == pricesTuple2.1) // true +print("Highest gas price: \(pricesTuple2.highestPrice)") // Variadic Args func setup(numbers: Int...) { // its an array - let number = numbers[0] - let argCount = numbers.count + let _ = numbers[0] + let _ = numbers.count } // Passing and returning functions @@ -275,7 +275,7 @@ func swapTwoInts(inout a: Int, inout b: Int) { } var someIntA = 7 var someIntB = 3 -swapTwoInts(&someIntA, &someIntB) +swapTwoInts(&someIntA, b: &someIntB) print(someIntB) // 7 @@ -303,23 +303,17 @@ numbers = numbers.map({ number in 3 * number }) print(numbers) // [3, 6, 18] // Trailing closure -numbers = sorted(numbers) { $0 > $1 } +numbers = numbers.sort { $0 > $1 } print(numbers) // [18, 6, 3] -// Super shorthand, since the < operator infers the types - -numbers = sorted(numbers, < ) - -print(numbers) // [3, 6, 18] - // // MARK: Structures // // Structures and classes have very similar capabilities struct NamesTable { - let names = [String]() + let names: [String] // Custom subscript subscript(index: Int) -> String { @@ -472,9 +466,10 @@ enum Suit { // when the variable is explicitly declared var suitValue: Suit = .Hearts -// Non-Integer enums require direct raw value assignments +// String enums can have direct raw value assignments +// or their raw values will be derived from the Enum field enum BookName: String { - case John = "John" + case John case Luke = "Luke" } print("Name: \(BookName.John.rawValue)") @@ -518,7 +513,7 @@ protocol ShapeGenerator { // Protocols declared with @objc allow optional functions, // which allow you to check for conformance @objc protocol TransformShape { - optional func reshaped() + optional func reshape() optional func canReshape() -> Bool } @@ -531,9 +526,9 @@ class MyShape: Rect { // Place a question mark after an optional property, method, or // subscript to gracefully ignore a nil value and return nil // instead of throwing a runtime error ("optional chaining"). - if let allow = self.delegate?.canReshape?() { + if let reshape = self.delegate?.canReshape?() where reshape { // test for delegate then for method - self.delegate?.reshaped?() + self.delegate?.reshape?() } } } @@ -546,7 +541,7 @@ class MyShape: Rect { // `extension`s: Add extra functionality to an already existing type // Square now "conforms" to the `Printable` protocol -extension Square: Printable { +extension Square: CustomStringConvertible { var description: String { return "Area: \(self.getArea()) - ID: \(self.identifier)" } @@ -571,8 +566,8 @@ print(14.multiplyBy(3)) // 42 // Generics: Similar to Java and C#. Use the `where` keyword to specify the // requirements of the generics. -func findIndex(array: [T], valueToFind: T) -> Int? { - for (index, value) in enumerate(array) { +func findIndex(array: [T], _ valueToFind: T) -> Int? { + for (index, value) in array.enumerate() { if value == valueToFind { return index } From 70b3fa5bb6410b1c50e549a76807fd509119dd85 Mon Sep 17 00:00:00 2001 From: Ramanan Balakrishnan Date: Mon, 9 Nov 2015 18:15:18 -0800 Subject: [PATCH 202/286] add output of latex file --- latex.pdf | Bin 0 -> 145946 bytes 1 file changed, 0 insertions(+), 0 deletions(-) create mode 100755 latex.pdf diff --git a/latex.pdf b/latex.pdf new file mode 100755 index 0000000000000000000000000000000000000000..6cf5f37862cfb3b12eca957a4cf2cd3bc35871b2 GIT binary patch literal 145946 zcma%?Q;;S=ldjvgt!Z~p+xE0=+qP}nwx?~|wr$(rnG<{VYX69{6;V-D*HxKsW#*G) z@*-lt8R=MI$mW)Y*I<~57>Mi)En#?gVCbbyY|Wg_iP#xgiT-QA(2H4EJDWHX(TiCd zIGc!=7}*({!0_?GI5|6-7}&tLZ=@*8*ex+2b-$_=V~Ud+9>j5s*DL3P{1zgCL^{~B z-I5Vm5z{E!{P7wguyakbqpKgipXz!w9iiW7JpEfPtu9z>Y_hOJ)?_QL6Cr{@W}%+b zr1QYpy<*9vF$0^bTg6tDsq81>6h4|~-wvEL?(FL6mFr`%EAT{J5NJ=F5tpl$jTT78 zNgrX3CDwbjyobi2dTumwp)5$d)|(S*V;4xg2)lT0*4Eur)JVQl-~E2!!?GcFHxXu` z{%+r$nH-_}%`pA?GZ)(!mMT93U3Ecf#;T7Jew_2HHo)6`A7IzW6I^y4OqB^0gx(|) z8BN|qBr`8Bm!JgVm#7V;C=Tc8(CLz-+3w!W(UYr09{!XlfV@V+QLg=%-;i&zvF>lk zYS(n1pY0fwCLo`2Q`*mo58ph@`UZQ)|L1eUvlSnQ9Ba&B2yDXnZC0afPlTW9gNjo7>9thR6~}EW^tALki`Wx zKBzfMEnsPZHJQZ(yQ9>fBeAYS1VF z;>lsjwBk-@wapp+{Mg?#r!e=&;xV5LZ0Xh47OBOnZy0+9aURT8$*_IyRkZo!Mb`%Q zAxz-<-m`ZzGqS2AgU%iy1-qCKygXY%WS}oscw*CZWBh~Hb?x2BK@W$>e1#1I&=mwI(inG{80|130zud2_Mq(&(9L#L2>>l4z{)#>WIOParQgf-LewVryjl&IswDg z#V64g2onb0$!D>!q0#fj9rYFDaj=~=rk??V5#}uL5hq_cd_$rd8_7nj$1 zt`B5-adsh$iLLSfd)5DT|JNcI|AT2TGIB8dZ%rdcbvJH{1I;ZW;-bTV2hb0{0<6AA4G~fP`PJXb_8{FnUW( z6#n8YCod+dgg2*lbKf7A76RfRtSAGH^VhsLURrE5o)`v&hpO1^i}4Enfao+?QbS*P zrz?ZiLw~xdu2$V)rZYRXk6*JudA5-sO1J=8f-Mf1B3hb&g4nU>KJywQl4xq8I44p z5x?x>nd1E&j9?~o|IAt%v*DUBL_lP4`N;ENu=$E9*P#$(*z1^WpJ*ybB8YYgddGnP zmqy9F4P5Z0^PmuqZp0l%F{yw=!7?N!UOvM!5%V^OwjJpuwvD%NnE#_|@-x57we*&p zXR8%epGc~7#n;9=vO}LvH-R^!FRbe%^@o0@>v@FYH9vvX>FM8+99rN8IA%?Hrcx$g zaW!ceOLG3W;?lf6Aweq{xwTtw18&TgYp&!RXZyYPUm$)0`rhGEh&DrfgBA*m3Voc7 zkt!KO@{T0WkT!98edl^SekLJ5CK5k__L&>HpI1T78Pm}R-y8*FN-0K%K^9V%x%mwI zGHVB!!XrH;2ypPGT&zMj;^*0!B{1chiloTX#I+mnDwF&+ z$e@j`E(`ixbBeggyu2^s#o@V>wk-|Eyl--7I&eEOxc0(7<^UiGAUO1O;^>o)FpfG6 z4JcS)Wg>|w7S2mEvg7qgl72M(S4w&})%FxO&%v8#L~C2T+C<(QmQh7zrHCz-tI!a5 zfLurHrBPr2PTCD`teIm)*@+eHJ`%v>!494S#Ur2sr9Cj)b)#jb81-*3J(@cVF9XyF zP)f^Tun>VY#ynyY<10rn9dwO_m>z;71zwXE!yALWf!$s?;+4i4v9%ouJm11-n*;(o zZ#R5!6&%{nw&p1CUp`leKiB?%xxN87bp%3M1ZM_ZUIXHUxJk!%`XP~J!hM_jL=M+w zMtVBu)xNs}$0_)nE4+=g(oiwufL!0UldJ8j=2ibOMF{bcU}IH*>(zT2<*YaHha|#n6`eLU6tps&Wxfvjn7QZugXD zX*w3Wp52`<*mb+ZrvKpUIREE2fRUY%@qg>>Q2fGw=-9+JCZC zdf)0kj*mlVO;wu=7uJH4eqOa5P_np<)K$ZSkhExJY8O|FTeqHn$G9%Ta~&DFG7Y-> zHjy|_MVc(cs_G6csi$JDi^N1!1QehZ)i<<9S|mnNF)NfPZ~e-hbl=)ML~lEJN4hE5 z4&vm(TuP%giCs;n4KdX;D~7s-rk5~vmv9!&H(g5wt=aLaF>uuWY1aPjn9$M6(jDmZ zr#*LS@D75m%i{i!Ta%K$TfCD{wwrr^$tbd&-ES)~vlefoHq2pWvB9ZL-Tz^SwcNgZ z0{?nDb$f2n)(d~gLNje}rQdJ)g9uk!`}Q&)9FIqfwmJTMP9>|w!U{5oHAiKt^U|l0 zpt1!TW7lc$vl5tJFqp$xIc^We19%Y4PmmtA)QTe5r5Kt z6k?#t%D(%xQhybG)@!33)&+4l8UA;BoW6zLfy4a3T%y2j;IfT)YTcbt? z5ZbXkKot^J_7AZDu>o! z-yTdxIZgf$*)yK^-NNPJ9_%rc0%XIzpGh3)7ir@P`Q^vaHe{}LKY22dl4$Oh$2^w; ziY8;}0-cA`!|FKA5g2ovm=4~D14ed71V@Pm`REWYuj!aH?%A9XC|rS{B`?YbW22cQ zlj%bOulFLlbnK!!fly#w_OAs2L$m#hpL+puY?MTcVq88C&()BTQ$Ccd=f$px1z`w2 z?yE&6U_e==RTd5s^HYEst!zBYWWfP6s7YU+If*^T?`fD6pAv7U5yoe7!&8N-L<>$` zS!~8M#)4_~X^qkcL(`kEa!$$+>#mZ?GggfFF1<{za8A|fBJQZdf_>Vo7wExZWFP-j zMud^H#73bB4?1%LN=$p8I%Kh&PS+f(6~V%7Hx~0Pe1xZTqOvG5k>sDJdIM78Gsv}i zK*`gUK*CWB$M(MS@xV=d%{Xl+QA9o_?sc7k*tzdg}fc=9n(q9Ai|r4N>F`&c5!T(SOHa-6+?0aERd|Bw zJ+>S(qufr{`cwzV>{zky9)!T+p|tMP^d(;qr^siN1oU`Apc_R7qrqeR9TW**8L&u1 z1L#N`oFl~s62$8l8!#~7k>-a9$12dQNc9xj+0j^Uf@?h?MuT!ykv*+dg|imdmEKD8 z48i1(sicT(GuuDp%uy6_gj`=4z1R8NAB^`|L9m45 z23}14xEJ_0JkBU+n_E%a?2mC;L4e>?uAwZyaJe684+OqO?*!$+NIyF_tp6-y6w%!G zcddgbGWMrlObi2b6MxYxA#y!_&6KnHea~VYj7`%Yvh;E=J=$HW6DA?F{ha}+puYP{ zw+0Bn%(7?L(-H4nF7$6bJf7iAb)VB``rOu@>eW-Q0f3JqhH0%p8jo(?c{mcXKwJ@e z$(oae_?OpN0?SzUF}VoR?}=&Ctc-iAH@(3SoYPPuH5=XM)2>q|;zCv|U=xoK3 z0TFEQQiAc&1(Jk$cGJN=WaE~tr;^StJTJj ze@G?_9TNl#Qe+2quNc}+P>^g;{0B@^{uF#?l?q4gvRH2ffSGu4a9M*UztEt!KyqKr z<1H3Banyi#3*Sx5u@Rb(OaCYsf30y*%t)t`iz>+pl4| zx`!?YP<|S6@k!S@Sl>p&j>QMSc|a3@_102d)*CkW@ZOaVnV`zT#!9b42$cepk5cC0 zWvkZQt~>ImQ;#?$pCbOU80~m?PmtOJQXq0Gr?jrFF?UuFP&~DfXL@6?s0_e#W@n+q zVRLNauM2~T%gK3q8D?qF3;iU|-*^i8?f!GS);LjbVlXE`~%)#jMMW6 zr>R)4xfmh+T!P62b`<=#@5t4rtrpyk0Lmro!@7$N^E+m6I;CzCOjCF?FoWU{HY#nd znE+ZY!1fa7MNS#7$F8%((~*z(_UAsbY?Dxd5jro?ce_PRPW)jfu^i0bqkpaOh-%u) zZT*SVq52_1?w731ilD*FX#l@DF|ao@0nbVE22pp2(NRy_|1EPDsf#q;g`d=t#%M--8V zf7a^hN{N#QXbp)^`er`QVIIQr6W1R_5t=d1MF=xNJ&)I2epbL3 z_wtU6#%aLmw?Kx+NVl%c_}c^p?Ih8F1PR9-N9_1b=)&BF3pc*KF+UrZZ!Qp;WrL;G z(;b}!mHB=94|_R=%Ndi!`X`AeL`>Vnb_uKSMJ#$5*f$ETR&lHPh7IuxG? zV;&lcE{>kU^aK-OJ$>PYUYXrhPo$}Ea9z%qpbf+9_H4t8Bq52;YxvP0Xq|D^j-uKn zK9K3`M&A0=wOqyi3Q8~>ydLZLVr#1^IuDAkyw(p8BGOr$DR&8^XDKiglH_m8JU7t8 zgKlccfDV8K4X?Uk_0!uJd0CQ;!egxZ4yu0x#dW81NW&eA*+qcJPKaf3{f$=3jfR?m zO$+n2#bsZXA98pr0+i3Z*L}{}cl5|bF{Z!&4NJDX!M>*k+hHyV|9Vt^27$v#FR@M~ z$>I|l==rzILSru_JQE7~_AnLaE2C>ZH$~PSFH)y*PD)6!zd~q-1ZG=f_9?YWq&rV0 z0|*+G@JBN0V2HmnX8+WS=ezBlP+Vco<39+?e~7D?8UFX_)tGojy8#BI5I5ftZdL;C zh*?*>#%2^abfx106hr%d0TFR(!{o}|9t4O8NjRNqv)%2_o%dzg2Tqs)RwA{;wcq<) z{?rqS5&{(w+wmr*l!tgKY*y^fCc6)utM$myiX1a&!3NOk6-zd+bUd%g(6r2}EJbtc zE!-t(Ek*ZSJY+?^cjlyUSj0*5ox2}NcB?%ANSAT7WCZ2%y zKgFuQ9{NG9OsC}oX)7-Y+_w))x_$S#vUQT2Il^v~J5L-GZ3UpZGlZQyAlTw{p94$V z!=QDy5A3w^Cv7`U*z)541XR9SR=J)!=iQv=a`HCAvEXc2E2<*F#`6q8kBkh@P{GA3 zB(d!sfZ01f)Hyji8Zj`O`5PeQ`(0tdc@mY=U>%Tt5yD|pLP2>ojDr}+iLi#F3an29 z_YH&Y9bo>`!jmH~dnZSjZ{c8p5a0#@w>orz82o%V2at9{hB1Nc?tFb*t+hoy04=a| z>J$(iF){E8|2`1aA0#wuXlIaeV1pK-(K7ts0SG`g;bd4~j~{>0qzhXZ(i<5d!@|NK zx##9n@Iji9%}l}F{S8`xe#g^5T_7}oeA!~>BRGS7Z{u)7fC`LaTz#Yo;~K(00tpHF zQv`vop&T83pdFkTg9n1-xXF)mJhwu!8ZU^W?<`1Lp%bg4OcO{bp zy)EtUez$81_0KShZp@CgFcD8@8r{9Kr?=KzR|_=)2r=9 z9U2@zB{YV2ZD{z}4o%5o4y#378-_0?{bWBK55Bj{f`@|GJ3Kl<+rtF&*9IbzlhTUa z#XWQ94Eo_{_sz=lynA#AkGs1cOo$KtCMa6>IR1?V}=mJUs?S=?4!sx#> zn$!GRzv#=FScXvd21iB_^$$-D!R#IGA3?x!F?<0ze?XyrI%5IhDvk}IK*2xMujko6 zRO{b%@C@I)L{t8NnGysKMLMXyC%Xb%rw0d3J|Bl~{>g8-F+kpgpV@ma%(ov+qMMWb z+o9P<)E(d+6u%!q*N-_j`4Yk_6NGhak(T3|UWM>!^-NM2uli@T3=EWSIxsmYX0SIF z`HC9x1x&-j-ypTcZ~U0P^X69235Yv@g{XFKR}R)cCMxOC&s%QM!~*c--Nt9}5C{9j z!UO0o$xb30x_C`?;NNCIf&uq5;L&+NJpg^P=Zz^sAA5|81jf6PMOssW+Ny0(b;dv0xjKq!N%iH{xF|aj0MrTXGodEkg0XolV*Dz|SaJ zweXgdPcE+5t>&aEmI?^Ej(>BO!j6kxK;{*tdM@3q7*Drw?|L4@CjLJfiL>KxxF2wC|e+#ZPff1nyd% zl-r)|jFofd*6>a`kO*lvd>z5d(~Cs5c0GD~+}+K$PX?txS58o>*;hTsSk^<9i?KZY z9JhdPA6dbC$9n#rFay{Rn}(TV-h2X|n0HZcMV(WL7c#n<6)5!Pd4F8*`_GlhgtGhMv}<2{OW& z80Uk|J`c-|wKGAH%A}Z$_2>;~DnvJ8lqoG*W6lPhA{V0~YY1uqm)n6BMhMPw9^Z~M zPJ)lYW0vNG2!LOl>;!J?vM`57IPD6OU>@RTP*Ly`v;3Z#gF#fukDq3SZ?eVQgrDx4 zs^>YN<9@A_IGIyIU5%sDY(hj`1}$)Yh0af+t1Mm0f;1LR0fHZH6e;&kJxj@U6uj0c zg&O`K?d$+3Smf_G$G~P*K1el6uyme($iS@~TDhf!fLzEC8L>CPEi=ocaVT_?l2xqB zKMdj$>vLDGU%-wCd#sZagL8Gays{_WyeJ6QnYwaH>fJub4uaUHj&VQ7ssB|j=LEAG zH=ms&zn4TW!2stnB^$Ds+(kc$?~C0<@CdJyz7gTLGjKJWm^6~QwA*zIvE(oFxDuv3 zFty+)6?o^eltunUX&pa@^E4>fnvK`YDN?bgJup^;7vSwQgpxCFKiidV-N4dn)C@7X zEQw4CAif57V2--H;d@yUiH}X0Q?uCfRAAZ3niDN*L)Itx*2>bXZSk_wRzCbzR-OTM z4zQaI&^#=Clg@apBz1jr)-%WBRc+rq+sN(_U_bLI@{_sX`7DjhOtfa&SF)A2{<%zT zjng4s4$7}L^cq(?%+&grGi~2FEDP~T^Pc9Go+5gVG_>MQ;Glu-0E65}`x-q~=4FHG zyys)be4}NrqS##+BWHwGZ)R(JuWoG-!Iv&gzK0isM(@xp(bAr|Ur8X+PcG!H?@QPcxoMloxf=P>; zxVpnbAIZ-kTm0Y$#d#>JB^GgEEZ{qy?3rspXs#Cr_@AcPNl}hR2tnV{aD<%F_ApDw;wH=p}$M}(=N=} zl$*_~*5Vv~Y-KB!80Cxm3ER}zk0q=s8R1BKRt?lSqm#7F=k{WoZU&2^K=omf*sc9) z6&84b=&QPaWldx<)!h*Qn-Q$MK4w=FLU8sPvrKRG;zIO8QMjd*t zoDup{lqOg5OI|EH-|I@Mf^~z?S2>Q>KwR>pE7;1as7-X8HIqR+`Y*)S~KrvkUO>Ru`Mo+YZOli$7*}%+#BF^vd)|MO%kg@GE$D=#K`I zmj%{*$Cdb+<2;iME>HWIZ(|ElS!?%jmLpgMIt#lX)2mqSucBNPSzabOXLx6>Jyq8( zr@Q7KyivD11gW~<$oGS}&M)1r5XeY9Ur06*qnwE5HuUjC(LBQ;GxRD@nvS>|TUn_z zyqsXMHYVHkfxoT~H{p^ocZo=QG(FD-ej^(}>(Kgz_fHiy?lzu&Q0pe!@eDjxiCf*v zBunuSQGl&n4o^SNt|Nj13VtJ66Dt66;*NSqS8UqvaFLk6_yA|miNJ+*IrNHJk=k=z z+M%eu?U#QNelx)cg}FyMCQX**)MjeHRCkB)oOX6zPM0)2GyFA8t(5RibJKK|8b-1} zW(P}PJo9^s9@Dy*%afJwdiiYCG_nkOzI0yjYNz?|8FaNpZV_Gv%u6v70i!O`Si>F=_WEI#z3d3I) zYsdhuam-+v_@aXRs(6l4YFZx}HJuWxdZnbzb2uK>U5leB5t?JG!&MVaj$;_zfHs*f zRcUvti+io)X}+c*1ojaHAk@!(YC+!UXsfqH<_aao`g^N0Z~?nbmc2xi(fP+fXlE6{ zcj2ivzqZhm6UN&{=RQ?*2B)Pm7)r8DOY6Mr({wdliODdx>V`@tZN0t)OZ;qeTY! z^F&nF=1s94dK)d%k4(_Lo;ACS$(qYAEN%HIn6+}f*|(?2C36xIi>WDf5?R6*QD=r^ z;bJn3ssLBDsD=fHk}_)csP>D7WCkg^87!{y*^p&k-V87a4}L+Q(`HuO_C8u(6c^Ji z;&yXXXC&rY+I^^aCkG92Xim%{)|?!?ouTXOqO1avcA8usD} zc4o66IxgCw#_X2%zTR;XpH`XnIWEE!#6cm&lz`TZ0VLN3d9k=Q6`O092nsoD|C{yu zj29T<)C#NfWvas)6&U~U6+cprWhOkk=vAby8#x!;;Ax01pPpbe!GXUJ@1jqR_Uc2?Zq4?h_~{mY)E!2_$qR^-$4h< zDpPN)72Eob7dzW8I)04pER5saVr)L+u&mE;x!8DTt&~Bzp}QF-q=Z`YzFuNr=HC~S zRXWDjB1i+u#)faOdx30fCvgt)9Qv()2o~Wtm(ir9JngYARBjXcG8d4p;^>@S_{RN| zs`$sda#9ZZW7*!02lPWCeP~J;rWw$r@Y>uxc)rYPE$+dP`;4O|Z32_R{1 z++1*bo=C5{!p3P67i&?Zu=Xy)9n9K1qk3eFC_Sr@VwK-dU4-XxU(-wmDVHmmHf<`5 z=%vb2!H^H2cNKTsMH{^)q<=r1GWDD<{g!yvVo=>6j`LSMh1*3)qTH0%KX$f(x}_VJ zj89BM08Nz7Xz-0cbZhM8Ej@^0of}{}Rqyy#J_w>V)+K9`4aOzxUhkv?NT(`1Plx|q zpZfJFFRGi!eP^%ZMIj?1kY+HX3+5n&E~UBg1!k&u6h^n&7_^CGj#p3~vdu3^ljra@ z4fL0M%Wd82YiZi=59)5qR?lLN8lp=FC1UQ`UPh$vrF!h%YhtoL0YMTBs^ zg!S$cX8PAc#TSEF;<_LCMbKn~zo-&1n&BNm|1e7O@zKw(_0aGxbpNEJP$icx1qZnV zm2Bc@LqNE-R4mW%_x(fK?4cM|F+L*BIv9Cf_^ySSV;)~{z4vXB6t;gG59WDvx&`j( z+HjoJF+U4+zv6HfZ+{Srn-a^p{%iVp5z|!>*cA7=<@)hpH=&hHmxaEKq(Q|ODmTG zErcB82vMYA^!lS@7pkAdrcAxd`$r(FrtKjH>dLkMd0e7Ak`i=m&=-M}-jY?oXUN*H z$0Ny9+{^|F+_e5K{X9E^9>=dH8bjE5To_>1`m8G|V3gGY=rV{0c2xJ6Bol(It}1t@ z0v%O642p&yv8iSDa<;DFcb-o~8klH%yqSxBUbwajWmuAw>$)Qy>o*pIH!Q`|Z{cd; zfh+=k#Aay{Zv+m)r`JRDfROAfj1mhiSC&vMhs45p(atqHI>PR5Q~Vw#fMJSJG<8xX3-fZjLT($k?uY(W#*4%tzq8 zdXcNr@hXW!rrQyV4 zGtD0xuIScGubV=qSXJ@_-3^$AFw_M&^i?U+pMz&%-*t8-=iEGBOEPArEP6+eC+&jP zqEd#s^4{5a*-E|$mfoftXBfmIl2ww}sJV&~&Cs6{MtKw6#2q(5)n2Awo*&u5!rchN z&Lk;eAxg)F+-Lc(2JO8O>vlNxlJ5f3p{|j+x2kuY8euZ+(KM~nK|ocKvUE37+|W(+ zE%gp3UE51gJ1W&$*(P*cZv^62@0+RQC?sT-pp$qpRUUvbayo&1V4SjNM5$W9`6Icfe zMLEVHq4Xu+WDY=f1z(2_=~aYL{e!0-DTuDa*!;h9WI(={!9+VrTTwa|J#b*JHC@}B z26h>W2VkMg<8tP`J}J^)oc|Dqb65JRs_de4JVf$TUXsIdiv@uKou(^{RJhz`n5>hD zneCf~Y&ccccr??sPs$#W!)t1a)y?yqHJC zHoUNeuiTr2eJ1iKq=V0w#(B*rVw)~{x}vbii1Z41{;8%Y{5Gp;9MW#!XGNxdO;sCP zz@l@RDj!pXlhJV1!)Lk<$H0n5AdPQ0y;72+Bxurqq(u1x*B6pXJ*xLaWC^8BQL^CU zLGbsvVO`O!C|mN68EEb~KC{bVcXnjOGK%oOvTEF)Yjf9>o(63(J>WF^IP4I}hWF}C zx2H?bgrtji{Kq(iSfwwztr1BB;7bd}no0YjoKevxq*p1?+8LOHRwqDUmM1<)Mw zV43Q3_hhORP5!U_ycsyS?-j~Jq3{uIz*+ar~E%|TZY=sR# zim$mrqgLb1;~;fpuof%R*kl^6{d_OyYt?w4xpY~*nmT_HYgtz*Jv+eP7#Em=Adbzc zZ^_3S1g~{p3O6)WsEo-Z&jOGhENBcDD~=8lu^0`fRpM`QwO$O46Nmvw$kPp$1tY>A z+MO-y^v!n%dt@c~#c64!FA19rKNb^h0k4PLqe0*Vv+a-Kbucp4B~@BaB8e)_+ksfg z$|pquLvmp+drQdOKt42oQ^@#Cwt_pxeLjzW%@mDWNnfw9Xk6!5_vd8@-Mj0hk zf>oye{s1RQoC^isg(&h?s&ZdI@lp+pXKApEHe#Y@q12iI4hp??4H1EpUDwQ~!V{lV zTdf%l*}3M%??dXrqJcjzT_OC?Y0dLHAHT!z!h3YM@NAKIr9sUvGfARFM}@Oz?=So` z79S)eMT;=6d|T~_d4kysx~}H(Oy<4N0opYvEgX}TKBh*Yrlt$=qu4kqE@Pz()(lS9 zI;{Z3es<{JyBoC7mLz5IZA}o)8WXXN5|pkYd5jkFPSjs1p(iuSzqBS5{CdhQ6=DhP zk$BCTJv#DLs2Ymn$%uiKf2zxZI`7X+I(n7gtHw*`=KXjVyH?`4P5q2W2H0^t2F$c1 z*O_FLE<2zmhsPr=(A}suX%7D^l8Lx3X_rZBkP}$Eml?LTV%WcX>t{+H_Pi9>(}COF zFgUI?@@t7TTr-kuOnXQ#QSzlaX%`*=vk(R9mpi!=0GOJTC(HYOHcIWfI9@P`74AqS zV30VQl3J#~N1uv@uQX&vHwK8fCRcob)(;tlx5RH?8#HaRflXKlO z8&3cvg$e}w7QyLl@!MlebzN`H98Nx6DN95z%G}nuvxWE!lhn713)mRAh4r)pO=%pr(7BQuh+0nw!&h=DUQWVasoHi} zd3eN!cB2-aLT2+=W)x2ZC2q83>+Px<^d(qD=v6L)( zy-k`zA6hw^XidTk0+N8V7Dcr*uVCd{VeXPN2stbMq==}?!Z9MTd}~OuUMF_lH5iT1 zU=jmY=`;YS{A(RRUSqdT_y*ytx;!2Tm0DZHzst(uY49-7EPpIMYsPm%3$f5Wv}9l) zzEi-NTyC+8n#6zOQypGSdo4NP=B|$wHV3a2hH9T2`7#Xd)vKEg4 zD?;A4<}K6eb~OKN-*1fiwys0VZZ7tEjcModtC33G%x$lunG5+m(?J?fTwix3()~4xU8M z_)~RNQcxW5OFpWzBN`!SVA4xkzOOzsYvPt{*6bFvONX@4ZIwrq5I6U-0LwM^;65*T zl=!=tJ)(N=@)G9<{cE8z(58Li6a6u z@1kV--Ds}fL!-(I}jfhy5#5YLf;9=bU-t%`|0p`pE~iPz2ih>CPq zoYw4*?3#(Q8c=2gvKC<}Qd;@lqnd=lsLx7)kt-HQOccfgCK}Aqmc3H2ec3WwVus)3 zmL-iV6bG4x;&EFBy4nUhW!<_d%(eF*ZN#mik{Suu$iosD ztj3T%b@HZS-G!$`BU*v_wm>4!=pf`-Bwv$D8Y<8@vU8HHU$%7|o|yuCm$C}U%D7=i zdjtF20qp!@V3o8n12tc6dIxJU=PcJLu~E&BsRp{gx<>m7pYxyQuljQ{U{r->j%%-2 zkj7`Coi;iP!A*oz354zq`)GtnSxJ8(Ow|yB&+<)v%q)z-v!20mUjx zkb~2#z6sA*inHkjVILS?5+8g%P4PE`CtA%Vw7j73!~l~=kSGKjO{HsFIrbHtM)5crmuejQYsf~!p!dyhMB;V3^_bjUoSq{+~FKph0^JC|S1S6!kYsckxKfcIW1 zwBiqOtVLq{ehrB&8I`wyL>PVwEVVo`-v?SJ(K^Au_qLFF7AiwpIJ)2XBf=^&;6z1Z zl{aQw$U#W~k>n%RNn%4vrEMFnl_z_9iu8O9n=0&Ly0VVKN%Ik~l2^RsUh5W_SJ;=O7E9!(?afxT!Xi~291c6qF7i61qm+_~N+H#Nt@9Bp*=OToh+mOvpH z-(9@mCv5y$?`6a>awOVqh9yqtq3(Ax+hdJ@q;cdiA@tayQIV1e#VTaViT#Slw!kel zIm8xy3~IaqyF@Xq&Z~u%><6Y?!y8>5z1*f({v{NM0@xj!HCM)+boK5Payg&L zrE2e%=4U9RwYsF^{9+Fzo}t}*a+U6j?FtOiUevk6Ppr$=qrhhQq~zzyy%C7{L(4BH z-;>?5&Dgn?9Na%8PX^sew{nR^Li9e{zBYh)zKp2C%{>Q$eOzeg@gDKFPdQlcn~bb` z4_qU-`FwN)%M#~Qq2nT3rLumu4o77}kP}g`A{X5T-)y!}C*9h%;wy@djnYH@f7cRG(D8XA@g>}xYY@@9|AO2E@;*gDmAH?%;OYErme=TM z%?XCe6Dm26g7hI*&J?G^u&zH-nQm3lJJ>rvs8;z_g+Zd{zZ}K&Y05YWM?NzuAAuKIq6#REc{nHiHeW5^C<2)60RF$ma2@ z{?L{lF+!cVWWIrWjWQ7+UF9kUs$~^CWXxYCsP-hWRYY}S)?Y0xQ~b=El#(89DmY0p zGE$nxXMDSqnwFg1l16=kU&bW!WqC2!NiTtIrlE6)}opYDx# z8IeC0cVjNLp{04jZy0t|+|_AK`Ju{tS=ymKW=^*Ay~RQ$wO?qyyih&iaZ48{km`#( z0%^F#xDzeGVbO}ee&6x%o+ay-#YTlVLOwa;?!vrQ`llpj2va^GC3x_h%n-j+zoFuwCaL5=L5CuR})g9pCg1G$#VXPbte**xg zDi|XF2O^8@KM+|=46Ka*4PG%3F*37r{6{2pvuGV*wlnw0~O% zLdxFl-yn4Uw?JWR5w~@Ag1Nm4_=CAYzi^yN&V2v$UUV12m^NQGd%D^ACn`&%=&nue zfKeLQoeIrP^$md{rC`n*ngTO0)-(N^eM*Xz8twl6fciltOQ4+WnyYK~A7tVSFcw#j z)(Gs*F35?^O<-efK_F9AAZAEJW(q`9RR55Oh)@227g-)4Mk96_W`7<~fsq}AGdMXa z%iFzkV-th(2j3Y#K9F+h3gD@&t!!t%GSFa~09n=25mz7&BTT9M>(7YN5hDM}?h5p| z;YUA7`Fo9yHjX<6rjE`|W~@yv<~42&DEUR;tr~4wU}^!g{3P5txVtoC|G@g+ce@K% zdsM)dsj4#o$MTJ=&Nf_bVBlMb_!O$SnRnjdobqa#RW&+B&5{cf6-k=d>7={KRVt%;fGPZ}Jv8l;#DH_acl{HC>DqaB$$ zKWhvDOdxJlR8$H`cAzsTAkTD7rXLso%rekBJBmlW6F2yt9fTJIphq`s0X-V0y-!4U zJ2NA8qQ2pA^s~!vxlsU#yQ!&vMoI;2ADFp;2_&HGqZ8ZwhyKeKAgf9Mq*MBOZv?^c z{rtQu_i>AAYHA1h@P+#Giq1SSJ{~zfvG}9);Fm)}@Y6F{(2tsssYeWHgvclYTLiy;m20zj4MU z5Xy~jt)EvHLGsN^4L|sMUay&&J^c8xcg-H`Fz`q=?SU^3$c!z<+Ah^BKUeWqGIrRM7yHUUN*eCiC^wEAMpXi66_0hhA z+JK`E0HWE_Kw=U6;s5$r-XZHjuu1?#v9AVSK|59x08EE&HHD8Lb)aZ!zd0}TW&UvZ zzVa7H2Vkt`pQyH7D;$8}EngD_bL1ry|*3qVQ=lDTpu^tBR}wM z@>I>%Pr`lL=FajtA@nUV2EhNe={Ep)_tWYb@l6)}3Gr=a`32F~_tf(BwA?Mh^;Y-} z5y0*72@q;|HU0!R^g21c9s1Ir-2HTI2Kb-&J=HS;HZPv|8`gJl_wRaQUI6CkkDZBr zXU4v22VY@ZdQfK&Uy$3c_NT9ZF69Qiruiwl{_+(?m7v}c)_7B#9oPcmg5COS{fH(z z0ffiuJFxCQ@BlMlX`P&%<+iVHk#4(Dzq{RDCw~FNe5$XD#BM6Pa2Fr(Q{fth0PgP} zGyuU^6r?){^A-=!E{hf1vi)f|xgbeqp?7`~oD6M)54$gzh+5pnDN%V7Wlgqkv|2f41mczAs^dWO3*#Z=@OB zFt5(&>@qVOuaCv~_+aa2t@q0o0#4HMCzS-TvAxB2jwUIMnP$^mfJ-U%t z8`oleZ954~F6tCmRg94)Xzr7m7gWmWI3frYo#AGvylCoX=e2Y4UYLFm9S( zG@+>iZROgJ18*9gQ2;HcG8GKI8NTAYmV$-tFB?ho5weeE=cw#dFEYZs%Aw7M9{4a_ zBQ`>_Xs*`fb4H^wHNY!`SK4KSB|%5#HkYG2Se2==fj!B<=)6lj95CCc(64)}?aL|jZZ7YvI=^%;%}d5@ zkqj)hQzrtKAAX?6IS<9I5 z0o2NpU;eq4R#_Ckk}}#GK}wuFd17rGWt@+shmOyIMM7(yO$Lx=W}fbMdhw6)NEZ(; z8E-GT6UV3w`D6;o#L2wi=pY;aX6x+a@_eRB59I;A=YUYfIDZXJ0!aCL<~k@b4>MYZ zRXKQcsjv4S)hQ4>{#OmNY)P0B)-r#HA^=Ax_j=N!%%NjIf+&}ec&p>gEL?fkp4a}QmYh7ymR!I)Gfi4P3v3)9^1#N->x2Lkok+PKafA}p>y*R4lK7-;+@ zz%`=P4d)&^eHJ0;G?H+IlBELpT44i@&2O8-xSz7(RIczHdr1g>Ueqtrj%(DU4s$*x zm2yp~>oxi!nP(cl7}BlWs$WHBtdM>hdocA*#3&)l85@cM zclBdP%7?bQ8Yw`FQ({=cPA+&e+*JCCL5>u_h_@=knjm|LGn`-TO}r- z8hYiUu+aWfQP}CYMB;487%OZ+jy^=VyotwUY}-r&mq*T&Ihb>mG(C3*2J%8B=RZD2 z&Oh&DOLYmb{TCBn)(#p)xhr#)BKE+7T;k(tLic9Oo^sE+LX`Ce6Tj>s0Ze!_R^KVY zc&u+ky`gke4Q_QXP7upIu!1xTQkPne#`(Ros2fz(-c(SZ8XvixH?*UX>)8`kWVwq$ zaG+RrLxf)7f?>)teTQoOZ{@>Ql>9uqLVuWj;r7_p6vZoClk0h15^ro^9{^g3YsUUT z7rU?Vb7D%l1)X8125T?i&g4{MVX4u?Rr#3?i5!EH9ulOZocQ)VI7+&NGjq(u|InDi zq64_y+ghwVbF{U_0GEhV#i~u~nN&*@oOT!jogctE$}T4g4m961?;_1x3w`nwIXj7A z4BcHi8PC5`T#edsKcRq3H-%^$x&GS(wFVrj=<^)D>&Vk)52G*`PLC=kE51MB@{kKi zIu^FH5bi$*C2jIl;F)?pmo_k*D=xFPlmTW_x=5xDrt>@j&g7}VsFg^){>_*#bmR@~CGi|=Qcfe?!-hMq^QF`B!g8D<`mK0Yox z#X+HimRiGU1N!+-AxF2Y5}ko+nJqva}x{YkuyHJ?gJeprrhyvJs zB(QtUJ{bJ*bCN9qJ7x(8F@l@UAw-XiB_)_0}xAGmt2xOp67!TO8Tc zxTXi^>xhn9##>obCQAcV8;RuV-Q)E_9=>NyKOvTE2A`r_a^5N^GT5Eye{~}v{K$?0KLKV@_PIXKMRINs%9G$yos8GFJvvT5^cN)PT7>Bk!jei>h5^D)i~b+^7xt zGxj7>usN^W+k?qduPQsuuEOo5m{pCi%_e@8C|F3WpPTKa>eGjoyo(M#G-qsL*er#f zGJ7&2j1C6tBCtA7x%ZDZn4`2oJ@uwms%dYf`X~9I5bG${EC|=lW1zS-S0-HbNg)Ux&R6FI*`9d&;;H*SwxP>Q8mRpGy zC`I)%Gv~9lb0p{(l3<8XLnQrMg)(y3SaOLcwnR6PINevfo}ia5N2Wrmw!R9+a_&YS z-anqPw12u;LA?-ZoivAc{7!Ht|6VlzP4z35t6L^*7=rvfKRG!!D#so~DD^l_P)w!h zERlb~g9tw?muXm>{^y*kN$L}|I`9b3XIgtYzVVtAhXEltI(tgvJ6$wy69TgVwUOX) z>7J&p8eNazoGyu_Ms8vMyMulU3-pG%QQE$;>olxf8<4J0bJ)xK{&5LC+Lxt7>M_G~ zZj}@4ka_>rB6ugj`M33#ZgYi|sq*Fm`vfF~SI`<{Dh1N2;+yoGEQ721>#3!^nU>IYXn*Enf*n)i z7aGjkBkxX`0~(X#tNL^N_7YB&0;mYi?M4~GL^K;Byq{-E@Q zCTLa*x>|Vpb11q8>3=HGQ}#&Wt$3GtLw*Sv%SmTTM%mHjU^4WA0Ya2ZK<#y(2W~z^ z3eG7w|6g2%D~kUJ-Y3M^GW3weQ-w96T#KY2weeD$iTp4ar-0O@UcJox#L4#_(P%ER zKl^Km0go}`AMd+)pNuyQqU%cWvFe;v7|&Z1uTJ6_FRG=0moQ>GBW4{K<=CD$5j=}o zba2wK)HqAF$zMuCGKNK~pH8{ffK=N9cIUpb=bo+EMaT4w*EuMP_#?40?E+gqmI!;M;g`rj7@w$_q*YS6|8 z_~TzU?~zk;>~*>GyUa>@mdd;ULu7GF0&RGp7@E;cTZy2)Wmc^i4&tIEp!^_==&+(g zgK@owP?%i|9=|wLy?UzcR|H{4LFxmM`j^V0T z&P~3E%NSj0p4x$HdNZOQKKJ)9aE8cKc=5O9?}cO~sWjo$V_ zJ;f!V$x8UM%dGWk3kNy|=7X^8aAPsB;VL2V#T_l@eCG-DMp-<>VUM5F^NlQvPrF~M zt5f%^O4p}M97#e3xHZy&<7%V1$G##D9s2@TM)ZLuqFNq`jyLmc98)#X$c3$64UN~O zwjtXZGH{ZJU$soS)OwCV|L=|Cqc}sb|fSf9fXz`-P6<#r!5Vb1;L)}pQU^mb&nH1QTuN|glCYK5>Gs}=FO!>c(DMaWSKTA%53 zk=P@`1-u_BAuaxpA_7dpU=$bsPYcbAgZc9HY&pwPK2?YOpoLO{xMkH62FBZNT{21% zna4d9aXvP3GIf-RFyQE_0_`_Na3^Ns$uTA@%0qR~;5d@HW&ZX!!d5$JSrZu(2p-6T z2Q!XpMs!t_U!0ZeyS6CP<0-j+QD$_tv0r2dV4q&#~;A-;@=d3QqO8XQ*!AKB`DOrAavI z&Y~o+S%A5kLpTCK;Mw_b)qRNyk6n^3%Do5E|h|1mIg*v8Lpfo zGe*AFnk4A8(Ug-0~CF2t&e7bW9q=hukbkGA=VQ*LW7@hH~hCIVj2Xix0) zOO2;C#Z8pL?3fe3tlU%-ahZ>k#FjWq9(mt31B&P{pt&BCu$Uj7Hyawd_?`jrHRahd zFIMeK=n>38iH@Z_KTLz6Nupg_{U+2V|*&)+#EmhN4 zNS*$Fc0V49hi`}~w+aR6tvKXD969Ox@_mw;V;(Wlp`0Q|KdqK9aLZk)lO+BSRxsU{ z;*qwQgf48!!?X+_H%lPh_QJJZI~l)&6|mA(Bph`P%lSOCb!w5-Gd5+t`6JDNAl=x5 zYHQz?oS1_MeZ?ETp1|ZB!4V z28OO-^uq+65PwWgG)XeQ{}gksX#1g_-<>kjJ7~3ZS1c?qfEAH@hM!DmAj)(@haLg# z&Gax3GN}jFk>h5%68>u+kKG;Bf{{I?FgAz$pMNA_Tk>J#BdD2 z1=91uEqYR1N*DfFv*Fh|Z;l(|WjSj!H820R!{~SCKuNl*qB%o?Z1yw{C{PEh%QM0v zvEbn!CgJs;kwrpcoi7qk>S2#KfkSesm&_K&b#{15dH^N8HbB7+(eQIR`1)>mO2WZC zbmt;1Ax{5jaxGRc?n==~B~&o)D}&kETT6xK zDGJ#zDEX+m}g9X`fyhT z)}j8vcOQ&wf9E5*cAH#0PJ%7kmg}ryk%ZUdZH#w`ZP!;8HG+N>w$a0^M(+}dMOGTP zt9mPcSNLd^_1k22ZXRB>J30SdCi|F>OiQQp%^eba@xO|H%6+-)$z`F$hi{(i0)75- z&yq_uw`y?>A;B$qNg8g`hU9^C#`AN9@Yx!3^2#x58Vf39gBIkl3iKfw41imQoy|XI`lPjXIy)kZAP5_#QbKH$)#FVZI4+k1+Oy z-I3$2=ZtO)m(CLXWW}~l|1{m2 zi>vxy;&QaC8RZu2(dG%fq%~kNoL2mm|{7qO} zH;dfnaGKA!loqLw8VOSNMnX#H_Z9HXuZ;Obxrj?en#%=)iWR0a1Av%MU|j??Y5|iY z3xUV@8@dT43!uS$G2z!*9Sp>F@df`=<%kkj`xGEl^s`iVb>Ncf!(doKY^VLP?v>T@ zuh&}^m#?Wq;tc3=*~f`3owzk%F1DvmeSIozctEMMU^$qmSSC(Y{-w}jT_Vt7Ubz3W zxSXHzVfpj@J1UNXXW9hc>uU$j*G!s5Qcn^TpFzOLrGhdH9Z2G&=OJgT`7oZ!US-FH zh4_uVC@Szlf~w`2Lix0KX5bxz*%_hA0!y9$D-5YSyA9k}>PS=kBit%KckHv`EYZ)* zt~5ekTcfY>F{}$?@q?glyeH>E2y+S8+jZ`?y=4#x4{*BRy z&jiJ3laGzBuF0RdSuN|sE%nz~+`kM=UBvaQ-Cg;`BzUPkC+-AEU&YG-bT?zxSAy|~ z_@;qLV9W0VSy>`YvQJCB40EJ=5H5is%Nsr9ZluG6dt;Uhyal+p*?W(6CB%D(}Y=`#7-h5 zzxk&TJndq+25OAgvWXdCZKs|eBl8d-HxWTDQ_1L_R^I!j`sOs}(79RNZlMAhxsPH{ zJDWhUc@DjKw=zb}x#U+6gVuys@{mE9S{ybhaArWModS(U%^<}1g1|jgk_*##Lu6m9 zQ*I3t9NIldwFLo7HP$@1I!^=L#ZRC2$jvc}eyYhy4Qp?uMdzcYXy(3PMU z8R0<3vHRvL+6s{ucgj558Fnmm44(#Pd51blR$jTu5qzH5hvTC-9!~L|>clqYNv0}z z`{(rNqi-x|QnQI6qa=i88+F1>st=IM3Ck&Qs0Tdb!#~JM6T}|gB`^>e= zc~CElnVh^*3Z(?ciLyQpj%Gz3vVmQ^#l(8!*npyqL#xN>)g?oY9Tf?LWgq;g&oOh+ ztW%1D{!htipPY%%L?A%OFq&$BZ_?3x*`@N~ilvnKlSHra3(#5$E_rk;&gD|fQj8*O zxnm@r#-KAM4~o>2j}cjDsJ9M9$srluhWEajWl9~To8n4$D^OG^r7)(!$i{cCzWFn~ zO+Kl=bw?lSlfLT6442vSgh4F_&=*CmZ&!Nn4GkM@jJRQuv$+~gFRHPS{0OL?TM$GT zxsZ;m!#$@&v1;(W?E9wPlM%5Q@alkbdgi|$7VDUhAP;$XIvTM#p=2M1=?cRk0oHB#r%nB{qoHw=|BUl-b^nBg!u4qKryTq7RnMl^T#c93N-M)XC-kO6(jduSAqy7q3HQ<$eGgXfHUc>#oo!P&_mrf z*hBx4M@R4LU&!{tT1@>&+gQ~ZBzGfPd4jcGQl?aydp#I*=%wW+kTXaW3UQ*ft8wN~ z^QjP>#ABQ2e#s;cK?AGyyb)t58Ep~plMxB5>yV8Hd8@UOsrhXLU(I`?8tkvgIOc7(275Xw6~l+SOn6}oa?k($cayc{mugB>f&bDq`1r^DvqfG>jFVpls#RVhm2-ibz~ zAe&4@n^=8({;23r;gOP}(($KT?~eRi6hQV6vC~eF5AEe?vVvW-Ir;uF0eEDgbg9A# zGQxAH2oW8(^cw-czwG9wA@}9-y}ai2n&vivj;0*==`j%1$yq(NZ^pbG*q{Aq;aRHm zI85LZT=Xxg)fw7rbtcG-H0hO#1O#6DfhK(@^lYjPz0&yUf^x(YNWXwZf?-~cjwMfC z5R`?j26Da-_IIempt~tti3Prn2CB(DFl1=VCS7vxRcRWQMMoCBo?ST(^Y#X1Ibr_UL@KdA%@gGpE2{fUKG7- zaB^++5jh`Y^~cm`eouIes9bo$56gPlWe6KU&d)k>({0V9^^q4lOpJ|84UjMTy<2aZ z6een5-tXyU)z@4@F5~{xiYNhW+1Rdt{R2fL`#y|Zt5}FnU{Dgz%SZ%%??zQMF1g92 zj=uf7pG=}p=U)?ma`!~NL+^46;X?q|WMJokeP!8|I^v;O<$m|+&yHI<6Lo>A!v8 z&qWws!g&U#AP(CtS!|tFT5;J4S6v!#ouwi9Kj$h5L~{%MLUUA{IJxHD7IvV1p9WDq z0g;vA7Q`<=PrxOAP*^|UpQLMrt~0nY zst>5$m)KW;&_EnFvZhB;qZG{QPRdeDD8)Ct7g$$ zKS{=NRn{d#l~{}?db1fHDHXk6a0c_jf3=x0rEKu^Ua=cp;wshsZi`=iA`=(o>b%%q z5T|Ot>vz5pvj#UA>ZQNZb%uBqv7}8G3ohKWXTHMd@Ckm`*Zic2R@#k zf&o)hrT&mbaIepS+wstzA|tv>5e1S|O5UZ+kHWJ#XtZ682#Jb>2tb=5peS!&ANT*6 z1$?whXN5De#dQi}+){rXlCwjF4NIexn!qaK|4P%J>@4Af$Tl zjnvIUd5j`|zc#bOg+VbE`+$ad1?#X@n`aN_G6?a*$~6JKP98^jYIr5t^>1N9x%~4Fg+;k>WO)uU@u_4T0$QN4rZk(jE z3r=1*27;;bX%IB0Z;5NMZHxfPW&-Mgt_gpU-9qG*K#HxvMYs}Dm>1Jt>s{l3J*+YK ztRDgaH7^1am0U)5|KS7c91>*kfixov@F}Ze;zaYl+VV}IMX!<(L&C{|vJF0i0w2VY z(g{~26iKg>*P^1w7X~fS*?4a4tLox{Egpc;3zsB)`XQ|M_+7#GtpPihv#Zbdjs^gZ zGlMTH$$K=FssiVv@TXG|nyU#ObCLWwH545dYMT0#hFYGC%o@Y5lUb(Nh1#;#LH5Es zOy2T2C+99Q>wBjUJ>5$4&Xk}q`g9j}ZG>K0g)QwVYpQjh)tqVG1wHi4r{FwocOX?H zIv6qpi~R6>arm{>#{h+~LL0@}Xo@-`mnz=s=$2Qa#(*uq8=b-C*UaUcy)^_BPQZCW zU>|!Yp-s01a{zt38fZHz9^qmMtoc`f^Rs!H$b#xiTJOB4droefHv&K7{m+~Ych;lQ zL%BH+UkT8RU1+S~9NH*f2U`1$5c$>~I3xTRo*TsInq8|k>}*|5p94vzS|hIy`xK=7 ztsb%<#99c!^Qx^Oh$d|o=OCuG9|M{1-LzfhwCru>#H|hIjM00-fucTaV#z6Qe3mKA zSNK=$W_g)L;IGhn40G(fTqAnhXTonxfuRPzOK2)1`OKJuj4u5^hkmmpqklxLHG zcc#(g-%*7x4+;&VEJ!G-n#=G=lGjv|E?Q1$5zMLm%>IcT$?6-*PRP7Do7OAn{#}!Q zO97Rs1Ryw(+K9})-$kq}gDII@{^96#hDWNmq{nR=^PwU z;U+Z2U#g6_m~oSDmNHK>;Dt20?)I1q&jg`|S7*R0HhS+9dDqzTb)5 zqy1*dY4YFQJUb3+Ldg%C%i8ikoM$l}e}^~GtX^h0{_bY_szz`aano_;9o$D#|Lp@b zLS`6oG6lwL2X3^J+A#yvMjEp2sAA_&1&!w5tQ%=WXrIK$#HAvzDjay&=p>)Gx&0Px z-{bimFxQUyvMd>4IQnAYDw68svMiVpgc2B$`FEB4UC}nYkiI z+c~_`_jy86(3|B4ov`Am2He7l#IP+qma*@O4vjB_MjeiVxF?(Lg%As zAU8g`oQym1dX)osoEZfupc8D}Suir~q&vxFSk`VOWlfa9axg z7GFb$HCPh{(DyZTPwiB6al1^UNp#Af)B&1-V5ag6T4*Hcf_Nm{0ZJp^7rrFzGMbMYX5UtL^7kD|i0F;%RiY#ZthTEFQ+U43yl?Xy0%89}xkY zsw!W$BcTic#oN5v&WizK75(p39`MoLS!yZm04B;~r3cDiT-Y$BM21sxH)0QmEA6fY z;_784dmxdcJ#QM}SLgVbUJf~T1X~E#%VdBtN$bkjiEZ#3|~4_q*-v1=n2*)x*9#gTEvXWVaFK^vhLYZigBq&Zk>wGLZa{H8+0 zI6N5-C{-iQ5OK4%2;43bap0$}BGUeS#t0p2htBkjOSz@bnB#TgT0)h!&n1>FqsZLg zm$C6Oxwn1_ffkpI*q4ac<6FL_D0+>A)ZT_;o`YuzJa2rw??NeGV=FXxYxDD0qu$_5 z%PJgI?M#u&Q@6~jsxr?WlRya{*kbY^QB6g7Gbo0`AlJm)+I@K+P3jjodc%hr7n% z2{bIMiST2(7Cdl=Gfnc10E4yUm@`eoWYt}5@5{RYl63-X#qL89deiXPXR#rlXJos; z-Fg;ef`1C`atu9uz}BkcH(#|5=C|78p7mU&(lQsSDEHK%#1tL3Y5Jc=1K$ul83+@f z9=)t#cX~gCETyghXQBwQo=3vpl+!9KN+!*6S_V7z(^(%+u1%P{!g^PbHNgm4 zIW*3~9v2xnUR!hsd9cUbKTe)U*xrB2z|9HsY}Ra!m_iU3@ih>W`b%~H+FsVaErgVbb@DZEGn#?1s>-BtBgU_PTlhx^OKOpl}29Y0=OO zVlhmQp>oxMQ5dMesWZH@wY4k6jcA5e(a)vHbQ|{fhMi+g3|U+U_RIijPrXMJf(rqO z8l!8N9m>pUa*>tOfDuA<$^7O5nySW^MlF~`N**gJ?E($zgq_CfZ}ILPT3pErvfOV} z91Rkq;dng9da1G^W=I6Dqc=on2+x8@HnXH!s#{<>eZoA@tU@Df*O=LYbI9*y`WMdMPVx!`}m@N2GYmCQFR2nb;2R=W|7lhv)@Y=!5BBF^p1rk(E(#O?2epAyB zjCTW&){8`cU2x?K%B;ZE_w5svuquhAtsCl16Oyyd13-@YF%>@LUI<9iC&JFm*zm73 zk~;6CX(=Gf7+l;My5BncWt5Y`0o~QFMb_jY0TQ*%j}-%uwyeH?LV7MH0${;(;Aj_p z1d;cQ9?^%g{jp!1ygdMA7+t4cqx(FD`-7?4G>72`iJi8WqypgbX(vT6;&!2SlGj7} z^1jQ&AVL0XTu!%V-wpGZAX5!DB3rfs>>I4Qrouo4go1D!{~6p)-oKy8C6koF!BdP+ z!+<1WZ_id+k78P> z-JHmjR^SIBjEivwtNR!$ch`JbTQgpv*ggKEvvhm3`wA?W*iHG<-D4P^<&N9kjbd77 z@pB%lnPU+eW&K*is^1u` z3sD@t3lRlnAysdEe%#8-GDUV<0s-?-eMi{^0-5THXz6WXXqhk8231olAaXtV>)X^@ z9UG;g^nB!=6^y?3=-xbqd0X$G?nrm2ul03U2t1zmLCST?XLzDCnsk&-P=}m?hK1CK zd7US?@A7p+`LBo;*bi(9aqg9nbIjb2aUIbU>)n*LI5G@yMmWa$;)0jfIMWtx#=#9C zR`8`U2K!b!d5j-6MrF60IjS`caSl?d2F{nH6kS4_IY*=B9x^Xx3jB^4l_gC!GP#bo zrijscM(z&q4a_`p{Xw=dnu~Bh+CXRjUCV$$Kp+h(01w_IeCitnE!tN*V(F>O zZ-0c|y|&ORj&Mb<-c4~dd;ld)uYUZhKB}DmAkz31&z-`#yK`AY^tWG#)VSyQ)@+E5 z;}zh-(2gEWbVQIzS|DKR48>_kt5hQQmZTp0Ub(170kHX^>}h^<^!Ai&n;`p;Yoks~ zSUyqW&HuW4xqog2Z88li3Qf+Noa6C(44tQ-H}G(YOl`|FYnh8Y2Uo&~0my0jLM=vT z2i6zWpXT#=tZ%-sb7yR{-)AP7E4%hdEKG3gn_M@h%LmO$?K9GOIIH39Lg&d~s4v82 zFfMFCx=T`MRw)=xh1wc@#ST#w!fBC_8nmc^>o7uEpB$aiE~-yTbKH*;0pewCRYNRo zsvP3WJ9GWi@b9Y82MpI^N}UYCv=MIY0SjZ~1GjQZY&iC2;+hx457{00F{UJs?>>?e z$}K#US6a;?4d%S=41WgfA`#X;ckqA3hl|L5XCz6J=?J3>X4)I{C~EcN)&=NW9h*V> z(YO&$;3tz(gzL&*4}OJC*D*!rt)%kMQOGqAPGi(Nj~~+c>J_&|a!_|Dg!q0z_enf{ z_qbbPYMvY^66fDLppz}g7X%nH`6|$!ZF7o_==(K$UcJ_<+R3hD{h@zF-qOW3`<^cr zZgx~a^Zj)ql2GolTB9YJE&Qei7VD`sBHS{Ctd9AM6@5r{gs~^*Ra%qw@HrxIb?xq?5fPpSbW36;_#z>UN1V zX^}dyAP>vsF;(at!ew}$VZ;lCAfhzNtE=XlU_g4-I1DfVG|}auhY)Rha^9AQ8TpAUx1r%HR1$9oU z?X9O3x=j;1HU^gP`@s`(iux4HAR-qq3p|PlKpJJmM|b#g>byczHJ^-kSg0vMLmaq# zx94CVuhx2e?EV;R=H;F}_p^;eUHKqb)l}TD+}%re5T~W|rwqE08R4PqV$e2JG#-J1 zoU#X+sHOXH0nLYcPFujMBi*T2jBN~RT-JreZH*z5^3{HAViR9fDhJq~E`jDUwQH%g zfpJJf@~{idQYfTtc717d6i$pzG;nAhUy^=jITmo}QNe~ZG8)7q_l%-NsmaWqK zK+I$EXQ-l%9$cdMos-%bA{`5P346QsNjCl6bP6DjlT^V2K^wDqV=&hkPsCLBMiPc| z7M?AF*4Fbjze4R2-B%PVRT4x62QrhiS$zH%Huf5kn=O<~C`~1{y@tAzGS=I`Y$wS0jBdqJ z!F$U78v=)tzMK&UhE(Ws_flKDS2xwFeC0+Z<|X0kW&DtMD+%vMzoxzXMovS4yIosJ z>L4|p5IT!X2qqRGzsL*IZNwcs`?+T561r^w_5Q9-1{mr?l+w$Nd{y!#ylFJX=)Hj? zPI4L$>3jFz85XU;RdLtS=FCr4b_yqn?Y)nCQQq7ajla_5iqfF%-V z5U37nkogQk;>UDj$z1f%cDMWA}S1r-``{r9=V-6pKq*ll~8g63v0>SG!~w&@nq|a{C;1?itF; zo&{0<`jo7Cf>A%NlbUvl7b=UCksXYOXUTDyc$~cCo8fhwWTc(o4RZ_vJvfi1S4U=` z?xI&MDWk-v*Ei3b71qk?u1RI>ZBYPq5?ujitU!c=!4(M|tCneP$l1XaVho)!j$080 z&o9%ox-fNgS{GO+++7hp%8VkQ&)EIO_+aZF@QtWg`2T{-a{Mp2EF%je>;J`N*%&#P z{?Fuj+EyA+H8F0%`}l`iEBFu*X3z{3f`?!gk2xkRxc zL<9stKtTa5B_S>pgi82dA3gWqJ^%XG-fO*Uzx(F**7wZso9nL|nlCV)sJDo33alVF zqVP!oQh+F|tFr zY(a1w_NP$+kiY^)N(7FS1PBBmAX0v?BLt)XRR;DLyaU<*4)}oJUP(;U#X7zT4ddi0 zvVH&lKpg}-00|@|9sBkV0Yup;kiY?D>j5IcA2Tt16$sosEfp+Gi1?fFgiMLq|qO02JT>R?v?~ zKCFR>`Q0z<$uH7B%fba(xQB2L9G1aY5Y7O4KM{&}2lo^Jpe{jSMgEl^=Ti$IKp4OW z7XY{^h-2hD>~Gr7D1`T~u|JCs`2eO3V1ESy4Cv4I|JB%In8gQlfBjC;Y>o^*8<0&-~j*t@P~d z`g?Q!1^w{3i2(fDS5Ust-&zgZ8t&Qo+pdlT+Mf_ayu0|S z4-WCH8uTfA^I||5xuhTaF=hWNWmU((sS1Ax`R&pL_#q&8==Wg<3hvn1A;@EI`MC|+ zyExC+t{NhQ_|_LfMnVM+NR(*6Kb+05S1STwxe!ZyQ`p}Z0fT@VK&;3{7?AZ21ONv~ zdRUhs4Fnj>UKGYnG*I`>DDS4;xJN%|mlpyexVSt$d;5O+mOtmG3h*FIWLNr`P0D`y z)BCr^i*f}WiZCZbM6iT7M^Cinw?eu1dZ>?`_B+yNmNhyXpC{Pn{Yx?^e_l5WsV$O6 zQTE=0+n7wn--EZNA`1G9TURCeR;pA zy})RMuk3?yDnM;(vQwTbl%7t965mY1*`Z%Ot(}JvTBOtC#35?w68Qp9U@x2o#47bG zb;&ISVX%ep2#!2b3+#HiaAeQ-x$Pcbozi-Xf52=Y?x>N8UAWm(9kKfbXzNi`bX30@ zj0PR)F&skcEk&FkMGo~^* zW>ZjA-%+{UC(ldW_Yyn4uLz9QR=;<9ZDfGJsoVa{DSQBwJkrXjSsX>AHYpvWSzz6o z(;~{jUDtD>wVPg+_YAp>#@MUUnoV3xLGBpO=nn-U@I7;^yusc|^N^8^TwJXm2IP0Cun)6ZrgO&ZtfV_PVj<`rT^ zx}#gjZ{lbJ;f|c{6Fa6)^Bl*(O)Z7EQE51v2W#bpe>K8K@7$ff`2r6qz2fmMCcvP# z{y8DUferKT@x0fx)4{)!`}(#dshq2rbML2lzb87qgFYrEO4S2Ho3$0_Ihz;bsxQUA z?KwAzo7eD#2+~Hr@^B*sYcI{UHP2wnlPM~}>$8c`t6JpM(TDZsxmkDGWHcNTpI$z~ z_=|=aRB~MfHmqbHAIpYJsywmbEz0qg$KJz1T`$vALT+m@@_QB}k*mWrUjV7@Uyf&= zGMP-E+b;oCdUTSe85%Pg$r`S?nEa zD{{pdr+Pe3LKTr1(J=iwyr+4a|^)~I>hAUj0I@Ll!TpceN|L~-@9<7Uc#feGBGs5BPh+QhAWvcDOlY0>S z8SXz@0MA?-8GbOS-QG@R%Sf3_sei#mRWY9{#W*as6bu}iBiTD(KKR%)%|2fZnV#xHrRj;LntVY~<%`%=asU&tkYy8*UlE zj=}=bPNXkZl7x-FCtBQj3%|)RS*o4R0Ud+o+Kt2TRU^o0j!k7r%674G%Wjy7lKu7D z8BobOZ1%jXiQMi^=@unVIQ;eiJdVF0D7L~1S-fEss4++S* z4u#{kPlb#X3X$~KAT14MEL`$A3TQ<^QqxpENcsW)YEX$`3g-Fq46=@uN#SWNzA(qQ z7pC;Scf&*?Jw94F(BE$>o+b3Jz>VaW=y>+ruJ!R0y5^)8*AP-(x4mxSzHf)0`nNC8 z`UesBOTLPJ14@Nk;-;OW=LF3JP(7+uhs_6#wC5ThH@gX8dz7$z5t`+CNT#z|Mr=bj zN6D24@vAx7K9W0Ch5`rD!B4^A=%!*mRMHARSuvgaULc=yn)(!V%LcLb^Y+6)5xtUl zqKgaqYMvtbq-ALA7HBQu88@pUBSTE%_v4qeivEkC<7Lgo<2_{04=oK7^dF=W)nJBg z%IUt^nRs+~r1Y&Rk*0@jx~`?`+rBKQGTOPz%qkK{pEMS?ZL5l>J*@|L}5+R5>> z^Tt@iZN}NliYL}~T_rb8v^Uy!k>vaz%HAPJ7$(rNEZeqSU)i>8+qP}nwr$(CZQGu| z7d_Jv^AU0Qy1Jy~Q4w{G_^W$&Xj#snl?K zAFJO~%~eZcz|@(zAkoxi4bz6u6hg}VvTHyJ;WhHB@%5pFGosuuL4oURf9&%#ky|kkN5thI!w#lx>Nkdh60ORjZZJ_F|HXkwd!$+6Q>sXWNscGLc{=%;kJ^>bt+8-ek#`T zDlYh2>_cYyi&ky&#={I#XMmZz=HaR|1qAh2Ci+Au;Oa+lPhvxV&}aspT=n!&3?6WpFTy75At{XD2PMb<16u zq6=2YQbkhj>98dxR_K7&GJWV<-0iT-qEtzhQbrw)j%fF9>8}4pUld{#YfC>ph(>L% z6&bw|4S5`WCT_m%C#A{WLuD@LW?>FGYl{|_{8deek#kpcE>X`=q&Evm$gUiMk<;y0 zYQz}H;PM{OBdIuZyvb1n;>=YlSPogBR%HdM1ah0qc3!bHe3uX3p&qF^-aqj;+3qgM zDy$v$TzQ%dMggTdcx?&8LWpDJe}*zuY&qBtEmp)-6J_@F`Dx?0@%d~L@nx)wt%sLWSQFa*ZU$kpDv{F>wlr1 z3bKp;h-Lv6t@^6Xn&uW8@@%lKlk1S+scV&>#=F-i*YWS*pDdJ~A3f>9ST7YC(ENOQ zcKr1Fx`TYZReh|YeMeA4erU9}au_QCSg|KXG~6exM#QA9Z4GE18jHHhOE$p|EsH$O z%svaBR_wz$(YAJ)DjwusbnLPyTPyP>HM63W?vF`ih=yM30REMJI^_|?^NgXA$EHiY zZYE0SZG+k+}}-22YQ8s+b7&=jSSKSA0q z`)D_XBs!#E>e!I%`qZ$vddV1RRRK>$Vo@?FE>}{gZRChd)@^Ag2;BT7G>MZN*@ccT@}r#s)Fa{E{YxlwDv zI2y&&U>Uv}?{guWWPpU>nm{1Zb|YQ3ac((MWJ<$OB>(GB@1s^EpBI8*A?XNt80^$8 z{S~1~$pQKl@{1s1D)l#jap()u1}c0Ku4-?S|EFaCYbB=X247Mu3ajkUL4s9wXPzD- zJ?UW=Q?KytYEh<+Od0fHc{VNtY$s}bRLX5jTr(Rdk;E{wfaxc%lyNtt%`-A{5OFn< zU-^RX0q>aM&?8?Fx)x_mGnlpvYn>6jh#TU@+$o&uRK_k=01p#xLwzc!2kH3G2VU3dCrVytNA=-bVV19DH4C z?}n(S0~KwjmjI;)_}zNu(UgZUpmbkGMO(zi-B@;S1A!FjEqieVNdVGWwSuVL9+VUp z?{|jL@?%lCpW7Z8=VQ&&ko)h8f~=G~wVw8XBru(A_O_wX+LF>@fKE(JXD(zQwoy&=GHM6XY z%Nmz;A@Jra%e}2rYJi?H?}J&CMn%N1?V6Z`oh)8x?m*f1gt$5wXaf2uq=`DRi5Jl} zk8CHMQp-cj%^qw*OLZBTo(z&rkZ>$E=*+Bg{BhFBsqz|$ zH7V|5JCJd&@a?&G&c_--ah`Fvl6TxU+OP!~UC@ac2vczUB+i+YV6iQb#@AV1JW}LQ z2S5BGTVeZ02Bzu^A5**TmrVUUiC!wtH)B)GOvy|22dlWU`{)MO=HED_ZM1=*lH-$! zrp&hIsm_ChWR#J~6EgR7%W!CXDtxDo6sn^4KRPA4m_cKz`MfAQZmh&ar3Ht66R5d zc^D*C#k~bu6~Vap>nPba!8;LUeC;-l1}`Z*r$Y1lvzUzJa!G8d7q3N*LBC3!uD9qk zU%ay<`WU^fS!>=6RjZHkRQ$}B_9VSN;gx0^VUd@Rzw&Z3yexmjT&VDA01O6vH5ED+ zUpwA-Hk^qj4Vz4~>@=T1>_&Mb>$LsJxn#TP}|{J$VQ-ad%=xf1;l?;_5Kwt8AaE<6|2DTRb7n@ zqxUfQWaW(y&d8aW z=?E?8=Cl_VQr1f$I5paaQ!#X)L*Zn?=hxd1yNPM-1G7PExp3W>sPj!e22eOyCn%qI zpxSxaLm02TZw{#Sp`%^An2^xBCfr$O*9H{~bJNdrxyHENFlt)P3>cn^+zj2LYCp@X zCK)`uQcF{C-hgeLjOj72g-vC8{iJw_f-@6+)msd7Owykox)kP?r;mIk5C5CsqUg3MI<$5 z4^gE``baHii!27bBK;vM;$lN!MTVj}o7(HM^Vw(|B+V+Q|9TX~NP@Ciy~BkbLC!c1 zwn@_GS_wg^UvWKDlZ_)*WS_R6CSR_(j?_W_+pBj6hQ9aM*;JOtac+!tF81=S7^{)r zVcw<4r?}T?n7qWI>wihE};Dbl{dITmUCC~mqdET|eV>*LaUXXo&9 z%5m^J8tM#5N^N{qor)$(E$g=X-(}^n2ea((AmO_AJ{D^Ml%bue(b&eh%SN+Yzt%yE zAv|_>a20;mFtuYeJIlw7@tvTN z{^@G3@_D;jNv`HXl$En>ZEWm$xcuzrm>g3M;zyj`U zGLtmXq}o#KCWG-!m~%Ffva8zah9y@K^+L0N43py2@FM&{wdZm``fT=^M%+@lH{tn4IeNbG3VEeheHdpNHHhnUzM`y7j#Gh=WgQK{r9KRxWJ~Hw-pfKuVYVI(!Rj9Ltwv z5Fxc`qpNY5B$K2IRmKDpcno(%RXdwSqncNB<%$Pq0-Cwc?L{LMdvHj@hD4{v!4Hg{ zP+|a0;noSmsU?p7@!y|+VlA%L*8qRo1W-3jw!YcPcmqC7vn#VzajhzUouCmhxNkwf z?ZB?`*x~kkF?j4bud++2DGwSh9(KKvbrSUXjZ9o^9OfRg+1lTQtevJHlkk`3=}vL0 zyQU(vLF~a~iLAF{9)C^aNCRonA<}ycz5PpSBQ(9H0An_f469|pA}y89=myskZ>G7+ zjDCAD#@(%=Wu-085g4@|k2^R=?krzlHhWE&xnQ>-R&ZZjn^E4d)R^IwG&nJ)>SUNx z8lS=it107S`lc$0X>SSsTf*BO)jF5A)+%G{BWtZMBk8`B&DY>DT$ELTx_(hdV$ur* z5X&hO(z44yc)1}XmZBK$f8}{FJdV002;?S5-Ftt$rh!Ns%R5#&xM&=)CS*O_Wvo@j z|F(MAh7_xD>CF6nABHE@VRc#qE-EGu|6O)_lhf;>YG7x-z|*n^HTi zT@}j3B&u&j*5{NJ0{(t=t`AbL)J+*3jSj9G zzdE*}yr$#4f6>a=9QuEiP?U)L!aO;E1=((TSO(domZ9gc8n&Jhy5(8y6;;ucql3<# zr!zxV96%x`s1IgNNn&WAr>E0x>T-s^sC0tX0+0oGLV$4g znjenVz`r>%5-1+Ke`I86U}Pj_wm%=#wH5fMM$F6|*fB7m0O868+zLO9)EcfJ^$!3sx_ee0RV*{Apr(w5cBfD5Tv!q z&A0R1o)|z92NM7V2}%EJ7#IH{-Z2O(TL^%%bWV-Hs~lTq)+Qix!Kr?H(^#J%eS{_# z7Z-$+V`oQ)L;B_rd%mnHUB(80t-hI+KNtj+vB_0{{nLt}VDZ6$P*^mp_4DV9FmzJ>ah;9Kbl>w_JN) zw;wo=(62o!3tQMGSGpi~KLWKs={g*UJ5Aa2!S(Gl7=4KPH(2K8K)&2>X>F-Kmr@gX zKYm3P&@sshV5uDHuL}P3Hstj_%#nY z#T{O@AM6?$kV}yJFO5bZAzEtRRK2~!{&J{4t`0vGqn|;p^7-F+HUBICFRcI|o`5gF zI3j=}TifZkPe5uI@Hss3ecNXRn4KJWIdK1D1x!5KI@0rV*exWJ3n*ZAjyC^p?w`$j zTQD35(7*oESpcSZRE)r1xo2{g@khB2i(grNH-Er24+P%KN?C4w!Q^1gQk8j{V zqv7mL#m~(}%WA)rZ~UTUlx5ugiCJKfdZ#A`K!5G+Z-9WZptruG@{GX0$)GEIJwv*x7k|11pkXVSOc(cu5_yBh)x24B|d4kYxFbyWd10(7na)u{|@ zJX_$B5UR>0n}R<&+CThOfDaw_-x5Hx)Hij!*W{U(C|W}E&czHDoxpFDP;BJ`F02Y0GK^3rlRbkD}mKJd&O zLl);*RUR*x$LGUKoRPEQCt&O@6`XGxhiZ}M-zDrfpOx96Y6$%(+Pc4c0)Z+y_AZ5L zinwcr|Hd!fUzz7Z;^q?cW(sLy>b4D?V_BI@7C$xC{^NOh`5>ymv`Eslsr`@4kp!Jd zHhwi^=D>6|*lw8$UK-wM_J*EY>IwpF6-0iDBz)e*yZV}FS69^5!iG~Zmx#6pBp2QyIyF1Yj~kW{s$+MX z3&q~ad1NT*VNFwKcfnjM7j2+XTa9c0vet*~B>QlIafKVfu-+w$Y(22n84q*RQoZp^ zZazzklRHo>7IAIXeR1b>nuqGU_y+u+4!lET`8i1IAxpLaeowG=k0g<0y%eCIA8 z$rE)$*vg&rMMA0mE4KO3>fkV*Enl;pb&_wIiCxIBLpCRaWkg*^wf01sZ^oa+CC9BR zqZb$v4eT<-bRbzGXfK_LjU)J}FN;<7AJ1VS^|Z8k16ME6eI{mSTt37Y+rXb%1LvlP zVVPs^94pv$<|o;ZRAaW*WH5)=I|L;G54xsg!*~IxC=8nJ_Y!skd%s^hAaK}f*pt3V z(4mXuPq01iJ=Cs$2qj zk5YgR&kl0pRhhnqQ|v9$FavfBS$v$~1ZI(Ij6INcRgV1}V}JY+`OM;%<3s-b!{b<)PF z@6f7!y;*1N{>G@K#sl-QxZfAld$KUO!N~mv-zhK+<9)drR_9K-5Hqxcy(Wx}!t)l* zhPfAEQS^{3pxZwNtL~#EV>e&gqIkA9bDwvICcdEBBfE`KKh~R7#GOsqMrm3!^@gs! zccF>N-b}NfE-w;-0yF1&A9s&dlm|D&j3LUyl)>`kpIqXSk6Y_PpRq{_X|U%I z56diWEN<}=!@{(#NiwVgeNsUv@i=kJyq$%1_v;QyiZBC@Zd`e-^Y^XcKBd1PPshB3 zN}13uvj=LFvyuUJhHrH|WusXX=8bLvOHb%8VQznay14UWiE-wloL%~vdsS)DN- z#jPlha*-vewF;;RD27E1m4jX2PNRequR;3c4Uwphb>@?+m0TQaLSs^|KSXA>50*ur zn!9qEl8fZA#<0in;~`^}>Zr$!GIMR}Ff+4rzHNl;)0qm;NvrP3OT{pOu;o1P`viCD zk~K;K-8zdQhU>nb4ZPX%w1MojZ<8b+uI?bo5En)J1ch#jW!9|=K0RZv#Y(qmy^+Z9 z$nE<@NVJ_X;}0W;hFvKLXn8Z6fx&*dj(KaOT~HJK+Qqayf?4&5@)X(gt^bVcq(V=< zHU0@E>vy#8O}jD-H3CNh^(d4-4rQV4x&EA&!p_kW=Bxu!%flR1b|k8;*{$W3{}DBp zVOBdtopBU%D5(^_S(!(7@H9SVcyV9kpVxBVW4&kb7|Mj+A$(aNE)lUIlpxccHKXp%$zSL*_g69Bfh1HEOoZQFK1E7q; zp&OiDb0&j4o9RY+{83(RmTi^2ypA4%GRwqxIKsZmM$aC}hJ!Wl`ckj5JGz!UK4cEx zww$MXK{@~ypm|NMM;5MImU$3jM#39Zc>?RW9KWG;`A+5m) z4P0=rUbONqIUmaV)O;yl)F%mC$cOAwTFR}qGJB15h8GJ#eQ`~hxLPpMw$e(VkSg?O z#>iz~LYOdX;3?(Q4Sn+*#M?bijDq)8ou8=q%)ee9KC5x=Y(a&dEEpbN9+^nOgDn*u zMp6uvDopEM^uszX21lzRcWzk#tNiuIfyoHJvSe!C`_-;sHOnAZF;(NY$3}m?7tka_ z@da8d^;;wKwX_NTF5cRd8tu2tpy`;bI!}3QHT7bREI9}d@AnaUW=h$v$tfdq@bJpH z?3B01;9f-`a9Rf)v_%r!m&{UIunGW7Ousa$>Qiq#qDsjJeiAzu^+su!VIKoNrFL|- zLppNvBh<5jh^OL6tKNU6@F_oMLT3bQ^m5#ImBwM`pW*9BiTQ}hbkdL1Q2xE(+OdKg`i7lG5*^M}2eTkEcuO4ID>@KL7*9cq2YEMJao(tgP@TcnHfb-y+K%ATiiI7sNS z<9#H$YF$q3G!H)+em653b9CippS@0`2T!VdLzl3Uk^_UaoCb9G8kcUK)}}m%>+Jx?;jkTX z!0jroQ3=0UmhIYr9kmiLja-3YopYgi)KEgB!;iA5nfMq!|ASkMlvbASG#&J~!HYvR z9idA-2pkRVRr!pul5!SUzTW!SrHtGC#k-L2aw5bnD=dDfZWjw>8 z(?tY562Y#&h5Rn9q`x?*J;P$gb|+aigB#R9UH_<$7Cz-bc_zp82gr-dUV_QCKz zbmahbx~>Or?SYh-?+S@2gC0QmV|Su(1k5ZfI(wijM$@x&iR5BqaP1Omce4*2%oenE zJ`+jDmyfUHF;Io+Tm?Osgxls+>tJ{xo(Q-4Fp>)PV!8(LR5^+HHhDRNne?T@hUv1^?44wt(n&U~9eXj1z9M)oK%mn_hXzpu5)t17o`kfl1bLMW@Sai$Z$0Dzq9koDci9xGlPR;4xvb zUA-d6e!TJ2aVVT+R@sMB4}5&i?3vX^~bAg34pbgWGD&2Me%Cf4$K_@BfUL~x6^uQnr@{K`Hl z_aLK^sW9)7(Lwl*3`szfTz`Z*C{Kg{Wxn(B$kXDbf8V?`8?i-g{3p&tBeN0+eWnzS{Z?QB6o9br|z zIH?beoxR~TLu$`9FS&b^{^e=*A%iFpepvG>Mb;Od^+*i;XYbjR`|ah-Xuoxja7_LS znu(Uk3`I|6MrEBn-pfEw>?}!2-hAl*>f!}1HKM5;FQ|tv)$57gzn2$bHs)O=W3i{5 zFrkFnm)iWP(Ci{ul8=v3UR&sn$##_3Z#B)Pb2B|@3bz$`HZA0lNnKRU-P^^0hRBXw zmD?WnfiAc;yxQ#LO0qA#}oC`M8`XJmMZ%LadEwZ>OQhDMK@XK@#w8xy=vd5?hu zRv7=Zd|PbJ2F;hMK#wafaaH}7MNJn{CV{{OCe%_X& z^FGzP&PpPZo9?=28!+gOdjO?#aC)RJt`wNx)ZtlCW9}tqgVcD6iHwUXPW;wMBqLer zYc;~7cF4nkx|Wb@_l6dg991HH>Z`3VeRSm{Id$b_$N^*l8mo>1jdT#^J2N_(x4q8* z5{B|8a^>mTpOplN`abMFg4>TE<#T*8NNX(_?u{h27sC^HoN0*Lse-xhc;_c2)Y1sB z_eE10+$6bFaU*`iHtw|v75h0PE8>b-zvb4u9(`VYl$b}HDbp9P7|KVJ3Hu z+DEbzsTmS~TSwQ=p@xbvX%*(+^k+Pku1~cRhN+!$sd#%+#gR}!U<#yetRQ<&;#l)! zS{o#;nqLXC8ZR?tD77&mT5%WB5e`d-M%K9DbSm8teto zH1KdW4R-f;TTbIx|GYlNNWIDCVI1umY>%y0I?3@Zglvd?_h+&Zek#zm`~`%KZ)Bh7 zbx{v)iGQP1WpeLb(6X!3#=71ljTATBCgzsm&y@_B&D6M~-sHYQ1aVng{kJa9j zy+*#F*rXWvR%2ju;EeC zhkp?Z!og`9{3)4B47D;;l2Ty1v=q1Zd$?UsNxF{FA^)mtK+$u}>SlP^27}pc-zXk_ zI5fmv)$Lu|B!loi_y>mdkvtJd510J~uTDoST$@c{S9A*l=#us`Z=#mbFk7jQvFkNV z^Zf|cLBEk+Y~Ywz9Ly4W|D_fbKH;!&UIVhhMGac2&3o^fVx()Zr5iTJF_Y4mr)yWi z#?whuSX@6;p3EYpI7O#}JV3Ys&&VCH#%H-iPcp<*#k!$b`~(g>>G{ zT-476-!3pLt5V&ds3oi_=cnZRW9q~;Glv#)^K>0ZF5~zX&X$XVY`q%pSh{70<8__t z;SqXn<8g|O7~l0}(Fz^756F&WcJ})}>Ez;1XM5H2qi4g5SzQ9GWR%0`6e!8gLkg5Y zu}3MepHySE+f(yO+W9=Ny65s8x%#hj{Zkaj6{Y1gqoDJ`L#^y8+Nle(-+aY%M;Ak) z-u?-46mF@dDz>b1J>}Mb6*01CB2A2mOzR)j2vJ$E&gk}$)3+Y6l$?#!b=p~+B^3d) zsQw;e5W{*^2G{F3%?qK64%-%}5$2>Gu>-n}YK^#)%;!1(2`>cJ%C1;(D+iL0?H(lKi=n&!dhl4P+Gwix8V8NFMfWZwwOTfd~R}Y&z zlxWK#NG#B^T5|;O7xRlm+}^*sx^bvYUvKz*^`lt1AmqIX%XuDghs%GG6|zF2^Ge9p zEbM!|X56`I@{m+8bh<5jg2n{5(%XYYFYzAq4d1{0mkmN61@j?_)s$}rU*Llw>S48R zBPovUBEyr-W|d}XM^gc(c9*DGN6s*!zhGY0uc7rb)@l82vAfx~OW#Hl&%mH0%I)RO zxRcEi{lt?H@KaPKI74pS4afS6IogSNok~)#$YWUF@dwzM?BKn6R$5P4UJNWcAOrHE{zF!d$RX<^*xPG5g3U zuiIBc5+-4IXYo$PW4vb<N9Ko$w>BHhmu-`5fKC zml6)G{csruvA5>4a+-2@_m|SSd_LI7`JIyT(^zT3S<9!JG>1if>W_l3G);=3qDe&b zWH&5pAhYOYzQ%gY(5v70yG6$&OH#izO%Aagfq;W2X7dcU@S2%}72lI+)Q%7E4XreL zsgEcZ;&5@WMXLurskWjTfmnQMClM+BzT4^Sl7gwynt;V^Q5xv{1Q+9SB@%b&=f^80F%KD3fU;i`*mPwQuehezpY=SA;v*mdln1RxC5|SKaVd-O7VT^LZFNckpRpcS>qZa^mT}Lc;KR9c|3_vuG9kiD!@Vq3 zLmY)mk@*WR{d9q`hl-vATqst zqoPWHibuANT{UO;AR@i&LLkHoT_2h1OwyB5NHyfw@m2F}6!}uc`&}*Ek{z!*uIZ8Q zuQqkRyy?Kx(DMx7?OiRI9LU+dahV|RsKBJ>zO?)r9Q(GuK65j%UshL8sv$76JV5SN zDMJ_EjC71HPSel7bLhC3J6R|`F?g*^oYkQ-du}YB7CxPKt3$^?$mx|JD4;x1rwliV z9hwF@*Hyu(-`1;{n2PXeyTf_@$zB&^EWBEr2>qC$%PbEtxFaaGRmONBNHq5|3;w%i zUn)h5Di?K2cK!Mf1G7*8BmaCqWys~A8REJ05;L2cccq4`bpX`dF%azzds@xi0B!{t z@@4$TBroS@CPLW=6?$mAfzIhl8QaeR2X4k29_2+cWj1BUnzn_6m|pG}3g)p#Ok^&H zFGTeXA<`L2@nWDgu-*0rYZsp4YvaH+lDTTa>LR0*f;Utpg&>EFd%o_1x>3?foPG~@ zake*LR9k#dUz`cu>C1~#ug%6CFDk`&CwiKoJtVJQ;lOxsv8tb+W21ck?Sh_K?nu`d zS6ig;47LP$VuZiI>QS--Y&yzP!bUB3*M+-H)5}^x!pK^VjSAWk7|KMnB|zEba&o<}Sh75>y%O*z4aa%F*2efGA{bn~saoQHgZ094!| z&j6lNZT*^5w1q#fjE0D@Dn%0kGNDK2?c?ex0Cl)a5 z%Vpv6+40w?*E>QUEDz~*kzCX@?M28Rkp-8eBPNi_!optoH+PoZqfsSV&g9K{=_aYj z?WTbIOtXkAt%4F|rerqOIsWEqI{7ueKx&~WY^ zBP*O5H7%B+C(=k|^{3XrreU#y?zQTO={lFd)U{m%d-Dwn8C`FsXFaah=NqTghTAE@a>~wTtkQ8 zKeuEo%ZxsapzjsiZf@BIMhLu-X0dQg-CTG zO=6Yq4=h|{cQv1kDCff^LI3;pFOFDy!jgGNXGS$f* zdP@~YjO#NZDk0SAbby$I>F=x}@zsu{Iuts1VzlL$EQ15>=}xJ?F%y?OU?#9djy1$T zR-?v}hUkFqT8>Sj=WmzM+#Ip$FUkb8$5cIepcM$M?|?me+B{ z{2?4(lMUgn|E>E8Iyq{+F291dnnC*ARA$ZzZ~+oS72X#mF&ok9AvxLk2@b5ba#JFi zJSePY{4R+S1?1^fts7G6I<%wLqLHIklxlfhz(Iqs<5dkH)dF!c*t^76vMl297~R+o zsMd1}4dtjKY|&d{sT(#Z1yYE4WP7Zr5T>-QE(*4e8g!#jABWhfMDIDM5o zqs$zS1m)5KcqLAGUMZy9S!5{B`UA(zzZofeM` zQTkws8j}cxaKxoed^P&fH-V4o-sH<5F{`!I&!;NvM+aKP-U)VE6!! zif;}>$kaU3?%k6oRq!v)(_02ICIrfZPkR^jLRS{!Y4S0~THBdzVZBOeFA|=6@E-2Z z`IEqs?na;*%8f*YgCXiPSzm?yTnj0ihgX3&l1V0OL(#*$g}x`^XxFatsnN}za;$ZC z0!qqPbZweKSxdQiBCI zPp8U|6+T~eVP*Gp^ey=r)aJ_*(wOMzy*HQUKf+u+mLUEM6~90}!AAKl`J_rappThs zTNg(&x_0lCjKoh1O_9<~&2Q=B722JfAM5&Yz_;1(@(IJ(B~K^I9?flW7dziS-j**A zwG6GflQ%T_yHfG_5T}Q&+X6>j5AYt0rQm0B6zf38hAv}LHlowm-XHDTw=MTq>;RP5!z&`#dxBM_fS4(4j2 zz%C6D2C<5Qn;B^zl_b1)^YEJuFj^FY<};?d*z2EER&5(hi4vRvZ5nxT4NY4KZ83Xe zy(v)hOdL~@Cg1m}7P*p(oUIsLAgh_K_pMtbB+BjAo`hmEyXJZwR&PgD_iJVQZj$-; z4oW=clk-%diSnS8)nLa3iU@hS*2JSV2zGzubBZKJTfJ%Gj>MwsJn*((3d#OW% zs2X}frB{DA_a8LnEyCFbZD`w)(ch^-yBI=BTNsprUd)#cmhL?ik+o<&^t*dIFvsid zUI<6Ek)ZVX5~;u>o-4>kdh#7x7v1s>$uL>A!mX3s&eawC6>)??Mp>$}VY232-5Pe{ zQa8Vb>xr7pV^7NdhL*Q1ZQ5Gv(87A^%fT-KVIN<8dkDc2K~YRl`hJt$lOv-? z4m^{>C3geqC$;FW;67IS?P}Ddbw>>Q{rm+i5s{q$(w*+%rW zVKOjywe5M!!v`}e98wzPnPefy+*E+*NzSIo_6u9dR&(f7lecAol{dB5pBXW@-3Oh8 z0T9|b&Tb7x6zIAP^TqZ%n~dk>HNj=0#oJWuYj_s*uthspiC0gKA~PT0Wc zKgH?hDPbzILIcT^;Oji%KM{($v?4x*tButU&`PZT1e|Vimg|e|b1A z2>^UuS>fRi%fqU>XmX}y!A_;#>sDPxh0?1T*##5!jlA?2&>26imaNAmAKNeh=wVi+ zyS=;=?g`zJ>?`G%0Q_Z$L_J|Ru=l_`_Bv6t(O3nPv$%8XC3OfwMoR3rC@&>=b$>-fBIWGBBBGUPy5&L zsEDt(Vk9Zg<3*%6F`jotIgnj#YrVUI^~l)zEACO&P9yHBAZggNJ?NR6fScUHSzl)Q za)l!o-{7*q$odLg3u(GcqqLUik{{)t`CWMIcFqi9_6y;H8HCjwcFN?T@(>?1SU?!H z^@3QH7YJrwDR)9d&rZL8fZ{sOK>tJUknw-&9Wpa9{6D=zR(5u_|2_IYdxvc7tp7g% zC*aCUdy6!I;>Z?~;J^iIAP_p9cRdo&2n5L>;^&KANxH>u2#E3s%JF0}p5Tb_wE51( zk=_m4Uw^kgb~SIRtDh&+)43c>XV*UJ8P3lhCO7e{^rR#}Gtj5N5x~bREGi;^1n~s; z5G4HLla>HtUH!kEkQy=icoghNgui_Nk9hPHSVv0!g$(R6BtZG67eD~eK>dS<`iKq) z5Ci}~5kJu3&j{cY{5|`w05ZJ(SV(|Eh>erPJKj9|aIxmotbdw7?A9EB`V0(+xqBA? z8fxj_+h~yh=7I~c^lH(<52YW!9~CCFA1;acIDtO{toT^HU5M6rw<{=y<4BA|fuZUEC`tN+dD0j$Tien;@0hRr14--o>j zs~?96ga*(SX7CH~qaaU*0dR8w34Q;!7x32%F`(~{yNw20AHdO%82qO^)^70XXFYx5 z)$aoUFMx3y0GO}W=U4ZS{<%?zNZb1_;ICKD*GEN2L`3M85BZOaj6Cca@cju20?-|l zfB*mk1`JS`KFa^^UlDM~pAGP{TrJfg9%TQ%Ut1JMnP1EGOBx`K-^u{w`<$VsIE;+} zK&+p-EnJ|#H3R4g_a6{_^^33( zN`A!fIl#l7ywN)Tisj(-es1j_u8N2dgJir2yZ-t#G}<9B!He?|-&|A-|2jJRpo|a8s#w2P_L} z#M@`a?vrZS)Y&XIA9W-*x~pknf4BB!B>bHkcH5Th!n`!DGToBr2Iy+zi{(<%GvCxc zcBkV$RlmLgwe#S&-o?@(pRD4Gt0e5Cir=#5=_Qi7hRA59V~i1M?#>2hj6?A)$l@EE z&KC^{yoNq+zO2g`*EU57VVXjbs+OKwMzx?s-RbkKNW9M&nY;ncK`eRjFkQ3b@b!ZXy)K6#`_GNlv?Vs!+;YF5m8-e+P0A!}>a zj(*rCP#%&#Gel%OmV>+>hs|tW%cp$)?qsqZ46zl#dKD78sAhhYPQqYjxzK`~L&8kZ zWEn*`hCeqX=*iE4T6@#NFL6pazQa0~dQOCv_%^5GpuCRNwcIdJIPoiSPLq`lEJr6y zw81h;C@u+39$SIovU?OkOr$=KT~hE(n#9AfxPWDa@XmB0ER66zHJCjY)OMta_lq8t zoObaOo~X_w?qug^Ijvnro! zmLp`~u6wz|U%%N8wd+31Ip9oL+@QQL#rxs`&JL>uR5$wrQr1{q^>L;e#Xx}k4Y??ekccxd^IceFGy6c6ci=AL{qto-5B3ko*Sufq#37a1@xso zU)VT(nx3>uM>W;dXj6g$0K$5PkJsb8JIOhRQ$?4V-Xgu$x+`U%_jACe_MrjUM%GBP zOoE!Kme^1YS8VS8efv&Dil?7F07rbVlgyQ`x~a@)myuNA>xzn3yR7mujul4o>b%4D zXW@iL92?51v`A4=Xa&*!>yFaj55B%R)ScWx)s`@y%#y-=$PSgl&hWNYBS8DYT)AB6 z{t*}2b~0Vxbb~-XBh3E4*gA(MVVEG@wr$(C?YC{)wr$(CZQHhO+jh?vcQJ7nv#5%w zA5aw)PiCHzNfe|i!{eqmpB3Vqa8P*tUxw#nWb`$KyDC;PF!o_omn*H(po@HFp2W1~ z`^5I>3#sV!$UKL$XIU%TV3JYmu=dN)9VQ$Wtq;9k7v*Ya_n6!W>d^GOg%*A%4G9Pi z`qGXIZ1=v45Zqnfp^1nj5AU~$v1)(V+1sOkJtn4hT|axAOyHH&dcH6mzGl=Qjjqujs^nj?9@enwMN;U#v}ac}~R)qN~d3jX5>w z!n|&tG_ZF3=C^L$R0X%nG~4GnCg5hk8B_|PTCV@z|9By9*g>5ec1Csh;aZekK_|>` zr7F->D^4v5KhJY79uBzqLUx6w3*~IIN|BF zSGQl4F4i0Dc0NBU0Hc*Upp|ZHsHBzkrQCKeoe&e$X|v-jPsoGBOz7^)q&UuPQY9VC zrQFU?0s7O(zLE?((e&)#41!r{`m41?_i-s^0t%VA~xg{JqS(Mawn$iMBl1a zjI#p8L~khne!Rp{i+JL>``_%v^1+9Qu#T*Vzsrs9xutCmF|^7nn3QW_fFwITXVQO@#VUM&jpopL zJW7N7O0h%-{QwNY!N2`WlNX|SYsA6PX*>@mHEaR2g#-DY`>C{kZo;XT8EPtyY(VZ$ zWP>Gc?j+}4?GauqfC;!C_#&U@IF6d2E}i5w8Phrb>K-0WYl?m7^ZmE777Ce6*MeFL zl67-#XNCyxisrPTc&Nj0Z; z?)npzn;XnVi7vC}(&f1IA;r0&T!~)}Hd5+*Ws()Tl;jhWjt{1YpCKV{@QPMWlM|1s z?8@(%mihcnvE7Hlsh3brF<2l*?HP^pl=n@Mq zg4T6$#>LAN9V4Y29F%!re4SY&(rMap<<=wEanyN+IqxL72B?`5M+)uxWcVvqSw;ut zi`bgg{Vfdx*7_HSVzC$A|)zUn{%@~wu}~Rv|59?dY`K&e5KnSp%)kmz}eln!uiRmhEEgQ6ulYLGiPv(bX#nGyD_>M8T@|x+X@YIvPO{ z(*lW4;%aD2r#U=huARq#bc`&jV>G)%MiD z>z*ghOohkN))w~u z8;|7l)ki&t+I3^AA|V=&)Scd-L-N#MfNDc3!Z9#@qKy!J=^B@PHG^^#snef&=lGA~ z#{X!cmvu%D^T)xqkjFSw!Anbty&&<=)X|#71jSE@hiGwRutI5EWG>@7aF~3Um$Gl! z`zmrd#EVQitM)`llX9jR7u%Ajx#|!rwN2-FahudHQ$Tp~m2#~FNV*~V0Wshwu5%E3 zQr9h*a@t|2Nc7GbBhuHzcP)i|@*L_H4`c^KhtoHZbdqgj>P^PM=ExaWgzuML2I(fz;h!#7Q&CHFIv#+PuN>8&34U@L%Mfn+iZ0B$XtVl=CoLPI<-NTr9VcH`2OL+J=ty@FS$7X$ zpI)B!wgzJzelM3vcfkP9ZFPe=^rvcM_=lN=R?q#;Mhu5y2nhycNsz|<9|#0vJ9<0M z-4f1iMLY}-^}rhj55ugqk}i#n`j>b+PKoTej8d-dj^638c)rz*>X-MCMH*^qw2+j< zEX|PFAgXM3AG$g5!qb1Ly^V7(^XsHZ4t~Ds_zDgxsAO~w!7IE3H9xEHjSg?g%3jIH zB|+T)q-cq5WYB7;4+p(<6ipS}hM6B&e^2Kd z8pt_==gyxRO{KTVOF60KS9q4>y~6yE8$(0-r! zCRsn4X^v-F#k9XHX#put@%?7ct~)r@u`deoNs{iAO?FJz#Np(aOs3j`-jnS1|20>p zyCtM!lV<4qmTBvlH+=GRAwg&{vNgGzw!V70`$$}tvN^Z&Jr42_+cs06$ zS%UW6Ssl;s7{3~I*6Z^A^=jxgaICXWD zf@V}4Y9$z|sCA6@8C4Hv=XA94z(WLX5(BAD+W2DWQ4fK+jh-+*Qe>g?U(JU5i1Mn7hwY(6swfQk(_`~_kY4UntbO6>c@?nS+67h0Ak-S z+yJ-5`2q%rY$CMxl; zqA8U8deeyr(|v8<$bm)^C(CJ7k1yK{XwhLI`q!s(L^V&Nwg26WX$gn&#DXBzrlQdc zm2ORM2o(0+wrLH=(mogH9?o12hvY83i3!I9jlCIx7L!wzVv;x2qgcn%^0fXYHUbnw zp?8yFHFG+iKlSTr*{h&v{n(ClMlOEFF4s+gqhuQMJQZ)V7)PEk&sJmSMG&!TZp=E7 zLjJ6k53uxAQIh^R+DAOI*+pbN zYZ+Y5+3nPSqLRtQ#(;xNcuk2~8mb&)m*UjZ@Wn3wJum>VMZTK4niB6BppH z;mJ^$Ur4zp)!ppai(ScK%mp3Sz{omV^6t&8xK`3xDc1=p~qNpV}8b>Q?xXCEgtbKD&ENJmR1w*>0` z4M!x(UR1bI&{-uG1m7#6reCoZ@VOVP+%%&n!9xQcr|1WIZ`*r04rT?u;>d)O)DwH4 zqi;FX#qlNcK>2DY~CGY^Bl%Sv$Ki;3A0B;BOa>WT4FByA4gy%td_7owgy2<(m8e z8;xAipW4A2cS@wt_8k6h;(mv==Zy+Gz==Q8u2HM8c07X*OevJg1s%D~5^$Z_k*dD# zonuU?Hno5k^t0{U-i&UXA*eFudZ9CW5=7FaK8}Z3sXS=NruAGDsV@`J zQ4=nC7>QlTqs*#4eO1{xRAMvhjxs!XmLyZU%~gLrhhbkJ8lN`gbuUe^46|d&FULY% zF5qrtx6z|5^9TcYG7CdpTj$!)ENF?MB_vh!A)F)OdyF z%r$F~Z=xr5IBU5`8Azn(2ZOpFF0#4T(5=}8SeV;^V)UIFws*Ra!Y~&V;z|#Ik=sO* z(ElZxn#DQF8R*aqlsQ94@RxF8l|I$I%X)JrwuZbS_k2~~^HI*Yir!PY)ijh&80OF_<~=T$OVK#gH*WLZ41OEQ~mJZ9#GQTX&oXQkDrs7|Lz zZ^Z#s9>-L|t`f;ZdggMJ&xsU3t6@1>Vc^qO;4Q?TRB$pDhbFT)h#D7%+Tf_zunkO| ziyIdPb#^&>!ggbe9 z^sJ?z3!%#nI@dS7L#Ansujj|?2FBxLJ|@ErK|w;Q2f`F#ZkH(rA~?-Qas%twTxxVs zQXY>@+adTv!x0pObW&;jW6rL7E^xaBQs@z!XMJi(Qcp}@$JhmimGEg6aGbjrx};Or zo@Q@C9$$`w!VVq>vcC(q@+!x89I%c%VmVfHE_L3A!wqolfOtw+(hPHLsXn*SYgP0& z&zdHrMylCbf2~4E?VxRv8G`J=m$qivKRw1yMZykGzF}v3f<9iXa%un;l}GdofWddz z@lba;5^xG@irY!}6qsEorgg$+^aOdpi#n-CZbB~}#;=hxA6&B1Q0VBNts`xsB;!R* z*kR#l!2Te<8Az^+@N8{7(#PVCkzUR`O%WiSspdCyw{HBj+IkfiRFrJ)A$u0FUH`#6 z9?KomD+*bXLZ*WXCBoW9|Kma1b6g5C?aB#dN0+p9;mAArhPMMw)V@UaOEzFm_O={7 zlAt9*d$%

vOgS=s^dz@CLVS5<174o3IaRqdP@CRL??%KPyw*ABqlnUe!mZNHr+EN+tN?b`OcVP?WS% z1(MzgS)O_6PpF3>FX z_hw|`Nf*_(gL(wAVAINFuw@7r8u@yZr}`92b9MQ;#;oQ~04Rm^7yI5j({y)UzmQl` zL_|`O;KYv^Z)L@-U+p*Ne;I9k%f!#Cj<^8M-Llg7Tn|1*SYLQOC!Kh7o?#^rlf3&8 z3!ZjARX;J6$eVuernQ21F|OHYO9hSDI#7z_x=ZBzWmuipJ4ZBhYEVUV?dh0{u5`$=Emn51 z%eg&ke76w^{1=iwlaw8*Df=yC15rU)QaEs-ez(D7fnpmkPa?`EYRsD&lZubJDVt%w z3N0$|s7Y8}d5Xo^vK_SPvu=Ax50Rz+Sf(4sc|)nhNy>DPsb69~{mSf@bGSD)chmf3 zm^bV;x}#p?A@qf`;^_Y77m5s=xpKF86l_c!%alvxW?BjbYnO<#tbZm+=yIfQM#=A? z7Vc8gQtYykH!Qul0N9d?DtT$6i5pKx64@K|(W)hy8!)G*PHEMkN>!JbGsn71>~JXM zFZSpP0cNCqO~y-gk`PgZo2=Qb)pemi5($8-o z$a{pT{|5ce_1~f2xmh{>3-11(%02%-7XJSPzjLy&{=X~t{Dov&{3aA+Sf?)#mUx_^ z*cfkq-fC#sYY!fGV|+I75l>7==xT`|AvIG)D*;F zzV+o_-hcJxGsK)GCsj2@2b)4JkL*VY6&ELJ2+R!1$SA`C3K9}0LSjZjjKj{15dN}- zywxJQ1!F^?eNPL=A%G@Lv^!%W8Jz_R2M6#o2U4LSr6i-LB!&tBF++(R8A{?AU?_!q z6(9!&LFGsHlRy&@uxEEL5?mh0kuAPHlm0`*1QIhhD-Q7w1Eq10;=@7c2Z3NJWS#r1 zhK$e;^oNTJNBZGY5ys!kl4MpN1McbR2_vWtS*pzrv@sMO#{T>8 z=P`OP`|n3Ny9vhc!jE?)b@XG<7uaZ!J`*KpArU#e_~Zm2kngNPsIad^@B_tS1dLEn zvoGsZwvqtcr?(QIFT-krA)@5+hq z7E*adxT9n4Z$X6bJlAwwoc;Il;9^}x5^G2}r(*ekU$vFwcX@;CLL@V}4&Oc%q9F zWB~-k(jE8PQ8-#$2)CxA17u{tSOkdo;KEWeC`s`^AL7#M5khYtXv{zuy?YVGNPz|DuehV}NEe8S5dUHW;^Bb8z9j^CAW8j2%gCU2nXs_F z7!j3$Vm{!>1Beh6=ls57gA(ZkoZu!dYq3;Z%eIyFAp5+&a+1*YA8?~&fs8B-JuK&< zABTg@M8CnMWAwg%k;$a@5Jk=#E{aQMe--~qWHIL7#0#+6KCOi*Hiy{%`c+J^`Q0QY zv#a23T#rQ-^)gKJHvTs4@=+sXGld^X*;O3SCiB%);2Z$2i3jB4xfdZ7vTxWGomdqh zFOj@JzdL;(H2@{W$%Yr+`?<+O&3(%#RdM}_Nd`ZBj)+F8eESNU$o29S@|{4sfvUJC z{_$!O-}J`#^$H#+_C~au-$KgOs+TV7rggt1itg^X+Xl?+{B|{2X0J0Ihf`$$J5*qE z_pUqBcfy?V#Cbpa&RQxEnc`pT(QFddYLJB>6_;x6ue&Z6>XMBPFAFbQxw?;n3s~S zvo>@MUU#lzA<%6PJ+CTqgcx=R4$R*Ke${V_-EoM+*LQJxCm`T<*y52D&up1HTX)DG z3~=c#nr(l0Do7r(b-y+*Boqk`hU?L6co#|xM|j-oa`r1>8xsuI z#`TfH$d#I5V4K;yzp@af!R6qEDCQODTCuNW2Rzt!41n~oG9OFx_WjADHO1Y-9`Vo1 zi{->H4A2*3FzZ;7y;^@S3=>*8M5^+L$e@m>GIEj!%Dz|lVecuEsHQldttOWb*+11Q zX!_-m;vzt>SnF ztSxOIe`vPgEbuHfeu*+lpURK-(EJ$%^g-z$f+y*JJWJa zA?KxRgF15^h5NTs0-rl7*PJYG*>#Cl5_@8L2D8Qy=NOhgL6F^^&MmFogD0+`zoBgL zBXkT&@D5lr!&KgULWYy6X?w)R^|2dks}0U#q0B23ys{@Y1Z=n>^bDkIP|E+^Pppzn zPCeL78Iyi8W#|I79w$7m0SqoJV@l_Xtxj3yu-7tJcEvKMB|~%ZS+G1XYznvXCzh5d zJF;@F3hH?#5K=cfUC2e+Q`a}8uecyCMm_AY#F5)=wW$u`6d61W0 zdd$5k!Z{YA+I$-WcSml_(W+JAGfZ3pYk?>py&Nhgcvcl~8o#p$Jjx|xc>m>?{QenI zWu@l1UCmA9gWLKn(rJE6v94DGACbkw`(0ip0$3uQiMc3IVwo@O3sd3fs2(j%|F?%B z5jqH^`8j^oJqF{yDS+!iwrRf71a%=C~vuI(3f?H#V4deCF}VsrOHAR+StIB?_w6fGJ)d zX|3RtO;kiOUrVaOXSas9i12IcdQR}_U~~tROGW+p&@8%3|8aDZgR0nK8rB_zt{)6n z)4lJ4%g3aqBu!kWezhL2=-CQAP=Z+bR!W`eO!*Nt>f2=dc=q|%key0`P=BVR>qHy2 zf-s}E>xo||Neh1SJOSKG1%4^Y5u|z*;jkv{uwb1O`Z-!-?D69^ii{Fcj0)!%9NXx#V zBc~O;E0YCoo6w0$N44HGTn)CPzn-vhTg%g@d`Wb=%djZkX@S{l*fk@kt34Ek>$gVH ztZAZB!uP+`^-$N*HiutO`(n$cb7+IbK|WuRduvI2lc*|&popKVJi0rLvi19O*=Waw3 zMJc*a7-B0Nm5!OR!#J{2FjnNo?zHsxvX(>0h&b6zm>t?@memrc(yBDKKI<+eYBjzp zrfPmix+dU)(@UetB3ctW^kb?t0Y53#4zp6-fZKGH?{Z;Tvg$BF%YBGqQd&+v|KMjD z!7ASmcFA7al$tmCb98dA;(bbUZ^8u^^^C>78}_1Ai>sh;n$ApQT$5VB3!a6I;!xua ze`KWrE?8vkt_|XfM3W83Soo$3ziBtjk6vaqGAEo4W3ZfPdKd_f;)~VVm0a_(A%oyf z414CLtvXlZ>7IXu)5c31BmIM$g6X6fPS1Q>Ykf_+<%Kq8U0rw4oIUntAmzaze)$4V z2IIaq1UE};%7X(wW@usx)^f9C9altFMv^)ON~hL>N)N-EF5+tnTUgWY&H0Y@v{>ah z_T6;I;Nlx#x0!*2U4h2a z{!gl^^0oMmyF`)gdA6!LaVE&L7uYdt1zKW^#v`IN&eR|f?XT-KGwV6B)EjQT&S!mE z-q75rsDM$zoUf58GWk;1!c=x-%S^c?HUUh+BKXy|3v_#7W}nr~ZSdvSN8w6Ul~e7C zln!BuNlG2gsqKW8(8fVxEMf`^CPEYjiLuS&rxjD zrLqBE8aIo-!=wor_1oQq#l>kHXPAI<-zd3cffL0z<`eMc-; zXT@FuRmv)K%AWl<3=_?Kjx7cxu7KJo60yTKeAi~UwosdsmD?*NaLAO|=uJ^5xr=0v zJIdcNvTg_s;!WBMDYtX48OsU`2FLX9O;uTEIoqmj0kg(zd@eD~?zZl#nctnF!Aq-t zpPJ$5@fKq8Vl4P%a{s2$r%$!yL)0YDuCSwT2|6GywG*Q96zAt}g)}q#N_9K8F0wW1 zN0M_q`AA*u4f43Z7O;{k5CA)o=8=Dyi&n4`6n{-qEw5e4ps&Wj^fd3@?$f;3ae3>M z4!d&>yanqxDQoH(O8`pht1Kb51cGjpJH6L zDW~wd?S=qg9;{&3HiL$+PySf1b1Xp#^lz#Bu-$e^AbdsnY&0m?%gt~htgn1czI)XzLn9@o}a?Z(|cq! zX0fa%T(+?xAkG;4;RHS4))|NKJae28#2zo5=X7#!`0y#`oYoQf zDnCcyKz62Y9{}4rHy|oQb8jswHQjXt+J#$cCoto_@#*T;XJ$sr9 zkD=``^5pPW6{=)2DS-N_1u>H6O7IZ2u>1K=DQ>{O9;Ofpo}|p5~;Z1IWl)QA$PPm5>ib?rDSAqjfuEr$BxEkC@OMCNeSwf8hb=58^xsGwxf-3 zjU>;m5Yf7z!`o)lqijB<~{gB~8%xOox>6gaKjRp|l1%WL7})gH~zi$?h;6-ob7iM;w?9BnhFfF+?yb7kaI z|10?9D?%#yz9Z=DLPw9-X;Y@Hb{JWXcAC?t@SXxbVRbvTPEa+K z(ViB@o3ATGk|_Ds!rrlqu31ai%A0kT`yAYKUtuYhW~kfKQN(cN+|v-_%o zhwd4gN6EsC4%F*p?~~cO&Gkv)WACrvp{~c`9EOFhZCQqb@4rZis}`^*UEO-j!}43j zecC#kBh)=uKyAG*o8xq+agU*Wo<&1|=oIx%jZ%f`%=ob`&X)7LZyvo1#R@4YRe90i z#^eb$_fb_-^*yE8;+cC6<3T4fg)3W#3L#ZO5YOX@$Vyc1jAxL}&P{uC8QQXLO7a%Q zw6!)gApak8Y_D{hA69YR&Zkt7*J(=M!T~{L_kGMupaOx&lLXpUl&-Gsczk># zmL>pKUnx^|?RLHoG>ZX!0HOBoI2YcpnE9&MD2=fJA^N!>dYg@#nXmHvI;OgU< z#S9V5--549CzmN_q_xbnSNNwzGFYSUZj6D+Nz>d`N6Lp}?{k<*;pluEzREBM=dIb{ zIXx9P?5|(Jud>!^eVkp9p1bTX;t7LnmJse0C?>so1sN-a`r{$uwNGQY#vP%;W={R` z7>di(;3D9LsGbg5djslK_bYx`x&$QdCk|nbze2ak40r<-izyDU_*NU_&*iy@=Pr03 z-~5-s(u4xD9v3aCL-vi%qb9B)mhU{&R!qnk+$ikP8Mn@{mdvzX%B*2=eB_W-ct!xt z5tpwn{*Fr(yeFO@rS|!^JQZTLbWZL_TAc- zsA?*a2?js6h6H0PJsH0`dhv@gCKa-!ss+ijxPyRJ4J~TG z>2hTcgIEpzX!45BL|nA($(@hYO-hH3wQ=$_r6UEGuQlU_{~xkXi=+5>tgy5ccJ8|% zXl6p+Sa+j5&G6(dtJZrdn*~?4+sm(Ur`ro!tcp>gp|p8;(xu?#ieGvo8`Y8}O~gQ; z(>&w*U;n1gIh$@_QrZoWNsM#b!)#?56R4y2Ey8Tql`IBhs@Lu)x4nI27MCmMbTKn) zB-D8**$hv=i>p07puTMyU}^rLH?1xX38bhd$Lk0? zIv2L11^|@uxM7oUsw@n25De;4+lY5bP8J?xIEj29o^4i4*^!e3_2MgdmvFnfGbXCL z=V~e}p4zwi1D^TY>5XhtqCvnXGRsMRRPW##)bMec6sd?FT03VmV>-X-#g0#+5z!4~ zl_$)}o?P4TF3TC+z^YC)06YXwWleBOl4v}6oJz)wR>gjOCi65MrRl{e_s}@m^KY9F zZ|ak=lo?4A(Pyme;pdzHs@j5^q|{Pw(jp(c&iY1)G~Q%hk2N7Gj279f*Y{Nz0q`lF8!z&6kZqj`S{FG@Ri zo8>&b*%8Zfdf@Te?8q)f4E7&al%D+YOX{YbJkJ)|0R4aKV>hY6p(E-`W}6yppem9( z`^cAdep7oRlnMCTXdO4y{_Y~lvO#RhN>RjqO^NayvQc1QMRyJ<@ghEax`7h4J{h!q z&-My|YsT?gOsRgvv44*B-s}By_ZS3_OuZoQdAp)u8N7*>p>e9M$ZcHvl%+RQmYuqk z&^}pW1)st-xCq;u;M>MIjK0WQ^W5_J$R+rjuM~3%#keF69S_YpwtXMGC@bK(wQoPb zLV>AFepdCZ04l>?vP7HTiFDqdvJHmLvEMf?<6|tMwphxP!&J7H1)(K zy1A`xHzf5_!(|Dz{X_YZBS&wXKk>+y)0UQ*yCEBHLebk=d{B?ViVx=MM~auO0gr5B z=LK-2kRnOffI-_?$qx2wl9)KArroHGmGHY}k>WQ&lyR5h0PlarQwuBtKNJy#smX0o zoXESO)T36QU21v4RbRFFW23PZkmPaTwz;x>=;Q^@Fi)RTqss(aA?GJCt+gIpb-~Es z;s$*)Ar{kK$LU{EJ`X))tklvt)^^pIYgSwEFmbxa8ux<=ws#iQAIHKt zYX{1|0z1-ztaor9(~5(Yi;hS~#B7p1IpKHk^T!9JEMkl4-0WUK^Y-%hK3fzh3NPCb zi&2;%j&5FAc1h@noBbLm%o)ur(1#Q|o@G5X6+G+`3a)f$+dsy=wVO zmo!IZekoo&&J;%FmqCx)P}OAyZ*HZzAQ88f&Gl$3vLQgd7DX;&Q0s6?`{Am# z2ODdA_i4k?X7zTg{K(O0-%+8;d16DQK(YVkWPfn0Xg5NEu$ECkaQp9R>#)LUtFSC- z_zri8rSd(l@lCf*_M$P?5j(M00g_C1JNN5kM`3hF%OwkRzUSZUbykeCpigCrFO1?z zWpyK(2^xL^;$F9ak`<%9YM<&7RUTMgjxkKe^-y?a~ zsZe|VqxO6Lt9mgiydOahU!$~v^w*{gFFbkf&b61SF~Q#Nz~P4l(BnDU#i8Y70PePp zpiOwhdSfNm#oHP9@)LVC^i)p~)mp!c!$PWjYY>^E<9hoK?RRY2fM|KzMiMvlLbeKQ zd9u^4AFOX&u-SZn`Q%NVNcA)NEnP{+D*1(v68dhr5q$~yY$z^Ue(XK8&L_|>-&F_J zx7Z3=KXqsiuGCd>+h5VWqFS@1j{947%q_^nXQExT<<^bPPcfRSpX+$hlUEje?qt9qx}zO1o23poN4gf$`)65Y>v>#kT~nE* zg?><`ZkguD9{7 zS)3vW-n1jf{WeVc(}E|Vr?;p!Y4YBL8>xm6Q4Z$i6DMIGVYcn!6BD zIhk3gnQPHAGq5o+Fmq7DFp9dE8v`7FzWfaTSJ&FnLChFnPDCZf!@|VO&dkij&CJEj z!pu(3#6`)(MEPSU?`ZZvnW(uKJ2{z~5iv>_+qs&c(yqwI57!^%yQ~~xdj0!~T%>Tiw=Hdz< zV&&%guZ%PiD>Dbn|EuKErH-yD?l6k~vF5}+x7*mnr^ca73NY%s5enq~K>au(OO-IC z2uY%plfPg0m9}&vY~P5}mWnxh7c2kfeA?-ib}h1uRRVC#3^h!3Xe4%7-2){ICi9+{ zk}wvnh(aG3auH~T6tSIlmAix%9jB2g{Zb}TRlgx5g8>$PcAb_3$O%cScFcZWRQ`1O zm<|_t_LKiOFnl_gY?}29%(XnmlqqcLU(#Qk|N#8L%uZiUoqgf+`ER4o8-0sQ(DSwUVJ1jVKeJxT4KL*iz>k zH36U1S&y}Ru>+}^*f;OYo;wR4cwt7?#x`;hp3n)8W}(Bi{pzQv)b5^is(4BUY# zS7(!&hj3VY=vkfZX;w|o3zoZ=Zv_1)j8^VLFeLG?|LxK5rw|ufj(V5#W%Ug6(d7U4v9{9s0eYrzN9fBe>ruSz1ocL*0X@P#+?8D*h?{8M~aqd*>;R! zL56dEop*OCZ5yP;=CL!s$THZlkUgcQQzOeht_e{lByTuQLUi}d`8;^pfj1&xN3iZ! z1ngzD=#CZYzPpH;7lHVA&qiPQ2hHjU=WA8PnavL?*c!NCVcC_2O<)<8d2k*T0 z8a^yTaOXc>3~Vy2d4yhf4yyw+OP2g+j33#l73Os~SjcoFqtuvf`?|wqfBRj;|M+q z@7W6BbVCoo05<|OH&a8*j-nmV5nODKQH5NycJQ{m+|{k#eU+Jfr!f|ccz!glV6&sr7wUOb^xRUhzBEGC(wN6u$3km5H-iNH)@LN|e3pAxvK!)4 z*5r-o*}TC7?t~G#GK)GJKCArcEUkV3Vn=orZMnUN_Y`SmQY^k+-(MON7SH96o<*DJvQM4-T-G=w38kS zX8T*#PZ$=Cn!!Wf#m064$7^_!rMb?`@NGP|IaXGLdfcK!FwR1T(VVRD(`z&F?*#8O z_!4t>;a;0b!7tWgl8y(qM4DCi$VKatSa`!6u3XbIhk=b_OBw>VJC}r5fFR5U4msP(M59FGh~*{hA8gz0FBH_c z_g*HN{sKAAGN))y7*+f zsV&MS5A>d>=v~MfG<1X~E=sf;gBpqhe_BmL7afXcQ*6ue*g8&3J4+leg>TVo8%sfQz zcmF=V2Yy0-W-V?Q0}cSd-t$sVU&1c7KSO|y01!f+O6K$GJ{+sm=cxdw?&9|iT`E!>~x%?k&XpFWzmNoh40V!IskbaVi0Ei zb{#Ku-Fnct3f+|hhn?IJJdQbebAcB}Z6}Q)>Z-^l-<^#p(f=ck+^9_Y?`yKN?FBoA z>AprkqydcJIGDPt;v>zM0`e}2FF}<%={_LM?*g%Yt?f2+@yzHtUwynvc|1|) zTO@I6&bb zr8Cu#hXX!q<>B@A{F~qdE=#}=mu9H<4>yrUwg=i@+9DqHbv1Pic$w<@vgj1y>Kb?+ zyy>jQQzHORwtg&x;lah(o(U77!qBCV%s&iRMPaF9S}ceO)mWO4HGWB#jz7>g5LPKado?9R@v9l;rj9P zcEi~z0;DU$%vl0koOM^yp<~3yd8~*9YN$Wo+w1EVG8&H#X1xNvUiqCUn$D2ji0z_R zP?2G*?+>AeqC{}?A#`4Hak%MQ_(!9U(x=3zqviGI)-Laow?0ru;=7AXT+zeZi64bW z{QJ||#WTq3bs*~w;@z-0hA(YEkhXuQF$5;m<*Jdd46`79_Q%o$_hhrDG=TEXj3qM$ z_>``WJfH_B2IHw1ZcVoE*pOj50V(`0AfgQZ{`By~h9V%X$B>JKcMOU4V;&&#<`B(I0wJ$*Tl1Xo#DQb zqb+3RTJOQc{*s@%TpZ@?hO%ps+{fO#p#cG5Ql@P~fQ(tR5^pPiLho_2@ia*y2WtLu+{?KQ3(EN)K^L$tH!(;rwBVZ3kA)BU$j zUnN#6v$jQgALq~4?uGVf093t-inS~e|+ z?#Z%+B>cC^@|Pl{l9A$6 zl-6gzrRVu=Gl!b{-ltj-V%eN%&zZK_!w4|<*-VocOW8}gX>GeP7~V>3M9T`jc){>F+z2a-?mZJNq>3YsNTeG)x{f_*`l#x_9e3>NLcE!p|;UMz$9QcdG)* zrnFY{TzYU%N4t@2bMC7vrQX9Pmd+8p3qSP>^$nzdcnGeRuX9hbtnDv>-@~%k7*qLo zU$-bHwoncqBKKmtl{eFsfR6oBzDQFlrL%G83^9G5?II zI64A|IGKLttNe$#g(J~_28RF95hK#&W9Am)U=n3#;$jowl;9L$5)tEO<`7|F;uaN_ z5N2m#5g_`XO@3C9Gk35ASpCFh-2XdxBKn^>tMMmz6@D3`h3sY^iV59d9!jF2w|VX| zs9{tE_C;->E3M;*mQim2g*G_^4usgpw}Q10WmxBSawp*dy&wvOfq;>e@f6Z$7Ls3K z@xa!KCLje#HTj-LLe8Q?l1LYu*2WbwUJVvVAuG?GCyhj~Ay50_MpSX3a3^36lb}!* z5-AL3P(^7aN6h6J=AiC-Xl8i6yXzz6nJ<&qYq!%3Tn)R4OV}>6zw)?k#^0w@%J|Fc zwH$DqS0waMYvvH=0oVs33O<3ujxjHQ$N4Z0{_jI`1sJ;kJY9Z{iJ6U^jf(?@oLpQ{ H0_J}Kdm}3% literal 0 HcmV?d00001 From 99b2c3db3705b5231ca360c9fa69c8319caab69b Mon Sep 17 00:00:00 2001 From: "C. Bess" Date: Tue, 10 Nov 2015 17:03:40 -0600 Subject: [PATCH 203/286] - add where and guard examples --- swift.html.markdown | 23 +++++++++++++++++++++-- 1 file changed, 21 insertions(+), 2 deletions(-) diff --git a/swift.html.markdown b/swift.html.markdown index a39bc1d6..df9c5092 100644 --- a/swift.html.markdown +++ b/swift.html.markdown @@ -149,6 +149,14 @@ var explicitEmptyMutableDictionary: [String: Float] = [:] // same as above // MARK: Control Flow // +// Condition statements support "where" clauses, which can be used +// to help provide conditions on optional values. +// Both the assignment and the "where" clause must pass. +let someNumber = Optional(7) +if let num = someNumber where num > 3 { + print("num is greater than 3") +} + // for loop (array) let myArray = [1, 1, 2, 3, 5] for value in myArray { @@ -198,7 +206,6 @@ default: // required (in order to cover all possible input) let vegetableComment = "Everything tastes good in soup." } - // // MARK: Functions // @@ -240,7 +247,7 @@ let (_, price1, _) = pricesTuple // price1 == 3.69 print(price1 == pricesTuple.1) // true print("Gas price: \(price)") -// Named tuple params +// Labeled/named tuple params func getGasPrices2() -> (lowestPrice: Double, highestPrice: Double, midPrice: Double) { return (1.77, 37.70, 7.37) } @@ -250,6 +257,18 @@ let (_, price3, _) = pricesTuple2 print(pricesTuple2.highestPrice == pricesTuple2.1) // true print("Highest gas price: \(pricesTuple2.highestPrice)") +// guard statements +func testGuard() { + // guards provide early exits or breaks, placing the error handler code near the conditions. + // it places variables it declares in the same scope as the guard statement. + guard let aNumber = Optional(7) else { + return + } + + print("number is \(aNumber)") +} +testGuard() + // Variadic Args func setup(numbers: Int...) { // its an array From f48bfca185bff1e8d69f29039f8e796db8ca6f68 Mon Sep 17 00:00:00 2001 From: Ramanan Balakrishnan Date: Tue, 10 Nov 2015 22:26:17 -0800 Subject: [PATCH 204/286] [latex/en] Cleanup of pdf file after previous commit --- latex.html.markdown | 1 + latex.pdf | Bin 145946 -> 0 bytes 2 files changed, 1 insertion(+) delete mode 100755 latex.pdf diff --git a/latex.html.markdown b/latex.html.markdown index e89d7e3b..2492f226 100644 --- a/latex.html.markdown +++ b/latex.html.markdown @@ -4,6 +4,7 @@ contributors: - ["Chaitanya Krishna Ande", "http://icymist.github.io"] - ["Colton Kohnke", "http://github.com/voltnor"] - ["Sricharan Chiruvolu", "http://sricharan.xyz"] + - ["Ramanan Balakrishnan", "https://github.com/ramananbalakrishnan"] filename: learn-latex.tex --- diff --git a/latex.pdf b/latex.pdf deleted file mode 100755 index 6cf5f37862cfb3b12eca957a4cf2cd3bc35871b2..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 145946 zcma%?Q;;S=ldjvgt!Z~p+xE0=+qP}nwx?~|wr$(rnG<{VYX69{6;V-D*HxKsW#*G) z@*-lt8R=MI$mW)Y*I<~57>Mi)En#?gVCbbyY|Wg_iP#xgiT-QA(2H4EJDWHX(TiCd zIGc!=7}*({!0_?GI5|6-7}&tLZ=@*8*ex+2b-$_=V~Ud+9>j5s*DL3P{1zgCL^{~B z-I5Vm5z{E!{P7wguyakbqpKgipXz!w9iiW7JpEfPtu9z>Y_hOJ)?_QL6Cr{@W}%+b zr1QYpy<*9vF$0^bTg6tDsq81>6h4|~-wvEL?(FL6mFr`%EAT{J5NJ=F5tpl$jTT78 zNgrX3CDwbjyobi2dTumwp)5$d)|(S*V;4xg2)lT0*4Eur)JVQl-~E2!!?GcFHxXu` z{%+r$nH-_}%`pA?GZ)(!mMT93U3Ecf#;T7Jew_2HHo)6`A7IzW6I^y4OqB^0gx(|) z8BN|qBr`8Bm!JgVm#7V;C=Tc8(CLz-+3w!W(UYr09{!XlfV@V+QLg=%-;i&zvF>lk zYS(n1pY0fwCLo`2Q`*mo58ph@`UZQ)|L1eUvlSnQ9Ba&B2yDXnZC0afPlTW9gNjo7>9thR6~}EW^tALki`Wx zKBzfMEnsPZHJQZ(yQ9>fBeAYS1VF z;>lsjwBk-@wapp+{Mg?#r!e=&;xV5LZ0Xh47OBOnZy0+9aURT8$*_IyRkZo!Mb`%Q zAxz-<-m`ZzGqS2AgU%iy1-qCKygXY%WS}oscw*CZWBh~Hb?x2BK@W$>e1#1I&=mwI(inG{80|130zud2_Mq(&(9L#L2>>l4z{)#>WIOParQgf-LewVryjl&IswDg z#V64g2onb0$!D>!q0#fj9rYFDaj=~=rk??V5#}uL5hq_cd_$rd8_7nj$1 zt`B5-adsh$iLLSfd)5DT|JNcI|AT2TGIB8dZ%rdcbvJH{1I;ZW;-bTV2hb0{0<6AA4G~fP`PJXb_8{FnUW( z6#n8YCod+dgg2*lbKf7A76RfRtSAGH^VhsLURrE5o)`v&hpO1^i}4Enfao+?QbS*P zrz?ZiLw~xdu2$V)rZYRXk6*JudA5-sO1J=8f-Mf1B3hb&g4nU>KJywQl4xq8I44p z5x?x>nd1E&j9?~o|IAt%v*DUBL_lP4`N;ENu=$E9*P#$(*z1^WpJ*ybB8YYgddGnP zmqy9F4P5Z0^PmuqZp0l%F{yw=!7?N!UOvM!5%V^OwjJpuwvD%NnE#_|@-x57we*&p zXR8%epGc~7#n;9=vO}LvH-R^!FRbe%^@o0@>v@FYH9vvX>FM8+99rN8IA%?Hrcx$g zaW!ceOLG3W;?lf6Aweq{xwTtw18&TgYp&!RXZyYPUm$)0`rhGEh&DrfgBA*m3Voc7 zkt!KO@{T0WkT!98edl^SekLJ5CK5k__L&>HpI1T78Pm}R-y8*FN-0K%K^9V%x%mwI zGHVB!!XrH;2ypPGT&zMj;^*0!B{1chiloTX#I+mnDwF&+ z$e@j`E(`ixbBeggyu2^s#o@V>wk-|Eyl--7I&eEOxc0(7<^UiGAUO1O;^>o)FpfG6 z4JcS)Wg>|w7S2mEvg7qgl72M(S4w&})%FxO&%v8#L~C2T+C<(QmQh7zrHCz-tI!a5 zfLurHrBPr2PTCD`teIm)*@+eHJ`%v>!494S#Ur2sr9Cj)b)#jb81-*3J(@cVF9XyF zP)f^Tun>VY#ynyY<10rn9dwO_m>z;71zwXE!yALWf!$s?;+4i4v9%ouJm11-n*;(o zZ#R5!6&%{nw&p1CUp`leKiB?%xxN87bp%3M1ZM_ZUIXHUxJk!%`XP~J!hM_jL=M+w zMtVBu)xNs}$0_)nE4+=g(oiwufL!0UldJ8j=2ibOMF{bcU}IH*>(zT2<*YaHha|#n6`eLU6tps&Wxfvjn7QZugXD zX*w3Wp52`<*mb+ZrvKpUIREE2fRUY%@qg>>Q2fGw=-9+JCZC zdf)0kj*mlVO;wu=7uJH4eqOa5P_np<)K$ZSkhExJY8O|FTeqHn$G9%Ta~&DFG7Y-> zHjy|_MVc(cs_G6csi$JDi^N1!1QehZ)i<<9S|mnNF)NfPZ~e-hbl=)ML~lEJN4hE5 z4&vm(TuP%giCs;n4KdX;D~7s-rk5~vmv9!&H(g5wt=aLaF>uuWY1aPjn9$M6(jDmZ zr#*LS@D75m%i{i!Ta%K$TfCD{wwrr^$tbd&-ES)~vlefoHq2pWvB9ZL-Tz^SwcNgZ z0{?nDb$f2n)(d~gLNje}rQdJ)g9uk!`}Q&)9FIqfwmJTMP9>|w!U{5oHAiKt^U|l0 zpt1!TW7lc$vl5tJFqp$xIc^We19%Y4PmmtA)QTe5r5Kt z6k?#t%D(%xQhybG)@!33)&+4l8UA;BoW6zLfy4a3T%y2j;IfT)YTcbt? z5ZbXkKot^J_7AZDu>o! z-yTdxIZgf$*)yK^-NNPJ9_%rc0%XIzpGh3)7ir@P`Q^vaHe{}LKY22dl4$Oh$2^w; ziY8;}0-cA`!|FKA5g2ovm=4~D14ed71V@Pm`REWYuj!aH?%A9XC|rS{B`?YbW22cQ zlj%bOulFLlbnK!!fly#w_OAs2L$m#hpL+puY?MTcVq88C&()BTQ$Ccd=f$px1z`w2 z?yE&6U_e==RTd5s^HYEst!zBYWWfP6s7YU+If*^T?`fD6pAv7U5yoe7!&8N-L<>$` zS!~8M#)4_~X^qkcL(`kEa!$$+>#mZ?GggfFF1<{za8A|fBJQZdf_>Vo7wExZWFP-j zMud^H#73bB4?1%LN=$p8I%Kh&PS+f(6~V%7Hx~0Pe1xZTqOvG5k>sDJdIM78Gsv}i zK*`gUK*CWB$M(MS@xV=d%{Xl+QA9o_?sc7k*tzdg}fc=9n(q9Ai|r4N>F`&c5!T(SOHa-6+?0aERd|Bw zJ+>S(qufr{`cwzV>{zky9)!T+p|tMP^d(;qr^siN1oU`Apc_R7qrqeR9TW**8L&u1 z1L#N`oFl~s62$8l8!#~7k>-a9$12dQNc9xj+0j^Uf@?h?MuT!ykv*+dg|imdmEKD8 z48i1(sicT(GuuDp%uy6_gj`=4z1R8NAB^`|L9m45 z23}14xEJ_0JkBU+n_E%a?2mC;L4e>?uAwZyaJe684+OqO?*!$+NIyF_tp6-y6w%!G zcddgbGWMrlObi2b6MxYxA#y!_&6KnHea~VYj7`%Yvh;E=J=$HW6DA?F{ha}+puYP{ zw+0Bn%(7?L(-H4nF7$6bJf7iAb)VB``rOu@>eW-Q0f3JqhH0%p8jo(?c{mcXKwJ@e z$(oae_?OpN0?SzUF}VoR?}=&Ctc-iAH@(3SoYPPuH5=XM)2>q|;zCv|U=xoK3 z0TFEQQiAc&1(Jk$cGJN=WaE~tr;^StJTJj ze@G?_9TNl#Qe+2quNc}+P>^g;{0B@^{uF#?l?q4gvRH2ffSGu4a9M*UztEt!KyqKr z<1H3Banyi#3*Sx5u@Rb(OaCYsf30y*%t)t`iz>+pl4| zx`!?YP<|S6@k!S@Sl>p&j>QMSc|a3@_102d)*CkW@ZOaVnV`zT#!9b42$cepk5cC0 zWvkZQt~>ImQ;#?$pCbOU80~m?PmtOJQXq0Gr?jrFF?UuFP&~DfXL@6?s0_e#W@n+q zVRLNauM2~T%gK3q8D?qF3;iU|-*^i8?f!GS);LjbVlXE`~%)#jMMW6 zr>R)4xfmh+T!P62b`<=#@5t4rtrpyk0Lmro!@7$N^E+m6I;CzCOjCF?FoWU{HY#nd znE+ZY!1fa7MNS#7$F8%((~*z(_UAsbY?Dxd5jro?ce_PRPW)jfu^i0bqkpaOh-%u) zZT*SVq52_1?w731ilD*FX#l@DF|ao@0nbVE22pp2(NRy_|1EPDsf#q;g`d=t#%M--8V zf7a^hN{N#QXbp)^`er`QVIIQr6W1R_5t=d1MF=xNJ&)I2epbL3 z_wtU6#%aLmw?Kx+NVl%c_}c^p?Ih8F1PR9-N9_1b=)&BF3pc*KF+UrZZ!Qp;WrL;G z(;b}!mHB=94|_R=%Ndi!`X`AeL`>Vnb_uKSMJ#$5*f$ETR&lHPh7IuxG? zV;&lcE{>kU^aK-OJ$>PYUYXrhPo$}Ea9z%qpbf+9_H4t8Bq52;YxvP0Xq|D^j-uKn zK9K3`M&A0=wOqyi3Q8~>ydLZLVr#1^IuDAkyw(p8BGOr$DR&8^XDKiglH_m8JU7t8 zgKlccfDV8K4X?Uk_0!uJd0CQ;!egxZ4yu0x#dW81NW&eA*+qcJPKaf3{f$=3jfR?m zO$+n2#bsZXA98pr0+i3Z*L}{}cl5|bF{Z!&4NJDX!M>*k+hHyV|9Vt^27$v#FR@M~ z$>I|l==rzILSru_JQE7~_AnLaE2C>ZH$~PSFH)y*PD)6!zd~q-1ZG=f_9?YWq&rV0 z0|*+G@JBN0V2HmnX8+WS=ezBlP+Vco<39+?e~7D?8UFX_)tGojy8#BI5I5ftZdL;C zh*?*>#%2^abfx106hr%d0TFR(!{o}|9t4O8NjRNqv)%2_o%dzg2Tqs)RwA{;wcq<) z{?rqS5&{(w+wmr*l!tgKY*y^fCc6)utM$myiX1a&!3NOk6-zd+bUd%g(6r2}EJbtc zE!-t(Ek*ZSJY+?^cjlyUSj0*5ox2}NcB?%ANSAT7WCZ2%y zKgFuQ9{NG9OsC}oX)7-Y+_w))x_$S#vUQT2Il^v~J5L-GZ3UpZGlZQyAlTw{p94$V z!=QDy5A3w^Cv7`U*z)541XR9SR=J)!=iQv=a`HCAvEXc2E2<*F#`6q8kBkh@P{GA3 zB(d!sfZ01f)Hyji8Zj`O`5PeQ`(0tdc@mY=U>%Tt5yD|pLP2>ojDr}+iLi#F3an29 z_YH&Y9bo>`!jmH~dnZSjZ{c8p5a0#@w>orz82o%V2at9{hB1Nc?tFb*t+hoy04=a| z>J$(iF){E8|2`1aA0#wuXlIaeV1pK-(K7ts0SG`g;bd4~j~{>0qzhXZ(i<5d!@|NK zx##9n@Iji9%}l}F{S8`xe#g^5T_7}oeA!~>BRGS7Z{u)7fC`LaTz#Yo;~K(00tpHF zQv`vop&T83pdFkTg9n1-xXF)mJhwu!8ZU^W?<`1Lp%bg4OcO{bp zy)EtUez$81_0KShZp@CgFcD8@8r{9Kr?=KzR|_=)2r=9 z9U2@zB{YV2ZD{z}4o%5o4y#378-_0?{bWBK55Bj{f`@|GJ3Kl<+rtF&*9IbzlhTUa z#XWQ94Eo_{_sz=lynA#AkGs1cOo$KtCMa6>IR1?V}=mJUs?S=?4!sx#> zn$!GRzv#=FScXvd21iB_^$$-D!R#IGA3?x!F?<0ze?XyrI%5IhDvk}IK*2xMujko6 zRO{b%@C@I)L{t8NnGysKMLMXyC%Xb%rw0d3J|Bl~{>g8-F+kpgpV@ma%(ov+qMMWb z+o9P<)E(d+6u%!q*N-_j`4Yk_6NGhak(T3|UWM>!^-NM2uli@T3=EWSIxsmYX0SIF z`HC9x1x&-j-ypTcZ~U0P^X69235Yv@g{XFKR}R)cCMxOC&s%QM!~*c--Nt9}5C{9j z!UO0o$xb30x_C`?;NNCIf&uq5;L&+NJpg^P=Zz^sAA5|81jf6PMOssW+Ny0(b;dv0xjKq!N%iH{xF|aj0MrTXGodEkg0XolV*Dz|SaJ zweXgdPcE+5t>&aEmI?^Ej(>BO!j6kxK;{*tdM@3q7*Drw?|L4@CjLJfiL>KxxF2wC|e+#ZPff1nyd% zl-r)|jFofd*6>a`kO*lvd>z5d(~Cs5c0GD~+}+K$PX?txS58o>*;hTsSk^<9i?KZY z9JhdPA6dbC$9n#rFay{Rn}(TV-h2X|n0HZcMV(WL7c#n<6)5!Pd4F8*`_GlhgtGhMv}<2{OW& z80Uk|J`c-|wKGAH%A}Z$_2>;~DnvJ8lqoG*W6lPhA{V0~YY1uqm)n6BMhMPw9^Z~M zPJ)lYW0vNG2!LOl>;!J?vM`57IPD6OU>@RTP*Ly`v;3Z#gF#fukDq3SZ?eVQgrDx4 zs^>YN<9@A_IGIyIU5%sDY(hj`1}$)Yh0af+t1Mm0f;1LR0fHZH6e;&kJxj@U6uj0c zg&O`K?d$+3Smf_G$G~P*K1el6uyme($iS@~TDhf!fLzEC8L>CPEi=ocaVT_?l2xqB zKMdj$>vLDGU%-wCd#sZagL8Gays{_WyeJ6QnYwaH>fJub4uaUHj&VQ7ssB|j=LEAG zH=ms&zn4TW!2stnB^$Ds+(kc$?~C0<@CdJyz7gTLGjKJWm^6~QwA*zIvE(oFxDuv3 zFty+)6?o^eltunUX&pa@^E4>fnvK`YDN?bgJup^;7vSwQgpxCFKiidV-N4dn)C@7X zEQw4CAif57V2--H;d@yUiH}X0Q?uCfRAAZ3niDN*L)Itx*2>bXZSk_wRzCbzR-OTM z4zQaI&^#=Clg@apBz1jr)-%WBRc+rq+sN(_U_bLI@{_sX`7DjhOtfa&SF)A2{<%zT zjng4s4$7}L^cq(?%+&grGi~2FEDP~T^Pc9Go+5gVG_>MQ;Glu-0E65}`x-q~=4FHG zyys)be4}NrqS##+BWHwGZ)R(JuWoG-!Iv&gzK0isM(@xp(bAr|Ur8X+PcG!H?@QPcxoMloxf=P>; zxVpnbAIZ-kTm0Y$#d#>JB^GgEEZ{qy?3rspXs#Cr_@AcPNl}hR2tnV{aD<%F_ApDw;wH=p}$M}(=N=} zl$*_~*5Vv~Y-KB!80Cxm3ER}zk0q=s8R1BKRt?lSqm#7F=k{WoZU&2^K=omf*sc9) z6&84b=&QPaWldx<)!h*Qn-Q$MK4w=FLU8sPvrKRG;zIO8QMjd*t zoDup{lqOg5OI|EH-|I@Mf^~z?S2>Q>KwR>pE7;1as7-X8HIqR+`Y*)S~KrvkUO>Ru`Mo+YZOli$7*}%+#BF^vd)|MO%kg@GE$D=#K`I zmj%{*$Cdb+<2;iME>HWIZ(|ElS!?%jmLpgMIt#lX)2mqSucBNPSzabOXLx6>Jyq8( zr@Q7KyivD11gW~<$oGS}&M)1r5XeY9Ur06*qnwE5HuUjC(LBQ;GxRD@nvS>|TUn_z zyqsXMHYVHkfxoT~H{p^ocZo=QG(FD-ej^(}>(Kgz_fHiy?lzu&Q0pe!@eDjxiCf*v zBunuSQGl&n4o^SNt|Nj13VtJ66Dt66;*NSqS8UqvaFLk6_yA|miNJ+*IrNHJk=k=z z+M%eu?U#QNelx)cg}FyMCQX**)MjeHRCkB)oOX6zPM0)2GyFA8t(5RibJKK|8b-1} zW(P}PJo9^s9@Dy*%afJwdiiYCG_nkOzI0yjYNz?|8FaNpZV_Gv%u6v70i!O`Si>F=_WEI#z3d3I) zYsdhuam-+v_@aXRs(6l4YFZx}HJuWxdZnbzb2uK>U5leB5t?JG!&MVaj$;_zfHs*f zRcUvti+io)X}+c*1ojaHAk@!(YC+!UXsfqH<_aao`g^N0Z~?nbmc2xi(fP+fXlE6{ zcj2ivzqZhm6UN&{=RQ?*2B)Pm7)r8DOY6Mr({wdliODdx>V`@tZN0t)OZ;qeTY! z^F&nF=1s94dK)d%k4(_Lo;ACS$(qYAEN%HIn6+}f*|(?2C36xIi>WDf5?R6*QD=r^ z;bJn3ssLBDsD=fHk}_)csP>D7WCkg^87!{y*^p&k-V87a4}L+Q(`HuO_C8u(6c^Ji z;&yXXXC&rY+I^^aCkG92Xim%{)|?!?ouTXOqO1avcA8usD} zc4o66IxgCw#_X2%zTR;XpH`XnIWEE!#6cm&lz`TZ0VLN3d9k=Q6`O092nsoD|C{yu zj29T<)C#NfWvas)6&U~U6+cprWhOkk=vAby8#x!;;Ax01pPpbe!GXUJ@1jqR_Uc2?Zq4?h_~{mY)E!2_$qR^-$4h< zDpPN)72Eob7dzW8I)04pER5saVr)L+u&mE;x!8DTt&~Bzp}QF-q=Z`YzFuNr=HC~S zRXWDjB1i+u#)faOdx30fCvgt)9Qv()2o~Wtm(ir9JngYARBjXcG8d4p;^>@S_{RN| zs`$sda#9ZZW7*!02lPWCeP~J;rWw$r@Y>uxc)rYPE$+dP`;4O|Z32_R{1 z++1*bo=C5{!p3P67i&?Zu=Xy)9n9K1qk3eFC_Sr@VwK-dU4-XxU(-wmDVHmmHf<`5 z=%vb2!H^H2cNKTsMH{^)q<=r1GWDD<{g!yvVo=>6j`LSMh1*3)qTH0%KX$f(x}_VJ zj89BM08Nz7Xz-0cbZhM8Ej@^0of}{}Rqyy#J_w>V)+K9`4aOzxUhkv?NT(`1Plx|q zpZfJFFRGi!eP^%ZMIj?1kY+HX3+5n&E~UBg1!k&u6h^n&7_^CGj#p3~vdu3^ljra@ z4fL0M%Wd82YiZi=59)5qR?lLN8lp=FC1UQ`UPh$vrF!h%YhtoL0YMTBs^ zg!S$cX8PAc#TSEF;<_LCMbKn~zo-&1n&BNm|1e7O@zKw(_0aGxbpNEJP$icx1qZnV zm2Bc@LqNE-R4mW%_x(fK?4cM|F+L*BIv9Cf_^ySSV;)~{z4vXB6t;gG59WDvx&`j( z+HjoJF+U4+zv6HfZ+{Srn-a^p{%iVp5z|!>*cA7=<@)hpH=&hHmxaEKq(Q|ODmTG zErcB82vMYA^!lS@7pkAdrcAxd`$r(FrtKjH>dLkMd0e7Ak`i=m&=-M}-jY?oXUN*H z$0Ny9+{^|F+_e5K{X9E^9>=dH8bjE5To_>1`m8G|V3gGY=rV{0c2xJ6Bol(It}1t@ z0v%O642p&yv8iSDa<;DFcb-o~8klH%yqSxBUbwajWmuAw>$)Qy>o*pIH!Q`|Z{cd; zfh+=k#Aay{Zv+m)r`JRDfROAfj1mhiSC&vMhs45p(atqHI>PR5Q~Vw#fMJSJG<8xX3-fZjLT($k?uY(W#*4%tzq8 zdXcNr@hXW!rrQyV4 zGtD0xuIScGubV=qSXJ@_-3^$AFw_M&^i?U+pMz&%-*t8-=iEGBOEPArEP6+eC+&jP zqEd#s^4{5a*-E|$mfoftXBfmIl2ww}sJV&~&Cs6{MtKw6#2q(5)n2Awo*&u5!rchN z&Lk;eAxg)F+-Lc(2JO8O>vlNxlJ5f3p{|j+x2kuY8euZ+(KM~nK|ocKvUE37+|W(+ zE%gp3UE51gJ1W&$*(P*cZv^62@0+RQC?sT-pp$qpRUUvbayo&1V4SjNM5$W9`6Icfe zMLEVHq4Xu+WDY=f1z(2_=~aYL{e!0-DTuDa*!;h9WI(={!9+VrTTwa|J#b*JHC@}B z26h>W2VkMg<8tP`J}J^)oc|Dqb65JRs_de4JVf$TUXsIdiv@uKou(^{RJhz`n5>hD zneCf~Y&ccccr??sPs$#W!)t1a)y?yqHJC zHoUNeuiTr2eJ1iKq=V0w#(B*rVw)~{x}vbii1Z41{;8%Y{5Gp;9MW#!XGNxdO;sCP zz@l@RDj!pXlhJV1!)Lk<$H0n5AdPQ0y;72+Bxurqq(u1x*B6pXJ*xLaWC^8BQL^CU zLGbsvVO`O!C|mN68EEb~KC{bVcXnjOGK%oOvTEF)Yjf9>o(63(J>WF^IP4I}hWF}C zx2H?bgrtji{Kq(iSfwwztr1BB;7bd}no0YjoKevxq*p1?+8LOHRwqDUmM1<)Mw zV43Q3_hhORP5!U_ycsyS?-j~Jq3{uIz*+ar~E%|TZY=sR# zim$mrqgLb1;~;fpuof%R*kl^6{d_OyYt?w4xpY~*nmT_HYgtz*Jv+eP7#Em=Adbzc zZ^_3S1g~{p3O6)WsEo-Z&jOGhENBcDD~=8lu^0`fRpM`QwO$O46Nmvw$kPp$1tY>A z+MO-y^v!n%dt@c~#c64!FA19rKNb^h0k4PLqe0*Vv+a-Kbucp4B~@BaB8e)_+ksfg z$|pquLvmp+drQdOKt42oQ^@#Cwt_pxeLjzW%@mDWNnfw9Xk6!5_vd8@-Mj0hk zf>oye{s1RQoC^isg(&h?s&ZdI@lp+pXKApEHe#Y@q12iI4hp??4H1EpUDwQ~!V{lV zTdf%l*}3M%??dXrqJcjzT_OC?Y0dLHAHT!z!h3YM@NAKIr9sUvGfARFM}@Oz?=So` z79S)eMT;=6d|T~_d4kysx~}H(Oy<4N0opYvEgX}TKBh*Yrlt$=qu4kqE@Pz()(lS9 zI;{Z3es<{JyBoC7mLz5IZA}o)8WXXN5|pkYd5jkFPSjs1p(iuSzqBS5{CdhQ6=DhP zk$BCTJv#DLs2Ymn$%uiKf2zxZI`7X+I(n7gtHw*`=KXjVyH?`4P5q2W2H0^t2F$c1 z*O_FLE<2zmhsPr=(A}suX%7D^l8Lx3X_rZBkP}$Eml?LTV%WcX>t{+H_Pi9>(}COF zFgUI?@@t7TTr-kuOnXQ#QSzlaX%`*=vk(R9mpi!=0GOJTC(HYOHcIWfI9@P`74AqS zV30VQl3J#~N1uv@uQX&vHwK8fCRcob)(;tlx5RH?8#HaRflXKlO z8&3cvg$e}w7QyLl@!MlebzN`H98Nx6DN95z%G}nuvxWE!lhn713)mRAh4r)pO=%pr(7BQuh+0nw!&h=DUQWVasoHi} zd3eN!cB2-aLT2+=W)x2ZC2q83>+Px<^d(qD=v6L)( zy-k`zA6hw^XidTk0+N8V7Dcr*uVCd{VeXPN2stbMq==}?!Z9MTd}~OuUMF_lH5iT1 zU=jmY=`;YS{A(RRUSqdT_y*ytx;!2Tm0DZHzst(uY49-7EPpIMYsPm%3$f5Wv}9l) zzEi-NTyC+8n#6zOQypGSdo4NP=B|$wHV3a2hH9T2`7#Xd)vKEg4 zD?;A4<}K6eb~OKN-*1fiwys0VZZ7tEjcModtC33G%x$lunG5+m(?J?fTwix3()~4xU8M z_)~RNQcxW5OFpWzBN`!SVA4xkzOOzsYvPt{*6bFvONX@4ZIwrq5I6U-0LwM^;65*T zl=!=tJ)(N=@)G9<{cE8z(58Li6a6u z@1kV--Ds}fL!-(I}jfhy5#5YLf;9=bU-t%`|0p`pE~iPz2ih>CPq zoYw4*?3#(Q8c=2gvKC<}Qd;@lqnd=lsLx7)kt-HQOccfgCK}Aqmc3H2ec3WwVus)3 zmL-iV6bG4x;&EFBy4nUhW!<_d%(eF*ZN#mik{Suu$iosD ztj3T%b@HZS-G!$`BU*v_wm>4!=pf`-Bwv$D8Y<8@vU8HHU$%7|o|yuCm$C}U%D7=i zdjtF20qp!@V3o8n12tc6dIxJU=PcJLu~E&BsRp{gx<>m7pYxyQuljQ{U{r->j%%-2 zkj7`Coi;iP!A*oz354zq`)GtnSxJ8(Ow|yB&+<)v%q)z-v!20mUjx zkb~2#z6sA*inHkjVILS?5+8g%P4PE`CtA%Vw7j73!~l~=kSGKjO{HsFIrbHtM)5crmuejQYsf~!p!dyhMB;V3^_bjUoSq{+~FKph0^JC|S1S6!kYsckxKfcIW1 zwBiqOtVLq{ehrB&8I`wyL>PVwEVVo`-v?SJ(K^Au_qLFF7AiwpIJ)2XBf=^&;6z1Z zl{aQw$U#W~k>n%RNn%4vrEMFnl_z_9iu8O9n=0&Ly0VVKN%Ik~l2^RsUh5W_SJ;=O7E9!(?afxT!Xi~291c6qF7i61qm+_~N+H#Nt@9Bp*=OToh+mOvpH z-(9@mCv5y$?`6a>awOVqh9yqtq3(Ax+hdJ@q;cdiA@tayQIV1e#VTaViT#Slw!kel zIm8xy3~IaqyF@Xq&Z~u%><6Y?!y8>5z1*f({v{NM0@xj!HCM)+boK5Payg&L zrE2e%=4U9RwYsF^{9+Fzo}t}*a+U6j?FtOiUevk6Ppr$=qrhhQq~zzyy%C7{L(4BH z-;>?5&Dgn?9Na%8PX^sew{nR^Li9e{zBYh)zKp2C%{>Q$eOzeg@gDKFPdQlcn~bb` z4_qU-`FwN)%M#~Qq2nT3rLumu4o77}kP}g`A{X5T-)y!}C*9h%;wy@djnYH@f7cRG(D8XA@g>}xYY@@9|AO2E@;*gDmAH?%;OYErme=TM z%?XCe6Dm26g7hI*&J?G^u&zH-nQm3lJJ>rvs8;z_g+Zd{zZ}K&Y05YWM?NzuAAuKIq6#REc{nHiHeW5^C<2)60RF$ma2@ z{?L{lF+!cVWWIrWjWQ7+UF9kUs$~^CWXxYCsP-hWRYY}S)?Y0xQ~b=El#(89DmY0p zGE$nxXMDSqnwFg1l16=kU&bW!WqC2!NiTtIrlE6)}opYDx# z8IeC0cVjNLp{04jZy0t|+|_AK`Ju{tS=ymKW=^*Ay~RQ$wO?qyyih&iaZ48{km`#( z0%^F#xDzeGVbO}ee&6x%o+ay-#YTlVLOwa;?!vrQ`llpj2va^GC3x_h%n-j+zoFuwCaL5=L5CuR})g9pCg1G$#VXPbte**xg zDi|XF2O^8@KM+|=46Ka*4PG%3F*37r{6{2pvuGV*wlnw0~O% zLdxFl-yn4Uw?JWR5w~@Ag1Nm4_=CAYzi^yN&V2v$UUV12m^NQGd%D^ACn`&%=&nue zfKeLQoeIrP^$md{rC`n*ngTO0)-(N^eM*Xz8twl6fciltOQ4+WnyYK~A7tVSFcw#j z)(Gs*F35?^O<-efK_F9AAZAEJW(q`9RR55Oh)@227g-)4Mk96_W`7<~fsq}AGdMXa z%iFzkV-th(2j3Y#K9F+h3gD@&t!!t%GSFa~09n=25mz7&BTT9M>(7YN5hDM}?h5p| z;YUA7`Fo9yHjX<6rjE`|W~@yv<~42&DEUR;tr~4wU}^!g{3P5txVtoC|G@g+ce@K% zdsM)dsj4#o$MTJ=&Nf_bVBlMb_!O$SnRnjdobqa#RW&+B&5{cf6-k=d>7={KRVt%;fGPZ}Jv8l;#DH_acl{HC>DqaB$$ zKWhvDOdxJlR8$H`cAzsTAkTD7rXLso%rekBJBmlW6F2yt9fTJIphq`s0X-V0y-!4U zJ2NA8qQ2pA^s~!vxlsU#yQ!&vMoI;2ADFp;2_&HGqZ8ZwhyKeKAgf9Mq*MBOZv?^c z{rtQu_i>AAYHA1h@P+#Giq1SSJ{~zfvG}9);Fm)}@Y6F{(2tsssYeWHgvclYTLiy;m20zj4MU z5Xy~jt)EvHLGsN^4L|sMUay&&J^c8xcg-H`Fz`q=?SU^3$c!z<+Ah^BKUeWqGIrRM7yHUUN*eCiC^wEAMpXi66_0hhA z+JK`E0HWE_Kw=U6;s5$r-XZHjuu1?#v9AVSK|59x08EE&HHD8Lb)aZ!zd0}TW&UvZ zzVa7H2Vkt`pQyH7D;$8}EngD_bL1ry|*3qVQ=lDTpu^tBR}wM z@>I>%Pr`lL=FajtA@nUV2EhNe={Ep)_tWYb@l6)}3Gr=a`32F~_tf(BwA?Mh^;Y-} z5y0*72@q;|HU0!R^g21c9s1Ir-2HTI2Kb-&J=HS;HZPv|8`gJl_wRaQUI6CkkDZBr zXU4v22VY@ZdQfK&Uy$3c_NT9ZF69Qiruiwl{_+(?m7v}c)_7B#9oPcmg5COS{fH(z z0ffiuJFxCQ@BlMlX`P&%<+iVHk#4(Dzq{RDCw~FNe5$XD#BM6Pa2Fr(Q{fth0PgP} zGyuU^6r?){^A-=!E{hf1vi)f|xgbeqp?7`~oD6M)54$gzh+5pnDN%V7Wlgqkv|2f41mczAs^dWO3*#Z=@OB zFt5(&>@qVOuaCv~_+aa2t@q0o0#4HMCzS-TvAxB2jwUIMnP$^mfJ-U%t z8`oleZ954~F6tCmRg94)Xzr7m7gWmWI3frYo#AGvylCoX=e2Y4UYLFm9S( zG@+>iZROgJ18*9gQ2;HcG8GKI8NTAYmV$-tFB?ho5weeE=cw#dFEYZs%Aw7M9{4a_ zBQ`>_Xs*`fb4H^wHNY!`SK4KSB|%5#HkYG2Se2==fj!B<=)6lj95CCc(64)}?aL|jZZ7YvI=^%;%}d5@ zkqj)hQzrtKAAX?6IS<9I5 z0o2NpU;eq4R#_Ckk}}#GK}wuFd17rGWt@+shmOyIMM7(yO$Lx=W}fbMdhw6)NEZ(; z8E-GT6UV3w`D6;o#L2wi=pY;aX6x+a@_eRB59I;A=YUYfIDZXJ0!aCL<~k@b4>MYZ zRXKQcsjv4S)hQ4>{#OmNY)P0B)-r#HA^=Ax_j=N!%%NjIf+&}ec&p>gEL?fkp4a}QmYh7ymR!I)Gfi4P3v3)9^1#N->x2Lkok+PKafA}p>y*R4lK7-;+@ zz%`=P4d)&^eHJ0;G?H+IlBELpT44i@&2O8-xSz7(RIczHdr1g>Ueqtrj%(DU4s$*x zm2yp~>oxi!nP(cl7}BlWs$WHBtdM>hdocA*#3&)l85@cM zclBdP%7?bQ8Yw`FQ({=cPA+&e+*JCCL5>u_h_@=knjm|LGn`-TO}r- z8hYiUu+aWfQP}CYMB;487%OZ+jy^=VyotwUY}-r&mq*T&Ihb>mG(C3*2J%8B=RZD2 z&Oh&DOLYmb{TCBn)(#p)xhr#)BKE+7T;k(tLic9Oo^sE+LX`Ce6Tj>s0Ze!_R^KVY zc&u+ky`gke4Q_QXP7upIu!1xTQkPne#`(Ros2fz(-c(SZ8XvixH?*UX>)8`kWVwq$ zaG+RrLxf)7f?>)teTQoOZ{@>Ql>9uqLVuWj;r7_p6vZoClk0h15^ro^9{^g3YsUUT z7rU?Vb7D%l1)X8125T?i&g4{MVX4u?Rr#3?i5!EH9ulOZocQ)VI7+&NGjq(u|InDi zq64_y+ghwVbF{U_0GEhV#i~u~nN&*@oOT!jogctE$}T4g4m961?;_1x3w`nwIXj7A z4BcHi8PC5`T#edsKcRq3H-%^$x&GS(wFVrj=<^)D>&Vk)52G*`PLC=kE51MB@{kKi zIu^FH5bi$*C2jIl;F)?pmo_k*D=xFPlmTW_x=5xDrt>@j&g7}VsFg^){>_*#bmR@~CGi|=Qcfe?!-hMq^QF`B!g8D<`mK0Yox z#X+HimRiGU1N!+-AxF2Y5}ko+nJqva}x{YkuyHJ?gJeprrhyvJs zB(QtUJ{bJ*bCN9qJ7x(8F@l@UAw-XiB_)_0}xAGmt2xOp67!TO8Tc zxTXi^>xhn9##>obCQAcV8;RuV-Q)E_9=>NyKOvTE2A`r_a^5N^GT5Eye{~}v{K$?0KLKV@_PIXKMRINs%9G$yos8GFJvvT5^cN)PT7>Bk!jei>h5^D)i~b+^7xt zGxj7>usN^W+k?qduPQsuuEOo5m{pCi%_e@8C|F3WpPTKa>eGjoyo(M#G-qsL*er#f zGJ7&2j1C6tBCtA7x%ZDZn4`2oJ@uwms%dYf`X~9I5bG${EC|=lW1zS-S0-HbNg)Ux&R6FI*`9d&;;H*SwxP>Q8mRpGy zC`I)%Gv~9lb0p{(l3<8XLnQrMg)(y3SaOLcwnR6PINevfo}ia5N2Wrmw!R9+a_&YS z-anqPw12u;LA?-ZoivAc{7!Ht|6VlzP4z35t6L^*7=rvfKRG!!D#so~DD^l_P)w!h zERlb~g9tw?muXm>{^y*kN$L}|I`9b3XIgtYzVVtAhXEltI(tgvJ6$wy69TgVwUOX) z>7J&p8eNazoGyu_Ms8vMyMulU3-pG%QQE$;>olxf8<4J0bJ)xK{&5LC+Lxt7>M_G~ zZj}@4ka_>rB6ugj`M33#ZgYi|sq*Fm`vfF~SI`<{Dh1N2;+yoGEQ721>#3!^nU>IYXn*Enf*n)i z7aGjkBkxX`0~(X#tNL^N_7YB&0;mYi?M4~GL^K;Byq{-E@Q zCTLa*x>|Vpb11q8>3=HGQ}#&Wt$3GtLw*Sv%SmTTM%mHjU^4WA0Ya2ZK<#y(2W~z^ z3eG7w|6g2%D~kUJ-Y3M^GW3weQ-w96T#KY2weeD$iTp4ar-0O@UcJox#L4#_(P%ER zKl^Km0go}`AMd+)pNuyQqU%cWvFe;v7|&Z1uTJ6_FRG=0moQ>GBW4{K<=CD$5j=}o zba2wK)HqAF$zMuCGKNK~pH8{ffK=N9cIUpb=bo+EMaT4w*EuMP_#?40?E+gqmI!;M;g`rj7@w$_q*YS6|8 z_~TzU?~zk;>~*>GyUa>@mdd;ULu7GF0&RGp7@E;cTZy2)Wmc^i4&tIEp!^_==&+(g zgK@owP?%i|9=|wLy?UzcR|H{4LFxmM`j^V0T z&P~3E%NSj0p4x$HdNZOQKKJ)9aE8cKc=5O9?}cO~sWjo$V_ zJ;f!V$x8UM%dGWk3kNy|=7X^8aAPsB;VL2V#T_l@eCG-DMp-<>VUM5F^NlQvPrF~M zt5f%^O4p}M97#e3xHZy&<7%V1$G##D9s2@TM)ZLuqFNq`jyLmc98)#X$c3$64UN~O zwjtXZGH{ZJU$soS)OwCV|L=|Cqc}sb|fSf9fXz`-P6<#r!5Vb1;L)}pQU^mb&nH1QTuN|glCYK5>Gs}=FO!>c(DMaWSKTA%53 zk=P@`1-u_BAuaxpA_7dpU=$bsPYcbAgZc9HY&pwPK2?YOpoLO{xMkH62FBZNT{21% zna4d9aXvP3GIf-RFyQE_0_`_Na3^Ns$uTA@%0qR~;5d@HW&ZX!!d5$JSrZu(2p-6T z2Q!XpMs!t_U!0ZeyS6CP<0-j+QD$_tv0r2dV4q&#~;A-;@=d3QqO8XQ*!AKB`DOrAavI z&Y~o+S%A5kLpTCK;Mw_b)qRNyk6n^3%Do5E|h|1mIg*v8Lpfo zGe*AFnk4A8(Ug-0~CF2t&e7bW9q=hukbkGA=VQ*LW7@hH~hCIVj2Xix0) zOO2;C#Z8pL?3fe3tlU%-ahZ>k#FjWq9(mt31B&P{pt&BCu$Uj7Hyawd_?`jrHRahd zFIMeK=n>38iH@Z_KTLz6Nupg_{U+2V|*&)+#EmhN4 zNS*$Fc0V49hi`}~w+aR6tvKXD969Ox@_mw;V;(Wlp`0Q|KdqK9aLZk)lO+BSRxsU{ z;*qwQgf48!!?X+_H%lPh_QJJZI~l)&6|mA(Bph`P%lSOCb!w5-Gd5+t`6JDNAl=x5 zYHQz?oS1_MeZ?ETp1|ZB!4V z28OO-^uq+65PwWgG)XeQ{}gksX#1g_-<>kjJ7~3ZS1c?qfEAH@hM!DmAj)(@haLg# z&Gax3GN}jFk>h5%68>u+kKG;Bf{{I?FgAz$pMNA_Tk>J#BdD2 z1=91uEqYR1N*DfFv*Fh|Z;l(|WjSj!H820R!{~SCKuNl*qB%o?Z1yw{C{PEh%QM0v zvEbn!CgJs;kwrpcoi7qk>S2#KfkSesm&_K&b#{15dH^N8HbB7+(eQIR`1)>mO2WZC zbmt;1Ax{5jaxGRc?n==~B~&o)D}&kETT6xK zDGJ#zDEX+m}g9X`fyhT z)}j8vcOQ&wf9E5*cAH#0PJ%7kmg}ryk%ZUdZH#w`ZP!;8HG+N>w$a0^M(+}dMOGTP zt9mPcSNLd^_1k22ZXRB>J30SdCi|F>OiQQp%^eba@xO|H%6+-)$z`F$hi{(i0)75- z&yq_uw`y?>A;B$qNg8g`hU9^C#`AN9@Yx!3^2#x58Vf39gBIkl3iKfw41imQoy|XI`lPjXIy)kZAP5_#QbKH$)#FVZI4+k1+Oy z-I3$2=ZtO)m(CLXWW}~l|1{m2 zi>vxy;&QaC8RZu2(dG%fq%~kNoL2mm|{7qO} zH;dfnaGKA!loqLw8VOSNMnX#H_Z9HXuZ;Obxrj?en#%=)iWR0a1Av%MU|j??Y5|iY z3xUV@8@dT43!uS$G2z!*9Sp>F@df`=<%kkj`xGEl^s`iVb>Ncf!(doKY^VLP?v>T@ zuh&}^m#?Wq;tc3=*~f`3owzk%F1DvmeSIozctEMMU^$qmSSC(Y{-w}jT_Vt7Ubz3W zxSXHzVfpj@J1UNXXW9hc>uU$j*G!s5Qcn^TpFzOLrGhdH9Z2G&=OJgT`7oZ!US-FH zh4_uVC@Szlf~w`2Lix0KX5bxz*%_hA0!y9$D-5YSyA9k}>PS=kBit%KckHv`EYZ)* zt~5ekTcfY>F{}$?@q?glyeH>E2y+S8+jZ`?y=4#x4{*BRy z&jiJ3laGzBuF0RdSuN|sE%nz~+`kM=UBvaQ-Cg;`BzUPkC+-AEU&YG-bT?zxSAy|~ z_@;qLV9W0VSy>`YvQJCB40EJ=5H5is%Nsr9ZluG6dt;Uhyal+p*?W(6CB%D(}Y=`#7-h5 zzxk&TJndq+25OAgvWXdCZKs|eBl8d-HxWTDQ_1L_R^I!j`sOs}(79RNZlMAhxsPH{ zJDWhUc@DjKw=zb}x#U+6gVuys@{mE9S{ybhaArWModS(U%^<}1g1|jgk_*##Lu6m9 zQ*I3t9NIldwFLo7HP$@1I!^=L#ZRC2$jvc}eyYhy4Qp?uMdzcYXy(3PMU z8R0<3vHRvL+6s{ucgj558Fnmm44(#Pd51blR$jTu5qzH5hvTC-9!~L|>clqYNv0}z z`{(rNqi-x|QnQI6qa=i88+F1>st=IM3Ck&Qs0Tdb!#~JM6T}|gB`^>e= zc~CElnVh^*3Z(?ciLyQpj%Gz3vVmQ^#l(8!*npyqL#xN>)g?oY9Tf?LWgq;g&oOh+ ztW%1D{!htipPY%%L?A%OFq&$BZ_?3x*`@N~ilvnKlSHra3(#5$E_rk;&gD|fQj8*O zxnm@r#-KAM4~o>2j}cjDsJ9M9$srluhWEajWl9~To8n4$D^OG^r7)(!$i{cCzWFn~ zO+Kl=bw?lSlfLT6442vSgh4F_&=*CmZ&!Nn4GkM@jJRQuv$+~gFRHPS{0OL?TM$GT zxsZ;m!#$@&v1;(W?E9wPlM%5Q@alkbdgi|$7VDUhAP;$XIvTM#p=2M1=?cRk0oHB#r%nB{qoHw=|BUl-b^nBg!u4qKryTq7RnMl^T#c93N-M)XC-kO6(jduSAqy7q3HQ<$eGgXfHUc>#oo!P&_mrf z*hBx4M@R4LU&!{tT1@>&+gQ~ZBzGfPd4jcGQl?aydp#I*=%wW+kTXaW3UQ*ft8wN~ z^QjP>#ABQ2e#s;cK?AGyyb)t58Ep~plMxB5>yV8Hd8@UOsrhXLU(I`?8tkvgIOc7(275Xw6~l+SOn6}oa?k($cayc{mugB>f&bDq`1r^DvqfG>jFVpls#RVhm2-ibz~ zAe&4@n^=8({;23r;gOP}(($KT?~eRi6hQV6vC~eF5AEe?vVvW-Ir;uF0eEDgbg9A# zGQxAH2oW8(^cw-czwG9wA@}9-y}ai2n&vivj;0*==`j%1$yq(NZ^pbG*q{Aq;aRHm zI85LZT=Xxg)fw7rbtcG-H0hO#1O#6DfhK(@^lYjPz0&yUf^x(YNWXwZf?-~cjwMfC z5R`?j26Da-_IIempt~tti3Prn2CB(DFl1=VCS7vxRcRWQMMoCBo?ST(^Y#X1Ibr_UL@KdA%@gGpE2{fUKG7- zaB^++5jh`Y^~cm`eouIes9bo$56gPlWe6KU&d)k>({0V9^^q4lOpJ|84UjMTy<2aZ z6een5-tXyU)z@4@F5~{xiYNhW+1Rdt{R2fL`#y|Zt5}FnU{Dgz%SZ%%??zQMF1g92 zj=uf7pG=}p=U)?ma`!~NL+^46;X?q|WMJokeP!8|I^v;O<$m|+&yHI<6Lo>A!v8 z&qWws!g&U#AP(CtS!|tFT5;J4S6v!#ouwi9Kj$h5L~{%MLUUA{IJxHD7IvV1p9WDq z0g;vA7Q`<=PrxOAP*^|UpQLMrt~0nY zst>5$m)KW;&_EnFvZhB;qZG{QPRdeDD8)Ct7g$$ zKS{=NRn{d#l~{}?db1fHDHXk6a0c_jf3=x0rEKu^Ua=cp;wshsZi`=iA`=(o>b%%q z5T|Ot>vz5pvj#UA>ZQNZb%uBqv7}8G3ohKWXTHMd@Ckm`*Zic2R@#k zf&o)hrT&mbaIepS+wstzA|tv>5e1S|O5UZ+kHWJ#XtZ682#Jb>2tb=5peS!&ANT*6 z1$?whXN5De#dQi}+){rXlCwjF4NIexn!qaK|4P%J>@4Af$Tl zjnvIUd5j`|zc#bOg+VbE`+$ad1?#X@n`aN_G6?a*$~6JKP98^jYIr5t^>1N9x%~4Fg+;k>WO)uU@u_4T0$QN4rZk(jE z3r=1*27;;bX%IB0Z;5NMZHxfPW&-Mgt_gpU-9qG*K#HxvMYs}Dm>1Jt>s{l3J*+YK ztRDgaH7^1am0U)5|KS7c91>*kfixov@F}Ze;zaYl+VV}IMX!<(L&C{|vJF0i0w2VY z(g{~26iKg>*P^1w7X~fS*?4a4tLox{Egpc;3zsB)`XQ|M_+7#GtpPihv#Zbdjs^gZ zGlMTH$$K=FssiVv@TXG|nyU#ObCLWwH545dYMT0#hFYGC%o@Y5lUb(Nh1#;#LH5Es zOy2T2C+99Q>wBjUJ>5$4&Xk}q`g9j}ZG>K0g)QwVYpQjh)tqVG1wHi4r{FwocOX?H zIv6qpi~R6>arm{>#{h+~LL0@}Xo@-`mnz=s=$2Qa#(*uq8=b-C*UaUcy)^_BPQZCW zU>|!Yp-s01a{zt38fZHz9^qmMtoc`f^Rs!H$b#xiTJOB4droefHv&K7{m+~Ych;lQ zL%BH+UkT8RU1+S~9NH*f2U`1$5c$>~I3xTRo*TsInq8|k>}*|5p94vzS|hIy`xK=7 ztsb%<#99c!^Qx^Oh$d|o=OCuG9|M{1-LzfhwCru>#H|hIjM00-fucTaV#z6Qe3mKA zSNK=$W_g)L;IGhn40G(fTqAnhXTonxfuRPzOK2)1`OKJuj4u5^hkmmpqklxLHG zcc#(g-%*7x4+;&VEJ!G-n#=G=lGjv|E?Q1$5zMLm%>IcT$?6-*PRP7Do7OAn{#}!Q zO97Rs1Ryw(+K9})-$kq}gDII@{^96#hDWNmq{nR=^PwU z;U+Z2U#g6_m~oSDmNHK>;Dt20?)I1q&jg`|S7*R0HhS+9dDqzTb)5 zqy1*dY4YFQJUb3+Ldg%C%i8ikoM$l}e}^~GtX^h0{_bY_szz`aano_;9o$D#|Lp@b zLS`6oG6lwL2X3^J+A#yvMjEp2sAA_&1&!w5tQ%=WXrIK$#HAvzDjay&=p>)Gx&0Px z-{bimFxQUyvMd>4IQnAYDw68svMiVpgc2B$`FEB4UC}nYkiI z+c~_`_jy86(3|B4ov`Am2He7l#IP+qma*@O4vjB_MjeiVxF?(Lg%As zAU8g`oQym1dX)osoEZfupc8D}Suir~q&vxFSk`VOWlfa9axg z7GFb$HCPh{(DyZTPwiB6al1^UNp#Af)B&1-V5ag6T4*Hcf_Nm{0ZJp^7rrFzGMbMYX5UtL^7kD|i0F;%RiY#ZthTEFQ+U43yl?Xy0%89}xkY zsw!W$BcTic#oN5v&WizK75(p39`MoLS!yZm04B;~r3cDiT-Y$BM21sxH)0QmEA6fY z;_784dmxdcJ#QM}SLgVbUJf~T1X~E#%VdBtN$bkjiEZ#3|~4_q*-v1=n2*)x*9#gTEvXWVaFK^vhLYZigBq&Zk>wGLZa{H8+0 zI6N5-C{-iQ5OK4%2;43bap0$}BGUeS#t0p2htBkjOSz@bnB#TgT0)h!&n1>FqsZLg zm$C6Oxwn1_ffkpI*q4ac<6FL_D0+>A)ZT_;o`YuzJa2rw??NeGV=FXxYxDD0qu$_5 z%PJgI?M#u&Q@6~jsxr?WlRya{*kbY^QB6g7Gbo0`AlJm)+I@K+P3jjodc%hr7n% z2{bIMiST2(7Cdl=Gfnc10E4yUm@`eoWYt}5@5{RYl63-X#qL89deiXPXR#rlXJos; z-Fg;ef`1C`atu9uz}BkcH(#|5=C|78p7mU&(lQsSDEHK%#1tL3Y5Jc=1K$ul83+@f z9=)t#cX~gCETyghXQBwQo=3vpl+!9KN+!*6S_V7z(^(%+u1%P{!g^PbHNgm4 zIW*3~9v2xnUR!hsd9cUbKTe)U*xrB2z|9HsY}Ra!m_iU3@ih>W`b%~H+FsVaErgVbb@DZEGn#?1s>-BtBgU_PTlhx^OKOpl}29Y0=OO zVlhmQp>oxMQ5dMesWZH@wY4k6jcA5e(a)vHbQ|{fhMi+g3|U+U_RIijPrXMJf(rqO z8l!8N9m>pUa*>tOfDuA<$^7O5nySW^MlF~`N**gJ?E($zgq_CfZ}ILPT3pErvfOV} z91Rkq;dng9da1G^W=I6Dqc=on2+x8@HnXH!s#{<>eZoA@tU@Df*O=LYbI9*y`WMdMPVx!`}m@N2GYmCQFR2nb;2R=W|7lhv)@Y=!5BBF^p1rk(E(#O?2epAyB zjCTW&){8`cU2x?K%B;ZE_w5svuquhAtsCl16Oyyd13-@YF%>@LUI<9iC&JFm*zm73 zk~;6CX(=Gf7+l;My5BncWt5Y`0o~QFMb_jY0TQ*%j}-%uwyeH?LV7MH0${;(;Aj_p z1d;cQ9?^%g{jp!1ygdMA7+t4cqx(FD`-7?4G>72`iJi8WqypgbX(vT6;&!2SlGj7} z^1jQ&AVL0XTu!%V-wpGZAX5!DB3rfs>>I4Qrouo4go1D!{~6p)-oKy8C6koF!BdP+ z!+<1WZ_id+k78P> z-JHmjR^SIBjEivwtNR!$ch`JbTQgpv*ggKEvvhm3`wA?W*iHG<-D4P^<&N9kjbd77 z@pB%lnPU+eW&K*is^1u` z3sD@t3lRlnAysdEe%#8-GDUV<0s-?-eMi{^0-5THXz6WXXqhk8231olAaXtV>)X^@ z9UG;g^nB!=6^y?3=-xbqd0X$G?nrm2ul03U2t1zmLCST?XLzDCnsk&-P=}m?hK1CK zd7US?@A7p+`LBo;*bi(9aqg9nbIjb2aUIbU>)n*LI5G@yMmWa$;)0jfIMWtx#=#9C zR`8`U2K!b!d5j-6MrF60IjS`caSl?d2F{nH6kS4_IY*=B9x^Xx3jB^4l_gC!GP#bo zrijscM(z&q4a_`p{Xw=dnu~Bh+CXRjUCV$$Kp+h(01w_IeCitnE!tN*V(F>O zZ-0c|y|&ORj&Mb<-c4~dd;ld)uYUZhKB}DmAkz31&z-`#yK`AY^tWG#)VSyQ)@+E5 z;}zh-(2gEWbVQIzS|DKR48>_kt5hQQmZTp0Ub(170kHX^>}h^<^!Ai&n;`p;Yoks~ zSUyqW&HuW4xqog2Z88li3Qf+Noa6C(44tQ-H}G(YOl`|FYnh8Y2Uo&~0my0jLM=vT z2i6zWpXT#=tZ%-sb7yR{-)AP7E4%hdEKG3gn_M@h%LmO$?K9GOIIH39Lg&d~s4v82 zFfMFCx=T`MRw)=xh1wc@#ST#w!fBC_8nmc^>o7uEpB$aiE~-yTbKH*;0pewCRYNRo zsvP3WJ9GWi@b9Y82MpI^N}UYCv=MIY0SjZ~1GjQZY&iC2;+hx457{00F{UJs?>>?e z$}K#US6a;?4d%S=41WgfA`#X;ckqA3hl|L5XCz6J=?J3>X4)I{C~EcN)&=NW9h*V> z(YO&$;3tz(gzL&*4}OJC*D*!rt)%kMQOGqAPGi(Nj~~+c>J_&|a!_|Dg!q0z_enf{ z_qbbPYMvY^66fDLppz}g7X%nH`6|$!ZF7o_==(K$UcJ_<+R3hD{h@zF-qOW3`<^cr zZgx~a^Zj)ql2GolTB9YJE&Qei7VD`sBHS{Ctd9AM6@5r{gs~^*Ra%qw@HrxIb?xq?5fPpSbW36;_#z>UN1V zX^}dyAP>vsF;(at!ew}$VZ;lCAfhzNtE=XlU_g4-I1DfVG|}auhY)Rha^9AQ8TpAUx1r%HR1$9oU z?X9O3x=j;1HU^gP`@s`(iux4HAR-qq3p|PlKpJJmM|b#g>byczHJ^-kSg0vMLmaq# zx94CVuhx2e?EV;R=H;F}_p^;eUHKqb)l}TD+}%re5T~W|rwqE08R4PqV$e2JG#-J1 zoU#X+sHOXH0nLYcPFujMBi*T2jBN~RT-JreZH*z5^3{HAViR9fDhJq~E`jDUwQH%g zfpJJf@~{idQYfTtc717d6i$pzG;nAhUy^=jITmo}QNe~ZG8)7q_l%-NsmaWqK zK+I$EXQ-l%9$cdMos-%bA{`5P346QsNjCl6bP6DjlT^V2K^wDqV=&hkPsCLBMiPc| z7M?AF*4Fbjze4R2-B%PVRT4x62QrhiS$zH%Huf5kn=O<~C`~1{y@tAzGS=I`Y$wS0jBdqJ z!F$U78v=)tzMK&UhE(Ws_flKDS2xwFeC0+Z<|X0kW&DtMD+%vMzoxzXMovS4yIosJ z>L4|p5IT!X2qqRGzsL*IZNwcs`?+T561r^w_5Q9-1{mr?l+w$Nd{y!#ylFJX=)Hj? zPI4L$>3jFz85XU;RdLtS=FCr4b_yqn?Y)nCQQq7ajla_5iqfF%-V z5U37nkogQk;>UDj$z1f%cDMWA}S1r-``{r9=V-6pKq*ll~8g63v0>SG!~w&@nq|a{C;1?itF; zo&{0<`jo7Cf>A%NlbUvl7b=UCksXYOXUTDyc$~cCo8fhwWTc(o4RZ_vJvfi1S4U=` z?xI&MDWk-v*Ei3b71qk?u1RI>ZBYPq5?ujitU!c=!4(M|tCneP$l1XaVho)!j$080 z&o9%ox-fNgS{GO+++7hp%8VkQ&)EIO_+aZF@QtWg`2T{-a{Mp2EF%je>;J`N*%&#P z{?Fuj+EyA+H8F0%`}l`iEBFu*X3z{3f`?!gk2xkRxc zL<9stKtTa5B_S>pgi82dA3gWqJ^%XG-fO*Uzx(F**7wZso9nL|nlCV)sJDo33alVF zqVP!oQh+F|tFr zY(a1w_NP$+kiY^)N(7FS1PBBmAX0v?BLt)XRR;DLyaU<*4)}oJUP(;U#X7zT4ddi0 zvVH&lKpg}-00|@|9sBkV0Yup;kiY?D>j5IcA2Tt16$sosEfp+Gi1?fFgiMLq|qO02JT>R?v?~ zKCFR>`Q0z<$uH7B%fba(xQB2L9G1aY5Y7O4KM{&}2lo^Jpe{jSMgEl^=Ti$IKp4OW z7XY{^h-2hD>~Gr7D1`T~u|JCs`2eO3V1ESy4Cv4I|JB%In8gQlfBjC;Y>o^*8<0&-~j*t@P~d z`g?Q!1^w{3i2(fDS5Ust-&zgZ8t&Qo+pdlT+Mf_ayu0|S z4-WCH8uTfA^I||5xuhTaF=hWNWmU((sS1Ax`R&pL_#q&8==Wg<3hvn1A;@EI`MC|+ zyExC+t{NhQ_|_LfMnVM+NR(*6Kb+05S1STwxe!ZyQ`p}Z0fT@VK&;3{7?AZ21ONv~ zdRUhs4Fnj>UKGYnG*I`>DDS4;xJN%|mlpyexVSt$d;5O+mOtmG3h*FIWLNr`P0D`y z)BCr^i*f}WiZCZbM6iT7M^Cinw?eu1dZ>?`_B+yNmNhyXpC{Pn{Yx?^e_l5WsV$O6 zQTE=0+n7wn--EZNA`1G9TURCeR;pA zy})RMuk3?yDnM;(vQwTbl%7t965mY1*`Z%Ot(}JvTBOtC#35?w68Qp9U@x2o#47bG zb;&ISVX%ep2#!2b3+#HiaAeQ-x$Pcbozi-Xf52=Y?x>N8UAWm(9kKfbXzNi`bX30@ zj0PR)F&skcEk&FkMGo~^* zW>ZjA-%+{UC(ldW_Yyn4uLz9QR=;<9ZDfGJsoVa{DSQBwJkrXjSsX>AHYpvWSzz6o z(;~{jUDtD>wVPg+_YAp>#@MUUnoV3xLGBpO=nn-U@I7;^yusc|^N^8^TwJXm2IP0Cun)6ZrgO&ZtfV_PVj<`rT^ zx}#gjZ{lbJ;f|c{6Fa6)^Bl*(O)Z7EQE51v2W#bpe>K8K@7$ff`2r6qz2fmMCcvP# z{y8DUferKT@x0fx)4{)!`}(#dshq2rbML2lzb87qgFYrEO4S2Ho3$0_Ihz;bsxQUA z?KwAzo7eD#2+~Hr@^B*sYcI{UHP2wnlPM~}>$8c`t6JpM(TDZsxmkDGWHcNTpI$z~ z_=|=aRB~MfHmqbHAIpYJsywmbEz0qg$KJz1T`$vALT+m@@_QB}k*mWrUjV7@Uyf&= zGMP-E+b;oCdUTSe85%Pg$r`S?nEa zD{{pdr+Pe3LKTr1(J=iwyr+4a|^)~I>hAUj0I@Ll!TpceN|L~-@9<7Uc#feGBGs5BPh+QhAWvcDOlY0>S z8SXz@0MA?-8GbOS-QG@R%Sf3_sei#mRWY9{#W*as6bu}iBiTD(KKR%)%|2fZnV#xHrRj;LntVY~<%`%=asU&tkYy8*UlE zj=}=bPNXkZl7x-FCtBQj3%|)RS*o4R0Ud+o+Kt2TRU^o0j!k7r%674G%Wjy7lKu7D z8BobOZ1%jXiQMi^=@unVIQ;eiJdVF0D7L~1S-fEss4++S* z4u#{kPlb#X3X$~KAT14MEL`$A3TQ<^QqxpENcsW)YEX$`3g-Fq46=@uN#SWNzA(qQ z7pC;Scf&*?Jw94F(BE$>o+b3Jz>VaW=y>+ruJ!R0y5^)8*AP-(x4mxSzHf)0`nNC8 z`UesBOTLPJ14@Nk;-;OW=LF3JP(7+uhs_6#wC5ThH@gX8dz7$z5t`+CNT#z|Mr=bj zN6D24@vAx7K9W0Ch5`rD!B4^A=%!*mRMHARSuvgaULc=yn)(!V%LcLb^Y+6)5xtUl zqKgaqYMvtbq-ALA7HBQu88@pUBSTE%_v4qeivEkC<7Lgo<2_{04=oK7^dF=W)nJBg z%IUt^nRs+~r1Y&Rk*0@jx~`?`+rBKQGTOPz%qkK{pEMS?ZL5l>J*@|L}5+R5>> z^Tt@iZN}NliYL}~T_rb8v^Uy!k>vaz%HAPJ7$(rNEZeqSU)i>8+qP}nwr$(CZQGu| z7d_Jv^AU0Qy1Jy~Q4w{G_^W$&Xj#snl?K zAFJO~%~eZcz|@(zAkoxi4bz6u6hg}VvTHyJ;WhHB@%5pFGosuuL4oURf9&%#ky|kkN5thI!w#lx>Nkdh60ORjZZJ_F|HXkwd!$+6Q>sXWNscGLc{=%;kJ^>bt+8-ek#`T zDlYh2>_cYyi&ky&#={I#XMmZz=HaR|1qAh2Ci+Au;Oa+lPhvxV&}aspT=n!&3?6WpFTy75At{XD2PMb<16u zq6=2YQbkhj>98dxR_K7&GJWV<-0iT-qEtzhQbrw)j%fF9>8}4pUld{#YfC>ph(>L% z6&bw|4S5`WCT_m%C#A{WLuD@LW?>FGYl{|_{8deek#kpcE>X`=q&Evm$gUiMk<;y0 zYQz}H;PM{OBdIuZyvb1n;>=YlSPogBR%HdM1ah0qc3!bHe3uX3p&qF^-aqj;+3qgM zDy$v$TzQ%dMggTdcx?&8LWpDJe}*zuY&qBtEmp)-6J_@F`Dx?0@%d~L@nx)wt%sLWSQFa*ZU$kpDv{F>wlr1 z3bKp;h-Lv6t@^6Xn&uW8@@%lKlk1S+scV&>#=F-i*YWS*pDdJ~A3f>9ST7YC(ENOQ zcKr1Fx`TYZReh|YeMeA4erU9}au_QCSg|KXG~6exM#QA9Z4GE18jHHhOE$p|EsH$O z%svaBR_wz$(YAJ)DjwusbnLPyTPyP>HM63W?vF`ih=yM30REMJI^_|?^NgXA$EHiY zZYE0SZG+k+}}-22YQ8s+b7&=jSSKSA0q z`)D_XBs!#E>e!I%`qZ$vddV1RRRK>$Vo@?FE>}{gZRChd)@^Ag2;BT7G>MZN*@ccT@}r#s)Fa{E{YxlwDv zI2y&&U>Uv}?{guWWPpU>nm{1Zb|YQ3ac((MWJ<$OB>(GB@1s^EpBI8*A?XNt80^$8 z{S~1~$pQKl@{1s1D)l#jap()u1}c0Ku4-?S|EFaCYbB=X247Mu3ajkUL4s9wXPzD- zJ?UW=Q?KytYEh<+Od0fHc{VNtY$s}bRLX5jTr(Rdk;E{wfaxc%lyNtt%`-A{5OFn< zU-^RX0q>aM&?8?Fx)x_mGnlpvYn>6jh#TU@+$o&uRK_k=01p#xLwzc!2kH3G2VU3dCrVytNA=-bVV19DH4C z?}n(S0~KwjmjI;)_}zNu(UgZUpmbkGMO(zi-B@;S1A!FjEqieVNdVGWwSuVL9+VUp z?{|jL@?%lCpW7Z8=VQ&&ko)h8f~=G~wVw8XBru(A_O_wX+LF>@fKE(JXD(zQwoy&=GHM6XY z%Nmz;A@Jra%e}2rYJi?H?}J&CMn%N1?V6Z`oh)8x?m*f1gt$5wXaf2uq=`DRi5Jl} zk8CHMQp-cj%^qw*OLZBTo(z&rkZ>$E=*+Bg{BhFBsqz|$ zH7V|5JCJd&@a?&G&c_--ah`Fvl6TxU+OP!~UC@ac2vczUB+i+YV6iQb#@AV1JW}LQ z2S5BGTVeZ02Bzu^A5**TmrVUUiC!wtH)B)GOvy|22dlWU`{)MO=HED_ZM1=*lH-$! zrp&hIsm_ChWR#J~6EgR7%W!CXDtxDo6sn^4KRPA4m_cKz`MfAQZmh&ar3Ht66R5d zc^D*C#k~bu6~Vap>nPba!8;LUeC;-l1}`Z*r$Y1lvzUzJa!G8d7q3N*LBC3!uD9qk zU%ay<`WU^fS!>=6RjZHkRQ$}B_9VSN;gx0^VUd@Rzw&Z3yexmjT&VDA01O6vH5ED+ zUpwA-Hk^qj4Vz4~>@=T1>_&Mb>$LsJxn#TP}|{J$VQ-ad%=xf1;l?;_5Kwt8AaE<6|2DTRb7n@ zqxUfQWaW(y&d8aW z=?E?8=Cl_VQr1f$I5paaQ!#X)L*Zn?=hxd1yNPM-1G7PExp3W>sPj!e22eOyCn%qI zpxSxaLm02TZw{#Sp`%^An2^xBCfr$O*9H{~bJNdrxyHENFlt)P3>cn^+zj2LYCp@X zCK)`uQcF{C-hgeLjOj72g-vC8{iJw_f-@6+)msd7Owykox)kP?r;mIk5C5CsqUg3MI<$5 z4^gE``baHii!27bBK;vM;$lN!MTVj}o7(HM^Vw(|B+V+Q|9TX~NP@Ciy~BkbLC!c1 zwn@_GS_wg^UvWKDlZ_)*WS_R6CSR_(j?_W_+pBj6hQ9aM*;JOtac+!tF81=S7^{)r zVcw<4r?}T?n7qWI>wihE};Dbl{dITmUCC~mqdET|eV>*LaUXXo&9 z%5m^J8tM#5N^N{qor)$(E$g=X-(}^n2ea((AmO_AJ{D^Ml%bue(b&eh%SN+Yzt%yE zAv|_>a20;mFtuYeJIlw7@tvTN z{^@G3@_D;jNv`HXl$En>ZEWm$xcuzrm>g3M;zyj`U zGLtmXq}o#KCWG-!m~%Ffva8zah9y@K^+L0N43py2@FM&{wdZm``fT=^M%+@lH{tn4IeNbG3VEeheHdpNHHhnUzM`y7j#Gh=WgQK{r9KRxWJ~Hw-pfKuVYVI(!Rj9Ltwv z5Fxc`qpNY5B$K2IRmKDpcno(%RXdwSqncNB<%$Pq0-Cwc?L{LMdvHj@hD4{v!4Hg{ zP+|a0;noSmsU?p7@!y|+VlA%L*8qRo1W-3jw!YcPcmqC7vn#VzajhzUouCmhxNkwf z?ZB?`*x~kkF?j4bud++2DGwSh9(KKvbrSUXjZ9o^9OfRg+1lTQtevJHlkk`3=}vL0 zyQU(vLF~a~iLAF{9)C^aNCRonA<}ycz5PpSBQ(9H0An_f469|pA}y89=myskZ>G7+ zjDCAD#@(%=Wu-085g4@|k2^R=?krzlHhWE&xnQ>-R&ZZjn^E4d)R^IwG&nJ)>SUNx z8lS=it107S`lc$0X>SSsTf*BO)jF5A)+%G{BWtZMBk8`B&DY>DT$ELTx_(hdV$ur* z5X&hO(z44yc)1}XmZBK$f8}{FJdV002;?S5-Ftt$rh!Ns%R5#&xM&=)CS*O_Wvo@j z|F(MAh7_xD>CF6nABHE@VRc#qE-EGu|6O)_lhf;>YG7x-z|*n^HTi zT@}j3B&u&j*5{NJ0{(t=t`AbL)J+*3jSj9G zzdE*}yr$#4f6>a=9QuEiP?U)L!aO;E1=((TSO(domZ9gc8n&Jhy5(8y6;;ucql3<# zr!zxV96%x`s1IgNNn&WAr>E0x>T-s^sC0tX0+0oGLV$4g znjenVz`r>%5-1+Ke`I86U}Pj_wm%=#wH5fMM$F6|*fB7m0O868+zLO9)EcfJ^$!3sx_ee0RV*{Apr(w5cBfD5Tv!q z&A0R1o)|z92NM7V2}%EJ7#IH{-Z2O(TL^%%bWV-Hs~lTq)+Qix!Kr?H(^#J%eS{_# z7Z-$+V`oQ)L;B_rd%mnHUB(80t-hI+KNtj+vB_0{{nLt}VDZ6$P*^mp_4DV9FmzJ>ah;9Kbl>w_JN) zw;wo=(62o!3tQMGSGpi~KLWKs={g*UJ5Aa2!S(Gl7=4KPH(2K8K)&2>X>F-Kmr@gX zKYm3P&@sshV5uDHuL}P3Hstj_%#nY z#T{O@AM6?$kV}yJFO5bZAzEtRRK2~!{&J{4t`0vGqn|;p^7-F+HUBICFRcI|o`5gF zI3j=}TifZkPe5uI@Hss3ecNXRn4KJWIdK1D1x!5KI@0rV*exWJ3n*ZAjyC^p?w`$j zTQD35(7*oESpcSZRE)r1xo2{g@khB2i(grNH-Er24+P%KN?C4w!Q^1gQk8j{V zqv7mL#m~(}%WA)rZ~UTUlx5ugiCJKfdZ#A`K!5G+Z-9WZptruG@{GX0$)GEIJwv*x7k|11pkXVSOc(cu5_yBh)x24B|d4kYxFbyWd10(7na)u{|@ zJX_$B5UR>0n}R<&+CThOfDaw_-x5Hx)Hij!*W{U(C|W}E&czHDoxpFDP;BJ`F02Y0GK^3rlRbkD}mKJd&O zLl);*RUR*x$LGUKoRPEQCt&O@6`XGxhiZ}M-zDrfpOx96Y6$%(+Pc4c0)Z+y_AZ5L zinwcr|Hd!fUzz7Z;^q?cW(sLy>b4D?V_BI@7C$xC{^NOh`5>ymv`Eslsr`@4kp!Jd zHhwi^=D>6|*lw8$UK-wM_J*EY>IwpF6-0iDBz)e*yZV}FS69^5!iG~Zmx#6pBp2QyIyF1Yj~kW{s$+MX z3&q~ad1NT*VNFwKcfnjM7j2+XTa9c0vet*~B>QlIafKVfu-+w$Y(22n84q*RQoZp^ zZazzklRHo>7IAIXeR1b>nuqGU_y+u+4!lET`8i1IAxpLaeowG=k0g<0y%eCIA8 z$rE)$*vg&rMMA0mE4KO3>fkV*Enl;pb&_wIiCxIBLpCRaWkg*^wf01sZ^oa+CC9BR zqZb$v4eT<-bRbzGXfK_LjU)J}FN;<7AJ1VS^|Z8k16ME6eI{mSTt37Y+rXb%1LvlP zVVPs^94pv$<|o;ZRAaW*WH5)=I|L;G54xsg!*~IxC=8nJ_Y!skd%s^hAaK}f*pt3V z(4mXuPq01iJ=Cs$2qj zk5YgR&kl0pRhhnqQ|v9$FavfBS$v$~1ZI(Ij6INcRgV1}V}JY+`OM;%<3s-b!{b<)PF z@6f7!y;*1N{>G@K#sl-QxZfAld$KUO!N~mv-zhK+<9)drR_9K-5Hqxcy(Wx}!t)l* zhPfAEQS^{3pxZwNtL~#EV>e&gqIkA9bDwvICcdEBBfE`KKh~R7#GOsqMrm3!^@gs! zccF>N-b}NfE-w;-0yF1&A9s&dlm|D&j3LUyl)>`kpIqXSk6Y_PpRq{_X|U%I z56diWEN<}=!@{(#NiwVgeNsUv@i=kJyq$%1_v;QyiZBC@Zd`e-^Y^XcKBd1PPshB3 zN}13uvj=LFvyuUJhHrH|WusXX=8bLvOHb%8VQznay14UWiE-wloL%~vdsS)DN- z#jPlha*-vewF;;RD27E1m4jX2PNRequR;3c4Uwphb>@?+m0TQaLSs^|KSXA>50*ur zn!9qEl8fZA#<0in;~`^}>Zr$!GIMR}Ff+4rzHNl;)0qm;NvrP3OT{pOu;o1P`viCD zk~K;K-8zdQhU>nb4ZPX%w1MojZ<8b+uI?bo5En)J1ch#jW!9|=K0RZv#Y(qmy^+Z9 z$nE<@NVJ_X;}0W;hFvKLXn8Z6fx&*dj(KaOT~HJK+Qqayf?4&5@)X(gt^bVcq(V=< zHU0@E>vy#8O}jD-H3CNh^(d4-4rQV4x&EA&!p_kW=Bxu!%flR1b|k8;*{$W3{}DBp zVOBdtopBU%D5(^_S(!(7@H9SVcyV9kpVxBVW4&kb7|Mj+A$(aNE)lUIlpxccHKXp%$zSL*_g69Bfh1HEOoZQFK1E7q; zp&OiDb0&j4o9RY+{83(RmTi^2ypA4%GRwqxIKsZmM$aC}hJ!Wl`ckj5JGz!UK4cEx zww$MXK{@~ypm|NMM;5MImU$3jM#39Zc>?RW9KWG;`A+5m) z4P0=rUbONqIUmaV)O;yl)F%mC$cOAwTFR}qGJB15h8GJ#eQ`~hxLPpMw$e(VkSg?O z#>iz~LYOdX;3?(Q4Sn+*#M?bijDq)8ou8=q%)ee9KC5x=Y(a&dEEpbN9+^nOgDn*u zMp6uvDopEM^uszX21lzRcWzk#tNiuIfyoHJvSe!C`_-;sHOnAZF;(NY$3}m?7tka_ z@da8d^;;wKwX_NTF5cRd8tu2tpy`;bI!}3QHT7bREI9}d@AnaUW=h$v$tfdq@bJpH z?3B01;9f-`a9Rf)v_%r!m&{UIunGW7Ousa$>Qiq#qDsjJeiAzu^+su!VIKoNrFL|- zLppNvBh<5jh^OL6tKNU6@F_oMLT3bQ^m5#ImBwM`pW*9BiTQ}hbkdL1Q2xE(+OdKg`i7lG5*^M}2eTkEcuO4ID>@KL7*9cq2YEMJao(tgP@TcnHfb-y+K%ATiiI7sNS z<9#H$YF$q3G!H)+em653b9CippS@0`2T!VdLzl3Uk^_UaoCb9G8kcUK)}}m%>+Jx?;jkTX z!0jroQ3=0UmhIYr9kmiLja-3YopYgi)KEgB!;iA5nfMq!|ASkMlvbASG#&J~!HYvR z9idA-2pkRVRr!pul5!SUzTW!SrHtGC#k-L2aw5bnD=dDfZWjw>8 z(?tY562Y#&h5Rn9q`x?*J;P$gb|+aigB#R9UH_<$7Cz-bc_zp82gr-dUV_QCKz zbmahbx~>Or?SYh-?+S@2gC0QmV|Su(1k5ZfI(wijM$@x&iR5BqaP1Omce4*2%oenE zJ`+jDmyfUHF;Io+Tm?Osgxls+>tJ{xo(Q-4Fp>)PV!8(LR5^+HHhDRNne?T@hUv1^?44wt(n&U~9eXj1z9M)oK%mn_hXzpu5)t17o`kfl1bLMW@Sai$Z$0Dzq9koDci9xGlPR;4xvb zUA-d6e!TJ2aVVT+R@sMB4}5&i?3vX^~bAg34pbgWGD&2Me%Cf4$K_@BfUL~x6^uQnr@{K`Hl z_aLK^sW9)7(Lwl*3`szfTz`Z*C{Kg{Wxn(B$kXDbf8V?`8?i-g{3p&tBeN0+eWnzS{Z?QB6o9br|z zIH?beoxR~TLu$`9FS&b^{^e=*A%iFpepvG>Mb;Od^+*i;XYbjR`|ah-Xuoxja7_LS znu(Uk3`I|6MrEBn-pfEw>?}!2-hAl*>f!}1HKM5;FQ|tv)$57gzn2$bHs)O=W3i{5 zFrkFnm)iWP(Ci{ul8=v3UR&sn$##_3Z#B)Pb2B|@3bz$`HZA0lNnKRU-P^^0hRBXw zmD?WnfiAc;yxQ#LO0qA#}oC`M8`XJmMZ%LadEwZ>OQhDMK@XK@#w8xy=vd5?hu zRv7=Zd|PbJ2F;hMK#wafaaH}7MNJn{CV{{OCe%_X& z^FGzP&PpPZo9?=28!+gOdjO?#aC)RJt`wNx)ZtlCW9}tqgVcD6iHwUXPW;wMBqLer zYc;~7cF4nkx|Wb@_l6dg991HH>Z`3VeRSm{Id$b_$N^*l8mo>1jdT#^J2N_(x4q8* z5{B|8a^>mTpOplN`abMFg4>TE<#T*8NNX(_?u{h27sC^HoN0*Lse-xhc;_c2)Y1sB z_eE10+$6bFaU*`iHtw|v75h0PE8>b-zvb4u9(`VYl$b}HDbp9P7|KVJ3Hu z+DEbzsTmS~TSwQ=p@xbvX%*(+^k+Pku1~cRhN+!$sd#%+#gR}!U<#yetRQ<&;#l)! zS{o#;nqLXC8ZR?tD77&mT5%WB5e`d-M%K9DbSm8teto zH1KdW4R-f;TTbIx|GYlNNWIDCVI1umY>%y0I?3@Zglvd?_h+&Zek#zm`~`%KZ)Bh7 zbx{v)iGQP1WpeLb(6X!3#=71ljTATBCgzsm&y@_B&D6M~-sHYQ1aVng{kJa9j zy+*#F*rXWvR%2ju;EeC zhkp?Z!og`9{3)4B47D;;l2Ty1v=q1Zd$?UsNxF{FA^)mtK+$u}>SlP^27}pc-zXk_ zI5fmv)$Lu|B!loi_y>mdkvtJd510J~uTDoST$@c{S9A*l=#us`Z=#mbFk7jQvFkNV z^Zf|cLBEk+Y~Ywz9Ly4W|D_fbKH;!&UIVhhMGac2&3o^fVx()Zr5iTJF_Y4mr)yWi z#?whuSX@6;p3EYpI7O#}JV3Ys&&VCH#%H-iPcp<*#k!$b`~(g>>G{ zT-476-!3pLt5V&ds3oi_=cnZRW9q~;Glv#)^K>0ZF5~zX&X$XVY`q%pSh{70<8__t z;SqXn<8g|O7~l0}(Fz^756F&WcJ})}>Ez;1XM5H2qi4g5SzQ9GWR%0`6e!8gLkg5Y zu}3MepHySE+f(yO+W9=Ny65s8x%#hj{Zkaj6{Y1gqoDJ`L#^y8+Nle(-+aY%M;Ak) z-u?-46mF@dDz>b1J>}Mb6*01CB2A2mOzR)j2vJ$E&gk}$)3+Y6l$?#!b=p~+B^3d) zsQw;e5W{*^2G{F3%?qK64%-%}5$2>Gu>-n}YK^#)%;!1(2`>cJ%C1;(D+iL0?H(lKi=n&!dhl4P+Gwix8V8NFMfWZwwOTfd~R}Y&z zlxWK#NG#B^T5|;O7xRlm+}^*sx^bvYUvKz*^`lt1AmqIX%XuDghs%GG6|zF2^Ge9p zEbM!|X56`I@{m+8bh<5jg2n{5(%XYYFYzAq4d1{0mkmN61@j?_)s$}rU*Llw>S48R zBPovUBEyr-W|d}XM^gc(c9*DGN6s*!zhGY0uc7rb)@l82vAfx~OW#Hl&%mH0%I)RO zxRcEi{lt?H@KaPKI74pS4afS6IogSNok~)#$YWUF@dwzM?BKn6R$5P4UJNWcAOrHE{zF!d$RX<^*xPG5g3U zuiIBc5+-4IXYo$PW4vb<N9Ko$w>BHhmu-`5fKC zml6)G{csruvA5>4a+-2@_m|SSd_LI7`JIyT(^zT3S<9!JG>1if>W_l3G);=3qDe&b zWH&5pAhYOYzQ%gY(5v70yG6$&OH#izO%Aagfq;W2X7dcU@S2%}72lI+)Q%7E4XreL zsgEcZ;&5@WMXLurskWjTfmnQMClM+BzT4^Sl7gwynt;V^Q5xv{1Q+9SB@%b&=f^80F%KD3fU;i`*mPwQuehezpY=SA;v*mdln1RxC5|SKaVd-O7VT^LZFNckpRpcS>qZa^mT}Lc;KR9c|3_vuG9kiD!@Vq3 zLmY)mk@*WR{d9q`hl-vATqst zqoPWHibuANT{UO;AR@i&LLkHoT_2h1OwyB5NHyfw@m2F}6!}uc`&}*Ek{z!*uIZ8Q zuQqkRyy?Kx(DMx7?OiRI9LU+dahV|RsKBJ>zO?)r9Q(GuK65j%UshL8sv$76JV5SN zDMJ_EjC71HPSel7bLhC3J6R|`F?g*^oYkQ-du}YB7CxPKt3$^?$mx|JD4;x1rwliV z9hwF@*Hyu(-`1;{n2PXeyTf_@$zB&^EWBEr2>qC$%PbEtxFaaGRmONBNHq5|3;w%i zUn)h5Di?K2cK!Mf1G7*8BmaCqWys~A8REJ05;L2cccq4`bpX`dF%azzds@xi0B!{t z@@4$TBroS@CPLW=6?$mAfzIhl8QaeR2X4k29_2+cWj1BUnzn_6m|pG}3g)p#Ok^&H zFGTeXA<`L2@nWDgu-*0rYZsp4YvaH+lDTTa>LR0*f;Utpg&>EFd%o_1x>3?foPG~@ zake*LR9k#dUz`cu>C1~#ug%6CFDk`&CwiKoJtVJQ;lOxsv8tb+W21ck?Sh_K?nu`d zS6ig;47LP$VuZiI>QS--Y&yzP!bUB3*M+-H)5}^x!pK^VjSAWk7|KMnB|zEba&o<}Sh75>y%O*z4aa%F*2efGA{bn~saoQHgZ094!| z&j6lNZT*^5w1q#fjE0D@Dn%0kGNDK2?c?ex0Cl)a5 z%Vpv6+40w?*E>QUEDz~*kzCX@?M28Rkp-8eBPNi_!optoH+PoZqfsSV&g9K{=_aYj z?WTbIOtXkAt%4F|rerqOIsWEqI{7ueKx&~WY^ zBP*O5H7%B+C(=k|^{3XrreU#y?zQTO={lFd)U{m%d-Dwn8C`FsXFaah=NqTghTAE@a>~wTtkQ8 zKeuEo%ZxsapzjsiZf@BIMhLu-X0dQg-CTG zO=6Yq4=h|{cQv1kDCff^LI3;pFOFDy!jgGNXGS$f* zdP@~YjO#NZDk0SAbby$I>F=x}@zsu{Iuts1VzlL$EQ15>=}xJ?F%y?OU?#9djy1$T zR-?v}hUkFqT8>Sj=WmzM+#Ip$FUkb8$5cIepcM$M?|?me+B{ z{2?4(lMUgn|E>E8Iyq{+F291dnnC*ARA$ZzZ~+oS72X#mF&ok9AvxLk2@b5ba#JFi zJSePY{4R+S1?1^fts7G6I<%wLqLHIklxlfhz(Iqs<5dkH)dF!c*t^76vMl297~R+o zsMd1}4dtjKY|&d{sT(#Z1yYE4WP7Zr5T>-QE(*4e8g!#jABWhfMDIDM5o zqs$zS1m)5KcqLAGUMZy9S!5{B`UA(zzZofeM` zQTkws8j}cxaKxoed^P&fH-V4o-sH<5F{`!I&!;NvM+aKP-U)VE6!! zif;}>$kaU3?%k6oRq!v)(_02ICIrfZPkR^jLRS{!Y4S0~THBdzVZBOeFA|=6@E-2Z z`IEqs?na;*%8f*YgCXiPSzm?yTnj0ihgX3&l1V0OL(#*$g}x`^XxFatsnN}za;$ZC z0!qqPbZweKSxdQiBCI zPp8U|6+T~eVP*Gp^ey=r)aJ_*(wOMzy*HQUKf+u+mLUEM6~90}!AAKl`J_rappThs zTNg(&x_0lCjKoh1O_9<~&2Q=B722JfAM5&Yz_;1(@(IJ(B~K^I9?flW7dziS-j**A zwG6GflQ%T_yHfG_5T}Q&+X6>j5AYt0rQm0B6zf38hAv}LHlowm-XHDTw=MTq>;RP5!z&`#dxBM_fS4(4j2 zz%C6D2C<5Qn;B^zl_b1)^YEJuFj^FY<};?d*z2EER&5(hi4vRvZ5nxT4NY4KZ83Xe zy(v)hOdL~@Cg1m}7P*p(oUIsLAgh_K_pMtbB+BjAo`hmEyXJZwR&PgD_iJVQZj$-; z4oW=clk-%diSnS8)nLa3iU@hS*2JSV2zGzubBZKJTfJ%Gj>MwsJn*((3d#OW% zs2X}frB{DA_a8LnEyCFbZD`w)(ch^-yBI=BTNsprUd)#cmhL?ik+o<&^t*dIFvsid zUI<6Ek)ZVX5~;u>o-4>kdh#7x7v1s>$uL>A!mX3s&eawC6>)??Mp>$}VY232-5Pe{ zQa8Vb>xr7pV^7NdhL*Q1ZQ5Gv(87A^%fT-KVIN<8dkDc2K~YRl`hJt$lOv-? z4m^{>C3geqC$;FW;67IS?P}Ddbw>>Q{rm+i5s{q$(w*+%rW zVKOjywe5M!!v`}e98wzPnPefy+*E+*NzSIo_6u9dR&(f7lecAol{dB5pBXW@-3Oh8 z0T9|b&Tb7x6zIAP^TqZ%n~dk>HNj=0#oJWuYj_s*uthspiC0gKA~PT0Wc zKgH?hDPbzILIcT^;Oji%KM{($v?4x*tButU&`PZT1e|Vimg|e|b1A z2>^UuS>fRi%fqU>XmX}y!A_;#>sDPxh0?1T*##5!jlA?2&>26imaNAmAKNeh=wVi+ zyS=;=?g`zJ>?`G%0Q_Z$L_J|Ru=l_`_Bv6t(O3nPv$%8XC3OfwMoR3rC@&>=b$>-fBIWGBBBGUPy5&L zsEDt(Vk9Zg<3*%6F`jotIgnj#YrVUI^~l)zEACO&P9yHBAZggNJ?NR6fScUHSzl)Q za)l!o-{7*q$odLg3u(GcqqLUik{{)t`CWMIcFqi9_6y;H8HCjwcFN?T@(>?1SU?!H z^@3QH7YJrwDR)9d&rZL8fZ{sOK>tJUknw-&9Wpa9{6D=zR(5u_|2_IYdxvc7tp7g% zC*aCUdy6!I;>Z?~;J^iIAP_p9cRdo&2n5L>;^&KANxH>u2#E3s%JF0}p5Tb_wE51( zk=_m4Uw^kgb~SIRtDh&+)43c>XV*UJ8P3lhCO7e{^rR#}Gtj5N5x~bREGi;^1n~s; z5G4HLla>HtUH!kEkQy=icoghNgui_Nk9hPHSVv0!g$(R6BtZG67eD~eK>dS<`iKq) z5Ci}~5kJu3&j{cY{5|`w05ZJ(SV(|Eh>erPJKj9|aIxmotbdw7?A9EB`V0(+xqBA? z8fxj_+h~yh=7I~c^lH(<52YW!9~CCFA1;acIDtO{toT^HU5M6rw<{=y<4BA|fuZUEC`tN+dD0j$Tien;@0hRr14--o>j zs~?96ga*(SX7CH~qaaU*0dR8w34Q;!7x32%F`(~{yNw20AHdO%82qO^)^70XXFYx5 z)$aoUFMx3y0GO}W=U4ZS{<%?zNZb1_;ICKD*GEN2L`3M85BZOaj6Cca@cju20?-|l zfB*mk1`JS`KFa^^UlDM~pAGP{TrJfg9%TQ%Ut1JMnP1EGOBx`K-^u{w`<$VsIE;+} zK&+p-EnJ|#H3R4g_a6{_^^33( zN`A!fIl#l7ywN)Tisj(-es1j_u8N2dgJir2yZ-t#G}<9B!He?|-&|A-|2jJRpo|a8s#w2P_L} z#M@`a?vrZS)Y&XIA9W-*x~pknf4BB!B>bHkcH5Th!n`!DGToBr2Iy+zi{(<%GvCxc zcBkV$RlmLgwe#S&-o?@(pRD4Gt0e5Cir=#5=_Qi7hRA59V~i1M?#>2hj6?A)$l@EE z&KC^{yoNq+zO2g`*EU57VVXjbs+OKwMzx?s-RbkKNW9M&nY;ncK`eRjFkQ3b@b!ZXy)K6#`_GNlv?Vs!+;YF5m8-e+P0A!}>a zj(*rCP#%&#Gel%OmV>+>hs|tW%cp$)?qsqZ46zl#dKD78sAhhYPQqYjxzK`~L&8kZ zWEn*`hCeqX=*iE4T6@#NFL6pazQa0~dQOCv_%^5GpuCRNwcIdJIPoiSPLq`lEJr6y zw81h;C@u+39$SIovU?OkOr$=KT~hE(n#9AfxPWDa@XmB0ER66zHJCjY)OMta_lq8t zoObaOo~X_w?qug^Ijvnro! zmLp`~u6wz|U%%N8wd+31Ip9oL+@QQL#rxs`&JL>uR5$wrQr1{q^>L;e#Xx}k4Y??ekccxd^IceFGy6c6ci=AL{qto-5B3ko*Sufq#37a1@xso zU)VT(nx3>uM>W;dXj6g$0K$5PkJsb8JIOhRQ$?4V-Xgu$x+`U%_jACe_MrjUM%GBP zOoE!Kme^1YS8VS8efv&Dil?7F07rbVlgyQ`x~a@)myuNA>xzn3yR7mujul4o>b%4D zXW@iL92?51v`A4=Xa&*!>yFaj55B%R)ScWx)s`@y%#y-=$PSgl&hWNYBS8DYT)AB6 z{t*}2b~0Vxbb~-XBh3E4*gA(MVVEG@wr$(C?YC{)wr$(CZQHhO+jh?vcQJ7nv#5%w zA5aw)PiCHzNfe|i!{eqmpB3Vqa8P*tUxw#nWb`$KyDC;PF!o_omn*H(po@HFp2W1~ z`^5I>3#sV!$UKL$XIU%TV3JYmu=dN)9VQ$Wtq;9k7v*Ya_n6!W>d^GOg%*A%4G9Pi z`qGXIZ1=v45Zqnfp^1nj5AU~$v1)(V+1sOkJtn4hT|axAOyHH&dcH6mzGl=Qjjqujs^nj?9@enwMN;U#v}ac}~R)qN~d3jX5>w z!n|&tG_ZF3=C^L$R0X%nG~4GnCg5hk8B_|PTCV@z|9By9*g>5ec1Csh;aZekK_|>` zr7F->D^4v5KhJY79uBzqLUx6w3*~IIN|BF zSGQl4F4i0Dc0NBU0Hc*Upp|ZHsHBzkrQCKeoe&e$X|v-jPsoGBOz7^)q&UuPQY9VC zrQFU?0s7O(zLE?((e&)#41!r{`m41?_i-s^0t%VA~xg{JqS(Mawn$iMBl1a zjI#p8L~khne!Rp{i+JL>``_%v^1+9Qu#T*Vzsrs9xutCmF|^7nn3QW_fFwITXVQO@#VUM&jpopL zJW7N7O0h%-{QwNY!N2`WlNX|SYsA6PX*>@mHEaR2g#-DY`>C{kZo;XT8EPtyY(VZ$ zWP>Gc?j+}4?GauqfC;!C_#&U@IF6d2E}i5w8Phrb>K-0WYl?m7^ZmE777Ce6*MeFL zl67-#XNCyxisrPTc&Nj0Z; z?)npzn;XnVi7vC}(&f1IA;r0&T!~)}Hd5+*Ws()Tl;jhWjt{1YpCKV{@QPMWlM|1s z?8@(%mihcnvE7Hlsh3brF<2l*?HP^pl=n@Mq zg4T6$#>LAN9V4Y29F%!re4SY&(rMap<<=wEanyN+IqxL72B?`5M+)uxWcVvqSw;ut zi`bgg{Vfdx*7_HSVzC$A|)zUn{%@~wu}~Rv|59?dY`K&e5KnSp%)kmz}eln!uiRmhEEgQ6ulYLGiPv(bX#nGyD_>M8T@|x+X@YIvPO{ z(*lW4;%aD2r#U=huARq#bc`&jV>G)%MiD z>z*ghOohkN))w~u z8;|7l)ki&t+I3^AA|V=&)Scd-L-N#MfNDc3!Z9#@qKy!J=^B@PHG^^#snef&=lGA~ z#{X!cmvu%D^T)xqkjFSw!Anbty&&<=)X|#71jSE@hiGwRutI5EWG>@7aF~3Um$Gl! z`zmrd#EVQitM)`llX9jR7u%Ajx#|!rwN2-FahudHQ$Tp~m2#~FNV*~V0Wshwu5%E3 zQr9h*a@t|2Nc7GbBhuHzcP)i|@*L_H4`c^KhtoHZbdqgj>P^PM=ExaWgzuML2I(fz;h!#7Q&CHFIv#+PuN>8&34U@L%Mfn+iZ0B$XtVl=CoLPI<-NTr9VcH`2OL+J=ty@FS$7X$ zpI)B!wgzJzelM3vcfkP9ZFPe=^rvcM_=lN=R?q#;Mhu5y2nhycNsz|<9|#0vJ9<0M z-4f1iMLY}-^}rhj55ugqk}i#n`j>b+PKoTej8d-dj^638c)rz*>X-MCMH*^qw2+j< zEX|PFAgXM3AG$g5!qb1Ly^V7(^XsHZ4t~Ds_zDgxsAO~w!7IE3H9xEHjSg?g%3jIH zB|+T)q-cq5WYB7;4+p(<6ipS}hM6B&e^2Kd z8pt_==gyxRO{KTVOF60KS9q4>y~6yE8$(0-r! zCRsn4X^v-F#k9XHX#put@%?7ct~)r@u`deoNs{iAO?FJz#Np(aOs3j`-jnS1|20>p zyCtM!lV<4qmTBvlH+=GRAwg&{vNgGzw!V70`$$}tvN^Z&Jr42_+cs06$ zS%UW6Ssl;s7{3~I*6Z^A^=jxgaICXWD zf@V}4Y9$z|sCA6@8C4Hv=XA94z(WLX5(BAD+W2DWQ4fK+jh-+*Qe>g?U(JU5i1Mn7hwY(6swfQk(_`~_kY4UntbO6>c@?nS+67h0Ak-S z+yJ-5`2q%rY$CMxl; zqA8U8deeyr(|v8<$bm)^C(CJ7k1yK{XwhLI`q!s(L^V&Nwg26WX$gn&#DXBzrlQdc zm2ORM2o(0+wrLH=(mogH9?o12hvY83i3!I9jlCIx7L!wzVv;x2qgcn%^0fXYHUbnw zp?8yFHFG+iKlSTr*{h&v{n(ClMlOEFF4s+gqhuQMJQZ)V7)PEk&sJmSMG&!TZp=E7 zLjJ6k53uxAQIh^R+DAOI*+pbN zYZ+Y5+3nPSqLRtQ#(;xNcuk2~8mb&)m*UjZ@Wn3wJum>VMZTK4niB6BppH z;mJ^$Ur4zp)!ppai(ScK%mp3Sz{omV^6t&8xK`3xDc1=p~qNpV}8b>Q?xXCEgtbKD&ENJmR1w*>0` z4M!x(UR1bI&{-uG1m7#6reCoZ@VOVP+%%&n!9xQcr|1WIZ`*r04rT?u;>d)O)DwH4 zqi;FX#qlNcK>2DY~CGY^Bl%Sv$Ki;3A0B;BOa>WT4FByA4gy%td_7owgy2<(m8e z8;xAipW4A2cS@wt_8k6h;(mv==Zy+Gz==Q8u2HM8c07X*OevJg1s%D~5^$Z_k*dD# zonuU?Hno5k^t0{U-i&UXA*eFudZ9CW5=7FaK8}Z3sXS=NruAGDsV@`J zQ4=nC7>QlTqs*#4eO1{xRAMvhjxs!XmLyZU%~gLrhhbkJ8lN`gbuUe^46|d&FULY% zF5qrtx6z|5^9TcYG7CdpTj$!)ENF?MB_vh!A)F)OdyF z%r$F~Z=xr5IBU5`8Azn(2ZOpFF0#4T(5=}8SeV;^V)UIFws*Ra!Y~&V;z|#Ik=sO* z(ElZxn#DQF8R*aqlsQ94@RxF8l|I$I%X)JrwuZbS_k2~~^HI*Yir!PY)ijh&80OF_<~=T$OVK#gH*WLZ41OEQ~mJZ9#GQTX&oXQkDrs7|Lz zZ^Z#s9>-L|t`f;ZdggMJ&xsU3t6@1>Vc^qO;4Q?TRB$pDhbFT)h#D7%+Tf_zunkO| ziyIdPb#^&>!ggbe9 z^sJ?z3!%#nI@dS7L#Ansujj|?2FBxLJ|@ErK|w;Q2f`F#ZkH(rA~?-Qas%twTxxVs zQXY>@+adTv!x0pObW&;jW6rL7E^xaBQs@z!XMJi(Qcp}@$JhmimGEg6aGbjrx};Or zo@Q@C9$$`w!VVq>vcC(q@+!x89I%c%VmVfHE_L3A!wqolfOtw+(hPHLsXn*SYgP0& z&zdHrMylCbf2~4E?VxRv8G`J=m$qivKRw1yMZykGzF}v3f<9iXa%un;l}GdofWddz z@lba;5^xG@irY!}6qsEorgg$+^aOdpi#n-CZbB~}#;=hxA6&B1Q0VBNts`xsB;!R* z*kR#l!2Te<8Az^+@N8{7(#PVCkzUR`O%WiSspdCyw{HBj+IkfiRFrJ)A$u0FUH`#6 z9?KomD+*bXLZ*WXCBoW9|Kma1b6g5C?aB#dN0+p9;mAArhPMMw)V@UaOEzFm_O={7 zlAt9*d$%

Le$Q3b%w#rI@`%ij#^uunS02)K6k^RD75JhcK=1EuOilWwnSc@IUK8 z3atRiWP82qaFIt>ZlPw(P}X&)q=r+l`_SnUiNhKa`$TXg?7w!HCtAc1fpv*Yy zxK`f<1P4|CB zwS>iOO75W~5EQ!@q2ZC<`K^A?r;L^EBEBEalqbSi9h%r>^?w zF7PM*w!N!>-?}7P=WoNAC_MjIf-mHT-waml5u~I- zc1aESVrcL^K~@8a4g1v@%h#V|S-kjHzQ`|h*z~E9bya_mT zj%a>`!z_(3Hi-}w+EMx`ncQKD%yICI;Jp#C#3&eT)%xSwJ}g@a$yVqQXy9>T1wKR5 zM(%u6+|VOs8>N+R0HF@B_`R9R(#329DV1bxn{*=uLLjvv?NP-UiEtZw=%8sBkrszs z(qPhi-W_?Fjq0!wlZYxtR<=lUBAr;!yxIMoz&L1kfu#K{l_y}G%mIekOz>L!YUqDcy=FqsKfU%`SA>=nd^f+f+Y0Zz9mkaY>cp zGS+KP-0Vhxh|zGyMT3Gk9fHMAeb~2_fz+G|+^5O|H2{qUMVsWUrD7>cwmFOjIO=GKFoU$ZU5fD-yQ<>2`|f(S8=*r>9LGqZIDl zG)MoqETtU1Fad-vET}q>PI&p9I%*75wnSD#Pg2EOda=WV`o3OMf)$OjRKe~Zf2&XQ z%HKH2tM-4C%US-fayc8@{~AD;2pE|dIRBU0^Z(b&8JQW`*#Dmq1d3kN!rIxyk$_&* z+Q8XF*u==r*aV7?56a2e(Zs+8%6&7Y4OAXS6OA^~%Kj}he}J&PtE-D`UY$6miyVQ# zJxUVr^A4D3dP^YXj|44%cMahzQjh?^?a|?1Z9`CJ@#_LI zuf+hc{_*af{_6}L&IzC+fMyyCK*}5rJAc4h6q3O!0Bj8iB-H&&4bqbj3vxI-H+gw* zFz}z~YZAz{0nJn&$lafS4ZtOzdVU1g9P+)$z`rpA_`YsdUEUlZlZ{}l?-)y;Iy@`` z8sVO*9$W(eS4WR`8;3T4&VTI~0G3n4KN5NVf!=7O4<;SJZx7Z#C*)`E;P>^H7-9TD z&Wsrvx;`i=qX>O`0ZSjW5gbUl_`iX?Tm&-zjG`0#P}A4ieKkL3H|F@BjE|~;yp$}! z;*n(l(>mDSo!qJr=yAxy$wR2dzao)U{=x3u#^jT5$fm{IKR<+v(;Pv14?=RzLNqVXJqMkLs>A!6H zs>sgP7(`Mlt-miU!P-Rvx%?6;2t$J>bgkb+tDgpwR|2tos&&-ou_hpWU)-6$b6vHm!P}P$ zd!LfyJgWVx({DFPN-^mA6MX8?fe}~+CkMtSArIU~>O-LS`o7yj()lMjBw%$7oPl^X z^nNQZUjXWQ=t+F!lLLVI$zQ@xXa`_*)V~<_Jz#a#zaV$O>drq=Zyo^ErauBcfU1$c z1$>`+&0pX~VD*5%(CqBG@uk7t=>vQ;Z2;AI{(UQ|FTeh^^FIb(QueB&|IW_$|7{C& zfBtm|I)8wA*umexy{-qZ@b8&xKlt~obz^=6V^&0U{0DwA{ev?jCohPfPGY)aPxRks zQQ#n+K(z8`rUPg|1+6OuHEnw%;ymeXVj-pGtuDO`3|}M#AJ-hrQmfP+EJvi z&W3b$k_&nfbc#G5IBY9KqAcX)Ej;ghnZp%w)@}LIaYt{lC-{*o&+&vwOjeP%?|htJ zmf#x$Y=VEuWfQKhM`E(a15JDJj=)bKh-{s0$>7j3zfuM^7}4C8$Cw#yMJ_S32VBz7O=K%CH+$%CrN=0%Pa?c7_u16c(@HUEh<~z!0XRe<({R=}!|7)!%gScWh6W zj=GiTj=MKC2;>_uJA50y?t9!=fA%=&$`6x>>uB_uGyI;sl1=femNS~!@Y2T)=?=E1 z?o0oZ=H#6rZ#+n5l7TOqlSsOJPjAAKDkGDJt%f&ibRX}+f*VU2la~D@<-)lM9t-D%ObTI1n zsej$E=okZk2uO#O$(_%R<6j1D+SF0$oeUQl@b22kz7S&b`_fX{&RHxVMEfVEbnfd^ z{IgXAt`w0?0;@9+s2Dfcs~>z9xX^7Zh`#V9pz!@)>J)&pVnfyTEN{2SsAg!s=$5L# zm)Q)pxbljw3d{mhlrhY?Yp|a^rZ+}znhavk-YluybU3-6?Kts@%PUoZ2;E(ub!bZ6C zn&uXI&MRVFBp*^`@IrN)qOV>NZ_tIu@{(CR4qgL%{E#DdTU;$6mx04N)~lGfEM7<} zPda05NOrOf5=jJ(BA6m*O0{}oDhL34LSDtNqfZjWTTMYyE;E41wf%d!e$4EGqas^@ zGbwNSOGU#~{c`5O==bQ8wh)W}Q% ziLOvR5_G=kw2G&^s2$OOXNHAe{-69ku-`JUsH=#wyd1go_azYX_}Y4;S6ojIMC%n- z))M>nbV&`|T2`&;-`eCGaKhzfub&(;CIJ&_$G!yLuox@mY$&_0FDlm|gdWRmzf7#rh1Cq=mc6ODj-egA@>2mw?1fwAkL;NEs=Q*0>Cj5Q=)&tf1Q zcl0o*tz=h8(6($U)|Q{4Ump!(C!m2&LGFVC7JFlY%houI2yp}V*wmm=u7&PJ?n6=E z^mFPY>~+10=%TE7uNB%~E7xI`x31+>x4n5!t_4YQ-FM$uw3-O#GfI*}Ed~U*m>p}3 z-2WW!lNKV8>_(%V^!PZ4EbzRWNUoX{O|&Vnq*zOjV(2QhW@Ez8&Kx|HukJaNsI=tN zY!dxpzgpLu)p?&IA;ML3cYaEZBW~v>{ylf)etR){&!CIWX@A)m{ZH%aJNpbkY0fo( zRMNS^$JU_?+pmtpxUnUO5bsy(3kj!5vuA0GeO>G_yu#PB66#X=EuEK>^>#%HDTm_+<7FQ8P(YhpflIB_crH4*}S zCWTH=Ms%+@`TNkSLaYNBIg$$lnqFivR{x$h6*s*O;Am!QnQXflgNzjkA}Z_gPwPzu zB=QtUR-HT(`hGes0t$***y)yv{+bN|uH;`AuX$f3xBvh#w|b9jlPi^U+kqh1>uB++ zh-EL^s%GvnZ8eJgAccpMosgO}-3w!5_QLh%SBY?Uz_k`jGY1;iN+H-0&pn{uV&;eS zmDRq0(FFHKN;F+bGfOY0QoO`paiQ$vDR(bC5;%rQ`^gS^83$nhuAR=wl|;Sp4U4h! zH)pQRkQJzbY-J5MSXG$cAnk~15P6dBG>F@KK1;5T?<8A43md47QZT-zbAX0Gy;UVc z6M`mJI3C`bTR=~pG{yL&3yKWX%InLGYlG4?Jv^k$CjP~C4h~f}1;d1_ic}P@-JurS zu{urT_YVKe!$mffwYAlrkE^rf(ZuN%SZ`BjNaSKNZM%0ed)1A~-utZM%TK;dX>{c` z*tY{9+*w+`aj&f~ku5ZRB`3nb zK-IkVrcA2^$(HFFlpFIrdD)qaO}VrlcReX?fEl1Oxt!& zUyV8*jJkJs2)OtW(%4U;?DNWV3kCt%R%lPX2H%){9b!eZZpj7L4AI?iy7Kg-HGztd@$Wo#!d?L(H@k|V+QZpP@NK5n17XRzFy-XjOqeR1#qD!698l=HT2|3B1P-AH zR2k25He$+2VbF|y!&@JD-7V){Uc%ub=UBm`Hs}$f@;;^a*ixq2YqSRwbMD-gFv6~> z_ho*e`Y2Wn`8FU}kf*Ik68_YgU=m0Eqw$F^+b^BE-lLcavSK?iS0Gg>3rp52Xd68m9Ychl1f zjVB|!l&d<~=`zDSm#sBx#=3cWrE-KXSZAm}d#lBW9*62X zMsUcp6%q31Y&Y-8j5=QoVVf#CCe5616Oho2BxrtB&leUJ>^#{>6)|SH@!}G@QJjjx>**P@p8bC#!lNB{Ps(ZGUk2&3Nx=09q(L-W&5nrwkXX z&UFOty5dfyq&mV<2u6Op_N(L^2|-Rf1(RlM4qG$ZUO~-n5``wPL|EuywCz0H3+$gz z+la*5_e@<47GG$ZfPso;JEE=N92!P>Bi*!EWX&-(gffQmbtQAi-gATwT&I?-CqH)u zZWj$#lFvRm?aU#E4is)J9PQa4Wx?2zcv9Zz`kn{?X28NBF3&D`oREwPDv)@6HdAt0 z7C)Zp2W+uX1t&M51I07XA=fXa|F^dIU8zxQ?fB8@yQF;L)n-oHm&d!)rIRKC(XQza zIay%bQ(OdG&OK>i&RJ~Hb5mGBLj;=18wFG`IZFH(#zOcIV!%n9C;$ucirv2zRbfhl z{cHf-VlR?~#Cv+9?+2S^M$b&=pIDhI{V?4Qz=^NTQh})b01|+Q;;Woap{D;mxe3C{ zIBDaV&0s02CO+g}Tx}yvcUnrF3$0s!=EyV&CslTT_-<`tGMla=Ia27;24LfOqBXEH zvV3>eKL?|VthKmnQ3~q=OVp9&h$df%)z~}{NPl1RFlH~{CPtx~oey)NuQ()gQ;9U2 z3*F?%C`n(pD)ZY!DY`8UJ;^ht^nR@W#8`5+5rYHsfVG;Ik?~|>j4z@CLNP^8Hdr)g`ZZc1=+p*I)Eywn5FZrp{gI1|4o4ih& zq@zInLxaPO(b2{ILy4~jW5#$pX}cA_z=|>D-=DuR^R@rG$y}3Pd9Vxpf?7I&O5p26 zaf=@hcO3CPbXvzvjT`gSz27>=)hpZtj8xJJdvV0d=MCQ;oJcI&ZI6X?J0A(&jRaaId$hZ=eQ-!@kFgc&I!ZKUnP)7==Ypu0QPMb_Nj*Q_|hyHDngs#rhm?*twB5@^p ze=PvgFoC)qT!s`M^8wShB^&hwzIp2h>!=xn&iQL#af8%&8G;;2Kdl^8Lj47neSl*y@!CxTl)envu4_r$|4U=DR=2$KHS2AuC6E`rZ^ z)b{HY84>?^me6`qgt07<4ilmvGH|q7^LeHC~1q~&3Scl&l)RLXg&!etz+EDq^ z(-+aka>90V$CL6=tb>^dK|9w^)ao7dA3Hnf!^08JpcqWg2fCgKF2C6z3wlb_gZ#~x zcxV-LqoY7>vgaq=opxIvDBt?S#D(st)(L8vT>q~prkAJwu*Q2SwTp6k^v0ZHz2FAl zuE>k5uS5`dkB>rJH&TQ%{O_x{%t$B#VO6;9Oe_ zBT6(y7&L?A6aZI+3t*7XrOh8cAW!3GSg{(1Uj@J`S7UWP(H`E}bAA?$R3 zJ{lfDm0?&laPZYnx7odXC)PPE!WDU8-@d-9Tl-8gr17up5>MCRZ~-fm&oPBdF?Cl_ z5GjZw^Z$utQ~$9RzhiZFdDDK6^XJ<<0x%QsJjLAQ;AG+dD(4WU%<2hSqF&z%`L3s2YAz52EuX=6V+_P;f?mAg!Jw9{awPn7pI!RCN^P}+&ZJ6v;9Do) zdMiLHZtDzONY4^JQb5r+aW`bInDkj0CDwP9yln&gJln19H5l;q*okCr!Qw~&{SHti zWrnK>$uZ0(Z)hsRD#zIo5_V_;V@-v9f{c5-2%TbmKRziwdq)$C3J!>K!{~+h7mwe1 zjof2l*hM#&;EsBOj5;Sg^mv;i4TaJ>KYrF?U?j0wmB(LJSIe$VP z0lUCd$Uz$*73rT|k_{3;c@;*$k7B9?z|z)s z5dXtDdaq>MIp}rhMl1+5E$l?i1&Xy*sX&ZsNXq0)xbwa<^#;Ovlr*GBj`MWXSjmG6 zl5*Vl(&`MBUR45KUy^)y8m;&>!v8y2I2y{tb(D{&Y_<7u(g$p1)GgTC!SDUdOHg-r zW0)6r!cHC+ABcQR9 z&+sS;n*CQ?G^jIZxY4B`OC#CAoz_ThDy=P8U*)gaK(jy~0IY$R3u|Q%vbUgby?nvS zPEd>3_J#1ZDrgp=qSr#EFB3MQO_BFbh>$E=QemKE;l~t3k1H^52-NpQ+EaplYZ8A? z!*cyK8Haccwup>}Tbt-AG&HIkQK5+oIukJATRABRtBQ=TL}$qr1aPx&m-rNj{eRfxMLpdb@}#uyKUro3omygO+4t zZWFp=WJ)e7twNwaLw2kTq@I|mvOiyCJ1zK@gz+p?KPSB_To(25)2@T=@pI`3fvGDz zcG*od#1lrkPp4;hwJsN5#4aw>+HR8U!J)qA1nQ&$I|dA0(iD$VXBe%vI|th0*$n(a zXpk0#4jm8B(AJ{H`Co^WI};eZ?gC>D;f(l@4nx3YOuAtJThG9cq5QyuEd>u;y&hW9 zDv^^l6e6jY=hw%O5JJxTfUZgG5g93OE|phJ_ZT7~xzAhM2eNrvp0?4Z>_{_OFkg_` z{p8a_K*J#^sd3y6FnuvWV5>LT-9BtyoZ(PwExF+&2#09^#Iv#AiB6n0}&?Q+G4JcksXi9Tng!DK53L9mq8 z)%+uGl*ErHP099=$ybapq=LWvk}_j-_~8z82XNl*7~Rli#SQ)&^RZgyDau}@hC#`l zYiWsw?Iv>e0* zhb#EZyvJmx!K2m|wu_!{4uG#oEAlXUSr93)t@FzrVg?cV@4?k2|Av(GZb7*P`=N!v zH);PRP}hK4lQH!~NEE4XU>{eG9kkyLN5IqtX}o0x9{Hrv_-8q~uSkBG*ssH;+B{xvy1`qVdvakVMEY6Ljbp5Od2$A+c2u+9sJ2c+9GKSUlq8 zfmea=UU1#M$EtHW_{m#=v%3|>Y>ZXpGF|F;GqzKv zWM(+Yv3ur^7--_ahX>dgz-^lIKL>-o3`_#)ZJu8g79;%-cH;_wtXqHwnJj)woeS9= z%X?^8T4j0=ixhu2Oa~tCn4y8Teb|qGG9A~P8hNatoz55=j5z>N_)i_xXZpF09`agw z8k2#4%}DEV)ikzp%9M_JJyrCgySDl1mKnzB#lW&|^SVTk>7lB6aXSU2zUvUd3QabY zB&R2sF?^DJNM??OnDAiEDpO^@sY*rv=;M$q+&l8p{`i6gVnn&tGaV7L3B6jr0!CNt zvJ%IWz_9KVzr(bPrlfd9sn()coxDj3CcdO*8)pG^v5^c3ZlA*oIw`FlG%RosC77Bl z;t64D1+hl1$8q%fw)ZJTp7OiVbgc6wlm5 zbR-k{uvU#5a-5<%kT*448mpoU&OuQ>CqB3#`S_+eM}z=P!Y*gEd-~RlRvll0gaqAN zYXMVL&IbTZc!XOk&%Fz4I&;R3Y6g)mWP9r)M;tCFCFhH!jI%4Jr4LdyD}-kf#xwt~ zHR7P)8lRy~RvL!N$hJ9Fj|I0GBru_vW@z0kDXt_;vm%UWvk#_y1sC>=qw`HU zCY^6?aE5uE4V0}*KRzBo)wJ$l0Hs5O<}0Gn2FTN%by4|bgF57!c%As3*)uLR8oOiF zJ6}GlkDclz)Q@K~sr&aZPVXw|GC{2w7UuQVqR{iMmRkrnJN-3c54s_~6i&|{2pmXO zj)7Zj!b7Y*SS5u}t&Lw0RS%;Zqu||8m&B|vv#E!o=c)7^@v=2%@uWQcK+EtMO7GMS@5;g6<)f%=aewz8 zf}TxGkID=ys&=seC1ZsAcd;<7Xh6_8Vj5zu3jC+{O6VZ5iv->4mqx=2F)>W;F4VW4?{!!+0 z#u4D`Ma9O|J{Wp;#s8>sQ3002>SR<|_}JOh*szOeew`RTWK;9A4MIj6DAMnA*&olP zmVZanVFaHD*>Big&U0H*?c2SkU7Qu)X&ku>YsitgynH}2y6Gt~Y+9#!swxj^HI`&Y z)W9nr!aq50k>hEYJbi*Gnw9}G>Luv*_6ut}mK50UN#cgK_5247)io}j!-*rseLwxO zk=)|b2=4`Pi$nMd2uV!;Ci?3*SJ~dSjKOT7CMJ)XbCNS)NqNf;h-F{VzgH-`A18dwimw{E9WQnS@ICO7VmZ&ieb+PPcL-O zkS8RMhQ4r6I@gqnk9dxKF&}Y^eLps1vJ)1K0u!a^kiCk6>I;Y}vgwJ9x<=m?xi z(mNQaAL*hRlwAU5XDJi_{P3Ib&T``)MQCrKLQ*)bbCXxR)gu#Dzw!{ zFQ2Vm18M1Or;7O!-WHrn>s*Cs-vMMv#**S9jt}LZ;?<jGzvTRWSD@dFi09PqGx@E* zGa{i>JM7D=h#Ag_@kv~&fHo_W9-rFVMUMCkV)mRPMM=oV&Unh`P#xurZy|Ts1D!Dc zj7C*XvKaJdgx^T82sHKXJ& zK2@FG>g1G*MYyirS-ahZ^odB+W@{qG9oyz#Gi3K?D_Ygdvbh)&3o7nTu%C+*k_>Lc zc{#i?12+A5S~Yju(OzbpwcFs6r{O}dTkjm4kFB89oDjnewt;pdDA{!zNONZ#KI)Jr zX5d788te+>m{2+@aH*(R&v~)b{8r>xd=1bOJr(}`aITHz-L`RZ)c=ARuBG@FdwteL*d!D1JQG!0%eNyO`c!B33#4K%1dk)2MXSD{ z^1bMjy}GHBTi!@m)BS*#2iIb4(&&$+e9lYZil2-DQMU%RLJ?+ zX82eO1gCv|jn{N7PKr-BXs7qtuunslUtKz6`-rc5GPa}0fxATST3Kpa?*L{8r9RWc zG0Z|$&$su`oZq-rctRG|f%y)M>8|8-PRD2rJ>Iwnm8+wHo?z1YRZwG_nfrqyia7}T z_s4gun=ROivKfh$j*L95RpL)8sRkZTm((+xs@{J?MSN*wgCBp*F0Ddfi)pW0oZ2_) zY_}j(@fepz#iDtSSbkILF$p%pQD3+=dBgP6s+t-6iinIBe`Eun8A!kVdCNHB)5d^( zJ#`bxXSt93I<7`k#sIF`Wk3X64{iRog#tmZ)@cZ_@DMG`c3VV z8DlJrg>5462hH;<3p+ebv{E4(h#`3-4KUJ^{tSlV>a$I~IeYJ3F^%MRq9%w{@G}F# zQH6U=)p$r%=?oSEwREsmsQe-|Cyhjv1r)H?%N+_H!3jMlrM$MjZ~w#CIYepJgk3gm z+qPAe&NoqM+qP}nwr$(CZQHi{>p}PG!9VE9T`LB65VMFA&)#QvsH^Ldexr&tRyh>} zI+WcFR%1Jctcd2L7}gD-fFI4p7ffb^`?8G*vj|N(4hTP)+gp;&_XUTb+Ya#Lo7zu` zIWW!}gTmlvW?B)Ab4ts+va8_Kw`#}%{DI$wJ~Wr7HN8gB{4sOsJSdBQAxK5YW}By1 zB>2vbE;dwvO8D;1JyELNA)z*~2Bu0!q-Nu>Go#-&Gje_|wqAvr9RKF0^-4#!J(|{< z=s~GeDGhsF1(t53xH+@@>K})KPM$rO(yIZXUoita{&EjjD2E9+V*p7y(4OG97>`l+ z4e9Z;$BVanY_?U(=Mb+bM7)&xAWgVdYO<+OAuSTlva4z-JrIMJUg!|=ZfP%o4*MEVP)3#`% z;}eLTK%-yx>9{3ceZ+KnU8@V4c&NWk8=U*rStpzTSWLj$s3x0Yx%AbHIz$Xal4qG|Di%7nIy?QNf^ll!p*QedNpJ_B|UtL+Y73y@|Xs zMmJz5XZ2$BsX~Vxa6{3HYm+IT{)TnXDUaCxB(jv<7!*&};zrAXxOzwKX%A53V8~iz z!slrQf4%M5+h^&tai;tQu3bk`?{NJ3c)m%Q*=OL}2}@C234{L}Lo^iM4qZk9b`-IPx{4Vfw-dXJq8IAduEaG2l4oX*+8E^(;CU?qz)z~MkM~KmeG3T3 z%pY!}N#@jZEQ#@;CLfGL61KdZ*hDaJ2p-(zMZMWmXq8M=>}8X!{7*;`=X%0{|qR5+wtyo0ymr z0Wl1aF4YlXI5~l**$TvHxhmb5G8SJw6Z{K)4!!B-#&V;bgpptFM6Qjq(VHDPtXbjL z-mH!T*h+xKO7y{p4yGV)cpJCQdTuDSSsG7gPOXQp@cJ}WOJZhr0*eUB{NmA)tpI>c zsPBV=o_&;FVl&tIU7zE2ey%|Rx@uHj_267D?X4Z?iuo7Z=H~~Nd1^s}@B-I9O4YC; z<(`H}Usw~9u*pEP@d!;@bbAITLyJonvB{z%nyvfYq1K99kwm78&4@RMB)#ai?s~bo zQ@4kXaNC937d%irk*syN)`dCOHJPi<0mER@+Y1Qsv^+n3mAktjo)D~h^>b30Xf92QMZZLif90tV8N4y z)S;=6pVi@?A2FXE)n4A3d=LRRhcDF+!HbvRUQK!1$3PExYcv-i@6B`pB_*^UL!}rU z>CiIs@p9$Ge61$LT%nA0#{X^$iDN!E!j+`fR)VFx+V`pIv#A=``qPHd7$r@dR;9HU zqFSv{Q5xl2cIiJMLhA?l5li4IHbQ_s_|m7nk@`JLh*plZ?ak`Blnv=ez6p#7@2(}G z%~dX($BK@~Sz`Wx&X*CCz+Mo_WFpHN9!zz^2WLmKd=cKao!YTJXFBG#kr`!M>?X>w zB28{>LuTuFp8h*$fvUaeZi{D&R|>r#U9X5R4Uf4JaJAk{yX5}rzfdzk?M zTS|2lAV4gqDO7k=xBpok8(g1RA&ZYdKqnA~86p`10AtL$Q^{kyKpHZ0GwdytM0X{W zSse{75EgIjWL#dHuP)Jk==8)8PwtLiT;S<8x@5#viQQ36S>W-%791H0@qf7)#h790 zJFFf+A6lF+J41loNT`K7l9JxnZF{viEFvn2;%z!>CofY=<#>|M^(h8SRl|k5ggS>f z;}AYF;R~%@4}=g1gvjK%qF>gO=q745q){S5QvXxQIY0ERPG!q{PcDH+eCiN6No;#* z5uwQ;q+{q%!g;)d;mAXZ0;2+^q}lUzc9RQ%S+ovQ7Op);A2i(}1{OIW^TzOq0^N*A z!}LyK`B*n%&&3i`grwCpR3(XoImJKSGiID-Her0XrEsM!v_V2_rIlXBUpK^zVqwsp zlisvz>6T5|Rff$3t)wh_CNUF;v_;^E71=x5W!Oa(2WssI`y)PUMEs28*>%SvDM;zfKkgtW@3 zzQode9}GUVc27ned-uUly6B;s+Y=*!VH^XQ$!%mq5gVhBb)Mpt^8xr6F*9))a#dVc z^ysiLUb0#E6XN|tq#z4gTCVqq4v4t(@-k4cT@qWA)!S`9wZheh>H3Zkjeuu=E_H7O z=qcDw=N@}W%wi5!$!P+OOctyQ&<_^Q2o5LaY!U;*qYxRwI8)`(2( z{AQ=pvj=2EYc`~WvgP_uVcu~@Yn4mmu8G;W&nuFzlbh4nI~6Ewn^ju^S_W(J)xNY1LpJhf53cL{;)Fr9}nh#m=6aB z%m0;R{=b+H3lj@F$Nwkh6V(DPrxn>k4+92$g90`8zbT(i)GB)%S651o{_SmOlr0c2 z*U&tFq^*7D7d}_h+)v+SPhsUn!;Q2K6~#EJO6IV%^-Li0YXJs0x~QoxAZBo73>6?& zR$Nk6R$377;Ev=-`a6ID7>smYVq-FI*sCstfegPPW}Vd58n{)d9wNwC#|DVn8W3Gp z7oAqu)D)14iAl~cbCc@Kn2Zx2YBv^fwR z50BQ9Z#(F}D?b^Pk`W@mfci-CIfN-Q3oBT;M)qcq4!0jwC<`A+OiV}}3JOwAVQV?+d?S+YV+xCp^_Q=k9R3spb zHH~x-ff+qS)i~@qXdnv6vhgv{Bs{;o-st1szj=^frR+c$A}PKD-=m+dM6`3dGb1G> zFD?ipM6$GT;C)*Y7*KKvNv2NscKMK4fm1%XIGbFXf#1>FQPoz_(tQxV#x`(qX!5{V zfv{h)?lUDaDhLcSQ8Owny^=;B_z+vh&~fQ$-P!m^M+Z@N+yHx8$~@|}>l`Ux*%b(* zTZD%nM5b1d^z>hbfvIJGaZsb3@}Ybt^l`bOGS5nVsslg89*V_uYBw)%y9x_;OA9-HiFY4Id~`gtkZ6CQMZEOYsPQK2r_5mmZ!O=}k{Ypai&?(~HB@SYD z#ru}~?G3)$N>IKkIL+vXh^cdn5X>a?H?Z#t#uq6~`yLUbk@h>Vt^aD`zoqOmBFJO;x4;z; z#WMhEs^%Wj|GnwIpK@Oa!A=(6A@BX@qkjdg^dt?rA@9V$d@8;TK~plm1omRmIIuG} zfck5(98&=fExt#-yW;>Dru=h27%1M<(hf!!=`X3i=`a0%W#@?_x5xS{pO|2ZAiq(U z><&)gxvK#4!18`ieM_rXMnb#Gso%ccu?txgtKR(0+%&x2=a(9p-v`J{wJ+F!#HO!A zmbT559E249xn8EYMDtabNaqK~@<7#MYepBb@=W39ISUu^+?M z+d!RnRiYBxnXY|OFiF;zK8J_&d#;yHJ_Ca@1eg4!HCsFvAv115w6<0a_|R|*ep~+> zJ*8;7dm&4X5zQ?{gsxch#D|hpW;gx=p}ErY%NgV^YLhg+wYj6Xe_ zh%V6bb3f%HI-ciHtLGwUsVi;Joum$ZQ(_)Oszfd%RO1qjw@u)U6@|GR;D1ZOI824S z*m|C(6S+B}t+xWf54aVl)2wg3!LZ!=?ppOo=Bjj@<$iGOa0{}nVIC=^?iNN=G`7d= zo{V769$7rG@1SV8PEfZ(Ebo3nQ@+iLVSuBirf@Ic-DmFZPY91$w@Q_1q9qp(GM@cu zrszB;cIa?)mA)w! zjw0V?%KU{E*_jWp>iBWSuWXNo92N_>b5!k%5mpKG+?(&<8b8Yz4V&6(uUeG~+MH*o zreCS0U6lIFzxjqXW$kngiTkfcWLf|u)cKma{UFQAfMIZO1{F<0fi+8sO^ia<*SeJt9;839 ztRi3q*0x-Wn?7n*Ry-&#PWARjtWUy?e>ec_`=m2VbX0~)tDnKrWRNYEupFKykWp#l zTeS2?G(SFD_eaHPGhDNuuN#GWPe;=x6g|V6w52+rk!hA*G!w2t#{(QZRsfW$5 z1yAki<@K~RFx%7_fIlnk4K;|+yodGRiJHXa0O4;(_?6=)N;AenG-CVk=iP#w{8n`xIRzwrq`XC*IQ-IizUNCL z74oR%-^X}nO?ocz{fIOQt7PA%KPRP|jSp4EK-hptxb%fk-qYuT7=Pq(P1x0rpKV3F zMEXl*F3h#M&efu!FWuO&c9)4{HUcHYPC{yR&hBWuDNH(fQhQs<+_^o2>bzX~8EAAG z%4cr0{R#&8nedBXHr5FfJ6;o(W`BS*G+vcN&jj&vNg+Y8ef2YRxmUr^xKSw19DZ7% zxF>bNU~H2jcHY3z{+3R{egHkw$xb24Y(NGD`HIPZW}%G~ds$Z=^A;N-kEDn{fplzH zX7UzS>kbqO3ryB;-OU3~FNc2+Wgs9A$H5?D7xpUv%GtDnR!fDHQ@@@3f5XhY3q)T#FiSL}q zE$ZaXMe2MFRsT|!$djc~oNks**mVQDt;Nt(!3jo>`S_b+%{Hp>#8_H|9_dMj1m; zMiKB_KA1cz+3+CO-=t)YD38Qgmo^}RN1xc?Mr_x<3{O}I!odMg$QTCwr_-ZdZ}T~o zB_@P|9mPdi)aN<;O1<~)QVxVM;DpR@=qU*=@jhxuX&(-S9fC*1dLPON`Q0*$LVs71 z@PGOcPm9Ete?tfPOv~oF_ogfaI+E=JtCydNB2N}to?^%rjo1uou~iF{d*bL=0>SOz zAhy+r)1MqY`C8v{)0mjOIz^C_;U=h;-Nfr-|L0B!PcP4E9W=Yl7d3i~9J!8zGZ6Dx z)5OH_0M#mM3!=-u7ktUBBeD0O;a#wWUXYa_RqysUxxT#j^lsD6wQu>MSji4vl9e32 zrJ=OEM(ohp&Z|5J-cNgN@xSP$DD^*Sh(IR>9_j-`Bh5sb+bl5(IHQ_8ytzbdPy-GG z>(BQNQG4&~S2aF(Ql7_Zk@WVHjJ2AzqZ}DwgXE!yRhQ@*iz5)*;a- z`FS1d@+}B_NgOD9n493Rcc3HirA=o?Zw`j^5g6M>T2>?p^Ft#GM-UJa*Df*V)FzIE zV2aW#$9i~G2a_x3|(zMP#5`c6QzQ#OBTuaU3FbJK~~c|H{e!rA;0#{U!llB_wg z>dl~=LO~$5DG{&Ho}2+BW-w#$)LLE+A>M7~gpH{A+ybpi$WhN&uCV)^W}wO1kgqIi zkzYg2K6Wm8d?crBFn3v;QpSfIPpBs*P^I|@Cf)&WCviAP`QA23EXIu0 z*)Kfn<_6E{2xC)9J(hBLFW&qC*LVwznX)VC1Nfq7)oh$0LePrs*CtlS(FbWk%i(2sPwFJ!uWY9&m2hH zweM_G0HSKOiQE?4qDeU+U_PkpM&QwlqiSG|Jb8OH0W__SxEgDpjYykbQL1(cW>mac z`OC%=WxFLWo`VjR_~?(6{5h6w@YEm{$WLX0$BgDQZwSJL3d;J4$~I%pM&_NiF&RX& zPNd~PWE4H{@#~rxUTHj1A{=4j&~YXQ9|yhUExt0h23Yb63o<8u5=1_}hSU;`BAKu! zP{mYCr=lm%!^yuKXj}5+b-Mb>g78!iO$xKI6LQ4}gc{!qjyF4ot6x0zQ8VM*s zg|oj58<8bL3|>QX9$q$hO0jYwK}m*Pn!d~;jd-8q5b3IAnI>PCW~=k%$vM#*Kd3w4 z)h268fR5Gh43ZdUo5ML%5bw+DG~%Jq#Hk=b=x0?QQ<1sw<-H64WU9?S#1F?Nh6W$` zLZG5>2nu5z?jH`>m&VkQx_>PZF?48Ko3)|nQvlWX#-|}oMm^%yWRR}cvD1U)dB!vb z7`!w)TOnsCQyRHbsMeWiPCe7^ypsBM7w`vYQW$QfsUs)<89A8BRskMk)29%zIe}&# zgZ_a|xG0tVv1j=i4|OwS6j|xyajqpG`S=KCOfm`ts%DAE<5Ik1+M;e}yHQ zH#{f2yvJU96Ue~!*?d28&R-j^%t#b&w)Z_R@BYX}Dr1>M=&Hlyi(`ClTV6YCOvSDa^s^Yck>N6sg^a+H@ zeJi~I(|90pv`L~_PbA05Anj%a)*CAQhQR_e8|2%YSME9rULhv#M@xzm{GZnY(g$|p#dl$$55WhLs)ib z!V|6FZg%t>U^2~cyc8ql`aB?+5IU+3WMAPI9;#Yx_VZrojuEf<+lK?1LK)8;4OmC?34WNx1dVzUIlQ12 zk&9D=%Y(10#p{6NK|4S8(c3|cE%Tbvsp+*R(TI`UW690KNmp6@JLCPJ%e{eB8ogUv zo-Ep*9DjxNZF{dLXu=M+AX##;>EvDgFLX04z~a)2FaS+0R?%N3n2+6#V3){d7k9{>A(*;tX;uWF_C9`m)TS4* z7V2e1g$u{&_x(gS=6NPaUn}^A#e*xV9!c!hymwS$!1o|6hY3#Y19DG?04t*PrEQ@r ztx(#SUM*?9w`1>&zKw1}TYde;Z;xhGgHQ&UFz6wcwIozq4LP;SsjX+C_JtE5Cb$Q_ zEN;U<)sHY%xHafVQ=aln-$1q5D6>!k+Ak=*)|{=P66bk*vMRd_N1q5nB`Ls zKf)bu-4#=ldIW3?nij@4;@$uGe5K1}@AJc(=~6^nK6g1lk#Chv3TyZiL@KuI9Qwte z=1lRXeq}Mv@8d2W1Od0#eJ8cX%H9=nL4xn{kqh}O)Z)!n#G>MZo@A2q8p+o2z8OxgWi?@%rQFP6}~wvGwrV+r71EFrczyn#LniN z5%J2cO4^1;j4SfJsW-% zrFfyNOOP_Q$Z(Q#J2RO}0-1O5*v8!Gc6b0ERUYi5zMa#P zSmwLFp+1z)`W_-G z_d53+bCkx-GXHdM+l9{n=qk$GC3m&EnWRLCYzxhlTDT=|h!XAe#qO3Sw1OoBu#1Dl z9jyQ;qSgCAQ!AER*8h_JU650Qb3{YPliM(17)-LpRI7|Msi#_3MBFW-728+Qd=2E? zqe?w1JuMTVh}BtqUA~Pi&Qc6Dm=+_fV2UH0(G=QM`A>C4s@0(8=qQ*15;jTm^^!42 z8CZd0(@LnRQ&_a}Ridbzw3PY>^lYR5WhUd!$jrirT1uG{Vvy{%mcE z_P<`+crD%_tQ(7w$t-~o`{*#=d=%`_F>L3aKmxcc5}J0wCoxV+9tY18ohND-<;h!` z=CNh?_)9aS&mrOI6Y^rGZXrI9%~)#_I`tzVJfb>5dF(tq1pJC>pv&sEjP)Pv``3aw z64w^6QJ+ql7e*qoB1MvZ{BOjWL3Fq(@lyS~6R-Ut@Ry;tO5G*kQ}d*;3g$O-Rl+NY zWjq7Y|B|QQEL|hvO%KjY#pOO9w@+TLQjm_+~CEE5V^q5^Y^`6SWKt#!x>IkGzq)5{)sV zPLB!Dw|@Ka(uzT1Vn~hd>~k_|g>(Za;@s+9T3Jlx-C8- z4>g!V^Mkuf*McZFwt|fDzq;)HH{W-Wr;{>xxAnP|tYwZKdMjr|#3NPMu&Db7_SD0@ zqUaN^{ZdUdl45>+2DV3Ai|%9AR0kc56{5npZy|aQMzO#}nEVV;3irt<)6DuL5sk_Q zjhoI8_x0CEhV6IF{L>zPi8+#pm>_cL2*{P{WXMy;RXnVR-L)V9f?nBa;cqT^XkBr$dd7v1F`-kaISN_+2UL00SY z))Vm{e<^OVLE1K$PKtSEIpc9-lclFeM`cFOxuHS$5fGP>sB(X`g}uQ7KJNldn9Kq4 zdMwV$mq7|$acN&=<`;{>rZ4D|uX5;O@y<4a)OXFvjG^1R{P2({wwIdxXdw$%kLvsv z^#L0RJs?wp_24nkrih0X)3t-=?*o(bKZmvf7IR@+1r52*uI7{05}UbyABJ9q6jIrf zsYRaHrG|hD#tLC`?FF*VYI?jiKD?*QcQZa1!=5^j(2b}fRx-6@1q8-?>nFJp2X7a{ z3%LXUbkUQO#)ujY3LUra5v__>P-3%g-s)pJ#S`)mlLMpPgZE( z5)fS-o9z5Ssppr{8>3@)%;~Dgid@vN2RgrNb6 zt7A6Gyb8Irc8bKO{z8fA;;MWBeYHbIKv5|TufT=UN`S`k6F$gJw+09x>)<|i`^~6R z_6tqZ5rpyFGv@&RlK=+_hu*M(E@d8*ip6EYBQ#va{r-UmLO<`ePI*jUlx#`F?#nEP z>5L;c7*uRUdQcY(y^H?s!!n%=YE5dchJ`2WbPfTTu86gk#-mC`gG(rdBd9u7Eo?zC ziny1(Tw8T`=KPQRDFaOp0R6%I-*Qc04AH<+<{+5aN4L=UUoXym9G+%L>lzb9Zy3gJ z=E?HOc_e}?RJy0@onwJ!EJfIe@55DleS4R(S1r0m6fzc{(%{&N>Xif(px{?5!`ZDJ z$1t+o;e$>pgLfZeaW7tr&RTJwweEu9J=gf!rlQ=ZRr#I6(NyZAH+r<|UBIvoL%(uZ(!(kPW`D6>DLO&; zmlq-5SCb5TtDgVA=&$!p@}AewI_;MpzQ+8dl9HJ~2X{hxVvZ-)J~BRKz~J_`U&#Ej z>F+JmK!yGSB&32klfn)i=>%5HC>DD*3SERI)A6Sc>|l+m(`i3R*8`-O3<75lI`CTi zvH}P+f5zl?t~zSP22e{$)(c{UdTofm!b#a*hlAk|E+`;>V zP6(h_mOIy68lG(UYU(7DqcNp<$F?<won>iOZ}Y^Z;c++ zn*xF>C%X#4h^mWsg=&9F?`|b~lF# zt+^mbxZS5!UxZr*`%s?AKi=vOlYh;Ao(+o~?)-#2{z$}ETCFNX0sl<+kW=YDVpAZ? z$_YjgDq}F)XY?~1Nn;C)v7R4)p6Uo$)^;8{*&wt7Qx6S)iEkwwXk64{Sae8|K5L7H z{K3>o7Po4bLEflJQYE&41^> zGqN?f_SsAbauJtKieetu`o|3J0Rhgp$cnLvZ{H2nxMyK2y5iDZB2 z9Q{&6=vgSh*fX*|Dn2~4Xh3qp^s&^UEf>)Tmlu)z&`SGil$jl9|7>Qq=Ju;&{rAjb zL&oKXsFxK@gJ}S>@o`Y(3PC)UV@hMTfc4938GNiw^Z?#xniwFW(>8n8p*{n zj1$l;i-sTyB#IH()fT&7MHi8Cf{njZw0nc}%MP) zZ8Co6FMs&_!$%e)ji~VO)Yk|0&7+E9g1mF8tW4f)X90#BqS=2eINFf#oq*20DTogl znvRYC%Y-UAtV?BuaFm&L<0aLg}E-d;TAHf!oEL6iv0(ct20L?&gHR zLv8%*zU|Z7%f38O5ngk%5#bf8!hfqK@|$EJxA$G1;jr7Y3w<{6y;&bfb*np*P9ma)Th331|ubDK5m@8dBTwEz!6ejtbjxc?r6CqnpZB zA9OA|1voBF4j7sYMwz1-jp8=fwzv4SBNX9aZ0k9@xx`Plyip8{h_)R*=G_b6LT6_N z1E6Lu-}P!w;U<9o*s5o za-AHXAE!-}2hHWa>`-@Wj@+OOb_O)ZSc}tj3kzV=xE#TIP7O+W&GgYBs1dG$Z7Oc+ z#i3s2svLjXgqBU~8cSH0qkgG;hq_TKM@D1k+W&*?l!DP^LK)#E1gm5Fi%LtNO(-Q= zIoW-iX(l+=MIg3}g!zqf`@l_1KP{HTgYQP5Xvl~|@##Pnc9)Laibm8H$NRS3EXYG4 zUE!?7Rt9{^4d$Gy0@RTWBv!7<0zMw_CwjT-t^OW3NCeiDTJqWnC$eT|?ko%kJS7Vu z#jjE4UPoE|hAvi{#+8%({c_t8#m%tOF;kr)PaDw6qi4m{IQuq zV*CdoMgeR>gyAopMhLkcgHtiPf{(x+Zl0eF%aPz>QtB0B9pE#r^k6rM{JJ(ZNmHPg zD8;9@agI&vfmEy6yy|3d3hZ2}S)0)2M-kcaz#8tCf{Q_Lv-9}pZ#FNOv{z2hU~ntD z>N}37XMu;Vqh=f&PIidWKkst@Ga6|x#pOlM3#z0CQHMwBpXP_zUE_}?K&r8gwBf5t zPnWHI?J*2dNe1>fW}c=zZJBW|RhueTS>nB!#c5EKnLB0fIxCpyhV`#EYikmn`G?s* zJ)0tl9s1Y8tM*gW)S8Q7L=QkmpMy!HEK1yQ{YIvOMmXmu8At;Kn?Rv=!qk~rerUVt zdkpkOENH=z%gS_X18I`isWCg{u3gJ&msEwzqc#%u$f&m8)Ji9dKZ6pyMd6$?YK1!m z{x)f>M85G%;CS-NM`4=mC)svCVHun3npbIxxcb>D>3JH%iQisb_w7Mq&;|K)s%rE zhZGA;%^YQ%>3=ueL6nVNhrzo&K+dn3GvP_3X-LU?dxXqebW1 z%|j!0^;NH0d57*4ahcMMzO97n?Y?$KA7Vu9=|GSL#FN5G^k0>YXI3?@N<}bB$&KG z_S;qOwRLc&Ff(Er(=T+_zbf6K4c}_81v>%sV2#I5t2bt;30%ZhWnVBM%EK&NPGS&Z zs&~_&>{$aD>_ zZm?z35zRotOhTx{hQRcFy6vv1Xc}ISORZ^!vrpiaRZ11x(|B!<87g7A6zQ&)kEpsN zytjbjz5byQ%DU6|k#gWYBz9~zx2}5E#E|$Ix}N`i;!`eij~S5-iMPxr)7 zQyubN$#1~O70WLV|BFtE%_1H9}bS$)bYfe?a{#6)-n$#8tG1(IT{%#DByudVGZSlH};0^nZJl$8~<)w<%6Xm zExM#*aQg71R(0*?1^?AJ=n}f|d3$xTj(#`=ha}I%)|?UMkdH87aSQtT*J_DeHiQi+ zu43yoeg*#tDu)p|IVn0Wi{6i`Aq*sxgkkmf&Wdv4@@daZ_Z}lXFDh5|#v|*Ra+g_Y z50fF}eN{WjWAw8=(Kz%3loX{2X$qkN^+Gr$YG%41faKthd)mJ0`Tcq>L{ez!{LGQn z4BJ?U16zUf)ph4uKFUW+vm3oY0=N&3iq^1P(O;@}svU+e5YEC0P~ORSk0^^>m)u$} zvDQy!T!;lym0+^;UWMHwRr{6o zgoLGhvyn$|wi-G#`t;!6lV;`ZEJI(VOISX8rcb8lRKy$vi7$8RXwjR8e4ASzXKR@4 zkS`oI?9O;$0Mn~F(li%H3a8gBw(Eo&An&q9_>^J7en$FT8h?3;FM zh=Y%K!TqA-fsj=3J#n>>SD@OE0no`4s_P_lG4fPYO&y7vV@S$4Szi;~ZgxM<5F=J)Ht{d`e3D}S)CD8d9c>ExlI2}Fam`iL#85-BI>4v+Ja}Gfi zu1An~f6eU9*0YS9bgElyZM!Yv`sTN4`=jK{%ZlRI$!;w{WgWF|L5y9R6E!*+<)k*G zaU|$(4;mtp^a0UO#1C&vd?~i!(2L_Oa2zt-(@SESUfW>$OSU7$)wJ;$|T9(bNvzE8@x)Y zrX)ydKR*pFLX{`?XEy~4dB{+F;+@hh0`(Qgs;`dtyHLLs2H>kfy%SRK0NNWh<@7D+ zciqI=&E|o@dX`}jW#i@Xme5bqvmqXXzf>y#@NNh=vN4o5P z92eVh;s6IOlJeF=@El=)9~RK0+5s7a4~TpiC?WlN{Z>>eT1aMb2D# z)sJ?hdU+k@C}@TtK-r>(c?#LLvAl9xHfkC9iv%37u(ENa#fRC&3M}SKD?6|JMP}WG zec7H$JY;E~M*$?sL<<_Q%Zxv522J<@#jb=a)=zGoPmdQJ!f3x zgg7wQI9G}@w0njem~zHWX)v2Wju+%ol-c#Nw%v$2&e~3g8ASOAXUG@ss6L$^CDcN9 zf8@6*L+T~;pNnh*4k|8;+SXijX}+?8si7WlYwegssjx%@MfOiYEy$%@@?@GbG+6BA zYwj*8{DZoWl*!_my0NHHm3$kUvp2Km_A%hyvD&-ynm<9Tw48R_g4z|~waEP4VBeje zJ7gjaW@W)yUQ$n^m%@6Kqe)iqiiA%ZhH9Zu>exZbFzXMGxIs?(kxrgv%vXEkd!5N| z@b4VxzLmp|!^xenjo&NvOPt~%=b3g$GQ|qH3-^K=W*CZogHaI6k%u+Le3?)BPlXKR ztG5*!n2)7;DAxzwQI$Al2-)IWw3Bn6$2( zM9!zb34`->!{dU1XlQ-HBjTUzme|;4NL8?-*e646#jJr&nKzeZ51n$IRAIsUN294? zWs}}{%U1nnf(V|f2tgkgNknFZ;p5>-w`86ZaLvCH58h$-#EmcMRX1(Kt!1L5Ggp5K zLh4E_|EMp2{9LVpT5n+c)nxA?i*9EH>uZ{;mJqFJL&DEmK6lJ_)*%OaDFOfzbc+Z^z`Q~-Lm%z)fz@^a=&aL6atEXG`ZCKY z6eyRWTU5;4z;c;vID*5Bp#Ko^$PDu^u%8Y#YLS;#3Pq1I!5uV?`skXD;{9axy_3BD zdsA1kJyuZ=1m`q8_nxh7RBcACF8v${Chq0*m>MEPRv2kWp44>t>-3KRvX&<$PeXMs zpDB)3z_TQ`qo(Y%@%;(s>6e8|Kkvx|G{t=Me=+t>!MSx|gKccvw(Vrcwr%H)ZQHhO z+sTg29ox2XzB*OsbXWC%(UhRYBcbUj+h{kjp(pUX?rKitUu&=vW&FZ%5@p&`1XRU24aDjn=5ZUWgIp3g0bg`Y zMpe_w|24gdo>pH2+Oi=1>}LF3laYWs6Vk;NCK_h(G5sAYJr*l7l1EEjgTro-8;Quj z$Vyd!({1<3iAQ4Agoaql9>@+tm#^%CU<%a9bbQAlnG%%rpfu?ZMPW^fgWY3-Ro>mV*XCBJ1#c#4ar= zMDx&PyqCSvBkr&t^L`G3N%m6XHwp{fk$X}pn>H@$jH1GbBs%5(?5By+5?US)D^QTp znphZ0syYIr6dW_cIdjo{St+tCjb}%GSe>)a+PS!^<2=)rysCzY<8Vuiy+5W*n}CTA zb}pApNn~sIp-6n#BiV9ycjxx|~xl_#7KjpbItW{K&gs=Y1f{5PFT$>Zu~9 z-3A_Iv~N$+w6KiD72`#lLjhYeXk%>Nh{O1-#2-8``^aOXb{XURb6OO&utHy)^bvz6 zU`=m2ZkQg!d|2dEIH4K3Jhp0zgd>(xVl10nx^|o*Mdhpu{EK#FEFl&b6~3u+fM+C8lw=f2ej!0G5|6e6ocg5^q<3WTJ9> zCTO{lugM5bZgrCM?GShpEo!E)ed*CM$U3M(iTD-+$hW2xSlayBL#V8)w77VQ`;g8> zYhx*}nJD$@p$T%~S!3jGA?Tg$0_(F+if&bdv%21B>h75Xnk&|FDe}nPTfs3V@W<4)gaqg+%}2vH@dM+sTXj`@6UIH5p9QyyPt7qg3{q>7Hs+Dsgp?0gO5t7k zA9*5$!MLu|mw09e>*+pF%BHtN%Z(Z{yVT*heYXfXZ(%s4_hQtV3rG#~ze48eL{-Tw z>{n7zW2S{Y=FEo+lC%oq=7eLB+p2>T$LKOH>8|U8=@`?cFf05AW~wkN8^aW;ou~$U z34Wa{F?Lj$Ikz}giX~p3dbEtU%BJo4x%pmOc8_HnN;QNxt;meD9-JF6lg5Mt;(}=; zY^nF^(&(_avOcwmh@}L$4b)vqa{GQ0%4U1`b=f|bWf8@zOODDNeUOa-wb=WKECZ$V zz;)+0UtYT8(OpRge^6zk?nF3kJ_(+%#@=Os&XTT?z>dN@lV|The3_DbHN@cgXwSrZh_4 zlBpECbaq+#Ow>avaQZ(9XrOD*vhlwuh67!?lG*VvU!%P8zNB?QrtIH%-9W9V&{j;xMk6R6y_q_zJndZsrgIH%{K)nXIsX^L_)m-AQR8VCCGi7cmN zNai}97cDw)N@6gPzlG16WAz;1NJnkdC)anmMU~qWxk}0bb^79?bNHs_tV4$74pqF) z5nG-`j@>s2NlwC}2d(m&*f?KAv8LzE}E$-@lX8ggZM-|Mz z-q7i0eEKoS_N#4G`Vy%FgelVYY(3kyLU1u@``3e9|+nNWm6$Gj#W_ZL2t&6XnEAM3LT(`s*Fo zKNGQOENKxWkLgbmvwK%9c&emZiSm30&4P7+DimoMstA*b?9Ig18gw^mIy zhVfh!>G!y2@AcpL>}#I7@ldn+8{<=Qg|dy^W+LsF?xQ@}QZh9xF>8%SJEX9DQwRY? zRYifr+@>7lsYHAlZ6Z6q0qjH8OV$E$ef}`rzwrDIs=gNyQgt{m!iT-Jba8csl@nY? zh7~U~>caXHcNZNG<_9`x{K}9gifjHzyT|udNaGdjBgmak^M`t%@I+@S7L^~8actz_ zLKYa>oo$h@u=9;gm_{5V_Pnx17aHT4u}_aT!(j>XMtPPOz&S0%@khG#1*ulftK^xH;Xt{WGapTzG{fbO z)Ejn`NuFaX|KYmGa}6;mJ+?u)>XPn>^4?kw8R*SIZQ$;S1!ps@`7bbadU$ugmD#vNpLYG?X2Vk~RSk$|Owc zT^PHGmmis!h{T*oUnq|ZZn_h}L2zvvEBES-is%j}VXw*tB^YT|cHXiwt}$*S^~%`2 zs(hVMw^tBbnAOo#2pdrgRnhixGr_C__~{cS+*|EF((KE&AH2LQywZ7}|CXlCzF71a zR8utlRbh53I)``J+U?)uopZPlTsaxFvVhIMl)uF5FL8cCB9UlAP=0GzXM)7@GLG)u zBF)h*!EEcYwHW?{cHf!0FPr=rv29|0uvLY^7{N&3C7;8D1G3|pPWH$NMTM=v2LUCSZu+~j8 zfWMZ^{%v<$pKs)Rxp1>yQXKfNa(p$%v7xyAOYEzvuwuXmsDJ*OW{?P`HHWOouJHj35HRhkMjFakHY< z54;8%%8-^nh|)SnZX@yEzP8VtAT7HHl_>Ko_8_}=F59drUZ4W+oWQW_TL(+#s~Smr zK<5D!n2;Ux`uG9PdJ3aQ@~4dBcZ1MDjvc z`U_=2oL+4^_nK}j+v@4&BHEdqjRNq|nkOV{V#2;3|0|~Ys}3hl3xP|)B_vkeVxg~E zR7IBwUzR04u!J#bG{3iz0%8QwJV}@;kgm-yIie#Zg{b#%{Rm&~sUz6zdQ?+RRj~WB z@nN>)6XzPWv#o-qH~=*(p~$#SdV4Vs0W3KcVb|hiY}G6#UtLzU;Eeh?;t8h< zf+d5uM5VTcn)%N`R|~AmQp2s!**02M+SqsHjYvKR)$~qG20Zh??K$*3VpNW}J{E!m z8~}xU8fV~J4&E$$^^IO|&W^Z_TfCBFj7Si2u)E;t*4AV>D+!C1nL&#+l6(au0dy*N z`jD|`8aC;&QIRM_`KH=FhP0dBbIn0Let~R-U@2~Pcg+;3NupYgAUsvdvU>x_^psbs zUGEvMze4&#J6{riznZ=mn3=&oYu)djj)Up{dr1HyTu-1c#%wpQgXMzz1PR$o+`TtR}Sqr&7~U%7QF1 z)zCoQ6EAUuM7NAhidL{mUZAMBoT+OIA=m#+csvr@!_tD-u>ZYR_PF_xjwR2iin47n zi=g`1CowAM^V(6ho8EklZypnEJoleUV4<-5_a_UBSSp0t7b!U|Smfj8%@$|z^|~E* zMy1fvCKtN}bC!JKt6Mbi- z#8UptkxOY72jGvA=AsH?EMCZuc@{wv9i-eXRrD>S!t)CS=G&+tN57T4wiUrB)Yn6P zt)~p`DY*S0AsxoLA`uHN6Wb9(9cr}Gf`Z#cYG{G3gngaPBcu?62}pDdg1-0nG$^Ww z8=^6Q-Row;T%6kB@aPV<1o6WTtSzle{L6p{&m_+6s|K zMAaykp;qo?Cvrsb_>;coM)w~RFz2;bzU-BNQ`<8?;PDZpb2mX|{58nFoRKy@}9N}jRY?_K^hl@M^xxs7kF#-pA%NAkq9{=!i^Y8iBOkN zDU#D2*3Vr&WkU3bMk0ZS2}MvD2AhU;R>zmyjsQCsc9h)AnjnNL(pZam;@g)JB`~iPVHf-#MiPz|I9;2SbscD{6(Ws>2{ za~X(9>h^ayQM+%6q_hV#(h9bt`pnqkM5T$o3tNEy z`J;D`<71N-#eyf=1CXnQj%6QbE+TGmhzVzzUT^9}O~#~Cu8!KCZofH>UCub2{j9*5D6cYqE&d`o5rs+$Ej-SO#)Q(AL zvJFi)?*Vw&!;?7}eVUdYTUvWh5bq0H#Lr~}Ebc5C1uI4@wt^y!Va#6CA|YO^&3T@Bbt@9BZx^S`F$zh{MQ+a|#s7 z02Uy1{mz%IqZxM^B^mEQ-slB`XRZ{Cp(}Z6S%G@cYjU3y z?7fB){MPb%GDg4bllBon21ac>s!7qHeEH3uh~4UbJ|^w?W+dk3|VrE z9CGbCn`4p$UlN(l4fv}?wmWmNwAJ37l$JGEl`BPHA$)n5te=LQ$Es;#oMy%;aDC!F zTXV@)C!pH1dj8Y53l|tF35Ala@NR`I%~usGb%LnxAu65UMjh% z!2vsJ!!2j+IbYoy<{Kjuy5d^Ry&`igpBK`)I^t%9te z{iuub$#wx^q_HeXbU~SspmFu!Vm8>nBQBb;R|Ht8LnSU2nmGb9Yo|b{ZBScRmmlgf zQ*AX8ulVAHfzZ2C)k1p(kc|&=e?Ghhk%Q!h0k&)t~@bZEr*($!aYiB*}DbU@|8O2bc zA?PfPxPf%TC6Gm#JBm2eaMrKjPgKEfmm6Lc&`^vbtWWykOv=2>f}@NC@QWec1Xe$3 zy(A@rRWYtFX{7ihj^uMDDxDl+Evu(QP*4Pr3-JfS5h(%l|LtI1PdI5s4r)M=k<)3# z6}5J$u9x?$5IZ{cQJID>^WaKF|NCWJkY;b_<77OA;>KD?8kG&9bR6^9(Sw%g)e^be zr02_>N&aYy3KL(-%keEhj~F%zu-qX{rkHsxCE*G>gn~%%iavFOjB>Cj&`%fJ`iB-tPKyQHpy{ERm3kPP>4V#N!rux>^N zg1iEFE)Za~uU?q5Nj0sx&4iX!;P2{h%oq_u&_cG0_ZeoSAJZm8QB>23B}O#>xjR1g zPr@A}N-}B2@I%QK+>iGP70G1%J6p4_dbe5Ne{_=Tpnf^%tFc`H5?LT;sKij=Y>XXk zwMr{~hf;Mdi{h_3MUMq4bjSj4$Ee>{hp-wJ^`pr{BUZX{#O4z|a4o7MmVZ%d6h-C` zXfLjzQ4Xsed0{kX=2T0#0=}(Z*rp@tsyy+pnaI0xeiT99d?oKuBYR;P`GG*xvfcw3 z#Fj7-GR-7fr(J{*AVztTNVlLDPP)lI3@wYF_38*i-SW2Dgp&eko&f%STV~udtNa^9 zi(_n;F^)@!EFq>1gYt-dU>5fF`Y&(^6W0Ou{Sk9x(-PsV!18s!woq1NXTNn$LDWyb zOm3*F(XJU}c#UOWIor*pTlQJuO6WSx*?N$7Lu;$y>(3^aOjT}Y&vnW(%IK?M*C+w2aaa@u~ZLS zKd>KuCHlOEg*AI#!39(EUn-{IiqWb*aWVHF-@JrJrS6Ie^k}J2Q`8O{8G94oxNNAN zgjX919^8Yl4Nz`EJ_cLPkJ#fLKXN>jUO!GzKiui*l7?nP}T1U4FcXe z+ga2BWS195$J`aK+fPEVJeAj7>(`!`XKh6`DmcBtbI8ksKec)~W)@6s2FcD=!) zGIVb2Rs3I!mJ})`kG;y-C}l0Ex2{qWsG%}H02nhy&BwNHqM5_cEmV__X|)&VupXIV z9`BaULvnWPvxGJSe&U~oFZrF+ng7Ao$Mrwh`k2|-IsTWekBg1z|9AKO@3KB_Hddzp z*VRV^!zgYAa4~ZtViX4$xtNKXnb@0}!3YSzIJ-ER8QH>kY{a&KtD*r=IbxE6*ie*Z zq=pyCx3{+&2SB=I!d==!h_;Egw~5KO$?=OMIYAx@1#TbtZa;rdeRkKK*LuzCGQG`j zY;Hi|L!)?_E5N7W$iRbnSeqMx-hmIItO0yLL4g$qEun}I(p#fz4Kc)0^i zRKNXD2XRCyrxMvAm5-zf$PnP;oom2rTtI-WF96?{AW;B5)X^s*^2s=20+TDa4iK6a zkP{QtICQEwp84%QR9lmqAK%HJKfo?0Pe2?30t98d`#?%iDix4e*5D0bn}I-+$}n`ZH?y)pDitG) zMU}azSIj%hD`)@<>lev4y-sRDX;pN?kF`C6Ywk?mpzGXR&71+Zer?n5)Dy?aBt=+9 zEHIED9^S&ADg}@$C>DRbZph30?AFkst%5v%U>T<6p$83A42GAQEX9UkSV{E*#>ryn zXTogsaqIzbFc8nT4j>{(pz-aktY-}`ctr1cd&*75M-#}MycZ_#fMXL>BKrpNvwPT; zrHN&9Fb6jmU{CL#&HG)b)L3{!U=DYPjKG=!#by7dKUqR){&$DRyg}Q*9|IECjlco@ z0{*`&J}K$oaMq{yh~KZ@O;u-=k(J|2Kj&}u`59Q#_6lJgiZWS8iRX!93>-@L>Y#Ve7A->(}N;gO>1Od7HT5bW2gR}X6 z4Zr->Jna(y`h)zY9{-lz|I$lNj?CV)XWz8{{vL9K23+&~knmZrj=U@VMm3Dl2mCOq z;XYYdpbKFbVvhfMndQn6z6zpQo4vkb4azGUx+jFftgUZ-#B2VnvHR0!;$y)m2XY7c z_tF5Fa}eG6`^0CP*?qn_aq-hUw8K7iaQ*t0kS*hx-`fnYb#?%k#l@8oR18QEH#$24 z^Q{wTEPx#S=nMm?V^B@MGlSi&<#7(6oJ4$FihFhd*TD44`XeC*sNLKDoq{%8d4s$M z(RBS0@&Quc?nmA=$vNMRxK=8!Dd^uXzSAV6ZD0-kiXH?v1pftH4**g>>)$&ZjQb6W zH!b%c981dm1t*+ydx!tEVLD-mi;Gtnwm%n;zy9;~$_ob489c3od1`n9BE-QiWcyF8 z=&#*0uSw7n8}G)%({x^R+%>}=rUcY;+9l9cy#Ho_KhK8r_EL*_5p;>W-hTFVA_%sg zOZ9Gy#1T}*+yfAW6yTH4~Du%Vm7#xd)?AsOlYb>2=WbDh}M5g2-~XgWLo z+4U~owEB|gO9-F1srIWnO%-pa$}&sXh-1HD&dwiYm`$T7lW?;p7cuSOb(_rU>dGIQ z#{Nl|8e#q~%_HHA=5bNm+~1q&+pJtRc(W`fDpw*Q3F9Bg%JM#`a&_s=9ppJzgqWx) zM>l-c`Rarn_PJjH>xAYa&g)0WZ##O_ok;$|_>WY-Ggx>dykGa-le7@8KhYYsUL^9X z2)~B*dWU`ugQ>5ZJATL!!rbKO-budaS-Q zT?^%M=IEfVFJX7v5s*r|j(PKz*sd>&se@@^FK4FBrQ}7;i3@w*EDfUoc_OX-nodTX zENPOm)TU07V+jl=IdFMd!A%W6GPCJe8$=?OS&pl^`It=LwRjDELaBs?qxRn{q_Lyk zhTwzE!Ugtu_U4G0cl=sYlxOr$_#d(LAS9>9t+&3d)!dDq!-s#bsl#qdp0&;)TrFj) ztG9i;0NO8)N|5`FX1Yl9UbW4|faypt9rl#o9X`OAT()^sQR%`2bZL8IM=;t=LUj*1 zS^S!=a~&vZf@Ufqj2wme6%oJ_O-R;c?c+dFe=c)!^Wety)k*78mlnl?5&3U zPnD;6@08!B=ij(NZlkg85AKW;4|ur$6N}`d0+7^4=x4EU$FP`>cQd$Sm}M3Ay0fM_ zfKZutP1HI=DqtiK}vqTd8WdQ3PP+&6DsRp7X`@C?gqn z#3KlfIF1E0|6m^Nc@}EmeVI_>r&vuFbXjab*W{mjL;(Lu*DQkbD)IOX4^kWzDGif3}=C_tDs-4 zdO#+HxB+}UH?I%dzQ-9MhI9}R&G5$(j4fHc8kS{vxQ9V2#b6y33#{%p)`kyk-G5@6p|mZTuMaM%-kh{Vs|H^*2swG3{+IspP`OFy#=p1AR_A@^;TI4Rmtx4W~=dmg%PpG*)SL;7d?&Vmb69 zkgOo!`nJb|age@)q!iX0vQ_S(Uanp*1l3Oy+_fX`s@9xai_b(9JTA29yZr|)Q z1Xn&1R; z+TyZJDN~i>JaJJ*lT5}S#X3&iE0-9WyiM`<@#p%Zu0k0aZ@Jpni9T|xFskP8@s@Mv zWAG=`qUU^cxl^Cj&!V6;{@qgj8qw!>y*%q7Q|1aYo*ND6dzzxyVaOO^lLI3%O)*S} z+wj$xRY8z>PaO#?*Zw{Hyl+--`sAEWEel!O?f&R}JHX*OXBjpZjf zbTgrZ6`s1hn2t-Y+Eu~~;6F984k9$8?2vxSW+(o<+7#2MQ>x)~{NRy7Cf-#x)l=Io z-D5h%S-EX;S!nM?WouBDnq!o)yYp1WgLg!hN5$%SRZdKtIk~{1AdF-;sTCYjo-LHvO6Ub zXcu%5o>IRXVnDvay(bv${N5Y`4@j!y1jOPq(B7phBVzu!*}NhONPb|DMQCwGfekS& z_oiHvHI1?L!Q6m^y|x*>Xy_C2h+z?sU}iP89=`7Za;-#fUMZ$bz5BrWL_G%7KM|M~ zwZjhaC3!Mx4q;db6}rEswreFsk6l9#UhSlIN-wx677Wo)s?{ z@-Wdx5>Y67s(;=bHKw<|M+K{*QZndpN!yKt$Cv3>XS#7*=&5=rBij+ydZ(<|?slx* zq#$DA#-6AIMUpyZ&&Qg`h`EQky}NA*oRy7 zM44B4YT|4Nb)DxDhh?Qj+r>L|O;DQiOqD{HX zn;la1Lc+C(+?oN?Tz4pLCMR_%wPAo zfX?0^+Wd+f+UC4$iTswfd4>jWot&+M|r zj-x1{U4M1cg`CHC1|7(FAAXhsb}pXZQR+P;)+m>s?Kl68bXEky@VLJrqZ(2Aa?!Wn zvF&q9+~Fp$Mv%9!HeJ++Pc`)=mb15w__kB(#MS4kJqThd`5wrQ` zwZ9TJTD;FFP36K7wUO0}?nqQAO|%3hIZX!iBGy0bo5;^obU zBB=!ki)T20X*3@`%kst&VTfyDlnq6;jZ+G#JU7)*dbevXdCEOOxQC7E_d`ucbQ_fa z6&L!vibP&wRqA9ToLpX8Ee^j>BMW!CBMm=Z^A1IslA^k6oEWk4l32Iw4_s}%2+_p2 zfje=du<|~eqKsn6Wbyra$;T>YVT=SjAMF3 zF@0WyAPam`(a&2emUXz$#Ob$+WV>wUlQ~G)QVXVNh!T4b{=AVSnZBtE>2P_ty^gnP zMS>bhQ?%J7muPc$ioDMAEuGb-z3D!ICireUP9{&E)i~#%hl1N&uHGcR1Pdtop9{Uq zAkX2dxzznF=nxXx9Vx?3o7XC z;d)rxjh#}T+b`uy!%obzThG0@aP?t7N05B=&Xchp;g!gu{?VDUltbEuGn+q4^_(FZ z@KR1nJ$p9lXF7ds5b}Lkjp+@Q%nGf{G>!lGcB@XDmSv;R@N`-tYkS;A5)6tkv%n;G zqkaVUAWT8}o2g?R1>3w~m&tkP!Ke6xJkd8B;xxHv?%XYBkXrI=8SvFQ!3~>GDrfW< z+)7AI*k(0>-=;pnddE+h1>vuw_^g! zYmCz=K-i6}V*gPj#FA(T8LNDzTu%iGOSNb_v<9G@nE_>T1spcqjc(BL+=lHo3sd8O^6EHTP`Eht2d3p#+saxIp!fJ2h!qlSgJnHUR1_hfg zu!=D0hnbS6If;j%K7x(<+}X=)LZ{vcD?wPO`%XHt7#G9#yrnwt>Od8L4vsUO_#mU~ z)hM2l2bGa8FAQZY%~fUCqCAHz*IbJnHe@zw3b)N8U)Vzt83GcyX$1?DnS4h^t1;UU# z)}40>VjlZ0VrFYIc4ZbBb7CFQ$D`?jctvxukqVnTas3J$EIqZUC_>KBD6hnbHzV%^ zFA^85z^~6~k~1myp%XE$R2x(KQ;@E}5#@!__@Jf_wYDVfkAtFuKn5)TkFL?*_eZp9 zmLJhv281n<3rx3o5;^%4bf9|uED=K7-&=oLRBEKEyP2bsyXC-oc_tF|6a0Bn^ zNmKo6DJeS9g4+KKQR*bSAtsTYNVn2{T|SkV53*DXl0WP3UiDsOJ}|R3rbtffi)x1V z;c}&(iv%P3#MhE)5wz+$`zuAilh@jVsCc zOzLD*;L@~7Nizx3^H(bIU0u*1L}N{1q(RI{P?c6c7>XXj7B$2aL>7u7H!U(l2kC3@4p4n&0e z9Gb9`*}hb~*`mRlKGNks7Bi_ON^m(D>-_m%AHHWzVz-Ar;KY5zhsz1%pjGHyU8X~9 zOipJ-u_#A7vb73j*BaNg@j5($0e|-(A^%(6Aj#0oU;|QmwQC}rC&BYg2HOf(bch+0 zKZ~lNa4~J?8BP5MO4ibPPaXYrxQMlLAQVcxEY3%l=3EmogA!jfiB9uUvn~_D*BoXS zDiI?co7lL{hD9%W^-lqnS1Tfw42qR+lFj;QrhVShPXe29AFd0g!9?|3+p?|PZfd_9 zfF~5LD-TKA#89w5?e>wTD?L?8C=<}5*z1|a7Z-DlhK1W7IqLsV29(N1h>UrSr}{3} zx9Sd?{44bLxUObgE!gE;Gq)_rL;qZYV^0*AcgcS0Z+WkoE+2qz+cfAWq_IeTA!+^% z*w-5?$A#t!*8P5i+nez?ckjEK&iUu(i;}nOU>8gcCph!r$S-Q+d8bx6{q?^^uYZq_ ze5#u@MN9<;%e< zG6Wxf`W5*3ZZBMbooBXMEGB)wu-Kq5t8)oQs!-^doo)r$zn;Ua=)a|U9rAHgz;^t9 zaYH_kEB|FXkpjH2ry8K4Q?idC5M!=8S0`;&MTnZiWy>}ewU9tq`gad1t&o2 zSm~iKww)4kInlIAjNCr9Y2f?5nuHQCAb;cuVQq7Nl6!Hrz%8c@|9$BZdD_;6_nwEV z?lH!a;H+hTycf3g;DWEN(~m4#6lgrhvb|n*=z~1#HBq>}z%Nn(lOPTVfD8AnYw73} zR>{>iCaI9_Ofg|_EosxoC*kLq0a1+>=5UgovLuQsw$7AyZ_XJ-^T)Adhq7Lde4OK>Co9ROVZ&K& z{nkoN;b}&FUDVOd_JY^RMA5Rn6W1+4kS#~#7BczmN3UrrHB(tUN80%?C5it)I6J^D{|3QkrmUpxhSkqG*86uH_j zFO`#2-w=kzmq1(fCc)@3j|FUyTb*e>p#3EStib#GOmXycz>KOf|)`RGbfT^&} z_74Em&9Mw!g8xtjkJnZ5GF#Dy-Mm|$p>P>B*yv#>3qkVL;|MUJk(3Upj6ZzNRIb&958`;f>^m47}ob+$pB zaWYO*;oIMvkuSG&GH7Fl=+$LTS)pK3-y~npos%n+Z&=7S3gzL7Tnxrx3Dqy zeYG3e^{Cs-$F5lRpFb4az)5snzHuf$8jOH*K*M`qU} z*`)M1e45YSceeseHk)OwAZu1S+N!9$#;CEHBEo9(GK{A$>qbRem(#6P2ZFSq6f>Ve z-zoO3QwkNJv22fx9wbJjmfdBWz-j$SrwUiVFKT*pW=Kb5s4zVh$NZ*uGL>%tMB~LG z?QyAi<13_}khS)^?012jczr3_z^B+kQF<4fLKwF_pj_7dMJeiyL+mF0wql15^Nd_L z0ca6&Z?S=QGupLptK9a9qDdIMXj2UEuDD6#bVYS$_xyOE(UM>Tn!NGJ`N{|SesZkYcrs#%Q+LE!Fzs?Jne*oj`$&9h7|xXEq4uQkzMDUR)qk32=w zJ>K{FZyYze%1(wiOs@Jc#(8RzXTxk1-^RK!!*wg(>XaGjKBjKn*{z*$2iT&UzCe5y zAIj!-^G>--APGDG;IG7T9N2i)^FSJm31yKFZBb}OVjy%zV6RDE+Si>*Pz$Qq}{~ZB00rL@fwJ7->K_;+AfrLQe>WH({@!= z09W{0W=8pehL8;UTFwk^*V=eTjhR-=Pe8+SF6ye;HDzMa4xPF=22llOyZMMI2V8!D z`!q7bu)d0+yyRZ1udi&tWcfEY{=*&)vVrd=W@Lp6>!0v>+Nufz;Ga(;xwvtcSX?#9 z8Us_nS@{k~zRbRP%4_erv$}tphx=~{zU~>B5LC}&C6C%E9an7p_)W~(=pQm_YfjA5 zNq06om)`}CBNpq>-h8~;mc!Wz&IM^2>a}5wulBlQv8PQedy6o46iSmFd!%ROmyWMztr%& z9+!^_(>$iYHICxzxWN^caJCEf^$TZvgNH>}-t2WoxaB76;3_&%+wJ!6M=sP3%>0YW z{X>J48VItQ&IOp$G@I7Y>16Fq9KBzcIV=C?@}`IAIykdlh-GTvno^QUC{`FwL zP+P=4jntG#anjexgAXs#$s^paZQ3KUV<0tuTJPb(=!W_p=)}iGzr8H4fqZOmgk7g-SZ=H!#ry7PK*dmh zkRBAE>fMGeyW;q;eC9pueC{A$jE6R|zyHwrcq|U1=jcDOUQ%7W(Gcn2M8yh5i5g`rlzHE*3VH|7)1a1zdI6<{u+5J$_IC z+%|Jbii^ASD-h@~9J5QXOS+_cdqGG55j{OQ5%qsZO1^Slc+S1gdf#fl)@fb-nS0#4 zzk0i#k*uy9rZxj@2ALQxaF8d$jE52wm;0m+2oH~s4iCr7PE^8#3lI1ySc~}}(%@u* zqj~5*VyPpN;Q~o+4Iy1#HdG8~;spab0tEsW3lJvZ;{(zsAlUz<8qyU5YDyz8#0|i~ z6vT!A?=)ha9LVX_8+3bd_)GiC4We121uSS}L>%}3Fm_JenMI4Xjcq3t8x=dL*!p5u zY}>YN+qP}nwr$^f*|(k3+I~2X^B1f+S0AH~ons&>iddS}brcx6hQN)0OeA^@O+g?o z1`7tL>o0oD-}=wCtqoA@EhQxsDMbmtFejI;v1uTCQQ=x3O#?RhtMLhc_0~87pC&;wW)XbXYE=4wbmW2fot<=6F^f(Fed?Zum=&? zvtI4lPXO=muS8aUIsV>K5u=<$J^whdgbiL_{g&(--b&L%gmJcmq#FA!^7F0z>AU2& z^#wvijEQAH0eV)Oab5pIw>`jFf_(SM>vT}2iK;^H= z#y~mvLGZLQb)=%?T3uK%@y)&0BQihFK<`UWkwfU4py~?=bcnnU3`KaQ@&noT!;SCe0(IDuc$D(`6RW}HN3`uThV1DSLeg3TAte28?^HP_;5)JcXB6V{ z`f*2rtd&e3qA=GvwkHD0IRVnc&yuCj*5ZRt=`G;m3x@#;3uZpB&CiDx4TvH(lQzLXw*HsKSPK||2Ly2%&(}SF|c1J|MKcX1B1mJCPIx)qt2p~yt}=1beJroHLuUm_!;-j z`kr@CNZhbS3SRxbJ9!e@qu=g?Drd6d7&f(uA7FXQ?AGhwdXXnrf0WW<$IJ3qTqFC|kr#ar<-7 z#k4Fl`LG=_28_M65=v3(Y7*O!VF}Z^q2qVv0R1?Pwj^JWM%5+v7kJ zb3#-N*Cv=q%RH}XG2~Gpd(-0UKv-uwM|_&EC)UX`@`pTTa7pLznhw`B5w zN6qN{b{b(NWGTbIAsUGUO@~viCvDb%`;%VN%;_MMhKwbqqmKMG-(E*aN4}|-(rGip z^JSbu+9p$pC`bfbQruk*l1 zzpJ>x7L)KbJV#`b$aA|J;T$GSJbGQ~T+|Wlr$VP9HTc!a{dB(-hCw!@(;y}ljkppRSDD9MRR=2(xXV2^N=hDuNV&ABxhSlHEH3j1*5Ax z>H=g^^V@qKEpe~{P<>9BBs9TFb}q{xw&DOuG4K27C|-aD<^2ly?v~fZNY!cFpJDxb zVzNAPO*2w=^O!Gx$L*ErdI?{15mr;(;RMcIzgE$UFzU9Zt)OG~foidM+kj8o~DSwI%cRe*J-- zaJ_tvsz0GLn0Rl`Okvd6J;OQ!5T@pZ%%b;KVF|{iSCl?qj=yN0XndMVe^1TlS#fWN ztsv!UZH~5oo~;7Nw_}b3O*S393XOkq>bn2^$%urOCW-z$cQV@2= zXsS*@y+Dm@u$WPVpx)#~(&u2&)RkaIwmwWBvfQ;GPD zPH)GHK(K%0A{5k5f9liD2sG^|#JLln>u!9PY!WQ#GxPtA<%1a<0pk@~q0U{i@GUT+ zD~~a?diSAj>A&TB2mGg_<0Q3JU?x(K`0Vyzwvg7wQR@0OZuU(b%`0}L8-LzeHbha= zbEGUtDC{ZL05zaP9Jbw=Y|K-QMeRC6`&VB_nm?oepSrH+rxxbF#=+9?H5dbBD0&l# z{nj(#cJv`0+fL+7R{ASEPN$D~a_JhIaS|qhT^a3V;WLZAyhWd7R$@O2O3hzK3`W;r zz&0omOdhAVbvvJi?8So4l55YC-p?-a%3^y#D-C(1BZN2oBY`bPn*sfoxS1-R*;V~B zsPutypAN^)n82=qA3I*g%i$Vj8j{zdCDiyAZae2(I!=8j)tdVS(UUgwu5S}P>M-8+ zG_ujJqM{MJRdL|C1i&*xOuyOFD<$!`JD5n_VG5Hob`iOSh#yGc^Y~x%O@18&?0JP6 zu;b7Qd)N#dn8?BTRJN&N$$vDzp$3nfz7O+N&ncosSv$-qpI2+i{E>xSPXOJ*Mx4|! z89zwhYs?GBv?3(4N+^^$feW4p+;HyHKg`s$^xi4`s`TQ~fJHZgBcO9*`ZG(jj6-y= z?kLplzN^^S6i3XB{Tv?j3U{c}LL(SW#U4#c^iLGzW-j(DmwDUjp_j3K9vMPsnZGTf z3c99*zC~J!njvgXdZAyB^QBm`ZaQA3;i-XD8BRVU)l|hyey-^IF^jq|>vEis0J~!w zClN@|8ca=AlAdFzFbroqKo|Srkc34U1>1vVPZ=zRn&kLQMf>MqD${55o#&^xD*t)z zBfhvBCf64;V-g_PI>$zF=SMEwl^_(dFf+#NG*Szc=BB^U_lw9(2 z&I=V4u;Y<6K=ME3z>00+E z*6sw~k>>8A-%9&@WqB_dkIq~thXhB5SiIxIb?^y%5ANPUm@D#2cjVJ+RYSgPfY~7C zy&xRk2jDv^0iFJS7(CnDoP*Y>DT~vnc!2zSK;`x&Eb*5ISA!R1o=mr8TMYjDDK_?R zL>Q+j1f^*XSUfWQm|$;10GUHo*!pYzbS0;OTXB5^A%>}QfFz%gL|DlJ%@yEadFWsL;DHu;+;uCN6&fSk<% z`DHL-Zz;peS#xwOSk)dyq%T>{CF_+7Tu$s3`zVj*ED6Ub5YgAiDQM&opS{a;k&r~X z*wO737XHqf9fMwkP{SvqZKKP#!?I}&y zkl6ctwY&tSAJ{ZFf}V5z33&6$$Bkt|Hy%?DGR@!MWRdoc8COd#_O z{O8-1fCeJb*0ErGS)izrdl!1vCYi#rl_lz+IJ&|X`R8K(xnj4>Da+@}2RJ(-7@&f^ zUFo9zWXS9Zyw#S=;ZrM4dAYi5O!BWFn z16WJiy~MuQ#oc1QrKsD@zV>gI6ERfEUVVX+Rr@=KdRzrK58t~3)rFLfkJr%U$4B|f z1E15eLD(TB7?f{f!2}%&KK!N6)Qma*fw0PQw&4zbOssn4wHd3P^UCpp!}dp7bF__yYo--c1CVTICvFZ z<3%N`eWtBy$0`spbE#)YgyCt=%OUC?jkoS`iM5tXK3f(mO{8L10P(}Ndj;lWAADprJG5ndl zl)`gfg;KFGe7n z0`|Qw(Rw)L9OhxXmmIV=&a$@K5u@;8AuuwVubt9#ULB|r6h|;5c!0YEsFCj;Pr7P` zg5i_OXs5zdfb;pC#4EH7oc@pFesRfX5K!dtu~upi?p3-KXVk-CPYl#GO`t2cU#Oh{ z5-1BN)DpAPv*Mq!UBBd|(d zGsdmIHWk&8V5BFhzshB}b4o=c==R0kvN&8Yhppm@JVwZEp6518^EXY9vf~IatKT!_ z4E`1LG4Az%YgE_Y*OzP=e9znl%i{O>vLt#wwCJoj(2cR1Ect~j6>XtI9c>D^lW^j- z`SJo13XA>qh)9MrYP~+j+T^YNp5?qul*(8mBvhfDN_&tzzUPbR7yS*R46hM)0cJbfYDmUMsO4qcw(j zrM_b-hry=)PF%K~K4h#gCeN2@+G%8Irt4-}af!-$zjO%=P(gLjIIxgT95DWC#gBSp zD%g4y;au-G+Yc&4+_`33knEqJNm4#rCegu=f&ZIlkLtR{8=OM%{Q$51SlCcXItF{P zp?s`=&<}fschCUF0mecbbOW(XKL1p^hqfw#k1r@Mi9Ot|mTYK==iM`yPnOTb6)Xc) zz0Oe5F;<-z5x??+#%_m#Px-92w35L22PvkR0h<4acfz^nzA-Ui<1fBiWl^VROJ?4`uG$id~@lBDiePDRxP%I(O^duO$p zDMFvt;aoNcZDGne3GMZTS&rRI_9=d*K6!WwNegs3@FTPK7CLjMXbcZav1GH%Ce}vI zmWLae*(KXWD4Of^P3h;gTzrR$Sb;sRd8wt~3CpYNL+=Qt+H9yOcFOxP0V>a?NOImN;5@~2JwyjXQCUYg>eb{{NTc}G$^RagGp%EA6_Qwc_g5=`VWW>h zN=>0Y#^u$rmJR`ynzbD~0rhj=Y-)O@`PM|!k5}O2x&uU=h}n|?b_c7B)x`? zQD@6N7ktNi!*p4n*ErIKf_Jb|NEf>L2q{R>vN+^ykM(TbOg_|B?T(00^g``2m_&_H zC531`!0l0@f2VOR=GUIEPQlW>up%KC#!_-EJmrmtB#RwONuZz8#6|h$zU*NTM?-aFxB@GkEGxPedbJ#k1o;} z`C<${@>VY<@0o~2{2=rSKoTLd&C@-)2eK>8t(FSWhuo#e5=i3gmJcfhee*NJb1(2b zAU>V?L)3E=mlbn?&%FBy_7_9CtiD#O{;2Zqf}U1*YV^x5RGKa#gGHWNW0M~Fl;T`j z&j!FZ#gI+k#%^j-w0<^fjYf~~R)cmp)q7pv(5hQijFJ<|F_6pAd<_$ylqOgf0L59EVx!H@N>0m8R-=Jg&~}1?DStT$3A;yCcoGZ5MJPqG8XvbmF0NZ)Aij_{ z64aahOm}ZuuB23-ud&Y@TE^8`FxqnF;Ov=YPTJjYnX9O)w2ovLHLXuNrq4(I2_uYn z-lk8r3o?zP_so65`Gg%gaaiH39^h4|DQd%#?lE08$k#fwis1U&eK?&(2mz&nN`q}K z;Od2SIEoc-V;^LOO`12EB@mHV3Ugagr0Vt_aqcU&gkD=^tXjS+#UNqZt~~dBKTNUJ zaEejMW+sk8)aGM4;x77YEW8}Z$2#_qNRQ&&2`ZVgr=te#p0b5w^1``5jqoZ2CF{I ze*Ci>GQ!adJXV!KvXmFt8V8M*dV3;K$d5l(r)%wZ27aZNheF3cnQ>a-gL5mz;b zT#H~;Ss(exj43bcJE7VHcX%r7KUMxEKLXF^X%DU^H5Zq0{=>gnOA7U`xI1KbojQyy zmf_+1JKlosOFI!ICuvVj471mgDwP|rb#Zz8dL~HNYMAunMy+J2y%n8h8_QbL2?aM{ zR1|IdUnDQXxO@dJepMTT8ONr7E(9@O_6)1qYuqh_yyVSaaQ7kM`<1fXqMRO;c?AG> zipdf{fob>nHwzJmdhyFm1q22eVb?1<;7`>2MPBTFkT6a2S+mE1h}7mJ@|^5Aiz{_$ zxd|C$jhne;yM;GA?*p75!TaCKWu{ytL9^+E(p_^7F#4kR(WiV;p}HI5*!8*iIY?XvlvRP;*qOVIG9eBr@hgjN2mucUGsj%2p=^O6qg&Xt%*eiD}Swj8{&Q1hkCVAo6lQX z!7nh%Wo!gCh&+Thhjm(}qV*ZC;CK-a#VQ_a>bzOaDl34rXxLdA^TNb~4TM=|%6T=S z!iB|%Fk_Y|hFQiN0E{S#ZOQnw zxx2>Zkg4)L3L|@e5r;tiJcCOq9iD~<=C-K-sa5#Jn1QDeC6{)`BvLrYmU^m9JaDsj zE!C^>jo*qSwWGUq`zc^Mi-Q-}q}7`}caW>F>RgnYs;AP_aCFs33Kiz zS+DYceB`FndCpadd3kef3qmSKJJ}b9%TaIOHYKU_=e}YAge{y4TGkr zW80dsGy|^KQN;|kO%@4k!8`R~UD1ii>%mPVkB@&gXS+b%(t$!fxtIPF@Zme!wVkMc zA+_GgAi-=0MLtP7P2NcFm(hmZHOj10rzq*bQS~AIZNO(2(Q+H}hMt?0{&J`tf`94R zD{G-RTr#d}YjS2U^1A?chLku|6)I68B{;upq)Mc!9_K>S>s=|7UKD2%X|qKvl?#3` zPJ6#0_gnwBXjh9EudOh+r(*_we&amEnJnU?#frOU=rn%ak zNgkS8@iuX4Jl}2SZ7s3#T4eA2^%zL$UECxwKu7S|f|UHBLFmi|(gVc~PP;uEyc81U z4#2Y}+>8nCFQ(z`OzF>o5wagN8V?)HcT>i@x^&MM(V+8wJai)HLc1|R)hAAqG@f-4 z>o2PvK&+oE9B6rbmuROgtvG3E1z2r*@N%YzQ(oMbj!u|9QkNNe5y;}zA^PDe#G@KN zZ5*pSjm}q;C39QKl_)+j;d6fMUh_s8++kQGMl&BQ;z#x1&{m8E)D-yAxyBCE*^_yl^TrZoM z!)Q9eTWcvN4*N~UUMrPVgVAz?tq|tCM{fZ$U;;<4Bma2i7e94%1eyS!sNf00%Hnlc z`(^Yu_ykRnjb#*vg~3Aq*O)zLR#&fAOZ-E8OykYiVvwU%i-1SQQ%(~U?uy1Nlf;<{ zPD787{2)Fm^p4oBjqgQpx!baG^;HiU*o3oAkwOPEE%tFOs}g3}2r^T8K4Q)WeTW=% zbr@?_ICm!`TULr>%ElE3K^$M?4bKv?#&d2|l*?TQ zOPer-u|e8b>v{N`+`&l#FZHN`1WLtJEsvsGB`*Y2nYojPbqRN$_H>703JR-)O)^S#Gp~10D5)m z@}rG7Kl^65foNy;mdRvo8beRgB;*>;rNiPpGA|N)6APJo#WhV8Eo zLx1n)+s@c z%n9*ehPG3fK(w|Brv$g_bZWS|7#}K`fzSPq09pt|$pj{dJgVL$NR+440=-V%g)!06 zpPSG;z6*`c6=;bOOqp4{`_=u}GS3I&+p5lgyh_6%Qz@{K=y~;P&00j9f0k?=L2uxd z9XZZ01CWm3;)?I(K=^bLf+q{Nrd}qLN^p|QLf&I9DE*5=5xaXJ%dF-azw)F1s-?-DL42nH)jK&a9bXzrQr?t;RjQMygN)!!Hs{mPg3 zc7U|{SPW+xDFy@BORBL)mOrC7n?5VM#d0nmdb^}f2r)!Y?T~6?T8ze&R-p=FN?>Z;txLQG(ik7;nk%>@bfZ+x`+riKq<b~XXLQL0#|DG z;Pw=v!>T^^xaage3}=LFLc8W%vC&~ue^bY%*pz&MfCdpm`>Xf#_VnOd1#?DZ$8#cc zK15^Uk|~IY#mL3T-hK!}V;#N%8;@d3YN@sSFu^h(Z?`OCn}~Qz+{#JnaO$KzAm`F> zZ;3zsZ{uhVQOQL5#}EXZZ=z|7Y||{k+`WBz4_2|ARwH@S5RF309n35G8k30slcnW@ zb?6-768`Q7$SMf|?!N>TnEqQ(frW+TKhXpxLN+E=j{ltgXHbEiiG}h198_=xS4!Mk zX9EEt&YB0E=ONsJpNA*rgkxZsBxGh0FL9KB_ID&9ii)2nD*~C{f(jjEe}B(**nar2 z@Y+dlGS2qeTG8^*dC68E=r1jpAu)k%0j3$y6UQf{@8RGVP~1TqMch5XJUlwV>^0J3 z^d-#O?XmldK~hTt0umDT11Z#pZW$%47rrcxCXb2$`o}o{#Md7vx0XXrI5UTUuy=<3 znH~9>8bPknIb;=t#SJ)SkAVRsMFjYI{|Kheg+KrP^9xEB(hkU1U!QohXA9VVT2~cn z6bE9qQIyL!OCDQbSl@i$YaTev5&7ic;r4d7$yxNaU+b!fvlSR0sSuPO zF%sw>p0@(-(SR^j=MMO39FCX(VX*Zj{AM~GxQfMJuGR&D@fGCP#R56nhiCxr0Fhe* zemBPfvchDzq^}>=0kiJSnF0oK^ZS8$8Tn8pgt}~LV1)v6ajpw?6VQDI;)X(ln^jrf z6>%qS172p>&=Izv1c|^XlUiGggaqUb0p#J2`|3@`aBC0z!}c94&-41$+N%ZRT*}t# zjl|7x4!Q!VcZC2!sI}GW&HH2adIEz91-2^4FYXJ!iVrgI<>H72*Zg4-#pRIveLZ{n+E;z#zVC;ziX@aHBxaVvLr$N9Mj>L+Gv9UJ87eSn{81wJetM25p0 zL-$9972=1rJzZBbG~>ZXb18PY)GRh&tpIHb)N^p+=ae4TUoP0y-^z(lJa#~*{0)}< zlhsBJ3a%1VjNf~Ufs)?)`=>rH8168zT?C2J?3>L`p80X6Q<4E`^LeEf8VVY;QcJ6< z%U0ebN&_0$)3>y&5!~Y&gV{F*6GANiFHkA|7m%~9>ZT4PtT0vZ%rMSjpsxlAuJ@Yv zK&hjrF6HY=<`=Axz%)|oul*fTJ)oRlaQ9MZr3W8D-vunO85K0+KP|y>PCs4WUR1t) z*}6#An=H7b$osEsg-`h!(Zc~IR#+BxWjsvVjTC}VV_XmGBLbk@LPq;(ok>-6)i)X1NuJE8AiCFJii`BUaH(&x%#wQA>JN-ij@T#5#%ZP3JXw}}an5k+e>pxE?%5BCteXv{Ct8ADYFq_K=du~^BlBZY5fx@=K3=e{0# zu+C|?V*3t?XzEONXUaM|q~D-@(R*Za#_T2n1WmMIS(>^l8DtDpk%~yJ9T?X`{Oux- z;(1Z`PUvTbMW6mpQ+iFUB>KfHvK@{65HU=-zb=KIGSEP`?lymnqtQL$wVmq_=}%}h zmvhbKuhVmvW(w=`7$4xWc*(c3#=!0^T7Xr!7KpC*Zd!LrS{cVN!(wetIU_7~CU>Br zJEV|%<}IQK{g-tJ5>xz)Q$S?7XKH!wT=ZxIWTc0qgJoGicVR+Kl9z5%$|gKRnD1*W zy)z!dNUpoc^}I$Pvibz5vQTxpnUlH_>*)X{WS{15DkuzWw`2W5;B5PbOkY6Tr6_@+ z+4Uvk;(L~mk*Po?EVA?mI>xvA(ZzAmv|fd94xtFqdC~e8YF(uHOTiAH`>XA4w*&t! zip+jqjkwF;l(K3@CizQ`D&C8s9~Sz?RtvNW=4Yxsu7n(0yb%UgLxrDkEBD$V>Mb* z6Q2?F$6Rc@0B3cJ%ZipPkx?@cvy|!_a7wtY!g4%!M~ps0MD0{qAo1`pLOW53bDn{p zwnoM^V~T)=X~lBQ`PCo-7be{EC$=oX5=0pV@M_;HObo74GHP0$xq6neBMDc(o4f&2^2B4-CYdu%n1U4~oJa5jP z(ZhEzSb@_nB=pYD31OZa_Cg8@XHDKc1B}6N1RYs2)d$b{g_I*jh?bHsx}BG4BNDL7 zRWv{+Msfx12Q>wa(Uibrz62|Sd7O!5pVEcPB1ttqru=M2}$GiPNqm zJqG1U)+}F<14`)bp8B2hXNP;LPO?$`;5R&r$Mvx~&N@mKGV3S2{4iG1 zLr|U1`+9IOh=M*17hl$I=y!#;?@hHU6cODFUd3wRP2=&T4DfVs((24vyY|{nw7Zl) zE~_by0qB|GkFDu*D#f#R4=4%_yp?+RK72W$ciY};nPW=Tn2p#-{@g2Mgcrz|YCkDS z?PE5IyhX1XWCEs;2){!KiZnykfEtU_$f`WUbC;Uz3uY=vy!!B#$*_-0GME%MT~9qm z*hc@FDx`zP+4fgC2YQqkAt!Gy%T=j$^7euVnZ(Gi9DQzwxTZgltL{B4Bcgye$ttjO zyQ^-QoDF5(c7_^Iohzeu{Ut3$|1ePjl89FF=&fYD6Y4^GxPO!WWrGfmO`c4sbL;5` zd0;GaUTZt4>z6%E{_x&Gez(yqi~D6&Cy8jn4r{qK-m%PO>Y9#o%L|ixH}?pn7Onr) zf5K&&Z_=Z%&xshU!qb+2J-tAPgy-eMg$auDr;H#dVJa_0%*ebH!_!>l$K8ECb}H@} z??at!WfC*COjUBmR!RVHjQ3YTYAWy4f(Cz0!_pgtq|ySXd7*MHy{-YJ(A&<3H?L~a zGYXoMoXVrt%+~a!Eg{*i>+FN)NPSGkt!I6awq%`NYc;~%<1(j2lorfbJ@j?%sJhxE zOGsljUks`xw|lzpb}XiYET+_PC4G!W(7sDM?wx$d%h`mGbJra|Cr4-}t5OLu{Oi#f zfkeK+#U!|9KQdY$lJi%%T@lPQRK|jQ>4yEv`i`yw^78=A=FrZ_^cY(W699IR|(4lBWpzV%q`TH;Gd?_Q6_iv`O#ADYte#&tGH0o9rR zXzHb@S#R1yu;4->)JCyzAMbrz>`x$H@@vxbU!45XoKqdP?9nIMpp*mQMeo1)=~juF zGS=_2!GX;yk)_%v>3P^-?!=-j52u1o#GDt}0exh4LC!%}rucxI0fJebQV>pI+wcQI zX+{GrNP)>u#|CykCnGIUrdR}&c=4MA__=NTooEoV4NWonfXLL|YIl;8?xz$frJ3;H zOLT}*6aWf>@eaGmCh|k~M!hjoUhVG8N|fhz=4=9na|;w;r0qrFcl(NyqvVwc-Dcgm zt?XCi;sRq!+6zAW@-27@e69QY6|#1U2Dy^_0sjkhu*)Q)z#2A?;Mpeor>yE z%$m9GfNVweHMzutP9JrA1o+6EjC!S_cXpO>aw^oNH}4%- zaF!Z_3HnrZ*z3zP{8{%hoZa*uI6N2k;~v&MU7fJXg|HYj9T&kp#`moUu0hTb%2h}C z5@!pj%p&((4;E{!+YApUc6`Cdq#a_j51V_B^LQ?6+CMw~cf{~0ao<5!zyU3+i1=NT z`d%J~;Qi8ys2||p>InG2t<;Wm<6?*!Utpx5^W`vnL37R-*n5_a%s*k8s7bE(j3bQM z$GM}P6*1Fbboi;km&!^!huvB0rPd)xYegHM_#0O;G!!z;BV?GNcTT_5AMvVkA5JN$ z!0 z+Zy=R6Ed%`7_=AhHcq1pzp{8uc+nKcEs8^368pXM=s+nqJdY0STKD#vA)&D`cIYGd%15H}5ocluHXv2bS9x9?Yd!-#G}=c5XE;EWC&1vYlT&vMU&Nj%NeWEMxB9kJzF%2_(H$rQe(y zwcI#(u$8nD;*dz6a`yx9NRIFzru&)|w10QQBUWCE^UN7LueG&dVsF3Z4zsP%(W9_y^-U08N&POZ&GH#fDoNr*5(hm;?YOk7Jz6M;Q?XoTJ)Ol!a+w zQisdxM*=ALz;&{^9QAz9Rk{H4TCy>Njq23oCk~u#iaz)0%YN@8p(xes^Y*usXUiTTzP7gNZ;D2ASx6MzD^YYhrXr<58O z7zv`K!+e?1#h!Odx6Blmw8!V|w}V!Mo|C9)l4p2}ScF9)tJ)vcJwGc$MP`Z>JK*1# zs_&^*Fd-!)AdN@wW}es28yVYeQt8unB;(|LVAIFq*P4^i!R(OIV3QR}P%LHV0C{z` z=I>?m&hjNT=!R01tKI679UC|2^PZXsU?Uffz zoN&!^ESAz(^~>Sati`}6cX4s#TDZSIMdQ`z0h4p&XLbG)uB1QQmdZa&9c|V zWpD5?^pKuSeoBUb2PZT@0M2g96t*oR#Qrs(Va*rOTPe-lfUl(m0dFwhmv3&cA-dtT zyf7kS`n;B;{_`m%C{=_LMN;E~TK7_U~N_&A&^>3=CT2SjA` z#+SyjN=i-|IKLWk{7$+1+PEYtiN#5Y-qSL|TLRm^3T7w{7#~q?HaSw8&B^F`&PxiN z+gsrAwY^kbwP_aaI9h|~<aTx#ff&K2a;+Y*(*09&Or7ivpS)#3^S%~wS~zQnXS88ZbKh5TydouLc(&QM~)IT zE5qyjE-1|cfJXn>r0|NbdLk9}xLG8JzpoRfDm&+`@6nW*CsYsAMHLPCYxFI54i&X5 zTPqlAcvNvBeKZk3p9OP&R_C;f-$LDD=-y-R0_3jNz|NseK((E199w*nSM&@@l z;-e8)?5tP)+1fSz&OGM5l4QX ztxewiULzz;ikfDkl!cJ4Q_o?ndo2IZI4l3~n)qn7zbwW|PC}E|b?L{k-J+!)_TbT4 ztk)B|qC?!jS3Td2@4LXHj?@hb&q`-G6OZY;l)WjVvI(7VBu+3nsC$HO665aziw1$2 zHU{4rZxks6&5ESYg1MJmpM{huU-jR)UO-ncM2>fn#KGvwntLZM2X1lt^iL&1B85pA zmhur7@=D~2He{BlBf~sUKq=!~)EMfQXo@HlXN z)RmyzW3=0?lS%mVad8~oz%D~{^l31p?$DM$p;+!5tC<`4*;MlGF%>fQ=rqFIA0U&g z99__wu8-MCj6bxhi8^4ovvb2O#ECYWMM zY^ZBkv85}c3OsSV6boyz<%lo~(33T|}efvOOiXhs_upbzZ0~h^Kk_>YO?U zPDohE^r}g((=F8;;`y3h=6CEVAz^RJId5cMsNtxr9!)4IwRpD^@I_@Ttk{V1mLVU- z2H;yr3TjU5$kkHxR36~RHeV7MRjaC48EYr2iBycb>>O z_MC;?t_H}lm|O?hL3-gIP>|YzVUffT)OJ(UvD1k2x>Kp=9&o@h*%F6(PR-*ZxFoP6eEXiPJYvq)JK zT#MZ{KbEz{G0QhwW8G5Fe>fFK%N61uZBuOm0@2C!5VJpIlVO8rlp%~ga?O4}1Q0T~ zqa}<>37Li^&1Z|+wOVzhPG)qeq*;ux+@tTID%?MWf>8XSE zz^#GG=u{>=ms2WP87_WDvQ8PZroYg$Ry9rJT{UaI`thW|Dg88v*!GtL%yxZh@6BeNk<05LLrinQSE zq|rqAJ|hGV8DYbGkjmINe^zXq)_Zg+X8CboYxx4!u@^m~_vd@N(5LLs*in;KCg`0u)&btg3VRPhe! zA)nCQSpp8e7O-Z4gM$nXcPGKVF-X+5sI1;?( zEXnP?)do4G;JALmPLik9n^Ds1Dw}8$xww+Iu~roCs0yPD=ZU5CwD9qWZnAUs1K@l1LHCJbr8aeyG!_y2Q-ZLt>%{!hqq5# zP>9oqQyw(%GEyhk%ocWE9s+pdpp~y%bi+BP8t~<_s+)t!r}RAb;e0wsxXp+c3<{Z& zOqY&_Jlm@AxHfC@l|?1icyL97YEES~$>Q+3$Fxx5$}`(xTEol-(~Ro!*SN#q%XJEA zC``nTl2eMqngiN`Ao0LWmw);NTyo169y2xJ9$kDK3M!4anPelXo}Wv_H2Rn#&DTQl zeu8ljE!?SaI=vq|opoh;A3+0&Qk1gf@ZbX!9Yr$afnvLrwlKI;l>_P9YsHKD&L0fB zczdqIh!`9-70#Se7o(X1q8w6w+^YF1NVJseV?9y(142|fRi^H~x5x9Dtq(|x(9#;0 z0)jwk;ah5K!pcs0g250=l1WEU{CI)PAB#2ko9+DL2Hm52{|mol`EUG^nUm>1#PT1%WZ?M!wd?=IFBw=^|Ihr=2~sIxtC@Cw5Nck4 zpXd=GPxY)zyat$s6j)G#5E`$Ly^I)7m}r#QkO1e!A_)%_j0i zbXdHbXXUR&P18%J4u?9t3|NvLrAI3SOc**EGRPQ+@{>$up&wyvDiRba%NEC{fO0AZRBvb?E! zF3un%eq{eBQQ?t*Frl|V@T zfnUUee;FzN@(#lK+Xk&3K=p8k0I?=U`66xl`iu-H zK&Wj?h;apt`1rHq=Ti+tOw5l35)QsTfQKyJ>r;N9+d7cLdVN0!ML>uZxR4En^my@b zL!p`3sY_W{apQB^bEB#zqNOZ!ME8>u_JgM=FYpHR1wO>jFMtgVof{h32qq^f34!%G z!xW4(xWmT(GqxnkmFvso(>{c^(8KloP6L$PbG!@w-LR~M257P+obeI128{<2u+t&_ z*-`k(y7y6ht)c#*kNa^E!pW|#?iu*gbMPaEwI6Kz^d;3Bwu~CV?8^&d0($79NW1GJ zU4a-v^k?gvyF4mrH!?TUaWG6>PWUer={Ka9E(;Q`Z7LB6tkXM58ei)geMK8_tgR3l z#NEY~{{)ENH%;&Z<|6pZckiy_8#ma<+DXnwIY}PnDt%6vq&NtXDa#-xQ2&?&n#;~N zF^5q9E^ki~92$mTer+onq4h9-E+`EAt5X$687xUGM+~9uNp!>~gaE%DJJ>wx!>`v7 zXE|9G9FvZn^4_QWnkSo>fjwSZN?m6d@FZB5YIqyYY8B&qjL-Y%*MpMgRMLuUQ|R9- zkIX(4T@~u-2l&)4dg$zs3-BhABqPNjsjtn^AzqeT_JSA-joJEliyq0!&R`D^fM+h; zy-5bNf`d>c_erLsXOe=A!(OEPacliXcp@R91^L8-8}(IU;Zi98@-K z&X%iR-j(PyBNUgKG{3^Zs987$7L+zD4?*}a;%p1&QATX{JKzALo*lKbISU&Jbj=wx z8_Hzr$P!ch2mkiUxl=bs_&+GcN{|Caiiqt>HPX`uhi^A&{~u%L5F`o^UC}ZA*tTuk zwr$TJ+qP}nwr$(C?a5E2QpqBVEW3Kwo34KM_Bjbw@c;{pEKn&H9*zFN^hes!yFN{| z^JV>#WkVn~nHZ}GL7*GAPfN7u+K!OVX}capbET59f+?fqY-~$Mi(C8FTNPIjk*bKsaFmJO4D$B`1Y9R6xelxGsdCeR z4DKw>##R6NWn0V*l(`9!++upe$Xh{|)3LXzPxHhe@ zc{}!(I(9^YdM&dII;FsdyC)iVsz?wpKqPTjr2VYfgierL#Wj{Qfl-78p~J^Gaj?}{Qp!-~Fc?_|K-A;A(wk`b;o)+a$W zl1(;+zg_H>N%rS(jh(uW={zcs;do)(V>k3gihoH1y&BgT%jDeJz^N5Gn1=V|+f=!@ zDjp#B2wdU;tqI=N>EwFe?qF$iG?ol|`Q(SGf^6`JN62)8*BF}rEuDf^dYrtu12S&S zu+FGoTL~qkm0C_4X3VqUU@@mr4C2$JupWbH2587Uz(Lh@#z z$ww2<7xzW~WZ$}JydufZ>+RmOB-#r;w2KCoi{9+Wxsb{(Xla=Dd{r_`7mUk<40`2{ zu>g(sGO&^{&64U_D<6DvIi;{N=2;v3#XoU$$8ia61kwM%X0vnE(mZUV{|DkBid*h0 z_Y5S3htxezOojI|sM&b>dsws02cte{ol6doI~ZMf6{XH7EInZ{4n%vb!~*h8{1s%j zY)u`}d;4Qh=;g7e-`1zQv_$8#>OsM)$Ek&q$(_!7226k?Wr_v_7klOJZH$IP{wML{ zFv)Xpc&=o3jRmM#_#MfCD{+3WwlGbIW2g^domFxcW<5H#ja=~tabvy1r-4b;+g2+_ zqzV!_;Ng^1$yW`RuRh;%<6B-ns&rm39aq)3`Y(XF=T0=<7H*JQ{%D-DcQ15?r)vR$ zP4pCJ(VT6PGKd#3Sr6iYP3w-G>*jaWl#mFFxX26-k|Vd=Bo1El8!cDZ0^@rT*G@5S zo}CI(>>PRXY8|he(M>^zR<;Cp$2M(zmvgrTHId8t%q+kR=q2RNCmc$i4nr^?2IpmU z*Q<7SA$uRSUd!VYUb>CaInsb*z_Cfs(5#*~!VQYYg*ks~z2RAe zSOi*&vlAKbG3Un7h(gLauBZAVv&y>!l{txX*!@6#o$l@nRO#2IY6;D-8nm(1wp$#r9RZJu{rir%m`$brFArO7bIUXVDh}CVIW}&PvhJJsvAB z+yyji98mXcsYj6x&-OuhB}TeQPwdebX`P2`;!mpE8N|^P@X>Z`|Hp*W4fGO3##UU5 zMYfLpZS0}0ajC;>1Mbw-YL~FCWM0?ia1Q^@X+@7r&DwggmfKLg1k!aOCM>|Nzg2=# zt^e+W-B=A_=AGZCIBZU7?zoz+HH-;?J)J5y$4br+*>}`Dzr&^`ZvTdXyu>yE3z!P} zoFZBeBOghw&6nbPNj)xKU&U12kie^EFN7%;(m+D23{r!I6ocZKeclVrU>u+8dsQ`U~tEu#~|0KIJlQnBj*p!C92AifLh zL80`8g57&+B+4*13`WQB4%8iwwo6&E3K>_eS3E@$UlQhQ{t z7L}IL)2|#e?@6@WwH#F4bkjACladAOx`?Nqs=zX{m4!7qz1n_=C0v1GMM7^gXpC~R zn1p}4W2wKQ7GQGjX-435tz}$!{4>F3*PVr>z3m<1s zi8)h4JS37}RB*v&0?@qML9M}#N~@2HFudZY%E=5!jTFY-yxVZJbWHZ}RV)xEB|YQC za<<8Ty?#(l?R7O=`zDe;y_L`9-6A7cFnM;6bCJ$MO}3>1pXK4sHfc)b4M>4BRNiEB7B6SUY{sJ*^!+y)#&701OWD zwU@`fb2(6s<1glfR~nrn9%5sOVJLd1aeE4v&1$C-O{cu*4d?x9Y<-2iug)Y+%PU|n zG0V3Yk1Qbil zCRzkx;>J+I_$8O+y7-*NXq`yWwmNt5p_e^P!3!s$Ynx)aBr`V`2yZZ)1L>i<#nE>x z(5q0DwcscFGXB8!nyRLLf?ckbe|Gj?lYN{kuv$ffE|f*zxry$_OrnBM1DBp3x11Ga zXcz8vfiPAG3vNup`2_zt4WtVlY~Dz0`~%lNCVwzG4T9?I9rTC-3P)cdc$hA^Y+6dg z@Kbo-vmapN7u=~ScT%sikpY-J~=IV-mAMSWk{BD5dNEEzSP+3a0{SBaizM#|JO z$u{`CuLDi^LOJHdB8REC^HD0+_}5Qt8LmO;D(eoEb+&mQ)LvV;O57tRE|SL)RO>do zrP9S3Wl~$`-O}eB&P;o3LTAx@Sgy;Z zkq!tt#!YodM581=g_iM#Z^`Nw9X}-q%Zuc#c-4W}ndYj1q~o3F8x57`=o1Z}~W{TdkDSC9XW98XYz-7E`*ojc`io0b5@_n$876nZ*nJwmrtW zFYMcrTZ_+~!nTu=kLTRwRm_Ca(G+h7dmM}(Ub`i^+=BdU`}U$zi=0`-0q;EyK4!qc8>W;5eVIZG&Kah7uBwC0 z#pc>8?Z4RZxe3yk1$S_@w$a0*yRYayRlz7meZi2*teV=BOY)sXE%5#iHbwT*LMR8; zMH0(h0$yZ8_bK?cP2PC>jtgQ8kIZAL{?+DvIo!{tHw(h~2|GkMPhd5!PMaQ{M=^qh<@0Bw%Odl`!j%Y^x% z*&CB0#5{V+)MAW49-1>!;iiHMTX`s4SbSbeUUA&dL{gmQ^e9F~ep&v^qZxgL|x zZL5RPQFx`uDiPOQd`bS^;)%5V2GNDq>)AR&DVnY-Wh>2bNzbnH%=3jkL2@*`P7WUR zQ15->O@39pjBg+Jy2DeJMwIEE%#{&1`O>m2Nj{|aB%hpnn?a2<)7`ZwTvl{lkD*m;qye9=E zktf*tLv9%b+{P>JddtE@rEWx-9ITG?q!gl2s`(0(*nC@By%up4f4P#mmQXS@uKiwN zE~0OlyW%o0{@6{=HrG=(qfTiQn0Rx^jHIIL2;Za97NwC*ke2+`i0u7DfRN@E*m^t@ z?~$j{bO|EAh{J*y=aDS%rn|1g zgY=!eUsO}u`(=$zH`+ZzumtWAH9`)VSv2^oa5UX4_$^V!>9L=b8Gf#be~na{SLzrDuXP<@ zu{+|Q6QzkY2&z+^KUJ>{kFy;T5aeg)*0bIVZg`9*jiNOGp;{tdli|dVw|mU=YJ8e8 z(weS(@ci=xB!%E88#Y(+AczP(dCi-T=7mmdzU~GtkzoAGt~B|zyTaa1cYi)$##hvk zlt}tKoD^r77S2*QtN+ZBz^zl?zX1jZ0hCJh*D%1TfU#m zWl)$0_0;|`C*W|&e1mE+`n8|L4n3-DC%U{=PgcdC8ajH)8FTL5$3m|u4`+);`%C4Z z(35C;Xl={TRc{!6)I;h#M<@O~GP%81F^_=N2X^pjXyev6>+)SMIV|6iB{~HfIPqZM zym{$~dW&}wxoPjE)ul0^+L*4BzffQ}#R*7KIIHg$QZsGo0eynwjuJGl*PQJozxu5n zX)6vEw_>v?R)x99luVcQ8>a&`TeOUhk$4`({SMFr@ zA(}Kl%hVQtm$rOz{~cvwfu^)vaI|;p0+$2j+`4p(-)H#9Z_Xxcs(Gz}(w3P)0P~S>I88(7)04ZOTe4pDd>^2Vp~xYWhDo36kYi|pFDr!Wg8Bgss|DzW5(u$cnnK0LKFEQs#aLR z8T?l+1q`?(nm#kSOQ0;NZz`D^_y=yM1v&a@sd1I3aw0c*3F;L1C|U5Xdh!#EHCaWp zg=J?M&Y+Gu*lJ?XpV;YJZ&T6uk4Y@rxX%FUWQDAK$$1z3ZuXAq18T4fWOOg{DvQBG zeiJrpr9~U-pE;|a^KBlfPlh{|AXBDGnv3rin-Q&2wx>~`Qkg`Ll3j6<+Kp}{Z=Sl@ zMzGkk$tJVW62z|Ub#j#>mr1z&5F?%NrQt5mjb}!~;-LY3kLwQFtsDtYrMFy*ZXafe zgruw7i*?;{GI9HO_q;LGwSjSE8qhXHXYxX5gi#}OE>iL|NSLQ?M^pP!ukpnF(^MtH zlP`;jL;{!5<}7!Q8kbqJG(@Vu(oTkE@?9VqqsEas=#~@GRUO(4zX>MBdo%t{qsf+m zp7ZCbyaq_RPly!Q!$qGM0CLCX`;Rce`3X6a5SRks^^00fGrgU)GV^)z)~i~$UGe>R zGWHUP8bTiU{K)ceg8r$-%|>fGU60P+YJaNQHFH=yZb?Xz-JpecBVTdNYfjpgZ<>+r)aG9MSRL~hLgr|1i9Ei4? zI*!(kJ+vUl2)LpgG!*TL$i&VbVpgn(A9!e^@M9o_S?;dOI(O)Rqj^v+%wuurcKFOo z9_6-XYcn7Y`wZMST8K-ui)NtV>F8@Dz%mham__4~AbxOQMc@ipKlSOVi!krKw@mmW zL#d0G+rA}cZ@NbdsJXiqH-9HdYGZe~9-%d>zv#sxAk!x%CG<@0`)QaIAFIBWdDH`1 zDYU#f`fk-()agnrv)u#TzA0C9X%&3(F02fGb)n48HY`_lt7|b^txZIz1+JEzl<0BO z-S*sP(-r3&&3#`;y{-t#}?_k?iXt6mnY8pOYq1BYEoAD(WoLbvV-UPuaIo`aS4VU3y zlE0z{cgGSa(KCQk+tF3d-F;h5Z`55p+qBaQ*HE?QX7%(7<~PAWeV(|kx8+p za`?DDE5GVVWSdYB_fo^;mGUa`LXQ?TL$Jt!S(T=*%9&>Y(J@7(iAqn;Y{4X(cdxc>l5goAmMHp|1CNVAYuz-B>~gRAU$+fJZOhl#1I|~~+vTT8wG;ie9&qu+ zs2K4e)<$;YTRGba)ckM2b9GaeYq6wLL>T^B<0@)izQ80`lfh zBU3k|Eix#YDQ!EvMVtVT2^rLDLzPv-*Gf8_gGWjh5r_tmHNbwws=5dimy3$iCl z;3&c0a2s0rfd5DK$NGO|e{8Ju|C9YO(6g~K{rB>JhkpzV91Q>Etp9%~>t8^XwKo?) z{~W?^LGHAHxRSLA)$PdwM>`$f+}z-95%A-;fw{i!*+9Yv@WpI-&V2v){!9G+sf5gy z|8e52rZu}Q$a%|{BGZMW{TJZtn3%YrG6DDnC4^$Kf%`^A#s@}5{H28o0UcUEe@0`Z z9}&*ZKmzG^ktQTt{f^-mG>Pf_%ZfbHt)?|(xf?2!S) zGui^C041pb+#%4tF3aG&DJSYaVmO0J<@N{jzg&Q_pAZ{L*md5R6TMz{u0t zwE(Ym)tH&;LCb`u`1#FZeH7XlS#Nkc1Z3ZYY@iR+=ATs!V98IGS4cI7 zeJ3^vV1mT8w_9D0zX-rw#V_m2u|$A6V?!Fl-&fg>Y77R#)g992H|-zex4H~?;Sd3U z;)(x8*KnW*LfW^R39N5s@N3)ATlgyu0`!YvZDDQM602N0ApGR0dc5rnw z1ws#)`76L&?;OxIlG&EwXDuVG2kDz)0~Cj<1e(_6^5*I*YZ`;^X-0-h7I%%u)9@32 z;+$FBcY+Ad#f87N4*4GYK`ao%-?-}is{j3I_qPw8t!~vf4iv)L=3Wfz^6eFx1j zd2nMuZy$kI$HoVLK-jrD0KB_?uHW>6re6b8eshn1%*KBCl7Hime^t(YTL~@Dv^M#^pL`L1e7{It@U>!lF={8A z?R~O=NX9Oy{eJ0Gpx#!`C;_JhXkC6+sZOmQIAIL+C)Grl8XfEF?7vOGIV1wN{7>-s zXG~Rn%TMS!Pw*a1p@4w-__O$Zx9DpXtgU}XUpb9US!-Lv7Au*5odEUB&U{ysfieZA ze$iQBZE*d<3k$=+88<5n*xT9xb+2lbEMT2}m8SkF?CFQzSwQYK3gP;I4#K`h`yU`1NkB z!P**h3?A_W(|GwF6rBy!*UtUZgHA!Rwhr~aRj?kpeEX#M`;G69?s&b#N5NmOW^7tk zLJ4=2D4{B+g{P4ZwR(AFmC^U(7_Q^69OMq0o^l?SW&8BxvP%&r^L9+Wu}<`N^VBK! zgTQP|;Pdi|HmbGF@S;laT^$oB(&qq8EnK}wc6*1F!gble!RE0!V=AG2RFt5O7Ni}S z?YLZ>bW)+=nbS>oo z!?%mk_^0+CFt<090QXRyxVs%I+$53KU!7d7nwQ8j`359aAw9zZ&CZ;~zKQUyBu_!8 z4%_-RB_xX0q+G(5=8Qf6EGqV zT$sslnUVw%9Pk667$X@p#MIW3m{4!Q!Id!LOn^Zb4aD`Mzs0hh?0L@!;}(cRP@S-d zYPr2F(w;H9ErNGnyNFxbXJUE>Lw+xo#pPia=Kw2gJa+?ELqf#2ZIHNS;@*B7mjibo zsY>Q+Ow%znM*k%+Am*Mx9?iQ2#KuaCW%nixS8kqS(d6z9L-5NeY-X;9>*c(nM~jwXC*J&gNc^g`OyTRUqYVN)q9&BtUh*x4bg&F7rp^&mM?`66EZz zuz25?4M|FW2xp0HkpWYOeoVFwUWYVy?Cn!%>^W=eYlBHp?UkcjIw@~qW zl4G8?aN{IsLbk~37glT3Dt6d_0@xhUMZhIccz`+Ue9n}lQUYY~E55*{fcvRAO69q2 zB@jGKlv06EG0AnP$dv0gkj8M%;ALloR?wBonJwdTUSSRZ?>=L+DOd1_1%Vz<_>uuQ zm-@}V*uRUIc}c-`WusodWQG(dl(4Ua9H^WtH93K-_ucYOl6(>IYg-=7I&OPAJXAnf zdj?L#iHWr&70kn{hkz@oUs*U8J z9C?&?`%~o63uHuwr&{C(Zx&aah1~5pGTg@OkrGjd=cuhRf_r9Q2M;FEI%9gSsI(5Fy;vrgrmsuq+#1juQNsYJ}g=t zAB%G?Ky% z_?BVdoXLPjr|Tasw>S4;zv2y@YsY9AVigoTc*F6-XBz@&n6OMH%h%6~_RYzIw7I^n zMGf$u6K5ntPLbTR2#SClCf!AcTfinu#N48LY%L{sZ$4gE$`e}!!w#m#eL6Ks-_dwK zp72}gs+_A+@!uY>VxzH7={BT6a(gU^9R zAds{Ha)Me28r~rO$YA-1F4x4oX3xRcEDRDikbF9j9%<^Gn|6(b?-BBr|2!XsQ(iNs!p@&*Gp({p1oYNg-_!f z-iEFr>yN2iEoUS9=WUHlEo&+J&c1#cmsSSlTguQ38*(i}b>b+ykE0lAuAK^Jp=p(> z^D1axgGe}|i?1MDxYY-#R_h>5syfx_s%wXO*r*i`f(sB1!+x01MZ?LmVGN~^OLHQz zA^nki+t891R^mg0p(e0QwdsMJa~Q<`Y;gHYOLU}XNX8BQ{Ue%-RQH;hS#E*{JI~fwb6N_O zTY_500c;QiNHvguM6`|AlNf2m)6sEedBP|b;|t?@X<7iFx|S)K(|%J-nE+D?FQOYt zxFe9^P+Vc`bac-%EnVY#k`+*mM@F(5ag@^T|tn}8I+_(%)Bx-d!V${Px|qqbgcQFp_Aa&P$<(ph9X|9yVsADRd*Fe-b1Uk+V& z4!493Ij2Tk2dpfX#28+C=!-Ly%-y;0!|I!kVSedqgy2(J@!~Y^>SQ4?a*4!Ez;Qm+ zh)tsm{4Co`mRd7#SuyrhJ5(PaHbhGv=z|vN?a3VkyB}Dpd{9&m(otcDE#0Kf(9?{g z8qKB4dfH|^-xU;1S8{jhJQAI#DPP)p8aE&YYm8~dp}iTOZl%Su5yJ4spoF1yI=skx zOT=VG>{X$zhVYq4oZ6jw0tN#CgA`LNhf%h-ct+E4mI*_q48i0EtM=;bq0AA^S&02g za1%Ct|J+N|p}O+OPYZOH&!21!j8eG4yvH-!t?Pgr zXdDHnI+iKHxHIeM=|$LCE`+M*r&4*;5O8n2GF*=%45*zNi*h{l=)6#xmxL<{cfI z^VrP^Ni<2q+lEoRGPJZ8cFy=W{;3gIOke8d>)$ z08^WbeQtH8PhaH3O`FMq)t>93$~N#mRt{i0oGX~_EvbX}PO(FrK0{mD6nH#f#vYV= z;-b7^(2IE_&hyS;0ZOKw9L`Kw7h=Z$Vk}h#8~G-C3&KI3I@J;4 zlp)*zab}tP&XDZ@MpHj>DpeZEO9_1?5Zcu*+rWAe9vJemLiX%Q0>)%a!NWJ4{y}wl zb;WSA*M1;*kVU~o7~-p>byExEDTASj`Su8g)4DYK+1$Q!riaB|DUb4;qL6e!P{l@$HB`9^jC*esAx%Bqx zVou)H%XOj#3<`?mYM>qSQn8+9&jl&5p@PG{Ni0kOE@qX@>xJYB)Bj%ofs=-2X6fdO zbk!+89v7cc3Z>mGWr8X5bh#8M^rBxCjFzo!E1r}w{ykvHTvh2cXPl!@}s%YsuB_J&Ox3b z-arqUN_&S*Kp^FwSSONH6%r4&D zBqfhz9oMcRSB#yzKsNPb-m0TC?oL^?jAyk*S(*;BH7z$FWqV$#p!SWBBJS2g0&jo# zQS7-_I}qRy_#FEQO5mP z!9s_Mr&Epyo;vuNN>b%wXpcm#iXUDB?D=LH7=i~xi5Lj(ewButl?pRD1il~^h07r@ zLOz{FvYnh8L#CaBZDN*#dSQGfnUUyIX1b`zqv|UD(&@wjDYJUWTgGB}y{1cmz*d~D zg3sL%IjDCYK^cGxM`X=;quiu0BPh^;&e_l@F2?ve#ZgLZP(2HyzB~E-!hy~ifx8yX zWA#ys4hFsxu|=X4R)AJu13X9{4C&-khr0{bnN6pn2*av3B}>$vz4HMzf;##$giYK( z3F(LbP_`k-Vej~6wsw2w>@CRBna9f#TpRXIzjH@Z5!SeP9`oxI=zTL4`cVpeyb_uo z7A`bJy~xZs*7^Q+Z+3phPNsIUp8Y!dp4nPmgd~thg7AT|EkPE4YhWDxY)5@&*^(aC(dz zQq4f*c1(4v{WBz2jo`#8W~I-ZAJua=bQjogLa#93sk;6%<%eG*z8wC6vJ7Rgtf@_u zlGK=^$He+sw9&qN0cGY;UmKNiuExk~q?@A505GHq9FJI@F8_d&2(+tjZ1FqWx;T45 z#_%q#A}KWDB)Ksy6#6!y?W`1BbLT%>`&;kC&J;lj4Wofr`kgrElK=rd{G~e-;IQ^E zfS=o***;A$qV!%vfG&>{Cs?5rAZ<1W3jN{s&#lNAsx*9z_;{?*~PB! z%PlrxNLyo`@7Xf3ZiUm(c6ZPhEWQ5N>QGi}SP>oXKwQ zh>b_5{Nt3);VMLp!qbIt%JAxGaUaTd{_=AnCl#7R$VD?fe}G!bEUFBJiz)&NVu%jR zJVPE2PZD-AjoGC{go>H}1xt6^=U7WI^)XG1s&udNz>CfNe7*I((JlsYGf;Aiz&g=s z)il>P2UbwTUP4$oz7#X#20r_4bSg#7J|2_=W8stub!w*al#A>(NL)d7(1QMSO{6X1 zNr(j`pbB_dvkd#n)9Qc)JhYt<72Bn0QrWo$m{ZIcOvRTyk?Oi?oex^k6s;4Y_4?rpG2V7^m;w8u6}wdjifnDAzGpI8QMU2xc3892hU6 zoaFpC7#}Ys^H#w~4%eRF@5k0rIjQt;f^4S+nOPYc7+W&WJu(pJSZ_Rb=mM1GN(IST z{s%e@R}~c|W%y9Fa<~<5h#qKFZTf6ud7K3@Z6C2~(HPU?EhM2!1Dt$(qa#@yrNYSC z;|PF$97A|J24Cpcg3ii8BHvlyvu~s%j(66~s@|XiTq26WY4<>=tkI5us?j%;?C0^u<^$c0}Y;>`QUy&9G*A=}ctmnKw+eF{{`s4rexn z^;IYoXyQUJxgvF&aN8(t-L|bybASdDjf_wX2s>w7wW5RSPghq!pSz5jaSGANtHNJR zf+D_=%i<{9Cl}7cnTHlypbxwy4q>UO;KGE$Rw$U8UJuYvn4edh4d-ed? z_F8~!8hZlo7DuHd=&F)sf85MNkKR$-P1pUAH<@Giza^Jggo$>Soi0<&vZ?U^GFj8d zT!91PuvDw$)OrMtk%St_)|MQBGc3u1SDnd#0hevt+FHV%``7qeJ zogma(Hv-M0aTd~Tc7#?T1*n;N-pY%Aa~!dS1ofmScc@~b9q>lP-5;euYFZ9M8NUM# zkGUsUs(V&Y%}K>B!@mVAgW`6CP-Q9t&UIqbmrH&leJbEYU?1FfTvA)+SY~5JBmfU1 z0s=m~eU{IVjZT|5n^q`+L;d5rK~GNsC5EGtB8NlGnA zzCP3P2l7&*c7|n22v`f>)sZsf>7P9c8g_fW~L1P6`(Q$82}pVty_NX*DNW zVP8YVGnZ7hX6o1(b~n9juip2BXuAj5k83)fvRD$jeuIAuK`+SeHPif?(UKt8y4uE+ z=p;bDFaGX3#RtFMm15+yr}q&ILUs$J-vV=k41l$-etU@PdQaH5#hP`QM3OOLNZ^JL zsfK9;URe;a$$<0dUO^?TneP?Ad6mSeF4x{RO5HS`S@}Tg)MSRm6)X7&FCaVGH9rLD&-{RX}m_q ze$OCbl6I9n=_1CE%>@i#Hw)mNIAm1e4sL@Iy+$9!HJok%2!^;|1RU0DGXvv>WJ})O z2F&}G;Dw0|r)e3{jxi_cJ{~RHO2-hD#^ID~aW_jP5C?S5nsEV`iQ=ehl;c8mz=oGC zk-LS-6{{WoWOgi4PMZJ-WdCbjY%hPK!PSSoZ-c79#RV|LeWqYxvwfD#otb-0sCbR}UH7%HwcCgFYez{Qk^@nHATCP2ZFah!&Lu?jct#%4dL#^jWvY_Ux3S=#!6Rwyv}n z>h6>Jo@(7MQtVv8sq@^G)=UKaeAWDe`}m$A&9q+ZACcIGt1&+uXsD+XQQ5LX9Jf>@ zxhGQ5;IBQ_>c{ew9^ux8r^P?Cq{z-HiH^DfJeWF_Ri%*4+YYjhrY9+4 zokQgqvfU(7o0|=qabk{|Zi2sdBr__hlvB^DUYw5)TotRel}91fjrWT4C*c&fK6`!K z4{RIpbDA&QVP>I?Fk7&mt}_CzeuXs=Kk>V9sy6MlW=ngb2d+z7X10|%@78#B;UFSG zCtfqW3%S>6MZ@p8P{AazbA)rYBS$p@KQ8#MBlknYh)Y7x(&RliA}I1+=oMEZ)ek~a z+;L&pfC+rp&X(4gkuNDu-s%O-B zoPTFnh=G<0(a13NzNuWDLuC_MpE1H)-y-L@UHQ5*p#f23tij+46`NcTOUI)#X)G3}zHs-jpCT$-2m*CVky&utobV3NIQ=$kHT=L~@rxCugjb<*-yK<}Radatz? z!iZYn<}IBIYWN8i@4D(J1J~v5m5!ojea#Dt336Ao1>&=m#Gv5M-CJB3wzkA#!*C+) z+H*>GJC7x5Y?;qsAlg*}J71VEJvBMsqxW`>x8xDvFX9Xhwgzdu2Jlc6_jr{g>3b$* zD}(8 zT9twPlY&-H8(5=<+L=#%7H=B>^@#A5AOn5~z6uUA)&$~=qzbEq(noEXC{fY9LrL#b zNFJkpoNF4fr&unMfEd#VEwUI0jnufdLu3tDq0{Y?AGy{J&M6F@= z(RLKA?qvD4mbhXR6Qh+l%Bi1~f`q~?n}H*RY@9P}aGXfBW7eOd??i4bImW*37@wfF zTkLxS7@0}S1D!9!t;WBV1no)@lFU^P>!(Ph&kb&Gt!Q6Gc3#vZ;;P|}Ym=37Hi%yA zmlxVxdXaxO6hn+L4{ROSjG4y_quklXsz`aavt7Pp6bZ&K#uGd^)QPWfY#jG%Va2;b z4}Jcbf%1|pdWA1;jMo#cFi)Lv6-=qs5sIYSPDHU&ogmwixKY9$;NyS7Vtpn)(1mdv zHzNK7ry>T&Bn3Lz7348?d54XvNu|?qnS#hn*4o@`@A*4OsYi*R}Kz!DWvcz2%`4!zyBBtRibh^sW|mv zpz_fC%Upe`dYQR;RiHsd^`6Te>+)dC2B%2ITrM1!%ix$g5{rCqQG(H%{yg2L96FXF z8fjx}L-j%8C=qpuY)^eL$+n+nbpxwM?~WmQ&Q}a$Z?#h({_Ey@VZ3#qIUFE1Kh@JQ zW$XIWEm9{e_An@l|7j<--~?AIs`kV~hzc21PXm-Nh*WMPXb2hew+R2!^ui!5JJLw4 z%gp-mq;z z0T{IV$*7&-bGp9nxsYR4D(bRo<3I)`cO8A&Q?@lyI&D?tKG$-ck83tEEeO;&QP0Ta z)dv|`KZ1Y?rOtY73Y%!nM_7kbMgaLPXC*%RHT#i3BkMhXD+H#LX#=~eMT6A$WWf%n zZs>_SJwHKWRWaWODp2Av)6XYfgA+hGZ;n$GLyl~ zC)`Kbz;Snz-oUnL)ab9LYEucYV`^TLNwG1yXnq~#U_ZoVLyGtu)aT23I>vK&uy}M* zU}x^?nSJn&I=Pun?0g>izc+|#i0JDSF^{Cv5(D=9%rWU%h=~O_N5p3)1@iNnq5OOO z*%NF*MO<9=%_xfKBFKPdLps|e9uU``ih#UrjP#ep5oVdTTXA!Lig?|J^#ikH8c)qd zBho?dsO1OTF_;rC2F(>IvBgqzcJNb)n7~J5?JS`_nOPXyADI1}E>{AP*vJh#*MA z=7DbaPeKYwBU{4a{|0*ZWy?kQH)tsuAgY0Ce2^ctak-o2DAzHN=Dt;yNIU>ZyboGu zIuwzCLNFnkI)wLL|9XDJn`=N6-4BU|dwUrl5zj|VV4gtOJ!VF@^dayW$#hu+x}xBv zP0!L%@rJ}&0CbG22!6t}@OHJUmz9{kz_KvD(0evcl8zNw)m$$`J5#L@J2a*aUKz4j zIj5%s5+U0jJJABtxkFpi(r3$H=DwAtu^J~XnzgA!Wg{gVwYlyTb?BcGo$bO7?mD;6 zQPJ~do5VyrSmEFv6h7i3sXJUgp1Vm3A5I#S#slXhZ;-Ec+sL1bl2jG&ruF8sNWsP+ z-WRtOf48yY>2lww*bu_e1sgxweRkb!l;ln9Dz~9~dL;d5qKhFtm(OjmR%*_8=(i!} z+M_g~1Nb({mrEJE&U+%;2&e9`N0$YnSB9UD4=|Vchh@l^gadUL*Sl!Ldo5nYatEVq z$V64^%9T8F2a*L>c@5VNAw9D?oCA~jRl5;gKe`crT<((kf8=urO%C%1JL}Mj5`F6+ zz6<7$HZWz{Ut`WA=yToA>AkVbOIyu&Yskfqxu~kxr@3o}u>PtPVFE9jo7_K!ADh^& zqgC`+%u_+{bIEEu0kvRr&_>O)81|hG*)*AzQQ!qPhD>qzjHCpSJZ8I591oZ<8!mT) znNy#B>L-g%bJA79OvXrt=xU^~pk9F*rY7#XGtH$QYann7#+}J0Rp>=G<0l9fDt#H) z^r%BNmIQ$D48KsOb57PpKb zW!r68T(RaZY2gnkGX;atF45hRO|{<55Ka=lF~5*TcY0re%g(jY?a_E`$ig+rN3Rx= z_}lpF#Jxv7D(V}1Fr_%DF{DWls{A|sjWYh1_dgnY=ittQXj?e8ZQHhO+qUzIJuxP> zIkA(8lZkEHww=7(`@Z|tt9rNUzN%AQr~B-#-qrm_*FJmgwL;lJ5vqi(qGgh>FG>eB zrdKX%w~)tmv)o;TW|09Pw4sgbG*MslnidyJ*ac^Lu43Ofu3f3PsW!GKp4EJ9X(y%x zYsZ0kq9x%&7A9bdcP_FpojQ5+V~c1|MVUY}Zq1*dj%_3*7m*Zd|CpKP-StFJS8w8f z-9goVYz*OGO)GSQcbRQj96+;!Qa;)pz}JV=f3CVj@mn?<@o!J{Reweg5i=oHC|v_I z8@Zjqb1w0FkMiG!(WrmLEM>@<4Mnlfec93t2^XjNQ}|%?eWqJ_?epyUiKK9`8;fOy z=&J6E%V>0XgTnm^axhyz%ah-BFmRGH*Q`a#@L_2Qh8Yfls2~@NZ`uyy5^<4yXr#HG zCp-3a%Au9SV1}yZx2R;xSoRp;qACn~-o#}v>>~u;c)?NwagtjjW2(0cTJ+DL+6S`Z z%}y6*^FE*m8m))M$W^2^&J!7Z;vdNKQ;^cu@aNUKrs!5Rl}Z>RCT(z%$N`+Z2vHev zRI0S8n=-HVm#T}|Y+^X<(uYt#KRv7m>ci72&lM1hOkeo?-iJ(e|0s8^)}`$FlWe#N z&}(~onE8ZJXla^xMJZF~?FMC}ZtUUwbz$z8sH|`%)WhpW>9wCf>4PcQKGrpzpg!#6 zjybJwL5>+&-hWH+8$Z$b8H-e&c%dqL42D%FuEKw0D(iSgU@y&t`VjOA%

vOgS=s^dz@CLVS5<174o3IaRqdP@CRL??%KPyw*ABqlnUe!mZNHr+EN+tN?b`OcVP?WS% z1(MzgS)O_6PpF3>FX z_hw|`Nf*_(gL(wAVAINFuw@7r8u@yZr}`92b9MQ;#;oQ~04Rm^7yI5j({y)UzmQl` zL_|`O;KYv^Z)L@-U+p*Ne;I9k%f!#Cj<^8M-Llg7Tn|1*SYLQOC!Kh7o?#^rlf3&8 z3!ZjARX;J6$eVuernQ21F|OHYO9hSDI#7z_x=ZBzWmuipJ4ZBhYEVUV?dh0{u5`$=Emn51 z%eg&ke76w^{1=iwlaw8*Df=yC15rU)QaEs-ez(D7fnpmkPa?`EYRsD&lZubJDVt%w z3N0$|s7Y8}d5Xo^vK_SPvu=Ax50Rz+Sf(4sc|)nhNy>DPsb69~{mSf@bGSD)chmf3 zm^bV;x}#p?A@qf`;^_Y77m5s=xpKF86l_c!%alvxW?BjbYnO<#tbZm+=yIfQM#=A? z7Vc8gQtYykH!Qul0N9d?DtT$6i5pKx64@K|(W)hy8!)G*PHEMkN>!JbGsn71>~JXM zFZSpP0cNCqO~y-gk`PgZo2=Qb)pemi5($8-o z$a{pT{|5ce_1~f2xmh{>3-11(%02%-7XJSPzjLy&{=X~t{Dov&{3aA+Sf?)#mUx_^ z*cfkq-fC#sYY!fGV|+I75l>7==xT`|AvIG)D*;F zzV+o_-hcJxGsK)GCsj2@2b)4JkL*VY6&ELJ2+R!1$SA`C3K9}0LSjZjjKj{15dN}- zywxJQ1!F^?eNPL=A%G@Lv^!%W8Jz_R2M6#o2U4LSr6i-LB!&tBF++(R8A{?AU?_!q z6(9!&LFGsHlRy&@uxEEL5?mh0kuAPHlm0`*1QIhhD-Q7w1Eq10;=@7c2Z3NJWS#r1 zhK$e;^oNTJNBZGY5ys!kl4MpN1McbR2_vWtS*pzrv@sMO#{T>8 z=P`OP`|n3Ny9vhc!jE?)b@XG<7uaZ!J`*KpArU#e_~Zm2kngNPsIad^@B_tS1dLEn zvoGsZwvqtcr?(QIFT-krA)@5+hq z7E*adxT9n4Z$X6bJlAwwoc;Il;9^}x5^G2}r(*ekU$vFwcX@;CLL@V}4&Oc%q9F zWB~-k(jE8PQ8-#$2)CxA17u{tSOkdo;KEWeC`s`^AL7#M5khYtXv{zuy?YVGNPz|DuehV}NEe8S5dUHW;^Bb8z9j^CAW8j2%gCU2nXs_F z7!j3$Vm{!>1Beh6=ls57gA(ZkoZu!dYq3;Z%eIyFAp5+&a+1*YA8?~&fs8B-JuK&< zABTg@M8CnMWAwg%k;$a@5Jk=#E{aQMe--~qWHIL7#0#+6KCOi*Hiy{%`c+J^`Q0QY zv#a23T#rQ-^)gKJHvTs4@=+sXGld^X*;O3SCiB%);2Z$2i3jB4xfdZ7vTxWGomdqh zFOj@JzdL;(H2@{W$%Yr+`?<+O&3(%#RdM}_Nd`ZBj)+F8eESNU$o29S@|{4sfvUJC z{_$!O-}J`#^$H#+_C~au-$KgOs+TV7rggt1itg^X+Xl?+{B|{2X0J0Ihf`$$J5*qE z_pUqBcfy?V#Cbpa&RQxEnc`pT(QFddYLJB>6_;x6ue&Z6>XMBPFAFbQxw?;n3s~S zvo>@MUU#lzA<%6PJ+CTqgcx=R4$R*Ke${V_-EoM+*LQJxCm`T<*y52D&up1HTX)DG z3~=c#nr(l0Do7r(b-y+*Boqk`hU?L6co#|xM|j-oa`r1>8xsuI z#`TfH$d#I5V4K;yzp@af!R6qEDCQODTCuNW2Rzt!41n~oG9OFx_WjADHO1Y-9`Vo1 zi{->H4A2*3FzZ;7y;^@S3=>*8M5^+L$e@m>GIEj!%Dz|lVecuEsHQldttOWb*+11Q zX!_-m;vzt>SnF ztSxOIe`vPgEbuHfeu*+lpURK-(EJ$%^g-z$f+y*JJWJa zA?KxRgF15^h5NTs0-rl7*PJYG*>#Cl5_@8L2D8Qy=NOhgL6F^^&MmFogD0+`zoBgL zBXkT&@D5lr!&KgULWYy6X?w)R^|2dks}0U#q0B23ys{@Y1Z=n>^bDkIP|E+^Pppzn zPCeL78Iyi8W#|I79w$7m0SqoJV@l_Xtxj3yu-7tJcEvKMB|~%ZS+G1XYznvXCzh5d zJF;@F3hH?#5K=cfUC2e+Q`a}8uecyCMm_AY#F5)=wW$u`6d61W0 zdd$5k!Z{YA+I$-WcSml_(W+JAGfZ3pYk?>py&Nhgcvcl~8o#p$Jjx|xc>m>?{QenI zWu@l1UCmA9gWLKn(rJE6v94DGACbkw`(0ip0$3uQiMc3IVwo@O3sd3fs2(j%|F?%B z5jqH^`8j^oJqF{yDS+!iwrRf71a%=C~vuI(3f?H#V4deCF}VsrOHAR+StIB?_w6fGJ)d zX|3RtO;kiOUrVaOXSas9i12IcdQR}_U~~tROGW+p&@8%3|8aDZgR0nK8rB_zt{)6n z)4lJ4%g3aqBu!kWezhL2=-CQAP=Z+bR!W`eO!*Nt>f2=dc=q|%key0`P=BVR>qHy2 zf-s}E>xo||Neh1SJOSKG1%4^Y5u|z*;jkv{uwb1O`Z-!-?D69^ii{Fcj0)!%9NXx#V zBc~O;E0YCoo6w0$N44HGTn)CPzn-vhTg%g@d`Wb=%djZkX@S{l*fk@kt34Ek>$gVH ztZAZB!uP+`^-$N*HiutO`(n$cb7+IbK|WuRduvI2lc*|&popKVJi0rLvi19O*=Waw3 zMJc*a7-B0Nm5!OR!#J{2FjnNo?zHsxvX(>0h&b6zm>t?@memrc(yBDKKI<+eYBjzp zrfPmix+dU)(@UetB3ctW^kb?t0Y53#4zp6-fZKGH?{Z;Tvg$BF%YBGqQd&+v|KMjD z!7ASmcFA7al$tmCb98dA;(bbUZ^8u^^^C>78}_1Ai>sh;n$ApQT$5VB3!a6I;!xua ze`KWrE?8vkt_|XfM3W83Soo$3ziBtjk6vaqGAEo4W3ZfPdKd_f;)~VVm0a_(A%oyf z414CLtvXlZ>7IXu)5c31BmIM$g6X6fPS1Q>Ykf_+<%Kq8U0rw4oIUntAmzaze)$4V z2IIaq1UE};%7X(wW@usx)^f9C9altFMv^)ON~hL>N)N-EF5+tnTUgWY&H0Y@v{>ah z_T6;I;Nlx#x0!*2U4h2a z{!gl^^0oMmyF`)gdA6!LaVE&L7uYdt1zKW^#v`IN&eR|f?XT-KGwV6B)EjQT&S!mE z-q75rsDM$zoUf58GWk;1!c=x-%S^c?HUUh+BKXy|3v_#7W}nr~ZSdvSN8w6Ul~e7C zln!BuNlG2gsqKW8(8fVxEMf`^CPEYjiLuS&rxjD zrLqBE8aIo-!=wor_1oQq#l>kHXPAI<-zd3cffL0z<`eMc-; zXT@FuRmv)K%AWl<3=_?Kjx7cxu7KJo60yTKeAi~UwosdsmD?*NaLAO|=uJ^5xr=0v zJIdcNvTg_s;!WBMDYtX48OsU`2FLX9O;uTEIoqmj0kg(zd@eD~?zZl#nctnF!Aq-t zpPJ$5@fKq8Vl4P%a{s2$r%$!yL)0YDuCSwT2|6GywG*Q96zAt}g)}q#N_9K8F0wW1 zN0M_q`AA*u4f43Z7O;{k5CA)o=8=Dyi&n4`6n{-qEw5e4ps&Wj^fd3@?$f;3ae3>M z4!d&>yanqxDQoH(O8`pht1Kb51cGjpJH6L zDW~wd?S=qg9;{&3HiL$+PySf1b1Xp#^lz#Bu-$e^AbdsnY&0m?%gt~htgn1czI)XzLn9@o}a?Z(|cq! zX0fa%T(+?xAkG;4;RHS4))|NKJae28#2zo5=X7#!`0y#`oYoQf zDnCcyKz62Y9{}4rHy|oQb8jswHQjXt+J#$cCoto_@#*T;XJ$sr9 zkD=``^5pPW6{=)2DS-N_1u>H6O7IZ2u>1K=DQ>{O9;Ofpo}|p5~;Z1IWl)QA$PPm5>ib?rDSAqjfuEr$BxEkC@OMCNeSwf8hb=58^xsGwxf-3 zjU>;m5Yf7z!`o)lqijB<~{gB~8%xOox>6gaKjRp|l1%WL7})gH~zi$?h;6-ob7iM;w?9BnhFfF+?yb7kaI z|10?9D?%#yz9Z=DLPw9-X;Y@Hb{JWXcAC?t@SXxbVRbvTPEa+K z(ViB@o3ATGk|_Ds!rrlqu31ai%A0kT`yAYKUtuYhW~kfKQN(cN+|v-_%o zhwd4gN6EsC4%F*p?~~cO&Gkv)WACrvp{~c`9EOFhZCQqb@4rZis}`^*UEO-j!}43j zecC#kBh)=uKyAG*o8xq+agU*Wo<&1|=oIx%jZ%f`%=ob`&X)7LZyvo1#R@4YRe90i z#^eb$_fb_-^*yE8;+cC6<3T4fg)3W#3L#ZO5YOX@$Vyc1jAxL}&P{uC8QQXLO7a%Q zw6!)gApak8Y_D{hA69YR&Zkt7*J(=M!T~{L_kGMupaOx&lLXpUl&-Gsczk># zmL>pKUnx^|?RLHoG>ZX!0HOBoI2YcpnE9&MD2=fJA^N!>dYg@#nXmHvI;OgU< z#S9V5--549CzmN_q_xbnSNNwzGFYSUZj6D+Nz>d`N6Lp}?{k<*;pluEzREBM=dIb{ zIXx9P?5|(Jud>!^eVkp9p1bTX;t7LnmJse0C?>so1sN-a`r{$uwNGQY#vP%;W={R` z7>di(;3D9LsGbg5djslK_bYx`x&$QdCk|nbze2ak40r<-izyDU_*NU_&*iy@=Pr03 z-~5-s(u4xD9v3aCL-vi%qb9B)mhU{&R!qnk+$ikP8Mn@{mdvzX%B*2=eB_W-ct!xt z5tpwn{*Fr(yeFO@rS|!^JQZTLbWZL_TAc- zsA?*a2?js6h6H0PJsH0`dhv@gCKa-!ss+ijxPyRJ4J~TG z>2hTcgIEpzX!45BL|nA($(@hYO-hH3wQ=$_r6UEGuQlU_{~xkXi=+5>tgy5ccJ8|% zXl6p+Sa+j5&G6(dtJZrdn*~?4+sm(Ur`ro!tcp>gp|p8;(xu?#ieGvo8`Y8}O~gQ; z(>&w*U;n1gIh$@_QrZoWNsM#b!)#?56R4y2Ey8Tql`IBhs@Lu)x4nI27MCmMbTKn) zB-D8**$hv=i>p07puTMyU}^rLH?1xX38bhd$Lk0? zIv2L11^|@uxM7oUsw@n25De;4+lY5bP8J?xIEj29o^4i4*^!e3_2MgdmvFnfGbXCL z=V~e}p4zwi1D^TY>5XhtqCvnXGRsMRRPW##)bMec6sd?FT03VmV>-X-#g0#+5z!4~ zl_$)}o?P4TF3TC+z^YC)06YXwWleBOl4v}6oJz)wR>gjOCi65MrRl{e_s}@m^KY9F zZ|ak=lo?4A(Pyme;pdzHs@j5^q|{Pw(jp(c&iY1)G~Q%hk2N7Gj279f*Y{Nz0q`lF8!z&6kZqj`S{FG@Ri zo8>&b*%8Zfdf@Te?8q)f4E7&al%D+YOX{YbJkJ)|0R4aKV>hY6p(E-`W}6yppem9( z`^cAdep7oRlnMCTXdO4y{_Y~lvO#RhN>RjqO^NayvQc1QMRyJ<@ghEax`7h4J{h!q z&-My|YsT?gOsRgvv44*B-s}By_ZS3_OuZoQdAp)u8N7*>p>e9M$ZcHvl%+RQmYuqk z&^}pW1)st-xCq;u;M>MIjK0WQ^W5_J$R+rjuM~3%#keF69S_YpwtXMGC@bK(wQoPb zLV>AFepdCZ04l>?vP7HTiFDqdvJHmLvEMf?<6|tMwphxP!&J7H1)(K zy1A`xHzf5_!(|Dz{X_YZBS&wXKk>+y)0UQ*yCEBHLebk=d{B?ViVx=MM~auO0gr5B z=LK-2kRnOffI-_?$qx2wl9)KArroHGmGHY}k>WQ&lyR5h0PlarQwuBtKNJy#smX0o zoXESO)T36QU21v4RbRFFW23PZkmPaTwz;x>=;Q^@Fi)RTqss(aA?GJCt+gIpb-~Es z;s$*)Ar{kK$LU{EJ`X))tklvt)^^pIYgSwEFmbxa8ux<=ws#iQAIHKt zYX{1|0z1-ztaor9(~5(Yi;hS~#B7p1IpKHk^T!9JEMkl4-0WUK^Y-%hK3fzh3NPCb zi&2;%j&5FAc1h@noBbLm%o)ur(1#Q|o@G5X6+G+`3a)f$+dsy=wVO zmo!IZekoo&&J;%FmqCx)P}OAyZ*HZzAQ88f&Gl$3vLQgd7DX;&Q0s6?`{Am# z2ODdA_i4k?X7zTg{K(O0-%+8;d16DQK(YVkWPfn0Xg5NEu$ECkaQp9R>#)LUtFSC- z_zri8rSd(l@lCf*_M$P?5j(M00g_C1JNN5kM`3hF%OwkRzUSZUbykeCpigCrFO1?z zWpyK(2^xL^;$F9ak`<%9YM<&7RUTMgjxkKe^-y?a~ zsZe|VqxO6Lt9mgiydOahU!$~v^w*{gFFbkf&b61SF~Q#Nz~P4l(BnDU#i8Y70PePp zpiOwhdSfNm#oHP9@)LVC^i)p~)mp!c!$PWjYY>^E<9hoK?RRY2fM|KzMiMvlLbeKQ zd9u^4AFOX&u-SZn`Q%NVNcA)NEnP{+D*1(v68dhr5q$~yY$z^Ue(XK8&L_|>-&F_J zx7Z3=KXqsiuGCd>+h5VWqFS@1j{947%q_^nXQExT<<^bPPcfRSpX+$hlUEje?qt9qx}zO1o23poN4gf$`)65Y>v>#kT~nE* zg?><`ZkguD9{7 zS)3vW-n1jf{WeVc(}E|Vr?;p!Y4YBL8>xm6Q4Z$i6DMIGVYcn!6BD zIhk3gnQPHAGq5o+Fmq7DFp9dE8v`7FzWfaTSJ&FnLChFnPDCZf!@|VO&dkij&CJEj z!pu(3#6`)(MEPSU?`ZZvnW(uKJ2{z~5iv>_+qs&c(yqwI57!^%yQ~~xdj0!~T%>Tiw=Hdz< zV&&%guZ%PiD>Dbn|EuKErH-yD?l6k~vF5}+x7*mnr^ca73NY%s5enq~K>au(OO-IC z2uY%plfPg0m9}&vY~P5}mWnxh7c2kfeA?-ib}h1uRRVC#3^h!3Xe4%7-2){ICi9+{ zk}wvnh(aG3auH~T6tSIlmAix%9jB2g{Zb}TRlgx5g8>$PcAb_3$O%cScFcZWRQ`1O zm<|_t_LKiOFnl_gY?}29%(XnmlqqcLU(#Qk|N#8L%uZiUoqgf+`ER4o8-0sQ(DSwUVJ1jVKeJxT4KL*iz>k zH36U1S&y}Ru>+}^*f;OYo;wR4cwt7?#x`;hp3n)8W}(Bi{pzQv)b5^is(4BUY# zS7(!&hj3VY=vkfZX;w|o3zoZ=Zv_1)j8^VLFeLG?|LxK5rw|ufj(V5#W%Ug6(d7U4v9{9s0eYrzN9fBe>ruSz1ocL*0X@P#+?8D*h?{8M~aqd*>;R! zL56dEop*OCZ5yP;=CL!s$THZlkUgcQQzOeht_e{lByTuQLUi}d`8;^pfj1&xN3iZ! z1ngzD=#CZYzPpH;7lHVA&qiPQ2hHjU=WA8PnavL?*c!NCVcC_2O<)<8d2k*T0 z8a^yTaOXc>3~Vy2d4yhf4yyw+OP2g+j33#l73Os~SjcoFqtuvf`?|wqfBRj;|M+q z@7W6BbVCoo05<|OH&a8*j-nmV5nODKQH5NycJQ{m+|{k#eU+Jfr!f|ccz!glV6&sr7wUOb^xRUhzBEGC(wN6u$3km5H-iNH)@LN|e3pAxvK!)4 z*5r-o*}TC7?t~G#GK)GJKCArcEUkV3Vn=orZMnUN_Y`SmQY^k+-(MON7SH96o<*DJvQM4-T-G=w38kS zX8T*#PZ$=Cn!!Wf#m064$7^_!rMb?`@NGP|IaXGLdfcK!FwR1T(VVRD(`z&F?*#8O z_!4t>;a;0b!7tWgl8y(qM4DCi$VKatSa`!6u3XbIhk=b_OBw>VJC}r5fFR5U4msP(M59FGh~*{hA8gz0FBH_c z_g*HN{sKAAGN))y7*+f zsV&MS5A>d>=v~MfG<1X~E=sf;gBpqhe_BmL7afXcQ*6ue*g8&3J4+leg>TVo8%sfQz zcmF=V2Yy0-W-V?Q0}cSd-t$sVU&1c7KSO|y01!f+O6K$GJ{+sm=cxdw?&9|iT`E!>~x%?k&XpFWzmNoh40V!IskbaVi0Ei zb{#Ku-Fnct3f+|hhn?IJJdQbebAcB}Z6}Q)>Z-^l-<^#p(f=ck+^9_Y?`yKN?FBoA z>AprkqydcJIGDPt;v>zM0`e}2FF}<%={_LM?*g%Yt?f2+@yzHtUwynvc|1|) zTO@I6&bb zr8Cu#hXX!q<>B@A{F~qdE=#}=mu9H<4>yrUwg=i@+9DqHbv1Pic$w<@vgj1y>Kb?+ zyy>jQQzHORwtg&x;lah(o(U77!qBCV%s&iRMPaF9S}ceO)mWO4HGWB#jz7>g5LPKado?9R@v9l;rj9P zcEi~z0;DU$%vl0koOM^yp<~3yd8~*9YN$Wo+w1EVG8&H#X1xNvUiqCUn$D2ji0z_R zP?2G*?+>AeqC{}?A#`4Hak%MQ_(!9U(x=3zqviGI)-Laow?0ru;=7AXT+zeZi64bW z{QJ||#WTq3bs*~w;@z-0hA(YEkhXuQF$5;m<*Jdd46`79_Q%o$_hhrDG=TEXj3qM$ z_>``WJfH_B2IHw1ZcVoE*pOj50V(`0AfgQZ{`By~h9V%X$B>JKcMOU4V;&&#<`B(I0wJ$*Tl1Xo#DQb zqb+3RTJOQc{*s@%TpZ@?hO%ps+{fO#p#cG5Ql@P~fQ(tR5^pPiLho_2@ia*y2WtLu+{?KQ3(EN)K^L$tH!(;rwBVZ3kA)BU$j zUnN#6v$jQgALq~4?uGVf093t-inS~e|+ z?#Z%+B>cC^@|Pl{l9A$6 zl-6gzrRVu=Gl!b{-ltj-V%eN%&zZK_!w4|<*-VocOW8}gX>GeP7~V>3M9T`jc){>F+z2a-?mZJNq>3YsNTeG)x{f_*`l#x_9e3>NLcE!p|;UMz$9QcdG)* zrnFY{TzYU%N4t@2bMC7vrQX9Pmd+8p3qSP>^$nzdcnGeRuX9hbtnDv>-@~%k7*qLo zU$-bHwoncqBKKmtl{eFsfR6oBzDQFlrL%G83^9G5?II zI64A|IGKLttNe$#g(J~_28RF95hK#&W9Am)U=n3#;$jowl;9L$5)tEO<`7|F;uaN_ z5N2m#5g_`XO@3C9Gk35ASpCFh-2XdxBKn^>tMMmz6@D3`h3sY^iV59d9!jF2w|VX| zs9{tE_C;->E3M;*mQim2g*G_^4usgpw}Q10WmxBSawp*dy&wvOfq;>e@f6Z$7Ls3K z@xa!KCLje#HTj-LLe8Q?l1LYu*2WbwUJVvVAuG?GCyhj~Ay50_MpSX3a3^36lb}!* z5-AL3P(^7aN6h6J=AiC-Xl8i6yXzz6nJ<&qYq!%3Tn)R4OV}>6zw)?k#^0w@%J|Fc zwH$DqS0waMYvvH=0oVs33O<3ujxjHQ$N4Z0{_jI`1sJ;kJY9Z{iJ6U^jf(?@oLpQ{ H0_J}Kdm}3% From 4077facd3c880c96f8044fc99ca656af8d1427b3 Mon Sep 17 00:00:00 2001 From: Serg Date: Wed, 11 Nov 2015 08:58:13 +0200 Subject: [PATCH 205/286] Update javascript-ua.html.markdown Fixed translation and heading. --- uk-ua/javascript-ua.html.markdown | 88 ++++++++++++++----------------- 1 file changed, 41 insertions(+), 47 deletions(-) diff --git a/uk-ua/javascript-ua.html.markdown b/uk-ua/javascript-ua.html.markdown index fedbf5ac..dae27d32 100644 --- a/uk-ua/javascript-ua.html.markdown +++ b/uk-ua/javascript-ua.html.markdown @@ -3,11 +3,11 @@ language: javascript contributors: - ["Adam Brenecki", "http://adam.brenecki.id.au"] - ["Ariel Krakowski", "http://www.learneroo.com"] -filename: javascript-ru.js +filename: javascript-ua.js translators: - - ["Alexey Gonchar", "http://github.com/finico"] - - ["Andre Polykanine", "https://github.com/Oire"] -lang: ru-ru + - ["Ivan Neznayu", "https://github.com/IvanEh"] + - ["Serhii Maksymchuk", "https://maximchuk.tk"] +lang: uk-ua --- JavaScript було створено в 1995 році Бренданом Айком, який працював у копаніх Netscape. @@ -25,7 +25,7 @@ JavaScript було створено в 1995 році Бренданом Айк /* а багаторядкові коментарі починаються з послідовності слеша та зірочки і закінчуються символами зірочка-слеш */ -Інструкції можуть закінчуватися крапкою з комою ; +//Інструкції можуть закінчуватися крапкою з комою ; doStuff(); // ... але не обов’язково, тому що крапка з комою автоматично вставляється на @@ -51,7 +51,7 @@ doStuff() 10 * 2; // = 20 35 / 5; // = 7 -// В тому числі ділення з остачою +// В тому числі ділення з остачею 5 / 2; // = 2.5 // В JavaScript є побітові операції; коли ви виконуєте таку операцію, @@ -73,7 +73,7 @@ false; // Рядки створюються за допомогою подвійних та одинарних лапок 'абв'; -"Hello, world!"; +"Світ, привіт!"; // Для логічного заперечення використовується знак оклику. !true; // = false @@ -93,10 +93,10 @@ false; 2 <= 2; // = true 2 >= 2; // = true -// Рядки об’єднуються за допомогою оператор + +// Рядки об’єднуються за допомогою оператора + "hello, " + "world!"; // = "hello, world!" -// І порівнюються за допомогою > і < +// І порівнюються за допомогою > та < "a" < "b"; // = true // Перевірка на рівність з приведнням типів здійснюється оператором == @@ -112,7 +112,7 @@ null === undefined; // = false "13" + !0; // '13true' // Можна отримати доступ до будь-якого символа рядка за допомгою charAt -"Это строка".charAt(0); // = 'Э' +"Це рядок".charAt(0); // = 'Ц' // ... або використати метод substring, щоб отримати більший кусок "Hello, world".substring(0, 5); // = "Hello" @@ -124,8 +124,8 @@ null === undefined; // = false null; // навмисна відсутність результату undefined; // використовується для позначення відсутності присвоєного значення -// false, null, undefined, NaN, 0 и "" — хиба; все інше - істина. -// Потрібно відмітити, що 0 — це зиба, а "0" — істина, не зважаючи на те що: +// false, null, undefined, NaN, 0 та "" — хиба; все інше - істина. +// Потрібно відмітити, що 0 — це хиба, а "0" — істина, не зважаючи на те що: // 0 == "0". /////////////////////////////////// @@ -139,7 +139,7 @@ var someVar = 5; // якщо пропустити слово var, ви не отримаєте повідомлення про помилку, ... someOtherVar = 10; -// ... але ваша змінна буде створення в глобальному контексті, а не там, де +// ... але ваша змінна буде створена в глобальному контексті, а не там, де // ви її оголосили // Змінні, які оголошені без присвоєння, автоматично приймають значення undefined @@ -153,21 +153,21 @@ someVar *= 10; // тепер someVar = 100 someVar++; // тепер someVar дорівнює 101 someVar--; // а зараз 100 -// Масиви — це нумеровані списку, які зберігають значення будь-якого типу. -var myArray = ["Hello", 45, true]; +// Масиви — це нумеровані списки, які зберігають значення будь-якого типу. +var myArray = ["Привіт", 45, true]; // Доступ до елементів можна отримати за допомогою синтаксиса з квадратними дужками // Індексація починається з нуля myArray[1]; // = 45 -// Массивы можно изменять, как и их длину, -myArray.push("Мир"); +// Масиви можна змінювати, як і їх довжину +myArray.push("Привіт"); myArray.length; // = 4 -// додавання і редагування елементів -myArray[3] = "Hello"; +// Додавання і редагування елементів +myArray[3] = "світ"; -// Об’єкти в JavaScript сході на словники або асоціативні масиви в інших мовах +// Об’єкти в JavaScript схожі на словники або асоціативні масиви в інших мовах var myObj = {key1: "Hello", key2: "World"}; // Ключі - це рядки, але лапки не обов’язкі, якщо ключ задовольняє @@ -183,11 +183,11 @@ myObj.myKey; // = "myValue" // Об’єкти можна динамічно змінювати й додавати нові поля myObj.myThirdKey = true; -// Коли ви звертаєтесб до поля, яке не існує, ви отримуєте значення undefined +// Коли ви звертаєтесь до поля, що не існує, ви отримуєте значення undefined myObj.myFourthKey; // = undefined /////////////////////////////////// -// 3. Управляючі конструкції +// 3. Керуючі конструкції // Синтаксис для цього розділу майже такий самий, як у Java @@ -212,7 +212,7 @@ do { input = getInput(); } while (!isValid(input)) -// цикл for такий самий, кяк в C і Java: +// цикл for такий самий, як в C і Java: // ініціалізація; умова; крок. for (var i = 0; i < 5; i++) { // виконається 5 разів @@ -226,7 +226,7 @@ if (color == "red" || color == "blue") { // колір червоний або синій } -// && і || використовують скорочене обчислення +// && та || використовують скорочене обчислення // тому їх можна використовувати для задання значень за замовчуванням. var name = otherName || "default"; @@ -260,7 +260,7 @@ myFunction("foo"); // = "FOO" // Зверність увагу, що значення яке буде повернено, повинно починатися на тому ж // рядку, що і ключове слово return, інакше завжди буде повертатися значення undefined -// із-за автоматичної вставки крапки з комою +// через автоматичну вставку крапки з комою function myFunction() { return // <- крапка з комою вставляється автоматично @@ -279,8 +279,6 @@ function myFunction() { setTimeout(myFunction, 5000); // setTimeout не є частиною мови, але реалізований в браузерах і Node.js -// Функции не обязательно должны иметь имя при объявлении — вы можете написать -// анонимное определение функции непосредственно в аргументе другой функции. // Функції не обов’язково мають мати ім’я при оголошенні — ви можете написати // анонімну функцію прямо в якості аргумента іншої функції setTimeout(function() { @@ -288,11 +286,11 @@ setTimeout(function() { }, 5000); // В JavaScript реалізована концепція області видимості; функції мають свою -// область видимости, а інші блоки не мають +// область видимості, а інші блоки не мають if (true) { var i = 5; } -i; // = 5, а не undefined, як це звичайно буває в інших мова +i; // = 5, а не undefined, як це звичайно буває в інших мовах // Така особливість призвела до шаблону "анонімних функцій, які викликають самих себе" // що дозволяє уникнути проникнення змінних в глобальну область видимості @@ -305,26 +303,22 @@ i; // = 5, а не undefined, як це звичайно буває в інши temporary; // повідомлення про помилку ReferenceError permanent; // = 10 -// Одной из самых мощных возможностей JavaScript являются замыкания. Если функция -// определена внутри другой функции, то внутренняя функция имеет доступ к -// переменным внешней функции даже после того, как контекст выполнения выйдет из -// внешней функции. -// Замикання - одна з найпотужніших інтрументів JavaScript. Якщо функція визначена +// Замикання - один з найпотужніших інтрументів JavaScript. Якщо функція визначена // всередині іншої функції, то внутрішня функція має доступ до змінних зовнішньої // функції навіть після того, як код буде виконуватися поза контекстом зовнішньої функції function sayHelloInFiveSeconds(name) { - var prompt = "Hello, " + name + "!"; + var prompt = "Привіт, " + name + "!"; // Внутрішня функція зберігається в локальній області так, // ніби функція була оголошена за допомогою ключового слова var function inner() { alert(prompt); } setTimeout(inner, 5000); - // setTimeout асинхронна, тому функція sayHelloInFiveSeconds зразу завершиться, + // setTimeout асинхронна, тому функція sayHelloInFiveSeconds одразу завершиться, // після чого setTimeout викличе функцію inner. Але функція inner // «замкнута» кругом sayHelloInFiveSeconds, вона все рівно має доступ до змінної prompt } -sayHelloInFiveSeconds("Адам"); // Через 5 с відкриється вікно «Hello, Адам!» +sayHelloInFiveSeconds("Адам"); // Через 5 с відкриється вікно «Привіт, Адам!» /////////////////////////////////// // 5. Об’єкти: конструктори і прототипи @@ -394,7 +388,7 @@ myNewObj = new MyConstructor(); // = {myNumber: 5} myNewObj.myNumber; // = 5 // У кожного об’єкта є прототип. Коли ви звертаєтесь до поля, яке не існує в цьому -// об’єктів, інтерпретатор буде шукати поле в прототипі +// об’єкті, інтерпретатор буде шукати поле в прототипі // Деякі реалізації мови дозволяють отримати доступ до прототипа об’єкта через // "магічну" властивість __proto__. Це поле не є частиною стандарта, але існують @@ -415,24 +409,24 @@ myObj.meaningOfLife; // = 42 // Аналогічно для функцій myObj.myFunc(); // = "Hello, world!" -// Якщо інтерпретатор не знайде властивість в прототипі, то він продвжить пошук +// Якщо інтерпретатор не знайде властивість в прототипі, то він продовжить пошук // в прототипі прототипа і так далі myPrototype.__proto__ = { myBoolean: true }; myObj.myBoolean; // = true -// Кожег об’єкт зберігає посилання на свій прототип. Це значить, що ми можемо змінити +// Кожен об’єкт зберігає посилання на свій прототип. Це значить, що ми можемо змінити // наш прототип, і наші зміни будуть всюди відображені. myPrototype.meaningOfLife = 43; myObj.meaningOfLife; // = 43 -// Ми сказали, що властивість __proto__ нестандартне, і нема ніякого стандартного способу -// змінити прототип об’єкта, що вже існує. Але є два способи створити новий об’єкт зі заданим +// Ми сказали, що властивість __proto__ нестандартна, і нема ніякого стандартного способу +// змінити прототип об’єкта, що вже існує. Але є два способи створити новий об’єкт із заданим // прототипом -// Перший спосіб — це Object.create, який з’явився JavaScript недавно, -// а тому в деяких реалізаціях може бути не доступним. +// Перший спосіб — це Object.create, який з’явився в JavaScript недавно, +// а тому в деяких реалізаціях може бути недоступним. var myObj = Object.create(myPrototype); myObj.meaningOfLife; // = 43 @@ -461,7 +455,7 @@ typeof myNumber; // = 'number' typeof myNumberObj; // = 'object' myNumber === myNumberObj; // = false if (0) { - // Этот код не выполнится, потому что 0 - это ложь. + // Цей код не виконається, тому що 0 - це хиба. } // Об’єкти-обгортки і вбудовані типи мають спільні прототипи, тому @@ -475,9 +469,9 @@ String.prototype.firstCharacter = function() { // JavaScript в старій реалізації мови, так що вони можуть бути використані в старих // середовищах -// Наприклад, Object.create доступний не у всіх реалізація, но ми можемо +// Наприклад, Object.create доступний не у всіх реалізаціях, але ми можемо // використати функції за допомогою наступного поліфіла: -if (Object.create === undefined) { // не перезаписываем метод, если он существует +if (Object.create === undefined) { // не перезаписуємо метод, якщо він існує Object.create = function(proto) { // Створюємо правильний конструктор з правильним прототипом var Constructor = function(){}; From 1391eed837546e442eeaa48bfae9504b999b8c58 Mon Sep 17 00:00:00 2001 From: Dan Ellis Date: Tue, 10 Nov 2015 23:31:16 -0800 Subject: [PATCH 206/286] Fix variable name typo in dlang examples. --- d.html.markdown | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/d.html.markdown b/d.html.markdown index 6f3710ab..9ebba385 100644 --- a/d.html.markdown +++ b/d.html.markdown @@ -53,15 +53,15 @@ void main() { // For and while are nice, but in D-land we prefer 'foreach' loops. // The '..' creates a continuous range, including the first value // but excluding the last. - foreach(i; 1..1_000_000) { + foreach(n; 1..1_000_000) { if(n % 2 == 0) - writeln(i); + writeln(n); } // There's also 'foreach_reverse' when you want to loop backwards. - foreach_reverse(i; 1..int.max) { + foreach_reverse(n; 1..int.max) { if(n % 2 == 1) { - writeln(i); + writeln(n); } else { writeln("No!"); } From b97027263a7247110597bc6cbe6b46a78cb5e86f Mon Sep 17 00:00:00 2001 From: Zygimantus Date: Wed, 11 Nov 2015 10:22:03 +0200 Subject: [PATCH 207/286] -lt to filename added --- lt-lt/json-lt.html.markdown | 80 +++++++++++++++++++++++++++++++++++++ 1 file changed, 80 insertions(+) create mode 100644 lt-lt/json-lt.html.markdown diff --git a/lt-lt/json-lt.html.markdown b/lt-lt/json-lt.html.markdown new file mode 100644 index 00000000..70d7c714 --- /dev/null +++ b/lt-lt/json-lt.html.markdown @@ -0,0 +1,80 @@ +--- +language: json +filename: learnjson.json +contributors: + - ["Zygimantus", "https://github.com/zygimantus"] +--- + +JSON („džeisonas“) yra itin paprastas duomenų mainų formatas, todėl tai bus pati lengviausia „Learn X in Y Minutes“ pamoka. + +JSON savo gryniausioje formoje neturi jokių komentarų, tačiau dauguma analizatorių priimtų C stiliaus komentarus (`//`, `/* */`). Kai kurie analizatoriai taip pat toleruoja gale esantį kablelį, pvz., kablelis po kiekvieno masyvo paskutinio elemento arba po paskutinio objekto lauko, tačiau jų reikėtų vengti dėl geresnio suderinamumo. + +JSON reikšmė privalo būti skaičius, eilutė, masyvas, objektas arba viena reikšmė iš šių: true, false, null. + +Palaikančios naršyklės yra: Firefox 3.5+, Internet Explorer 8.0+, Chrome 1.0+, Opera 10.0+, and Safari 4.0+. + +Failo plėtinys JSON failams yra „.json“, o MIME tipas yra „application/json“. + +Dauguma programavimo kalbų palaiko JSON duomenų serializaciją (kodavimą) ir deserializaciją (dekodavimą) į natyviasias duomenų struktūras. Javascript turi visišką JSON teksto kaip duomenų manipuliavimo palaikymą. + +Daugiau informacijos galima rasti http://www.json.org/ + +JSON yra pastatytas iš dviejų struktūrų: +* Vardų/reikšmių porų rinkinys. Daugomoje kalbų, tai yra realizuojama kaip objektas, įrašas, struktūra, žodynas, hash lentelė, sąrašas su raktais arba asociatyvusis masyvas. +* Rūšiuotas reikšmių sąrašas. Daugumoje kalbų, toks sąrašas yra realizuojama kaip masyvas, vektorius, sąrašas arba seka. + +Objektas su įvairiomis vardo/reikšmės poromis. + +```json +{ + "raktas": "reikšmė", + + "raktai": "privalo visada būti uždaryti dvigubomis kabutėmis", + "skaičiai": 0, + "eilutės": "Labas, pasauli. Visas unikodas yra leidžiamas, kartu su \"vengimu\".", + "turi logiką?": true, + "niekas": null, + + "didelis skaičius": 1.2e+100, + + "objektai": { + "komentaras": "Dauguma tavo struktūrų ateis iš objektų.", + + "masyvas": [0, 1, 2, 3, "Masyvas gali turėti bet ką savyje.", 5], + + "kitas objektas": { + "komentaras": "Šie dalykai gali būti įdedami naudingai." + } + }, + + "kvailumas": [ + { + "kalio šaltiniai": ["bananai"] + }, + [ + [1, 0, 0, 0], + [0, 1, 0, 0], + [0, 0, 1, "neo"], + [0, 0, 0, 1] + ] + ], + + "alternativus stilius": { + "komentaras": "tik pažiūrėk!" + , "kablelio padėti": "nesvarbi - kol jis prieš kitą raktą, tada teisingas" + , "kitas komentaras": "kaip gražu" + } +} +``` + +Paprastas reikšmių masyvas pats savaime yra galiojantis JSON. + +```json +[1, 2, 3, "tekstas", true] +``` + +Objektai taip pat gali būti masyvų dalis. + +```json +[{"vardas": "Jonas", "amžius": 25}, {"vardas": "Eglė", "amžius": 29}, {"vardas": "Petras", "amžius": 31}] +``` From cbbb4cb49f658e5ce1c3404365796af3c7aa2520 Mon Sep 17 00:00:00 2001 From: Zygimantus Date: Wed, 11 Nov 2015 13:47:21 +0200 Subject: [PATCH 208/286] lang added --- lt-lt/json-lt.html.markdown | 1 + lt-lt/json.html.markdown | 80 ------------------------------------- 2 files changed, 1 insertion(+), 80 deletions(-) delete mode 100644 lt-lt/json.html.markdown diff --git a/lt-lt/json-lt.html.markdown b/lt-lt/json-lt.html.markdown index 70d7c714..bfe00709 100644 --- a/lt-lt/json-lt.html.markdown +++ b/lt-lt/json-lt.html.markdown @@ -1,6 +1,7 @@ --- language: json filename: learnjson.json +lang: lt contributors: - ["Zygimantus", "https://github.com/zygimantus"] --- diff --git a/lt-lt/json.html.markdown b/lt-lt/json.html.markdown deleted file mode 100644 index 70d7c714..00000000 --- a/lt-lt/json.html.markdown +++ /dev/null @@ -1,80 +0,0 @@ ---- -language: json -filename: learnjson.json -contributors: - - ["Zygimantus", "https://github.com/zygimantus"] ---- - -JSON („džeisonas“) yra itin paprastas duomenų mainų formatas, todėl tai bus pati lengviausia „Learn X in Y Minutes“ pamoka. - -JSON savo gryniausioje formoje neturi jokių komentarų, tačiau dauguma analizatorių priimtų C stiliaus komentarus (`//`, `/* */`). Kai kurie analizatoriai taip pat toleruoja gale esantį kablelį, pvz., kablelis po kiekvieno masyvo paskutinio elemento arba po paskutinio objekto lauko, tačiau jų reikėtų vengti dėl geresnio suderinamumo. - -JSON reikšmė privalo būti skaičius, eilutė, masyvas, objektas arba viena reikšmė iš šių: true, false, null. - -Palaikančios naršyklės yra: Firefox 3.5+, Internet Explorer 8.0+, Chrome 1.0+, Opera 10.0+, and Safari 4.0+. - -Failo plėtinys JSON failams yra „.json“, o MIME tipas yra „application/json“. - -Dauguma programavimo kalbų palaiko JSON duomenų serializaciją (kodavimą) ir deserializaciją (dekodavimą) į natyviasias duomenų struktūras. Javascript turi visišką JSON teksto kaip duomenų manipuliavimo palaikymą. - -Daugiau informacijos galima rasti http://www.json.org/ - -JSON yra pastatytas iš dviejų struktūrų: -* Vardų/reikšmių porų rinkinys. Daugomoje kalbų, tai yra realizuojama kaip objektas, įrašas, struktūra, žodynas, hash lentelė, sąrašas su raktais arba asociatyvusis masyvas. -* Rūšiuotas reikšmių sąrašas. Daugumoje kalbų, toks sąrašas yra realizuojama kaip masyvas, vektorius, sąrašas arba seka. - -Objektas su įvairiomis vardo/reikšmės poromis. - -```json -{ - "raktas": "reikšmė", - - "raktai": "privalo visada būti uždaryti dvigubomis kabutėmis", - "skaičiai": 0, - "eilutės": "Labas, pasauli. Visas unikodas yra leidžiamas, kartu su \"vengimu\".", - "turi logiką?": true, - "niekas": null, - - "didelis skaičius": 1.2e+100, - - "objektai": { - "komentaras": "Dauguma tavo struktūrų ateis iš objektų.", - - "masyvas": [0, 1, 2, 3, "Masyvas gali turėti bet ką savyje.", 5], - - "kitas objektas": { - "komentaras": "Šie dalykai gali būti įdedami naudingai." - } - }, - - "kvailumas": [ - { - "kalio šaltiniai": ["bananai"] - }, - [ - [1, 0, 0, 0], - [0, 1, 0, 0], - [0, 0, 1, "neo"], - [0, 0, 0, 1] - ] - ], - - "alternativus stilius": { - "komentaras": "tik pažiūrėk!" - , "kablelio padėti": "nesvarbi - kol jis prieš kitą raktą, tada teisingas" - , "kitas komentaras": "kaip gražu" - } -} -``` - -Paprastas reikšmių masyvas pats savaime yra galiojantis JSON. - -```json -[1, 2, 3, "tekstas", true] -``` - -Objektai taip pat gali būti masyvų dalis. - -```json -[{"vardas": "Jonas", "amžius": 25}, {"vardas": "Eglė", "amžius": 29}, {"vardas": "Petras", "amžius": 31}] -``` From 3598a6f3304fb1fd297af3e6df54d0f849e2a35d Mon Sep 17 00:00:00 2001 From: Zygimantus Date: Wed, 11 Nov 2015 15:21:56 +0200 Subject: [PATCH 209/286] small fix --- lt-lt/json-lt.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lt-lt/json-lt.html.markdown b/lt-lt/json-lt.html.markdown index bfe00709..8c97e598 100644 --- a/lt-lt/json-lt.html.markdown +++ b/lt-lt/json-lt.html.markdown @@ -1,7 +1,7 @@ --- language: json filename: learnjson.json -lang: lt +lang: lt-lt contributors: - ["Zygimantus", "https://github.com/zygimantus"] --- From 62a380dddf47d70e31f308c2120c9fa8a169e9af Mon Sep 17 00:00:00 2001 From: ComSecNinja Date: Wed, 11 Nov 2015 15:39:16 +0200 Subject: [PATCH 210/286] Translate en/Markdown to Finnish --- fi-fi/markdown-fi.html.markdown | 259 ++++++++++++++++++++++++++++++++ 1 file changed, 259 insertions(+) create mode 100644 fi-fi/markdown-fi.html.markdown diff --git a/fi-fi/markdown-fi.html.markdown b/fi-fi/markdown-fi.html.markdown new file mode 100644 index 00000000..14b0f1d9 --- /dev/null +++ b/fi-fi/markdown-fi.html.markdown @@ -0,0 +1,259 @@ +--- +language: markdown +filename: markdown-fi.md +contributors: + - ["Dan Turkel", "http://danturkel.com/"] +translators: + - ["Timo Virkkunen", "https://github.com/ComSecNinja"] +lang: fi-fi +--- + +John Gruber loi Markdownin vuona 2004. Sen tarkoitus on olla helposti luettava ja kirjoitettava syntaksi joka muuntuu helposti HTML:ksi (ja nyt myös moneksi muuksi formaatiksi). + +```markdown + + + + + + +# Tämä on

+## Tämä on

+### Tämä on

+#### Tämä on

+##### Tämä on

+###### Tämä on
+ + +Tämä on h1 +============= + +Tämä on h2 +------------- + + + + +*Tämä teksti on kursivoitua.* +_Kuten on myös tämä teksti._ + +**Tämä teksti on lihavoitua.** +__Kuten on tämäkin teksti.__ + +***Tämä teksti on molempia.*** +**_Kuten tämäkin!_** +*__Kuten tämäkin!__* + + + +~~Tämä teksti on yliviivattua.~~ + + + +Tämä on kappala. Kirjoittelen kappaleeseen, eikö tämä olekin hauskaa? + +Nyt olen kappaleessa 2. +Olen edelleen toisessa kappaleessa! + + +Olen kolmannessa kappaleessa! + + + +Päätän tämän kahteen välilyöntiin (maalaa minut nähdäksesi ne). + +There's a
above me! + + + +> Tämä on lainaus. Voit joko +> manuaalisesti rivittää tekstisi ja laittaa >-merkin jokaisen rivin eteen tai antaa jäsentimen rivittää pitkät tekstirivit. +> Sillä ei ole merkitystä kunhan rivit alkavat >-merkillä. + +> Voit myös käyttää useampaa +>> sisennystasoa +> Kuinka hienoa se on? + + + + +* Kohta +* Kohta +* Kolmas kohta + +tai + ++ Kohta ++ Kohta ++ Kolmas kohta + +tai + +- Kohta +- Kohta +- Kolmas kohta + + + +1. Kohta yksi +2. Kohta kaksi +3. Kohta kolme + + + +1. Kohta yksi +1. Kohta kaksi +1. Kohta kolme + + + + +1. Kohta yksi +2. Kohta kaksi +3. Kohta kolme + * Alakohta + * Alakohta +4. Kohta neljä + + + +Alla olevat ruudut ilman x-merkkiä ovat merkitsemättömiä HTML-valintaruutuja. +- [ ] Ensimmäinen suoritettava tehtävä. +- [ ] Toinen tehtävä joka täytyy tehdä +Tämä alla oleva ruutu on merkitty HTML-valintaruutu. +- [x] Tämä tehtävä on suoritettu + + + + + Tämä on koodia + Kuten tämäkin + + + + my_array.each do |item| + puts item + end + + + +John ei tiennyt edes mitä `go_to()` -funktio teki! + + + +\`\`\`ruby +def foobar + puts "Hello world!" +end +\`\`\` + + + + + + +*** +--- +- - - +**************** + + + + +[Klikkaa tästä!](http://example.com/) + + + +[Klikkaa tästä!](http://example.com/ "Linkki Example.com:iin") + + + +[Musiikkia](/musiikki/). + + + +[Klikkaa tätä linkkiä][link1] saadaksesi lisätietoja! +[Katso myös tämä linkki][foobar] jos haluat. + +[link1]: http://example.com/ "Siistii!" +[foobar]: http://foobar.biz/ "Selkis!" + + + + + +[This][] is a link. + +[this]: http://tämäonlinkki.com/ + + + + + + +![Kuvan alt-attribuutti](http://imgur.com/munkuva.jpg "Vaihtoehtoinen otsikko") + + + +![Tämä on se alt-attribuutti][munkuva] + +[munkuva]: suhteellinen/polku/siitii/kuva.jpg "otsikko tähän tarvittaessa" + + + + + on sama kuin +[http://testwebsite.com/](http://testwebsite.com/) + + + + + + + +haluan kirjoittaa *tämän tekstin jonka ympärillä on asteriskit* mutta en halua +sen kursivoituvan, joten teen näin: \*tämän tekstin ympärillä on asteriskit\*. + + + + +Tietokoneesi kaatui? Kokeile painaa +Ctrl+Alt+Del + + + + +| Kolumni1 | Kolumni2 | Kolumni3 | +| :----------- | :------: | ------------: | +| Vasemmalle | Keskelle | Oikealle | +| blaa | blaa | blaa | + + + +Kolumni 1 | Kolumni 2 | Kolumni 3 +:-- | :-: | --: +Hyi tämä on ruma | saa se | loppumaan + + + +``` + +Lisää tietoa löydät John Gruberin [virallisesta julkaisusta](http://daringfireball.net/projects/markdown/syntax) +ja Adam Pritchardin loistavasta [lunttilapusta](https://github.com/adam-p/markdown-here/wiki/Markdown-Cheatsheet). From ce0c0a2853dee805350a0423dae070bff0098eb4 Mon Sep 17 00:00:00 2001 From: Hughes Perreault Date: Wed, 11 Nov 2015 22:50:15 -0500 Subject: [PATCH 211/286] [hy/fr] A translation of Hy in french. --- fr-fr/hy-fr.html.markdown | 180 ++++++++++++++++++++++++++++++++++++++ 1 file changed, 180 insertions(+) create mode 100644 fr-fr/hy-fr.html.markdown diff --git a/fr-fr/hy-fr.html.markdown b/fr-fr/hy-fr.html.markdown new file mode 100644 index 00000000..ccd397cf --- /dev/null +++ b/fr-fr/hy-fr.html.markdown @@ -0,0 +1,180 @@ +--- +language: hy +filename: learnhy.hy +contributors: + - ["Abhishek L", "http://twitter.com/abhishekl"] +translators: + - ["Hughes Perreault", "https://github.com/hperreault"] +lang: fr-fr +--- + +Hy est un dialecte du lisp bâti par dessus python. Il fonctionne en +convertissant le code hy en un arbre de syntaxe abstraite de python (ast). +Ceci permet à hy d'appeler du code python et à python d'appeler du code hy. + +Ce tutoriel fonctionne pour hy > 0.9.12 + +```clojure +;; Ceci est une introduction facile à hy, pour un tutoriel rapide aller à +;; http://try-hy.appspot.com +;; +; Les commentaires se font avec des points-virgules, comme les autres LISPS + +;; les s-expression de bases +; Les programmes Lisp sont fait d'expressions symboliques ou sexps qui +; ressemble à +(some-function args) +; maintenant le quintessentiel hello world +(print "hello world") + +;; les types de données simples +; Tous les types de données simples sont exactement similaires à leurs +; homologues de python +42 ; => 42 +3.14 ; => 3.14 +True ; => True +4+10j ; => (4+10j) un nombre complexe + +; Commençons par un peu d'arithmétique très simple +(+ 4 1) ;=> 5 +; l'opérateur est appliqué à tous les arguments, comme les autres lisps +(+ 4 1 2 3) ;=> 10 +(- 2 1) ;=> 1 +(* 4 2) ;=> 8 +(/ 4 1) ;=> 4 +(% 4 2) ;=> 0 l'opérateur modulo +; l'opérateur d'élévation à la puissance est représenté par ** comme en python +(** 3 2) ;=> 9 +; les expressions imbriquées vont se comporter comme on s'y attend +(+ 2 (* 4 2)) ;=> 10 +; aussi, les opérateurs logiques and or not et equal to etc. vont se comporter +; comme on s'y attend +(= 5 4) ;=> False +(not (= 5 4)) ;=> True + +;; variables +; les variables sont déclarées en utilisant setv, les noms de variables +; peuvent utiliser UTF-8 à l'exception de ()[]{}",'`;#| +(setv a 42) +(setv π 3.14159) +(def *foo* 42) +;; d'autres types de données conteneur +; les chaînes, les listes, les tuples et dicts +; ce sont exactement les mêmes que les types de conteneurs de python +"hello world" ;=> "hello world" +; les opérations sur les chaînes fonctionnent comme en python +(+ "hello " "world") ;=> "hello world" +; les listes sont créés en utilisant [], l'indexation commence à 0 +(setv mylist [1 2 3 4]) +; les tuples sont des structures de données immuables +(setv mytuple (, 1 2)) +; les dictionnaires sont des paires clé-valeur +(setv dict1 {"key1" 42 "key2" 21}) +; :nam peut être utilisé pour définir des mots clés dans hy qui peuvent être +; utilisées comme clés +(setv dict2 {:key1 41 :key2 20}) +; utilisez `get' pour obtenir l'élément à l'index / clé +(get mylist 1) ;=> 2 +(get dict1 "key1") ;=> 42 +; Alternativement, si des mots clés ont été utilisés, l'élément peut être +; obtenu directement +(:key1 dict2) ;=> 41 + +;; fonctions et autres constructions de programme +; les fonctions sont définies en utilisant defn, la dernière sexp est renvoyé par défaut +(defn greet [name] + "A simple greeting" ; une docstring optionnelle + (print "hello " name)) + +(greet "bilbo") ;=> "hello bilbo" + +; les fonctions peuvent prendre des arguments optionnels ainsi que des +; arguments sous forme de mots clés +(defn foolists [arg1 &optional [arg2 2]] + [arg1 arg2]) + +(foolists 3) ;=> [3 2] +(foolists 10 3) ;=> [10 3] + +; les fonctions anonymes sont créés en utilisant `fn' ou `lambda' +; qui sont semblable à `defn ' +(map (fn [x] (* x x)) [1 2 3 4]) ;=> [1 4 9 16] + +;; Opérations sur les séquences +; hy a des utilitaires pré-construit pour les opérations sur les séquences etc. +; récupérez le premier élément en utilisant `first' ou `car' +(setv mylist [1 2 3 4]) +(setv mydict {"a" 1 "b" 2}) +(first mylist) ;=> 1 + +; découpez les listes en utilisant slice +(slice mylist 1 3) ;=> [2 3] + +; obtenez les éléments d'une liste ou dict en utilisant `get' +(get mylist 1) ;=> 2 +(get mydict "b") ;=> 2 +; l'indexation des listes commence à 0 comme en python +; assoc peut définir les éléments à clés/index +(assoc mylist 2 10) ; makes mylist [1 2 10 4] +(assoc mydict "c" 3) ; makes mydict {"a" 1 "b" 2 "c" 3} +; il ya tout un tas d'autres fonctions de base qui rend le travail avec +; les séquences amusant + +;; les importations fonctionnent comme en pyhtonn +(import datetime) +(import [functools [partial reduce]]) ; importe fun1 et fun2 de module1 +(import [matplotlib.pyplot :as plt]) ; faire une importation foo comme bar +; toutes les méthodes pré-construites de python sont accessibles à partir de hy +; a.foo(arg) est appelé (.foo un arg) +(.split (.strip "hello world ")) ;=> ["hello" "world"] + +;; Conditionelles +; (if condition (body-if-true) (body-if-false) +(if (= passcode "moria") + (print "welcome") + (print "Speak friend, and Enter!")) + +; imbriquez plusieurs if else if avec le mot clé cond +(cond + [(= someval 42) + (print "Life, universe and everything else!")] + [(> someval 42) + (print "val too large")] + [(< someval 42) + (print "val too small")]) + +; groupez les expressions avec do, ceux-ci seront executé séquentiellemnt +; les expressions comme defn ont un do implicite +(do + (setv someval 10) + (print "someval is set to " someval)) ;=> 10 + +; créer une liaison lexicale avec `let', toutes les variables déclarées +; comme cela ont une portée locale +(let [[nemesis {"superman" "lex luther" + "sherlock" "moriarty" + "seinfeld" "newman"}]] + (for [(, h v) (.items nemesis)] + (print (.format "{0}'s nemesis was {1}" h v)))) + +;; classes +; les classes sont définies comme ceci +(defclass Wizard [object] + [[--init-- (fn [self spell] + (setv self.spell spell) ; init the spell attr + None)] + [get-spell (fn [self] + self.spell)]]) + +;; allez voir hylang.org +``` + +### Lectures complémentaires + +Ce tutoriel est juste une simple introduction à hy/lisp/python. + +La documentation de HY: [http://hy.readthedocs.org](http://hy.readthedocs.org) + +Le repo GitHub de HY: [http://github.com/hylang/hy](http://github.com/hylang/hy) + +Sur freenode irc #hy, twitter hashtag #hylang From 5aceaa8c3469998b43642fc7e5f5251466376eda Mon Sep 17 00:00:00 2001 From: Hughes Perreault Date: Thu, 12 Nov 2015 12:11:40 -0500 Subject: [PATCH 212/286] Add "-fr" before filename extansion, Replace "facile" with "simple" --- fr-fr/hy-fr.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/fr-fr/hy-fr.html.markdown b/fr-fr/hy-fr.html.markdown index ccd397cf..07007061 100644 --- a/fr-fr/hy-fr.html.markdown +++ b/fr-fr/hy-fr.html.markdown @@ -1,6 +1,6 @@ --- language: hy -filename: learnhy.hy +filename: learnhy-fr.hy contributors: - ["Abhishek L", "http://twitter.com/abhishekl"] translators: @@ -15,7 +15,7 @@ Ceci permet à hy d'appeler du code python et à python d'appeler du code hy. Ce tutoriel fonctionne pour hy > 0.9.12 ```clojure -;; Ceci est une introduction facile à hy, pour un tutoriel rapide aller à +;; Ceci est une introduction simple à hy, pour un tutoriel rapide aller à ;; http://try-hy.appspot.com ;; ; Les commentaires se font avec des points-virgules, comme les autres LISPS From cf53a882c69a40dbe1eb56506ab266042c2bb668 Mon Sep 17 00:00:00 2001 From: Marcin Klocek Date: Thu, 12 Nov 2015 20:17:55 +0100 Subject: [PATCH 213/286] Create Polish translations for Ruby --- pl-pl/ruby-pl.html.markdown | 593 ++++++++++++++++++++++++++++++++++++ 1 file changed, 593 insertions(+) create mode 100644 pl-pl/ruby-pl.html.markdown diff --git a/pl-pl/ruby-pl.html.markdown b/pl-pl/ruby-pl.html.markdown new file mode 100644 index 00000000..36f9a9bf --- /dev/null +++ b/pl-pl/ruby-pl.html.markdown @@ -0,0 +1,593 @@ +--- +language: ruby +filename: learnruby.rb +contributors: + - ["David Underwood", "http://theflyingdeveloper.com"] + - ["Joel Walden", "http://joelwalden.net"] + - ["Luke Holder", "http://twitter.com/lukeholder"] + - ["Tristan Hume", "http://thume.ca/"] + - ["Nick LaMuro", "https://github.com/NickLaMuro"] + - ["Marcos Brizeno", "http://www.about.me/marcosbrizeno"] + - ["Ariel Krakowski", "http://www.learneroo.com"] + - ["Dzianis Dashkevich", "https://github.com/dskecse"] + - ["Levi Bostian", "https://github.com/levibostian"] + - ["Rahil Momin", "https://github.com/iamrahil"] + - ["Gabriel Halley", "https://github.com/ghalley"] + - ["Persa Zula", "http://persazula.com"] +translators: + - ["Marcin Klocek", "https://github.com/mklocek"] +lang: pl-pl +--- + +```ruby +# To jest komentarz + +=begin +To jest wielolinijkowy komentarz +Nikt ich nie używa +Ty też nie powinieneś +=end + +# Przede wszystkim: Wszystko jest obiektem. + +# Liczby są obiektami + +3.class #=> Fixnum + +3.to_s #=> "3" + + +# Trochę podstawowej arytmetyki +1 + 1 #=> 2 +8 - 1 #=> 7 +10 * 2 #=> 20 +35 / 5 #=> 7 +2**5 #=> 32 +5 % 3 #=> 2 +5 ^ 6 #=> 3 + +# Arytmetyka jest zastąpeniem składni +# metod wywoływanych na obiektach +1.+(3) #=> 4 +10.* 5 #=> 50 + +# Wartości specjalne są obiektami +nil # To na prawdę jest niczym +true # prawda +false # fałsz + +nil.class #=> NilClass +true.class #=> TrueClass +false.class #=> FalseClass + +# Równość +1 == 1 #=> true +2 == 1 #=> false + +# Nierówność +1 != 1 #=> false +2 != 1 #=> true + +# jedyną 'fałszywą' wartością poza false, jest nil + +!nil #=> true +!false #=> true +!0 #=> false + +# Więcej porównań +1 < 10 #=> true +1 > 10 #=> false +2 <= 2 #=> true +2 >= 2 #=> true + +# Operatory logiczne +true && false #=> false +true || false #=> true +!true #=> false + +# Istnieją alternatywne wersje operatorów logicznych ze znacznie mniejszym +# pierwszeństwem. Używane są by kontrolować wyrażenia w łańcuchach wyrażeń +# aż jedno z nich wróci true lub false. + +# `zrob_cos_innego` wywołaj tylko wtedy gdy `zrob_cos` zakończy się sukcesem. +zrob_cos_innego() and zrob_cos() +# `log_error` wywołaj tylko wtedy gdy `zrob_cos` nie zakończy się sukcesem. +zrob_cos() or log_error() + + +# Stringi są obiektami + +'Jestem stringiem.'.class #=> String +"Ja również jestem stringiem.".class #=> String + +wypelnienie = 'użyć interpolacji stringa' +"Potrafię #{wypelnienie} używając podwójnych cudzysłowów." +#=> "Potrafię użyć interpolacji stringa używając podwójnych cudzysłowów." + +# Staraj się zapisywać stringi za pomocą apostrof, zamiast cudzysłowów tam, gdzie to możliwe +# Cudzysłowy wykonują dodatkowe wewnętrzne operacje + + +# Łączenie stringów, ale nie liczb +'hello ' + 'world' #=> "hello world" +'hello ' + 3 #=> TypeError: can't convert Fixnum into String +'hello ' + 3.to_s #=> "hello 3" + +# Łączenie stringów i operatorów +'hello ' * 3 #=> "hello hello hello " + +# Dodawanie do stringa +'hello' << ' world' #=> "hello world" + +# wydrukowanie wartości wraz z nową linią na końcu +puts "Drukuję!" +#=> Drukuję! +#=> nil + +# wydrukowanie wartości bez nowej linii na końcu +print "Drukuję!" +#=> Drukuję! => nill + +# Zmienne +x = 25 #=> 25 +x #=> 25 + +# Zauważ, że przypisanie zwraca przypisywaną wartość +# To znaczy, że możesz wykonać wielokrotne przypisanie: + +x = y = 10 #=> 10 +x #=> 10 +y #=> 10 + +# Zwyczajowo, używaj notacji snake_case dla nazw zmiennych +snake_case = true + +# Używaj opisowych nazw zmiennych +sciezka_do_projektu = '/dobra/nazwa/' +sciezka = '/zla/nazwa/' + +# Symbole (są obiektami) +# Symbole są niezmiennymi, wielokrotnie używanymi stałymi reprezentowanymi wewnętrznie jako +# liczby całkowite. Często używane są zamiast stringów w celu wydajniejszego przekazywania danych + +:oczekujacy.class #=> Symbol + +status = :oczekujacy + +status == :oczekujacy #=> true + +status == 'oczekujacy' #=> false + +status == :zatwierdzony #=> false + +# Tablice + +# To jest tablica +array = [1, 2, 3, 4, 5] #=> [1, 2, 3, 4, 5] + +# Tablice mogą zwierać różne typy danych + +[1, 'hello', false] #=> [1, "hello", false] + +# Tablice mogę być indeksowane +# Od początku +tablica[0] #=> 1 +tablica.first #=> 1 +tablica[12] #=> nil + +# Podobnie jak przy arytmetyce, dostę poprzez [zmienna] +# jest tylko czytelniejszą składnią +# dla wywoływania metody [] na obiekcie +tablica.[] 0 #=> 1 +tablica.[] 12 #=> nil + +# Od końca +tablica[-1] #=> 5 +tablica.last #=> 5 + +# Z początkowym indeksem i długością +tablica[2, 3] #=> [3, 4, 5] + +# Odwrotność tablicy +a=[1,2,3] +a.reverse! #=> [3,2,1] + +# Lub zakres +array[1..3] #=> [2, 3, 4] + +# Dodawanie do tablicy w taki sposób +tablica << 6 #=> [1, 2, 3, 4, 5, 6] +# Lub taki +tablica.push(6) #=> [1, 2, 3, 4, 5, 6] + +# Sprawdzanie, czy tablica zawiera element +tablica.include?(1) #=> true + +# Hasze są Ruby'owymi podstawowymi słownikami z parami klucz/wartość. +# Hasze są zapisywane za pomocą nawiasów klamrowych +hasz = { 'kolor' => 'zielony', 'numer' => 5 } + +hasz.keys #=> ['kolor', 'numer'] + +# Można szybko sprawdzić zawartość hasza za pomocą kluczy: +hasz['kolor'] #=> 'zielony' +hasz['numer'] #=> 5 + +# Sprawdzenie wartośći dla nieistniejącego klucza zwraca nil: +hasz['nic tutaj nie ma'] #=> nil + +# Od wersji 1.9, Ruby posiada specjalną składnię, gdy używamy symboli jako kluczy: + +nowy_hasz = { stan: 3, akcja: true } + +nowy_hasz.keys #=> [:stan, :akcja] + +# Sprawdzenie istnienia kluczy i wartości w haszu +new_hash.has_key?(:defcon) #=> true +new_hash.has_value?(3) #=> true + +# Wskazówka: Zarówno tablice, jak i hasze, są policzalne +# Współdzielą wiele metod takich jak each, map, count, i inne + +# Instrukcje warunkowe + +if true + 'wyrażenie if' +elsif false + 'wyrażenie if, opcjonalne' +else + 'wyrażenie else, również opcjonalne' +end + +for licznik in 1..5 + puts "powtórzenie #{licznik}" +end +#=> powtórzenie 1 +#=> powtórzenie 2 +#=> powtórzenie 3 +#=> powtórzenie 4 +#=> powtórzenie 5 + +# JEDNAKŻE, Nikt nie używa pętli for. +# Zamiast tego, powinno się używać metody "each" i podawać jej blok. +# Blok jest kawałkiem kodu, który możesz podać metodzie podobnej do "each". +# Jest analogiczny do wyrażeń lambda, funkcji anonimowych lub zamknięć w innych +# językach programowania. +# +# Metoda "each" danego zakresu, wykonuje blok dla każdego elementu w zakresie. +# Do bloku zostaje przekazany licznik jako parametr. +# Wykonanie metody "each" z przekazaniem bloku wygląda następująco: + +(1..5).each do |licznik| + puts "powtórzenie #{licznik}" +end +#=> powtórzenie 1 +#=> powtórzenie 2 +#=> powtórzenie 3 +#=> powtórzenie 4 +#=> powtórzenie 5 + +# Możesz również otoczyć blok nawiasami klamrowymi: +(1..5).each { |licznik| puts "powtórzenie #{licznik}" } + +# Zawartość struktur danych również może być powtarzana używając each. +tablica.each do |element| + puts "#{element} jest częścią tablicy" +end +hasz.each do |klucz, wartosc| + puts "#{klucz} jest #{wartosc}" +end + +# Jeśli nadal potrzebujesz indeksum, możesz użyć "each_with_index" i zdefiniować +# zmienną odpowiadającą indeksowi +tablica.each_with_index do |element, indeks| + puts "#{element} jest numerem #{indeks} w tablicy" +end + +licznik = 1 +while licznik <= 5 do + puts "powtórzenie #{licznik}" + licznik += 1 +end +#=> powtórzenie 1 +#=> powtórzenie 2 +#=> powtórzenie 3 +#=> powtórzenie 4 +#=> powtórzenie 5 + +# W Ruby istnieje dużo pomocnych funkcji wykonujących pętle, +# na przykład "map", "reduce", "inject" i wiele innych. Map, +# w każdym wywołaniu, pobiera tablicę, na której wykonuję pętlę, +# wykonuje kod zapisany za pomocą bloku i zwraca całkowicie nową tablicę. +tablica = [1,2,3,4,5] +podwojone = tablica.map do |element| + element * 2 +end +puts podwojona +#=> [2,4,6,8,10] +puts tablica +#=> [1,2,3,4,5] + +ocena = 2 + +case ocena +when 1 + puts 'Dobra robota, masz wolne' +when 2 + puts 'Następnym razem będziesz miał więcej szczęścia' +when 3 + puts 'Możesz to zrobić lepiej' +when 4 + puts 'Przebrnąłeś' +when 5 + puts 'Oblałeś!' +else + puts 'Inny system oceniania?' +end +#=> "Następnym razem będziesz miał więcej szczęścia" + +# case może również użwać zakresów +ocena = 82 +case ocena +when 90..100 + puts 'Hurra!' +when 80...90 + puts 'Dobra robota' +else + puts 'Oblałeś!' +end +#=> "Dobra robota" + +# obsługa błędów: +begin + # kod, który może wywołać wyjątek + raise NoMemoryError, 'Zabrakło pamięci.' +rescue NoMemoryError => zmienna_wyjatku + puts 'Został wywołany NoMemoryError', zmienna_wyjatku +rescue RuntimeError => inna_zmienna_wyjatku + puts 'Teraz został wywołany RuntimeError' +else + puts 'To zostanie uruchomione, jeśli nie wystąpi żaden wyjątek' +ensure + puts 'Ten kod wykona się zawsze' +end + +# Funkcje + +def podwojenie(x) + x * 2 +end + +# Funkcje (i wszystkie bloki) zawsze zwracają wartość ostatniego wyrażenia +podwojenie(2) #=> 4 + +# Okrągłe nawiady są opcjonalne, gdy wynik jest jednoznaczny +podwojenie 3 #=> 6 + +podwojenie podwojenie 3 #=> 12 + +def suma(x, y) + x + y +end + +# Argumenty metod są oddzielone przecinkami +suma 3, 4 #=> 7 + +suma suma(3, 4), 5 #=> 12 + +# yield +# Wszystkie metody mają ukryty, opcjonalny parametr bloku, +# który może być wykonany używając słowa kluczowego 'yield' + +def otoczenie + puts '{' + yield + puts '}' +end + +otoczenie { puts 'hello world' } + +# { +# hello world +# } + + +# Możesz przekazać blok do funkcji +# "&" oznacza referencję to przekazanego bloku +def goscie(&blok) + blok.call 'jakis_argument' +end + +# Możesz przekazać listę argumentów, które będę przekonwertowane na tablicę +# Do tego służy operator ("*") +def goscie(*tablica) + tablica.each { |gosc| puts gosc } +end + +# Definiowanie klas używając słowa kluczowego class +class Czlowiek + + # Zmienna klasowa. Jest współdzielona przez wszystkie instancje tej klasy. + @@gatunek = 'H. sapiens' + + # Podstawowe inicjalizowanie + def initialize(imie, wiek = 0) + # Przypisanie argumentu do zmiennej danej instancji o nazwie "imie" + @imie = imie + # Jeśli nie podano wieku, zostanie użyta domyślna wartość z listy argumentów. + @wiek = wiek + end + + # Podstawowa metoda przypisująca wartość + def imie=(imie) + @imie = imie + end + + # Podstawowa metoda pobierająca wartość + def imie + @imie + end + + # Powyższa funkcjonalność może być zastąpiona używając metody attr_accessor w taki sposób + attr_accessor :imie + + # Metody przypisujące/pobierające mogą być stworzone indywidualnie + attr_reader :imie + attr_writer :imie + + # Metody klasowe używają self aby odróżnić się od metody instancji. + # To może być wywołane na klasie, nie na instancji. + def self.powiedz(wiadomosc) + puts wiadomosc + end + + def gatunek + @@gatunek + end +end + + +# Tworzenie instancji klasy +jim = Czlowiek.new('Jim Halpert') + +dwight = Czlowiek.new('Dwight K. Schrute') + +# Wywołajmy parę metod +jim.gatunek #=> "H. sapiens" +jim.imie #=> "Jim Halpert" +jim.imie = "Jim Halpert II" #=> "Jim Halpert II" +jim.imie #=> "Jim Halpert II" +dwight.gatunek #=> "H. sapiens" +dwight.imie #=> "Dwight K. Schrute" + +# Wywołanie metody klasowej +Czlowiek.powiedz('Cześć') #=> "Cześć" + +# Zasięg zmiennej jest definiowany poprzez jej nazwę. +# Zmienne, które zaczynają się na $ mają zasięg globalny +$zmienna = "Jestem zmienną globalną" +defined? $zmienna #=> "global-variable" + +# Zmienne zczynające się na @ mają zasięg danej instancji +@zmienna = "Jestem zmienną instancji" +defined? @zmienna #=> "instance-variable" + +# Zmienne, które zaczynają się na @@ mają zasięg danej klasy +@@zmienna = "Jestem zmienną klasową" +defined? @@zmienna #=> "class variable" + +# Zmienne, które zaczynają się na dużą literę, są stałymi +Zmienna = "Jestem stałą" +defined? Zmienna #=> "constant" + +# Klasa jest również obiektem w ruby. Może więc mieć zmienne instancji. +# Zmienna klasowa może być współdzielona między klasą i jej potomstwem. + +# podstawowa klasa +class Czlowiek + @@cokolwiek = 0 + + def self.cokolwiek + @@cokolwiek + end + + def self.cokolwiek=(wartosc) + @@cokolwiek = wartosc + end +end + +# klasa pochodna +class Pracownik < Czlowiek +end + +Czlowiek.cokolwiek # 0 +Pracownik.cokolwiek # 0 + +Czlowiek.cokolwiek = 2 # 2 +Pracownik.cokolwiek # 2 + +# Zmienna instancji danej klasy nie jest współdzielona przez jej potomstwo. + +class Czlowiek + @cos = 0 + + def self.cos + @cos + end + + def self.cos=(wartosc) + @cos = wartosc + end +end + +class Doktor < Czlowiek +end + +Czlowiek.cos # 0 +Doktor.cos # nil + +module PrzykladowyModul + def cokolwiek + 'cokolwiek' + end +end + +# Włączanie modułów łączy ich metody z metodami instancji klasy +# Rozszerzanie modułów łączy ich metody z metodami klasy + +class Osoba + include PrzykladowyModul +end + +class Ksiazka + extend PrzykladowyModul +end + +Osoba.cokolwiek # => NoMethodError: undefined method `cokolwiek' for Osoba:Class +Osoba.new.cokolwiek # => 'cokolwiek' +Ksiazka.cokolwiek # => 'cokolwiek' +Ksiazka.new.cokolwiek # => NoMethodError: undefined method `cokolwiek' + +# Gdy włączamy lub rozszerzamy muduły, wykonywane są tzw. wywołania zwrotne + +module PrzykladowyModul + def self.included(baza) + baza.extend(MotodyKlasowe) + baza.send(:include, MetodyInstancji) + end + + module MotodyKlasowe + def cos + 'cos' + end + end + + module MetodyInstancji + def xyz + 'xyz' + end + end +end + +class Cokolwiek + include PrzykladowyModul +end + +Cokolwiek.cos # => 'cos' +Cokolwiek.xyz # => NoMethodError: undefined method `xyz' +Cokolwiek.new.cos # => NoMethodError: undefined method `cos' +Cokolwiek.new.xyz # => 'qux' +``` + +## Dodatkowe źródła +### Polskie + +- [Dokumentacja](https://www.ruby-lang.org/pl/documentation/quickstart/) + +### Angielskie + +- [Learn Ruby by Example with Challenges](http://www.learneroo.com/modules/61/nodes/338) - A variant of this reference with in-browser challenges. +- [Official Documentation](http://www.ruby-doc.org/core-2.1.1/) +- [Ruby from other languages](https://www.ruby-lang.org/en/documentation/ruby-from-other-languages/) +- [Programming Ruby](http://www.amazon.com/Programming-Ruby-1-9-2-0-Programmers/dp/1937785491/) - An older [free edition](http://ruby-doc.com/docs/ProgrammingRuby/) is available online. +- [Ruby Style Guide](https://github.com/bbatsov/ruby-style-guide) - A community-driven Ruby coding style guide. From 7837603c56de212f68c9806b31f19d139ba6998d Mon Sep 17 00:00:00 2001 From: Marcin Klocek Date: Thu, 12 Nov 2015 20:26:01 +0100 Subject: [PATCH 214/286] Adjust Polish translations for Ruby --- pl-pl/ruby-pl.html.markdown | 22 +++++++++++----------- 1 file changed, 11 insertions(+), 11 deletions(-) diff --git a/pl-pl/ruby-pl.html.markdown b/pl-pl/ruby-pl.html.markdown index 36f9a9bf..73b1a7d8 100644 --- a/pl-pl/ruby-pl.html.markdown +++ b/pl-pl/ruby-pl.html.markdown @@ -109,15 +109,15 @@ wypelnienie = 'użyć interpolacji stringa' # Łączenie stringów, ale nie liczb -'hello ' + 'world' #=> "hello world" -'hello ' + 3 #=> TypeError: can't convert Fixnum into String -'hello ' + 3.to_s #=> "hello 3" +'hej ' + 'świecie' #=> "hej świecie" +'hej ' + 3 #=> TypeError: can't convert Fixnum into String +'hej ' + 3.to_s #=> "hej 3" # Łączenie stringów i operatorów -'hello ' * 3 #=> "hello hello hello " +'hej ' * 3 #=> "hej hej hej " # Dodawanie do stringa -'hello' << ' world' #=> "hello world" +'hej' << ' świecie' #=> "hej świecie" # wydrukowanie wartości wraz z nową linią na końcu puts "Drukuję!" @@ -139,8 +139,8 @@ x = y = 10 #=> 10 x #=> 10 y #=> 10 -# Zwyczajowo, używaj notacji snake_case dla nazw zmiennych -snake_case = true +# Zwyczajowo, używaj notacji nazwa_zmiennej dla nazw zmiennych +nazwa_zmiennej = true # Używaj opisowych nazw zmiennych sciezka_do_projektu = '/dobra/nazwa/' @@ -167,7 +167,7 @@ array = [1, 2, 3, 4, 5] #=> [1, 2, 3, 4, 5] # Tablice mogą zwierać różne typy danych -[1, 'hello', false] #=> [1, "hello", false] +[1, 'hej', false] #=> [1, "hej", false] # Tablice mogę być indeksowane # Od początku @@ -175,7 +175,7 @@ tablica[0] #=> 1 tablica.first #=> 1 tablica[12] #=> nil -# Podobnie jak przy arytmetyce, dostę poprzez [zmienna] +# Podobnie jak przy arytmetyce, dostęp poprzez [zmienna] # jest tylko czytelniejszą składnią # dla wywoływania metody [] na obiekcie tablica.[] 0 #=> 1 @@ -385,10 +385,10 @@ def otoczenie puts '}' end -otoczenie { puts 'hello world' } +otoczenie { puts 'hej świecie' } # { -# hello world +# hej świecie # } From 3b59da1f3d055b5fd9f0804de2142df90c7b762c Mon Sep 17 00:00:00 2001 From: Hughes Perreault Date: Thu, 12 Nov 2015 15:40:53 -0500 Subject: [PATCH 215/286] =?UTF-8?q?UTF-8=20->=20l'UTF-8,=20donn=C3=A9es=20?= =?UTF-8?q?conteneur=20->=20conteneurs?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- fr-fr/hy-fr.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/fr-fr/hy-fr.html.markdown b/fr-fr/hy-fr.html.markdown index 07007061..841179f5 100644 --- a/fr-fr/hy-fr.html.markdown +++ b/fr-fr/hy-fr.html.markdown @@ -54,11 +54,11 @@ True ; => True ;; variables ; les variables sont déclarées en utilisant setv, les noms de variables -; peuvent utiliser UTF-8 à l'exception de ()[]{}",'`;#| +; peuvent utiliser l'UTF-8 à l'exception de ()[]{}",'`;#| (setv a 42) (setv π 3.14159) (def *foo* 42) -;; d'autres types de données conteneur +;; d'autres types de conteneurs ; les chaînes, les listes, les tuples et dicts ; ce sont exactement les mêmes que les types de conteneurs de python "hello world" ;=> "hello world" From 312941c5e018bee87be524697b471061cf70b285 Mon Sep 17 00:00:00 2001 From: Rob Pilling Date: Fri, 13 Nov 2015 14:52:21 +0000 Subject: [PATCH 216/286] Correct "Casting" mention in swift markdown 'T()' is initialisation/creation, 'x as T' is casting --- swift.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/swift.html.markdown b/swift.html.markdown index df9c5092..e3934ab1 100644 --- a/swift.html.markdown +++ b/swift.html.markdown @@ -46,7 +46,7 @@ let `class` = "keyword" // backticks allow keywords to be used as variable names let explicitDouble: Double = 70 let intValue = 0007 // 7 let largeIntValue = 77_000 // 77000 -let label = "some text " + String(myVariable) // Casting +let label = "some text " + String(myVariable) // String construction let piText = "Pi = \(π), Pi 2 = \(π * 2)" // String interpolation // Build Specific values From 2c33662024b3b2c9975c184d9dfb5f8f8ddd02fc Mon Sep 17 00:00:00 2001 From: Hughes Perreault Date: Fri, 13 Nov 2015 11:15:58 -0500 Subject: [PATCH 217/286] =?UTF-8?q?nam=20->=20nom,=20pr=C3=A9-construit=20?= =?UTF-8?q?->=20natif,=20un=20->=20a?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- fr-fr/hy-fr.html.markdown | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/fr-fr/hy-fr.html.markdown b/fr-fr/hy-fr.html.markdown index 841179f5..5220fb65 100644 --- a/fr-fr/hy-fr.html.markdown +++ b/fr-fr/hy-fr.html.markdown @@ -70,7 +70,7 @@ True ; => True (setv mytuple (, 1 2)) ; les dictionnaires sont des paires clé-valeur (setv dict1 {"key1" 42 "key2" 21}) -; :nam peut être utilisé pour définir des mots clés dans hy qui peuvent être +; :nom peut être utilisé pour définir des mots clés dans hy qui peuvent être ; utilisées comme clés (setv dict2 {:key1 41 :key2 20}) ; utilisez `get' pour obtenir l'élément à l'index / clé @@ -101,7 +101,7 @@ True ; => True (map (fn [x] (* x x)) [1 2 3 4]) ;=> [1 4 9 16] ;; Opérations sur les séquences -; hy a des utilitaires pré-construit pour les opérations sur les séquences etc. +; hy a des utilitaires natifs pour les opérations sur les séquences etc. ; récupérez le premier élément en utilisant `first' ou `car' (setv mylist [1 2 3 4]) (setv mydict {"a" 1 "b" 2}) @@ -124,8 +124,8 @@ True ; => True (import datetime) (import [functools [partial reduce]]) ; importe fun1 et fun2 de module1 (import [matplotlib.pyplot :as plt]) ; faire une importation foo comme bar -; toutes les méthodes pré-construites de python sont accessibles à partir de hy -; a.foo(arg) est appelé (.foo un arg) +; toutes les méthodes natives de python sont accessibles à partir de hy +; a.foo(arg) est appelé (.foo a arg) (.split (.strip "hello world ")) ;=> ["hello" "world"] ;; Conditionelles From e3de8870ca586cd0f084f00cc96ea540cf022638 Mon Sep 17 00:00:00 2001 From: Hughes Perreault Date: Fri, 13 Nov 2015 11:48:48 -0500 Subject: [PATCH 218/286] ressemble -> ressemblent --- fr-fr/hy-fr.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/fr-fr/hy-fr.html.markdown b/fr-fr/hy-fr.html.markdown index 5220fb65..bd7c6839 100644 --- a/fr-fr/hy-fr.html.markdown +++ b/fr-fr/hy-fr.html.markdown @@ -22,7 +22,7 @@ Ce tutoriel fonctionne pour hy > 0.9.12 ;; les s-expression de bases ; Les programmes Lisp sont fait d'expressions symboliques ou sexps qui -; ressemble à +; ressemblent à (some-function args) ; maintenant le quintessentiel hello world (print "hello world") From 452b0bb21912b56b862409c50f15cb2acd4ea120 Mon Sep 17 00:00:00 2001 From: Hellseher Date: Sat, 14 Nov 2015 00:24:46 +0000 Subject: [PATCH 219/286] [A] extra links Links : : CLiki : Awesome Common Lisp : COMMON LISP A Gentle Introduction to Symbolic Computation : Common-Lisp.net --- common-lisp.html.markdown | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/common-lisp.html.markdown b/common-lisp.html.markdown index 63183c1e..13f0023e 100644 --- a/common-lisp.html.markdown +++ b/common-lisp.html.markdown @@ -615,8 +615,15 @@ nil ; for false - and the empty list ## Further Reading [Keep moving on to the Practical Common Lisp book.](http://www.gigamonkeys.com/book/) +[A Gentle Introduction to...](https://www.cs.cmu.edu/~dst/LispBook/book.pdf) +## Extra Info + +[CLiki](http://www.cliki.net/) +[common-lisp.net](https://common-lisp.net/) +[Awesome Common Lisp](https://github.com/CodyReichert/awesome-cl) + ## Credits. Lots of thanks to the Scheme people for rolling up a great starting From b20abcb791cf3d2b0e7274fb300c6d0e7b791da1 Mon Sep 17 00:00:00 2001 From: Hellseher Date: Sat, 14 Nov 2015 00:33:00 +0000 Subject: [PATCH 220/286] [E] styling links --- common-lisp.html.markdown | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/common-lisp.html.markdown b/common-lisp.html.markdown index 13f0023e..2b1f5de4 100644 --- a/common-lisp.html.markdown +++ b/common-lisp.html.markdown @@ -614,15 +614,15 @@ nil ; for false - and the empty list ## Further Reading -[Keep moving on to the Practical Common Lisp book.](http://www.gigamonkeys.com/book/) -[A Gentle Introduction to...](https://www.cs.cmu.edu/~dst/LispBook/book.pdf) +* [Keep moving on to the Practical Common Lisp book.](http://www.gigamonkeys.com/book/) +* [A Gentle Introduction to...](https://www.cs.cmu.edu/~dst/LispBook/book.pdf) ## Extra Info -[CLiki](http://www.cliki.net/) -[common-lisp.net](https://common-lisp.net/) -[Awesome Common Lisp](https://github.com/CodyReichert/awesome-cl) +* [CLiki](http://www.cliki.net/) +* [common-lisp.net](https://common-lisp.net/) +* [Awesome Common Lisp](https://github.com/CodyReichert/awesome-cl) ## Credits. From 68c659b366b9fde2870c8938b5666550cc59054b Mon Sep 17 00:00:00 2001 From: Hughes Perreault Date: Sat, 14 Nov 2015 13:57:01 -0500 Subject: [PATCH 221/286] "lang: hu-hu" line was missing trying to fix issue #2013 --- hu-hu/coffeescript-hu.html.markdown | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/hu-hu/coffeescript-hu.html.markdown b/hu-hu/coffeescript-hu.html.markdown index 267db4d0..b5ae2107 100644 --- a/hu-hu/coffeescript-hu.html.markdown +++ b/hu-hu/coffeescript-hu.html.markdown @@ -5,6 +5,7 @@ contributors: - ["Xavier Yao", "http://github.com/xavieryao"] translators: - ["Tamás Diószegi", "http://github.com/ditam"] +lang: hu-hu filename: coffeescript-hu.coffee --- @@ -103,4 +104,4 @@ eat food for food in foods when food isnt 'chocolate' ## További források - [Smooth CoffeeScript](http://autotelicum.github.io/Smooth-CoffeeScript/) -- [CoffeeScript Ristretto](https://leanpub.com/coffeescript-ristretto/read) \ No newline at end of file +- [CoffeeScript Ristretto](https://leanpub.com/coffeescript-ristretto/read) From cde6ea6ca256a1249d222e692fde66ea76f19409 Mon Sep 17 00:00:00 2001 From: Terka Slan Date: Sat, 14 Nov 2015 20:24:51 +0100 Subject: [PATCH 222/286] Translated Git to Slovak[sk-sk] --- sk-sk/git.html.markdown | 525 ++++++++++++++++++++++++++++++++++++++++ 1 file changed, 525 insertions(+) create mode 100644 sk-sk/git.html.markdown diff --git a/sk-sk/git.html.markdown b/sk-sk/git.html.markdown new file mode 100644 index 00000000..b5aace7a --- /dev/null +++ b/sk-sk/git.html.markdown @@ -0,0 +1,525 @@ +--- +category: tool +tool: git + +contributors: + - ["Jake Prather", "http://github.com/JakeHP"] + - ["Leo Rudberg" , "http://github.com/LOZORD"] + - ["Betsy Lorton" , "http://github.com/schbetsy"] + - ["Bruno Volcov", "http://github.com/volcov"] + - ["Andrew Taylor", "http://github.com/andrewjt71"] +translators: + - ["Terka Slanináková", "http://github.com/TerkaSlan"] +filename: LearnGit.txt +lang: sk-sk +--- + +Git je distribuovaný systém riadenia revízií a správy zdrojového kódu. + +Funguje robením "snímkov" tvojho projektu, s ktorými ďalej pracuje na revíziach a správe zdrojových kódov. + +## Koncept Revízií + +### Čo je riadenie revízií? + +Riadenie revízií je systém, ktorý postupom času zaznamenáva zmeny súboru (súborov). + +### Centralizované Revízie VS Distribuované revízie + +* Centralizované riadenie revízií sa zameriava na synchronizáciu, sledovanie a zálohovanie súborov. +* Distribuované riadenie revízií sa zameriava na zdieľanie zmien. Kaťdá zmena má jedinečný identifikátor (id). +* Distribuované systémy nemajú definovanú štruktúru. S gitom môžeš mať centralizovaný systém v subversion (SVN) štýle. + +[Ďalšie informácie](http://git-scm.com/book/en/Getting-Started-About-Version-Control) + +### Prečo Používať Git? + +* Môžeš pracovať offline. +* Spolupráca s ostatnými je jednoduchá! +* Vetvenie je jednoduché! +* Zlučovanie je jednoduché! +* Git je rýchly. +* Git je flexibilný. + +## Architektúra Gitu + + +### Repozitár + +Skupina súborov, adresárov, minulých záznamov, commitov (konkrétnych revízií) a odkazy na aktuálu vetvu (HEADs). Predstav si ho ako údajovú štruktúru, kde ti každý "prvok" zdrojového kódu poskytne (okrem iného) prístup k minulým revíziam. + +Git repozitár sa skladá z .git adresára a pracovného stromu + +### .git Adresár (časť repozitára) + +.git adresár obsahuje všetky konfigurácie, logy, vetvy, odkaz na aktuálnu vetvu (HEAD) a ostatné. +[Detailný zoznam.](http://gitready.com/advanced/2009/03/23/whats-inside-your-git-directory.html) + +### Pracovný Strom (Working Tree - časť repozitára) + +Toto sú adresáre a súbory v tvojom repozitári. Tiež sa tomu hovorí pracovný adresár. + +### Index (časť .git adresára) + +Index je také odpočívadlo Gitu. Je to v podstate vrstva, ktorá oddeľuje pracovný strom od Git repozitára. Toto dáva vývojárom viac možností nad tým, čo do repozitára naozaj pošlú. + +### Commit + +Commit je "snímka" zmien, či manipulácií s tvojím Pracovným Stromom. Ak si napríklad pridal 5 súborov a odstránil 2 ďalšie, tieto zmeny budú zachytené v commite. Ten môže (ale nemusí) byť zverejnený (pushed) do iných repozitárov. + +### Vetva (Branch) + +Vetva je ukazateľ na posledný vykonaný commit. Po ďalších commitnutiach sa ukazateľ bude automaticky posúvať na ten najnovší. + +### Tag + +Tag je označenie špecifického bodu v minulosti. Typicky sa používa na značenie vydaných verzií (v1.0, atď). + +### HEAD a head (časť .git adresára) + +HEAD je ukazateľ na aktuálnu vetvu. Repozitár má len 1 *aktívny* HEAD. +head je ukazateľ, ktorý môže ukazovať na akýkoľvek commit. Repozitár môže mať niekoľko headov. + +### Štádia Gitu +* Modified - Súbor bol zmenený, no nebol ešte commitnutý do Git Databázy. +* Staged - Zmenený súbor, ktorý pôjde do najbližšieho commit snímku. +* Committed - Súbory boli commitnuté do Git Databázy. + +### Koncepčné zdroje + +* [Git Pre Informatikov](http://eagain.net/articles/git-for-computer-scientists/) +* [Git Pre Designerov](http://hoth.entp.com/output/git_for_designers.html) + + +## Príkazy + + +### init + +Vytvorí prázdny Git repozitár. Jeho nastavenia, uložené informácie a mnoho iného sú uložené v adresári (zložke) s názvom ".git". + +```bash +$ git init +``` + +### config + +Konfiguruj nastavenia. Či už pre repozitár, samotný systém, alebo globálne konfigurácie (súbor pre globálny config je `~/.gitconfig`). + + +```bash +# Zobraz a Nastav Základné Konfiguračné Premenné (Globálne) +$ git config --global user.email "MôjEmail@Zoho.com" +$ git config --global user.name "Moje Meno " +``` + +[Prečítaj si viac o git configu.](http://git-scm.com/docs/git-config) + +### pomoc + +Máš tiež prístup k extrémne detailnej dokumentácií pre každý príkaz (po anglicky). Hodí sa, ak potrebuješ pripomenúť semantiku. + +```bash +# Rýchlo zobraz všetky dostupné príkazy +$ git help + +# Zobraz všetky dostupné príkazy +$ git help -a + +# Zobraz konkrétnu pomoc - použivateľský manuál +# git help +$ git help add +$ git help commit +$ git help init +# alebo git --help +$ git add --help +$ git commit --help +$ git init --help +``` + +### ignoruj súbory + +Zámerne prestaneš sledovať súbor(y) a zložky. Typicky sa používa pre súkromné a dočasné súbory, ktoré by boli inak zdieľané v repozitári. +```bash +$ echo "temp/" >> .gitignore +$ echo "private_key" >> .gitignore +``` + + +### status + +Na zobrazenie rozdielov medzi indexovými súbormi (tvoj pracovný repozitár) a aktuálnym HEAD commitom. + + +```bash +# Zobrazí vetvu, nesledované súbory, zmeny a ostatné rozdiely +$ git status + +# Zisti iné vychytávky o git statuse +$ git help status +``` + +### add + +Pripraví súbory na commit pridaním do tzv. staging indexu. Ak ich nepridáš pomocou `git add` do staging indexu, nebudú zahrnuté v commitoch! + +```bash +# pridá súbor z tvojho pracovného adresára +$ git add HelloWorld.java + +# pridá súbor z iného adresára +$ git add /cesta/k/súboru/HelloWorld.c + +# Môžeš použiť regulárne výrazy! +$ git add ./*.java +``` +Tento príkaz len pridáva súbory do staging indexu, necommituje ich do repozitára. + +### branch + +Spravuj svoje vetvy. Môžeš ich pomocou tohto príkazu zobraziť, meniť, vytvoriť, či zmazať. + +```bash +# zobraz existujúce vetvy a vzdialené repozitáre +$ git branch -a + +# vytvor novú vetvu +$ git branch myNewBranch + +# vymaž vetvu +$ git branch -d myBranch + +# premenuj vetvu +# git branch -m +$ git branch -m mojaStaraVetva mojaNovaVetva + +# zmeň opis vetvy +$ git branch myBranchName --edit-description +``` + +### tag + +Spravuj svoje tagy + +```bash +# Zobraz tagy +$ git tag +# Vytvor tag so správou +# -m špecifikuje správu, ktorá bude s tagom uložená. +# Ak nešpeficikuješ správu pri tagu so správou, +# Git spustí tvoj editor, aby si ju napísal. +$ git tag -a v2.0 -m 'moja verzia 2.0' +# Ukáž informácie o tagu +# Zobrazí zadané informácie, dátum tagnutia commitu +# a správu pred zobrazením informácií o commite. +$ git show v2.0 +# Zverejní (pushne) jediný tag do vzdialeného repozitára +$ git push origin v2.0 +# Zverejní viacero tagov do vzdialeného repozitára +$ git push origin --tags +``` + +### checkout + +Aktualizuje všetky súbory v pracovnom strome, aby odpovedali verzií v indexe, alebo v inom strome. + +```bash +# Aktualizuj strom, aby odpovedal (predvolene) +# hlavnej vetve repozitáru (master branch) +$ git checkout +# Aktualizuj strom, aby odpovedal konrkétnej vetve +$ git checkout menoVetvy +# Vytvor novú vetvu & prepni sa na ňu +# ekvivalentný príkaz: "git branch ; git checkout " +$ git checkout -b nováVetva +``` + +### clone + +"Naklonuje", alebo vytvorí kópiu existujúceho repozitára do nového adresára. Tiež pridá špeciálne ďiaľkovo-monitorujúce vetvy (remote-tracking branches), ktoré ti umožnia zverejňovať do vzdialených vetiev. + +```bash +# Naklonuj learnxinyminutes-docs +$ git clone https://github.com/adambard/learnxinyminutes-docs.git +# povrchné klonovanie - rýchlejšie, uloží iba najnovšiu snímku +$ git clone --depth 1 https://github.com/adambard/learnxinyminutes-docs.git +# naklonuj iba konkrétnu vetvu +$ git clone -b master-cn https://github.com/adambard/learnxinyminutes-docs.git --single-branch +``` + +### commit + +Uloží aktuálny obsah indexu v novom "commite". Ten obsahuje vytvorené zmeny a s nimi súvisiace správy vytvorené použivateľom. + +```bash +# commitni so správou +$ git commit -m "Pridal som multiplyNumbers() funkciu do HelloWorld.c" + +# automaticky pridaj zmenené a vymazané súbory do staging indexu, potom ich commitni. +$ git commit -a -m "Zmenil som foo.php a vymazal bar.php" + +# zmeň posledný commit (toto nahradí predchádzajúci commit novým) +$ git commit --amend -m "Správna správa" +``` + +### diff + +Ukáže rozdiel medzi súborom v pracovnom repozitári, indexe a commitoch. + +```bash +# Ukáž rozdiel medzi pracovným repozitárom a indexom. +$ git diff + +# Ukáž rozdiely medzi indexom a najnovším commitom. +$ git diff --cached + +# Ukáž rozdiely medzi pracovným adresárom a najnovším commitom. +$ git diff HEAD +``` + +### grep + +Umožní ti rýchlo prehľadávať repozitár. + +Možná konfigurácia: + +```bash +# Nastav, aby sa vo výsledkoch vyhľadávania zobrazovalo číslo riadku +$ git config --global grep.lineNumber true + +# Urob výsledky vyhľadávania čitateľnejšie, vrátane zoskupovania +$ git config --global alias.g "grep --break --heading --line-number" +``` + +```bash +# Vďaka Travisovi Jefferymu za túto sekciu +# Hľadaj "názovPremennej" vo všetkých java súboroch +$ git grep 'názovPremennej' -- '*.java' + +# Hľadaj riadok, ktorý obsahuje "názovPoľa" a "add" alebo "remove" +$ git grep -e 'arrayListName' --and \( -e add -e remove \) +``` + +Google je tvoj kamarát; pre viac príkladov skoč na +[Git Grep Ninja](http://travisjeffery.com/b/2012/02/search-a-git-repo-like-a-ninja) + +### log + +Zobral commity do repozitára. + +```bash +# Zobraz všetky commity +$ git log + +# Zobraz iba správy a referencie commitov +$ git log --oneline + +# Zobraz zlúčené (merged) commity +$ git log --merges + +# Zobraz všetky commity vo forme ASCII grafu +$ git log --graph +``` + +### merge + +"Zlúč" zmeny externých commitov do aktuálnej vetvy. + +```bash +# Zlúč vybranú vetvu do aktuálnej. +$ git merge názovVetvy + +# Vždy vytvor zlučovací commit +$ git merge --no-ff názovVetvy +``` + +### mv + +Premenuj, alebo presuň súbor + +```bash +# Premenuj súbor +$ git mv HelloWorld.c HelloNewWorld.c + +# Presuň súbor +$ git mv HelloWorld.c ./nová/cesta/HelloWorld.c + +# "Nasilu" premenuj, alebo presuň +# "existujúciSúbor" už v adresári existuje, bude prepísaný +$ git mv -f môjSúbor existujúciSúbor +``` + +### pull + +Uloží obsah repozitára a zlúči ho s inou vetvou. + +```bash +# Aktualizuje tvoj lokálny repozitár zlúčením nových zmien +# zo vzdialených "origin" a "master" vetiev. +# git pull +$ git pull origin master + +# Predvolene, git pull aktualizuje tvoju aktuálnu vetvu +# zlúčením nových zmien zo vzdialenej vetvy +$ git pull + +# Zlúč zmeny zo vzdialenej vetvy a presuň vetvu do nového základného commitu (rebase) +# vetva commitne na tvoj lokálny repozitár, ekvivalentný príkaz: "git pull , git rebase " +$ git pull origin master --rebase +``` + +### push + +Zverejní a zlúči zmeny z lokálnej do vzdialenej vetvy. + +```bash +# Zverejni a zlúč zmeny z lokálneho repozitára do +# vzdialených vetiev s názvom "origin" a "master". +# git push +$ git push origin master + +# Predvolene git zverejní a zlúči zmeny z +# aktuálnej vetvy do vzdialenej vetvy s ňou spojenej +$ git push + +# Na spojenie lokálnej vetvy so vzdialenou pridaj -u: +$ git push -u origin master +# Kedykoľvek budeš chcieť zverejniť z rovnakej lokálnej vetvy, použi príkaz: +$ git push +``` + +### stash + +Umožní ti opustiť chaotický stav pracovného adresára a uloží ho na zásobník nedokončených zmien, ku ktorým sa môžeš kedykoľvek vrátiť. + +Povedzme, že si urobil nejaké zmeny vo svojom git repozitári, ale teraz potrebuješ pullnúť zo vzdialenej repo. Keďže máš necommitnuté zmeny, príkaz `git pull` nebude fungovať. Namiesto toho môžeš použiť `git stash` a uložiť svoje nedokončené zmeny na zásobník! + +```bash +$ git stash +Saved working directory and index state \ + "WIP on master: 049d078 added the index file" + HEAD is now at 049d078 added the index file + (To restore them type "git stash apply") +``` + +Teraz môžeš uložiť vzdialenú vetvu! + +```bash +git pull +``` +`...zmeny sa zaznamenajú...` + +Over, či je všetko v poriadku + +```bash +$ git status +# On branch master +nothing to commit, working directory clean +``` + +Môžeš si pozrieť, čo za chaos je na zásobníku cez `git stash list`. +Nedokončené zmeny sú uložené ako Last-In-First-Out (Prvý dnu, posledný von) štruktúra, navrchu sa objavia najnovšie zmeny. + +```bash +$ git stash list +stash@{0}: WIP on master: 049d078 added the index file +stash@{1}: WIP on master: c264051 Revert "added file_size" +stash@{2}: WIP on master: 21d80a5 added number to log +``` + +Keď so zmenami budeš chcieť pracovať, odstráň ich zo stacku. + +```bash +$ git stash pop +# On branch master +# Changes not staged for commit: +# (use "git add ..." to update what will be committed) +# +# modified: index.html +# modified: lib/simplegit.rb +# +``` + +`git stash apply` urobí presne to isté + +Hotovo, môžeš pokračovať v práci! + +[Čítaj viac.](http://git-scm.com/book/en/v1/Git-Tools-Stashing) + +### rebase (pozor) + +Zober všetky zmeny commitnuté do vetvy a aplikuj ich na inú vetvu. +*Tento príkaz nerob na verejných repozitároch*. + +```bash +# Aplikuj commity z experimentálnej vetvy na master +# git rebase +$ git rebase master experimentBranch +``` + +[Čítaj viac.](http://git-scm.com/book/en/Git-Branching-Rebasing) + +### reset (pozor) + +Resetni HEAD (ukazateľ na aktuálnu vetvu) do konrkétneho stavu. To ti umožní vziať späť zlúčenia, zverejnenia, commity, pridania atď. Je to užitočný, no nebezpečný príkaz, pokiaľ nevieš, čo robíš. + +```bash +# Resetni index (vrstvu medzi pracovným stromom a Git repozitárom), aby odpovedal najnovšiemu commitu (adresár ostane nezmenený) +$ git reset + +# Resetni index, aby odpovedal najnovšiemu commitu (adresár sa prepíše) +$ git reset --hard + +# Presunie vrchol aktuálnuej vetvy do konkrétneho commitu (adresár ostane nezmenený) +# všetky zmeny sú zachované v adresári. +$ git reset 31f2bb1 + +# Presunie vrchol aktuálnuej vetvy naopak do konkrétneho commitu +# a zosúladí ju s pracovným adresárom (vymaže nekomitnuté zmeny). +$ git reset --hard 31f2bb1 +``` +### revert + +Vezme naspäť ("od-urobí") commit. Nezamieňaj s resetom, ktorý obnoví stav +projektu do predchádzajúceho bodu v čase. Revert pridá nový commit, inverzný tomu, ktorý chceš vymazať, tým ho od-urobí. + +```bash +# Vezmi späť konkrétny commit +$ git revert +``` + +### rm + +Opak od git add, rm odstráni súbory z aktuálneho pracovného stromu. + +```bash +# odstráň HelloWorld.c +$ git rm HelloWorld.c + +# Odstráň súbor z vnoreného adresára +$ git rm /pather/to/the/file/HelloWorld.c +``` + +## Ďalšie informácie + +* [tryGit - Zábavný interaktívny spôsob, ako sa naučiť Git.](http://try.github.io/levels/1/challenges/1) + +* [Udemy Git Tutoriál: Kompletný návod](https://blog.udemy.com/git-tutorial-a-comprehensive-guide/) + +* [Git Immersion - Návod, ktorý Ťa prevedie základmi Gitu](http://gitimmersion.com/) + +* [git-scm - Video Tutoriály](http://git-scm.com/videos) + +* [git-scm - Dokumentácia](http://git-scm.com/docs) + +* [Atlassian Git - Tutoriály & Postupy](https://www.atlassian.com/git/) + +* [SalesForce Cheat Sheet](https://na1.salesforce.com/help/doc/en/salesforce_git_developer_cheatsheet.pdf) + +* [GitGuys](http://www.gitguys.com/) + +* [Git - jednoducho](http://rogerdudler.github.io/git-guide/index.html) + +* [Pro Git](http://www.git-scm.com/book/en/v2) + +* [Úvod do Gitu a GitHubu pre začiatočníkov (Tutoriál)](http://product.hubspot.com/blog/git-and-github-tutorial-for-beginners) From 42e8218146de7ac1a35c9f24ee40eefc574fdb0d Mon Sep 17 00:00:00 2001 From: Terka Slan Date: Sun, 15 Nov 2015 22:25:18 +0100 Subject: [PATCH 223/286] Translated git to Slovak and repaired formatting --- sk-sk/git.html.markdown | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/sk-sk/git.html.markdown b/sk-sk/git.html.markdown index b5aace7a..e68de3f5 100644 --- a/sk-sk/git.html.markdown +++ b/sk-sk/git.html.markdown @@ -1,7 +1,6 @@ --- category: tool tool: git - contributors: - ["Jake Prather", "http://github.com/JakeHP"] - ["Leo Rudberg" , "http://github.com/LOZORD"] @@ -10,8 +9,8 @@ contributors: - ["Andrew Taylor", "http://github.com/andrewjt71"] translators: - ["Terka Slanináková", "http://github.com/TerkaSlan"] -filename: LearnGit.txt lang: sk-sk +filename: LearnGit-sk.txt --- Git je distribuovaný systém riadenia revízií a správy zdrojového kódu. From 70fa51fa36a8d2e3fbc258cbac6b37e45766bdae Mon Sep 17 00:00:00 2001 From: Terka Slan Date: Mon, 16 Nov 2015 23:07:44 +0100 Subject: [PATCH 224/286] Added LearnGit-sk.txt and adjusted the markdown file --- sk-sk/LearnGit-sk.txt | 208 ++++++++++++++++++++++++++++++++++++++++ sk-sk/git.html.markdown | 5 +- 2 files changed, 210 insertions(+), 3 deletions(-) create mode 100644 sk-sk/LearnGit-sk.txt diff --git a/sk-sk/LearnGit-sk.txt b/sk-sk/LearnGit-sk.txt new file mode 100644 index 00000000..070a0489 --- /dev/null +++ b/sk-sk/LearnGit-sk.txt @@ -0,0 +1,208 @@ +$ git init + +# Zobraz a Nastav Základné Konfiguračné Premenné (Globálne) +$ git config --global user.email "MôjEmail@Zoho.com" +$ git config --global user.name "Moje Meno + +# Rýchlo zobraz všetky dostupné príkazy +$ git help + +# Zobraz všetky dostupné príkazy +$ git help -a + +# Zobraz konkrétnu pomoc - použivateľský manuál +# git help +$ git help add +$ git help commit +$ git help init +# alebo git --help +$ git add --help +$ git commit --help +$ git init --help + +# Zobrazí vetvu, nesledované súbory, zmeny a ostatné rozdiely +$ git status +# Zistí iné vychytávky o git statuse +$ git help status + +# pridá súbor z tvojho pracovného adresára +$ git add HelloWorld.java + +# pridá súbor z iného adresára +$ git add /cesta/k/súboru/HelloWorld.c + +# Môžeš použiť regulárne výrazy! +$ git add ./*.java + +# zobraz existujúce vetvy a vzdialené repozitáre +$ git branch -a + +# vytvor novú vetvu +$ git branch myNewBranch + +# vymaž vetvu +$ git branch -d myBranch + +# premenuj vetvu +# git branch -m +$ git branch -m mojaStaraVetva mojaNovaVetva + +# zmeň opis vetvy +$ git branch myBranchName --edit-description + +# Zobrazí tagy +$ git tag +# Vytvorí tag so správou +# -m špecifikuje správu, ktorá bude s tagom uložená. +# Ak nešpeficikuješ správu pri tagu so správou, +# Git spustí tvoj editor, aby si ju napísal. +$ git tag -a v2.0 -m 'moja verzia 2.0' + +# Ukáž informácie o tagu +# Zobrazí zadané informácie, dátum tagnutia commitu +# a správu pred zobrazením informácií o commite. +$ git show v2.0 + +# Zverejní (pushne) jediný tag do vzdialeného repozitára +$ git push origin v2.0 + +# Zverejní viacero tagov do vzdialeného repozitára +$ git push origin --tags + +# Aktualizuj strom, aby odpovedal (predvolene) +# hlavnej vetve repozitáru (master branch) +$ git checkout + +# Aktualizuj strom, aby odpovedal konrkétnej vetve +$ git checkout menoVetvy + +# Vytvor novú vetvu & prepni sa na ňu +# ekvivalentný príkaz: "git branch ; git checkout " +$ git checkout -b nováVetva + +# Naklonuj learnxinyminutes-docs +$ git clone https://github.com/adambard/learnxinyminutes-docs.git + +# povrchné klonovanie - rýchlejšie, uloží iba najnovšiu snímku +$ git clone --depth 1 https://github.com/adambard/learnxinyminutes-docs.git + +# naklonuj iba konkrétnu vetvu +$ git clone -b master-cn https://github.com/adambard/learnxinyminutes-docs.git --single-branch + +# commitni so správou +$ git commit -m "Pridal som multiplyNumbers() funkciu do HelloWorld.c" + +# automaticky pridaj zmenené a vymazané súbory do staging indexu, potom ich commitni. +$ git commit -a -m "Zmenil som foo.php a vymazal bar.php" + +# zmeň posledný commit (toto nahradí predchádzajúci commit novým) +$ git commit --amend -m "Správna správa" + +# Ukáž rozdiel medzi pracovným repozitárom a indexom. +$ git diff + +# Ukáž rozdiely medzi indexom a najnovším commitom. +$ git diff --cached + +# Ukáž rozdiely medzi pracovným adresárom a najnovším commitom. +$ git diff HEAD + +# Nastav, aby sa vo výsledkoch vyhľadávania zobrazovalo číslo riadku +$ git config --global grep.lineNumber true + +# Urob výsledky vyhľadávania čitateľnejšie, vrátane zoskupovania +$ git config --global alias.g "grep --break --heading --line-number" + +# Vďaka Travisovi Jefferymu za túto sekciu +# Hľadaj "názovPremennej" vo všetkých java súboroch +$ git grep 'názovPremennej' -- '*.java' + +# Hľadaj riadok, ktorý obsahuje "názovPoľa" a "add" alebo "remove" +$ git grep -e 'arrayListName' --and \( -e add -e remove \) + +# Zobraz všetky commity +$ git log + +# Zobraz iba správy a referencie commitov +$ git log --oneline + +# Zobraz zlúčené (merged) commity +$ git log --merges + +# Zobraz všetky commity vo forme ASCII grafu +$ git log --graph + +# Zlúč vybranú vetvu do aktuálnej. +$ git merge názovVetvy + +# Vždy vytvor zlučovací commit +$ git merge --no-ff názovVetvy + +# Premenuj súbor +$ git mv HelloWorld.c HelloNewWorld.c + +# Presuň súbor +$ git mv HelloWorld.c ./nová/cesta/HelloWorld.c + +# "Nasilu" premenuj, alebo presuň +# "existujúciSúbor" už v adresári existuje, bude prepísaný +$ git mv -f môjSúbor existujúciSúbor + +# Aktualizuje tvoj lokálny repozitár zlúčením nových zmien +# zo vzdialených "origin" a "master" vetiev. +# git pull +$ git pull origin master + +# Predvolene, git pull aktualizuje tvoju aktuálnu vetvu +# zlúčením nových zmien zo vzdialenej vetvy +$ git pull + +# Zlúč zmeny zo vzdialenej vetvy a presuň vetvu do nového základného commitu (rebase) +# vetva commitne na tvoj lokálny repozitár, ekvivalentný príkaz: "git pull , git rebase " +$ git pull origin master --rebase + +# Zverejni a zlúč zmeny z lokálneho repozitára do +# vzdialených vetiev s názvom "origin" a "master". +# git push +$ git push origin master + +# Predvolene git zverejní a zlúči zmeny z +# aktuálnej vetvy do vzdialenej vetvy s ňou spojenej +$ git push + +# Na spojenie lokálnej vetvy so vzdialenou pridaj -u: +$ git push -u origin master +# Kedykoľvek budeš chcieť zverejniť z rovnakej lokálnej vetvy, použi príkaz: +$ git push + +# Aplikuj commity z experimentálnej vetvy na master +# git rebase +$ git rebase master experimentBranch + +# Resetni index (vrstvu medzi pracovným stromom a Git repozitárom), aby odpovedal najnovšiemu commitu (adresár ostane nezmenený) +$ git reset + +# Resetni index, aby odpovedal najnovšiemu commitu (adresár sa prepíše) +$ git reset --hard + +# Presunie vrchol aktuálnuej vetvy do konkrétneho commitu (adresár ostane nezmenený) +# všetky zmeny sú zachované v adresári. +$ git reset 31f2bb1 + +# Vezmi späť konkrétny commit +$ git revert + +# odstráň HelloWorld.c +$ git rm HelloWorld.c + +# Odstráň súbor z vnoreného adresára +$ git rm /pather/to/the/file/HelloWorld.c + + + + + + + + + diff --git a/sk-sk/git.html.markdown b/sk-sk/git.html.markdown index e68de3f5..21741406 100644 --- a/sk-sk/git.html.markdown +++ b/sk-sk/git.html.markdown @@ -154,7 +154,7 @@ Na zobrazenie rozdielov medzi indexovými súbormi (tvoj pracovný repozitár) a # Zobrazí vetvu, nesledované súbory, zmeny a ostatné rozdiely $ git status -# Zisti iné vychytávky o git statuse +# Zistí iné vychytávky o git statuse $ git help status ``` @@ -404,9 +404,8 @@ Saved working directory and index state \ Teraz môžeš uložiť vzdialenú vetvu! ```bash -git pull +$ git pull ``` -`...zmeny sa zaznamenajú...` Over, či je všetko v poriadku From 913830a6b37ed27588e17673d60bace5235816b0 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Miko=C5=82aj=20Rozwadowski?= Date: Mon, 16 Nov 2015 23:09:22 +0100 Subject: [PATCH 225/286] Fix typos, improve the language --- pl-pl/python-pl.html.markdown | 159 +++++++++++++++++----------------- 1 file changed, 81 insertions(+), 78 deletions(-) diff --git a/pl-pl/python-pl.html.markdown b/pl-pl/python-pl.html.markdown index ade1d7ca..023c3e6b 100644 --- a/pl-pl/python-pl.html.markdown +++ b/pl-pl/python-pl.html.markdown @@ -30,7 +30,7 @@ działać w wersjach 2.x. Dla wersji 3.x znajdziesz odpowiedni artykuł na stron # Pojedyncze komentarze oznaczamy takim symbolem. """ Wielolinijkowe napisy zapisywane są przy użyciu - trzech znaków cudzysłowiu i często + potrójnych cudzysłowów i często wykorzystywane są jako komentarze. """ @@ -47,11 +47,11 @@ działać w wersjach 2.x. Dla wersji 3.x znajdziesz odpowiedni artykuł na stron 10 * 2 # => 20 35 / 5 # => 7 -# Dzielenie może być kłopotliwe. Poniższe to dzielenie +# Dzielenie może być kłopotliwe. Poniższe działanie to dzielenie # całkowitoliczbowe(int) i wynik jest automatycznie zaokrąglany. 5 / 2 # => 2 -# Aby to naprawić musimy powiedzieć nieco o liczbach zmiennoprzecinkowych. +# Aby to naprawić, musimy powiedzieć nieco o liczbach zmiennoprzecinkowych. 2.0 # To liczba zmiennoprzecinkowa, tzw. float 11.0 / 4.0 # => 2.75 ahhh...znacznie lepiej @@ -65,7 +65,7 @@ działać w wersjach 2.x. Dla wersji 3.x znajdziesz odpowiedni artykuł na stron # Operator modulo - wyznaczanie reszty z dzielenia 7 % 3 # => 1 -# Potęgowanie (x do potęgi ytej) +# Potęgowanie (x do potęgi y-tej) 2**4 # => 16 # Wymuszanie pierwszeństwa w nawiasach @@ -83,7 +83,7 @@ False or True #=> True # Prawda 2 == True #=> False k1 == True #=> True -# aby zanegować użyj "not" +# aby zanegować, użyj "not" not True # => False not False # => True @@ -112,7 +112,7 @@ not False # => True # Napisy można dodawać! "Witaj " + "świecie!" # => "Witaj świecie!" -# ... a nawet mnożone +# ... a nawet mnożyć "Hej" * 3 # => "HejHejHej" # Napis może być traktowany jako lista znaków @@ -124,7 +124,7 @@ not False # => True # Jednak nowszym sposobem formatowania jest metoda "format". # Ta metoda jest obecnie polecana: "{0} są {1}".format("napisy", "fajne") -# Jeśli nie chce ci się liczyć użyj słów kluczowych. +# Jeśli nie chce ci się liczyć, użyj słów kluczowych. "{imie} chce zjeść {jadlo}".format(imie="Bob", jadlo="makaron") # None jest obiektem @@ -135,12 +135,12 @@ None # => None "etc" is None # => False None is None # => True -# Operator 'is' testuje identyczność obiektów. To nie jest zbyt +# Operator 'is' testuje identyczność obiektów. Nie jest to zbyt # pożyteczne, gdy działamy tylko na prostych wartościach, # ale przydaje się, gdy mamy do czynienia z obiektami. -# None, 0, i pusty napis "" są odpowiednikami logicznego False. -# Wszystkie inne wartości są True +# None, 0 i pusty napis "" są odpowiednikami logicznego False. +# Wszystkie inne wartości są uznawane za prawdę (True) bool(0) # => False bool("") # => False @@ -149,20 +149,20 @@ bool("") # => False ## 2. Zmienne i zbiory danych #################################################### -# Python ma wyrażenie wypisujące "print" we wszystkich wersjach 2.x, ale -# zostało usunięte z wersji 3. -print "Jestem Python. Miło poznać!" -# Python ma też funkcję "print" dostępną w wersjach 2.7 and 3... +# Python ma instrukcję wypisującą "print" we wszystkich wersjach 2.x, ale +# została ona usunięta z wersji 3. +print "Jestem Python. Miło Cię poznać!" +# Python ma też funkcję "print" dostępną w wersjach 2.7 i 3... # ale w 2.7 musisz dodać import (odkomentuj): # from __future__ import print_function print("Ja też jestem Python! ") # Nie trzeba deklarować zmiennych przed przypisaniem. -jakas_zmienna = 5 # Konwencja mówi: używaj małych znaków i kładki _ +jakas_zmienna = 5 # Konwencja mówi: używaj małych liter i znaków podkreślenia _ jakas_zmienna # => 5 # Próba dostępu do niezadeklarowanej zmiennej da błąd. -# Przejdź do sekcji Obsługa wyjątków po więcej... +# Przejdź do sekcji Obsługa wyjątków, aby dowiedzieć się więcej... inna_zmienna # Wyrzuca nazwę błędu # "if" może być użyte jako wyrażenie @@ -173,7 +173,7 @@ li = [] # Możesz zacząć od wypełnionej listy inna_li = [4, 5, 6] -# Dodaj na koniec używając "append" +# Dodaj na koniec, używając "append" li.append(1) # li to teraz [1] li.append(2) # li to teraz [1, 2] li.append(4) # li to teraz [1, 2, 4] @@ -185,7 +185,7 @@ li.append(3) # li to znowu [1, 2, 4, 3]. # Dostęp do list jak do każdej tablicy li[0] # => 1 -# Użyj = aby nadpisać wcześniej wypełnione miejsca w liście +# Aby nadpisać wcześniej wypełnione miejsca w liście, użyj znaku = li[0] = 42 li[0] # => 42 li[0] = 1 # Uwaga: ustawiamy starą wartość @@ -195,7 +195,7 @@ li[-1] # => 3 # Jeżeli wyjdziesz poza zakres... li[4] # ... zobaczysz IndexError -# Możesz tworzyć wyniki. +# Możesz też tworzyć wycinki. li[1:3] # => [2, 4] # Bez początku li[2:] # => [4, 3] @@ -213,12 +213,12 @@ del li[2] # li to teraz [1, 2, 3] # Listy można dodawać li + inna_li # => [1, 2, 3, 4, 5, 6] -# Uwaga: wartości poszczególnych list się nie zmieniają. +# Uwaga: wartości oryginalnych list li i inna_li się nie zmieniają. # Do łączenia list użyj "extend()" li.extend(other_li) # li to teraz [1, 2, 3, 4, 5, 6] -# Sprawdź czy jest w liście używając "in" +# Sprawdź, czy element jest w liście używając "in" 1 in li # => True # "len()" pokazuje długość listy @@ -238,7 +238,7 @@ tup[:2] # => (1, 2) # Można rozpakować krotki i listy do poszczególych zmiennych a, b, c = (1, 2, 3) # a to teraz 1, b jest 2, a c to 3 -# Jeżeli zapomnisz nawiasów automatycznie tworzone są krotki +# Jeżeli zapomnisz nawiasów, automatycznie tworzone są krotki d, e, f = 4, 5, 6 # Popatrz jak prosto zamienić wartości e, d = d, e # d to teraz 5 a e to 4 @@ -252,28 +252,28 @@ pelen_slownik = {"raz": 1, "dwa": 2, "trzy": 3} # Podglądany wartość pelen_slownik["one"] # => 1 -# Wypisz wszystkie klucze używając "keys()" +# Wypisz wszystkie klucze, używając "keys()" pelen_slownik.keys() # => ["trzy", "dwa", "raz"] -# Uwaga: słowniki nie gwarantują kolejności występowania kluczy. +# Uwaga: słowniki nie zapamiętują kolejności kluczy. # A teraz wszystkie wartości "values()" pelen_slownik.values() # => [3, 2, 1] # Uwaga: to samo dotyczy wartości. -# Sprawdzanie czy występuje to "in" +# Sprawdzanie czy klucz występuje w słowniku za pomocą "in" "raz" in pelen_slownik # => True 1 in pelen_slownik # => False # Próba dobrania się do nieistniejącego klucza da KeyError pelen_slownik["cztery"] # KeyError -# Użyj "get()" method aby uniknąć KeyError +# Użyj metody "get()", aby uniknąć błędu KeyError pelen_slownik.get("raz") # => 1 pelen_slownik.get("cztery") # => None # Metoda get zwraca domyślną wartość gdy brakuje klucza pelen_slownik.get("one", 4) # => 1 pelen_slownik.get("cztery", 4) # => 4 -# zauważ, że pelen_slownik.get("cztery") jest wciąż => None +# zauważ, że pelen_slownik.get("cztery") wciąż zwraca => None # (get nie ustawia wartości słownika) # przypisz wartość do klucza podobnie jak w listach @@ -284,12 +284,12 @@ pelen_slownik.setdefault("piec", 5) # pelen_slownik["piec"] daje 5 pelen_slownik.setdefault("piec", 6) # pelen_slownik["piec"] to wciąż 5 -# Teraz zbiory (set) ... cóż zbiory (to po prostu listy ale bez potórzeń) +# Teraz zbiory (set) - działają jak zwykłe listy, ale bez potórzeń pusty_zbior = set() # Inicjalizujemy "set()" pewnymi wartościami jakis_zbior = set([1, 2, 2, 3, 4]) # jakis_zbior to teraz set([1, 2, 3, 4]) -# kolejność nie jest gwarantowana, nawet gdy wydaje się posortowane +# kolejność nie jest zachowana, nawet gdy wydaje się posortowane inny_zbior = set([4, 3, 2, 2, 1]) # inny_zbior to set([1, 2, 3, 4]) # Od Pythona 2.7 nawiasy klamrowe {} mogą być użyte do deklarowania zbioru @@ -298,7 +298,7 @@ pelen_zbior = {1, 2, 2, 3, 4} # => {1, 2, 3, 4} # Dodaj więcej elementów przez "add()" pelen_zbior.add(5) # pelen_zbior is now {1, 2, 3, 4, 5} -# Znajdź przecięcie zbiorów używając & +# Znajdź przecięcie (część wspólną) zbiorów, używając & inny_zbior = {3, 4, 5, 6} pelen_zbior & other_set # => {3, 4, 5} @@ -317,32 +317,32 @@ pelen_zbior | other_set # => {1, 2, 3, 4, 5, 6} ## 3. Kontrola przepływu #################################################### -# Tworzymy zmienną some_var -some_var = 5 +# Tworzymy zmienną jakas_zm +jakas_zm = 5 -# Tutaj widzisz wyrażenie warunkowe "if". Wcięcia są ważne Pythonie! -# wypisze "some_var jest mniejsza niż 10" -if some_var > 10: - print("some_var jest wieksza niż 10") -elif some_var < 10: # This elif clause is optional. - print("some_var jest mniejsza niż 10") -else: # This is optional too. - print("some_var jest równa 10") +# Tutaj widzisz wyrażenie warunkowe "if". Wcięcia w Pythonie są ważne! +# Poniższy kod wypisze "jakas_zm jest mniejsza niż 10" +if jakas_zm > 10: + print("jakas_zm jest wieksza niż 10") +elif some_var < 10: # Opcjonalna klauzula elif + print("jakas_zm jest mniejsza niż 10") +else: # Również opcjonalna klauzula else + print("jakas_zm jest równa 10") """ -Pętla for iteruje po elementach listy wypisując: +Pętla for iteruje po elementach listy, wypisując: pies to ssak kot to ssak mysz to ssak """ for zwierze in ["pies", "kot", "mysz"]: - # Możesz użyć % aby stworzyć sformatowane napisy - print("%s to ssak" % zwierze) + # Użyj metody format, aby umieścić wartość zmiennej w ciągu + print("{0} to ssak".format(zwierze)) """ "range(liczba)" zwraca listę liczb -od zera do danej liczby: +z przedziału od zera do wskazanej liczby (bez niej): 0 1 2 @@ -352,7 +352,7 @@ for i in range(4): print(i) """ -While to pętla która jest wykonywana dopóki spełniony jest warunek: +While to pętla, która jest wykonywana, dopóki spełniony jest warunek: 0 1 2 @@ -363,46 +363,46 @@ while x < 4: print(x) x += 1 # Skrót od x = x + 1 -# Wyjątki wyłapujemy używając try, except +# Wyjątki wyłapujemy, używając try i except # Działa w Pythonie 2.6 i wyższych: try: - # Użyj "raise" aby wyrzucić wyjąte + # Użyj "raise" aby wyrzucić wyjątek raise IndexError("To błąd indeksu") except IndexError as e: - pass # Pass to brak reakcji na błąd. Zazwyczaj nanosisz tu poprawki. + pass # Pass to brak reakcji na błąd. Zwykle opisujesz tutaj, jak program ma się zachować w przypadku błędu. except (TypeError, NameError): - pass # kilka wyjątków może być przechwyce razem. + pass # kilka wyjątków można przechwycić jednocześnie. else: # Opcjonalna część bloku try/except. Musi wystąpić na końcu print "Wszystko ok!" # Zadziała tylko, gdy program nie napotka wyjatku. #################################################### -## 4. Funkcjie +## 4. Funkcje #################################################### -# Użyj "def" aby stworzyć nową funkcję +# Użyj "def", aby stworzyć nową funkcję def dodaj(x, y): - print("x to %s a y to %s" % (x, y)) - return x + y # słówko kluczowe return zwraca wynik działania + print("x to %s, a y to %s" % (x, y)) + return x + y # słowo kluczowe return zwraca wynik działania -# Tak wywołuje się funkcję z parametrami (args): -dodaj(5, 6) # => wypisze "x to 5 a y to 6" i zwróci 11 +# Tak wywołuje się funkcję z parametrami: +dodaj(5, 6) # => wypisze "x to 5, a y to 6" i zwróci 11 # Innym sposobem jest wywołanie z parametrami nazwanymi. dodaj(y=6, x=5) # tutaj kolejność podania nie ma znaczenia. -# Można też stworzyć funkcję, które przyjmują różną ilość parametrów -# nienazwanych args, co będzie interpretowane jako krotka jeśli nie użyjesz * +# Można też stworzyć funkcję, które przyjmują zmienną liczbę parametrów pozycyjnych, +# które zostaną przekazana jako krotka, pisząc w definicji funkcji "*args" def varargs(*args): return args varargs(1, 2, 3) # => (1, 2, 3) -# Można też stworzyć funkcję, które przyjmują różną ilość parametrów -# nazwanych kwargs, które będa interpretowane jako słownik jeśli nie dasz ** +# Można też stworzyć funkcję, które przyjmują zmienną liczbę parametrów +# nazwanych kwargs, które zostaną przekazane jako słownik, pisząc w definicji funkcji "**kwargs" def keyword_args(**kwargs): return kwargs @@ -410,12 +410,12 @@ def keyword_args(**kwargs): keyword_args(wielka="stopa", loch="ness") # => {"wielka": "stopa", "loch": "ness"} -# Możesz też to pomieszać +# Możesz też przyjmować jednocześnie zmienną liczbę parametrów pozycyjnych i nazwanych def all_the_args(*args, **kwargs): print(args) print(kwargs) """ -all_the_args(1, 2, a=3, b=4) wyrzuci: +all_the_args(1, 2, a=3, b=4) wypisze: (1, 2) {"a": 3, "b": 4} """ @@ -435,7 +435,7 @@ def pass_all_the_args(*args, **kwargs): print varargs(*args) print keyword_args(**kwargs) -# Zakres widoczności +# Zasięg zmiennych x = 5 def setX(num): @@ -461,14 +461,14 @@ def rob_dodawacz(x): dodaj_10 = rob_dodawacz(10) dodaj_10(3) # => 13 -# Są również funkcje nienazwane "lambda" +# Są również funkcje anonimowe "lambda" (lambda x: x > 2)(3) # => True -# Są także wbudowane funkcje wysokiego poziomu +# Python ma też wbudowane funkcje wyższego rzędu (przyjmujące inną funkcje jako parametr) map(add_10, [1, 2, 3]) # => [11, 12, 13] filter(lambda x: x > 5, [3, 4, 5, 6, 7]) # => [6, 7] -# Można używać wyrażeń listowych do mapowania (map) i filtrowania (filter) +# Można używać wyrażeń listowych (list comprehensions) do mapowania i filtrowania [add_10(i) for i in [1, 2, 3]] # => [11, 12, 13] [x for x in [3, 4, 5, 6, 7] if x > 5] # => [6, 7] @@ -485,18 +485,18 @@ class Czlowiek(object): # Podstawowa inicjalizacja - wywoływana podczas tworzenia instacji. # Zauważ, że podwójne podkreślenia przed i za nazwą oznaczają - # obietky lub atrybuty, który żyją tylko w kontrolowanej przez - # użytkownika przestrzeni nazw. Nie używaj ich we własnych metodach. + # specjalne obiekty lub atrybuty wykorzystywane wewnętrznie przez Pythona. + # Nie używaj ich we własnych metodach. def __init__(self, nazwa): # przypisz parametr "nazwa" do atrybutu instancji self.nazwa = nazwa - # Metoda instancji. Wszystkie metody biorą "self" jako pierwszy argument + # Metoda instancji. Wszystkie metody przyjmują "self" jako pierwszy argument def mow(self, wiadomosc): return "%s: %s" % (self.nazwa, wiadomosc) # Metoda klasowa współdzielona przez instancje. - # Ma wywołującą klasę jako pierwszy argument. + # Przyjmuje wywołującą klasę jako pierwszy argument. @classmethod def daj_gatunek(cls): return cls.gatunek @@ -540,7 +540,8 @@ print(ceil(3.7)) # => 4.0 print(floor(3.7)) # => 3.0 # Można zaimportować wszystkie funkcje z danego modułu. -# Ostrzeżenie: nie jest to polecane. +# Uwaga: nie jest to polecane, bo później w kodzie trudno połapać się, +# która funkcja pochodzi z którego modułu. from math import * # Można skracać nazwy modułów. @@ -550,7 +551,7 @@ math.sqrt(16) == m.sqrt(16) # => True from math import sqrt math.sqrt == m.sqrt == sqrt # => True -# Moduły pythona to zwykłe skrypty napisane w tym języku. Możesz +# Moduły Pythona to zwykłe skrypty napisane w tym języku. Możesz # pisać własne i importować je. Nazwa modułu to nazwa pliku. # W ten sposób sprawdzisz jakie funkcje wchodzą w skład modułu. @@ -568,14 +569,16 @@ def podwojne_liczby(iterowalne): yield i + i # Generatory tworzą wartości w locie. -# W przeciwienstwie do wygenerowania wartości raz i ich zachowania, -# powstają one na bieżąco, w wyniku iteracji. To oznacza, że wartości -# większe niż 15 nie będą przetworzone w funkcji "podwojne_liczby". +# Zamiast generować wartości raz i zapisywać je (np. w liście), +# generator tworzy je na bieżąco, w wyniku iteracji. To oznacza, +# że w poniższym przykładzie wartości większe niż 15 nie będą przetworzone +# w funkcji "podwojne_liczby". # Zauważ, że xrange to generator, który wykonuje tę samą operację co range. # Stworzenie listy od 1 do 900000000 zajęłoby sporo czasu i pamięci, -# a xrange tworzy obiekt generatora zamiast tworzyć całą listę jak range. -# Użyto podkreślinika, aby odróżnić nazwę zmiennej od słówka kluczowego -# Pythona. +# a xrange tworzy obiekt generatora zamiast budować całą listę jak range. + +# Aby odróżnić nazwę zmiennej od nazwy zarezerwowanej w Pythonie, używamy +# zwykle na końcu znaku podkreślenia xrange_ = xrange(1, 900000000) # poniższa pętla będzie podwajać liczby aż do 30 @@ -587,7 +590,7 @@ for i in podwojne_liczby(xrange_): # Dekoratory # w tym przykładzie "beg" jest nakładką na "say" -# Beg wywołuje say. Jeśli say_please jest prawdziwe wtedy wzracana wartość +# Beg wywołuje say. Jeśli say_please jest prawdziwe, wtedy zwracana wartość # zostanie zmieniona from functools import wraps From e538185c0a3fbbfef7017744a44e1a98a7e50565 Mon Sep 17 00:00:00 2001 From: Zoffix Znet Date: Tue, 17 Nov 2015 13:47:55 -0500 Subject: [PATCH 226/286] $! is not available inside the CATCH{} --- perl6.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/perl6.html.markdown b/perl6.html.markdown index 43327edb..fce1dca5 100644 --- a/perl6.html.markdown +++ b/perl6.html.markdown @@ -738,7 +738,7 @@ try { # You can throw an exception using `die`: die X::AdHoc.new(payload => 'Error !'); -# You can access the last exception with `$!` (usually used in a `CATCH` block) +# You can access the last exception with `$!` (use `$_` in a `CATCH` block) # There are also some subtelties to exceptions. Some Perl 6 subs return a `Failure`, # which is a kind of "unthrown exception". They're not thrown until you tried to look From 946b4f260220cc4caaaa9ab7d45109148579ca5f Mon Sep 17 00:00:00 2001 From: Michel Antoine Date: Wed, 18 Nov 2015 23:39:51 -0800 Subject: [PATCH 227/286] Add French Javascript ES6 --- fr-fr/javascript-fr.html.markdown | 275 ++++++++++++++++++++++++++---- 1 file changed, 243 insertions(+), 32 deletions(-) diff --git a/fr-fr/javascript-fr.html.markdown b/fr-fr/javascript-fr.html.markdown index 15478cdb..fd1d40a3 100644 --- a/fr-fr/javascript-fr.html.markdown +++ b/fr-fr/javascript-fr.html.markdown @@ -6,23 +6,26 @@ contributors: filename: javascript-fr.js translators: - ['@nbrugneaux', 'https://nicolasbrugneaux.me'] + - ['Michel Antoine', 'https://github.com/antoin-m'] lang: fr-fr --- JavaScript a été créé par Brendan Eich, travaillant alors a Netscape, en 1995. Le langage avait à l'origine pour but d'être un langage de scripting simple pour les sites web, complétant le Java (à ne pas confondre avec JavaScript) -pour des applications web complexes. Mais son intégration très proche et -simple des pages web, ainsi que le support natif des navigateurs a rendu -le JavaScript incontournable aujourd'hui tant bien dans le front-end que +pour des applications web complexes. Mais son intégration très proche et +simple des pages web, ainsi que le support natif des navigateurs a rendu +le JavaScript incontournable aujourd'hui tant bien dans le front-end que dans le back-end. En effet, le JavaScript n'est plus uniquement limité aux navigateurs, grâce à -Node.JS, un projet qui offre un environnement indépendant dans lequel un -interpréteur Javascript, basé sur le célèbre moteur V8 de Google Chrome, +Node.JS, un projet qui offre un environnement indépendant dans lequel un +interpréteur Javascript, basé sur le célèbre moteur V8 de Google Chrome, peut être utilisé directement côté serveur pour exécuter des programmes écrits en JavaScript. +ECMAScript (la norme du langage Javascript) entre en version 6. Cette version introduit de nombreuses mises à jour tout en restant rétrocompatible. L'implémentation de ces nouvelles fonctionnalités est en cours et celles-ci ne sont donc pas forcément compatibles avec tous les navigateurs. + ```js // Les commentaires sont comme en C. Les commentaires mono-ligne commencent par 2 slashs, /* et les commentaires sur plusieurs lignes commencent avec slash-étoile @@ -31,7 +34,7 @@ en JavaScript. // Toutes les expressions peuvent finir par ; doStuff(); -// ... mais n'en n'ont pas forcément besoin, les point-virgules sont ajoutés +// ... mais n'en n'ont pas forcément besoin, les point-virgules sont ajoutés // lors de l’interprétation aux sauts de ligne, sauf exceptions doStuff() @@ -79,6 +82,12 @@ false; // faux "abc"; 'Hello, world'; +// *ES6:* Les chaines de caractères peuvent être crées en utilisant un modèle +// entouré des quotes inverses (`) à la place des quotes classiques (' ou "). +// Les variables sont interprétées avec ${var} +let banta = "Harry", santa = "Hermione"; +`${banta}, your santa is ${santa}.` // = "Harry, your santa is Hermione." + // La négation utilise le symbole ! !true; // = false !false; // = true @@ -117,26 +126,34 @@ false; // faux // Il y a également null et undefined null; // utilisé pour une non-valeur -undefined; // utilisé pour une valeur actuellement non présente (cependant, +undefined; // utilisé pour une valeur actuellement non présente (cependant, // undefined est aussi une valeur valide) // false, null, undefined, NaN, 0 and '' sont 'presque-faux' (falsy), tout le reste // est 'presque-vrai' (truthy) // Notez que 0 est falsy mais '0' est truthy, alors même que 0 == '0' (mais 0 !== '0') +// *ES6:* Introduction d'un nouveau type primitif : Symbol +var symbol_one = Symbol(); +var symbol_two = Symbol('This is optional description, for debugging'); +typeof symbol_one === 'symbol' // = true + +// *ES6:* Un Symbol est immutable et unique +Symbol() === Symbol() // = false +Symbol('learnx') === Symbol('learnx') // = false /////////////////////////////////// -// 2. Variables, Tableaux et Objets +// 2. Variables, Tableaux, Objets, Maps et Sets -// Les variables sont déclarées avec le mot clé var. Le typage en JavaScript est +// Les variables sont déclarées avec le mot clé var. Le typage en JavaScript est // dynamique, donc pas besoin de spécifier le type. L'assignement utilise un seul =. var someVar = 5; // si vous oubliez le mot clé var, vous n'aurez pas d'erreur (sauf en mode strict) someOtherVar = 10; -// ... mais la variable aura une portée globale (plus communément trouvé en tant -// que "global scope" en anglais), et non pas une portée limitée à la fonction +// ... mais la variable aura une portée globale (plus communément trouvé en tant +// que "global scope" en anglais), et non pas une portée limitée à la fonction // dans laquelle vous l'aviez définie. // Les variables déclarées et non assignées sont undefined par défaut @@ -145,6 +162,32 @@ var someThirdVar = undefined; // ... sont deux déclarations identiques. +// Il est possible de déclarer plusieurs variables en séparant leur déclaration +// avec l'opérateur virgule +var someFourthVar = 2, someFifthVar = 4; + +// *ES6:* Les variables peuvent maintenant être déclarées avec les mots-clés +// `let` et `const` +let someSixthVar = 6; +const someSeventhVar = 7; + +// *ES6:* Le mot-clé `let` attache la variable au block de code et non à la fonction +// à l'inverse de `var` +for (let i = 0; i < 10; i++) { + x += 10; +} +i; // = raises ReferenceError + +// *ES6:* Les variables "const" doivent être assignées lors de l'initialisation +const someEighthVar = 7; +const someNinthVar; // raises SyntaxError + +// *ES6:* Modifier une variable constante ne lève par d'erreur mais échoue +// silencieusement +const someNinthVar = 9; +someNinthVar = 10; +someNinthVar; // = 9 + // Il y a des raccourcis pour les opérations mathématiques: someVar += 5; // équivalent pour someVar = someVar + 5; someVar *= 10; // de même, someVar = someVar * 100; @@ -165,6 +208,22 @@ myArray.length; // = 4 // Ajout/Modification à un index spécifique myArray[3] = 'Hello'; +// *ES6:* Les Arrays peuvent maintenant être déstructurés en utilisant le pattern matching +var [a, b] = [1, 2]; +var [a, , b] = [1, -2, 2] + +a; // = 1 +b; // = 2 + +// *ES6:* La déstructuration peut échouer silencieusement. +// Il est aussi possible d'utiliser des valeurs par défaut +var [a] = []; +a; // = undefined; +var [a = 1] = []; +a; // = 1; +var [a = 1] = [2]; +a; // = 2; + // Les objets JavaScript sont appelés 'dictionnaires' ou 'maps' dans certains autres // langages : ils sont une liste non-ordonnée de paires clé-valeur. var myObj = {key1: 'Hello', key2: 'World'}; @@ -179,12 +238,82 @@ myObj['my other key']; // = 4 // .. ou avec un point si la clé est un identifiant valide. myObj.myKey; // = 'myValue' +// *ES6:* Un Symbol peut être utilisé en tant que clé. Puisque ceux-ci sont uniques, +// le seul moyen d'accéder à la propriété est d'avoir une référence sur ce Symbol. +myObj["key"] = "public value"; +myObj[Symbol("key")] = "secret value"; +myObj[Symbol("key")]; // = undefined + // Les objets sont eux aussi modifiables. myObj.myThirdKey = true; // Si vous essayez d'accéder à une valeur non-définie, vous obtiendrez undefined myObj.myFourthKey; // = undefined +// *ES6:* Comme les Arrays, les Objects peuvent être déstructurés en utilisant le pattern matching +var {foo} = {foo: "bar"}; +foo // = "bar" + +// *ES6:* Les Objects déstructurés peuvent utiliser des noms de variables différents +// de ceux d'origine grâce au pattern matching +var {foo, moo: baz} = {foo: "bar", moo: "car"}; +foo // = "bar" +baz // = "car" + +// *ES6:* Il est possible d'utiliser des valeurs par défaut lor de la déstructuration d'un Object +var {foo="bar"} = {moo: "car"}; +foo // = "bar" + +// *ES6:* Une erreur lors de la déstructuration restera silencieuse +var {foo} = {}; +foo // = undefined + +// *ES6:* ES6 ajoute les iterateurs. Pour accéder à l'iterateur de n'importe quel +// objet il faut utiliser la clé `Symbol.iterator`. +var iterator1 = myArr[Symbol.iterator]; // = returns iterator function + +// *ES6:* Si l'objet possède une valeur à la clé `Symbol.iterator` alors la +// collection est itérable +if (typeof myObj[Symbol.iterator] !== "undefined") { + console.log("You can iterate over myObj"); +} + +// *ES6:* En utilisant la méthode next() de l'iterateur nous recevons un objet +// avec deux propriétés : `value` et `done` +var iterator = myArr[Symbol.iterator]; // myArr = [1,2] +var myArrItem = null; + +myArrItem = iterator.next(); +myArrItem.value; // = 1 +myArrItem.done; // = false + +myArrItem = iterator.next(); +myArrItem.value; // = 2 +myArrItem.done; // = false + +myArrItem = iterator.next(); +myArrItem.value; // = undefined +myArrItem.done; // = true + +// *ES6:* Les Maps sont des objets itérables de type clé-valeur. +// Il est possible de créer une nouvelle map en utilisant `new Map()` +var myMap = new Map(); + +// *ES6:* Il est possible d'ajouter un couple clé-valeur avec la méthode `.set()`, +// de récupérer une valeur avec `.get()`, +// de vérifier qu'une clé existe avec `.has()` +// et enfin de supprimer un couple clé-valeur avec `.delete()` + +myMap.set("name", "Douglas"); +myMap.get("name"); // = "Douglas" +myMap.has("name"); // = true +myMap.delete("name"); + +// *ES6:* Les Sets sont des ensembles de valeurs uniques. +// Il est possible de créer un set avec `new Set()`. +// Toute valeur non unique est ignorée. +var mySet = new Set([1,2,2]); +console.log([...mySet]); // = [1,2] /////////////////////////////////// // 3. Logique et structures de contrôle @@ -198,7 +327,7 @@ else if (count === 4) { // uniquement quand count est 4 } else { - // le reste du temps, si ni 3, ni 4. + // le reste du temps, si ni 3, ni 4. } // De même pour while. @@ -264,7 +393,21 @@ function myFunction(thing){ } myFunction('foo'); // = 'FOO' -// Les fonctions JavaScript sont des objets de première classe, donc peuvent +// Attention, la valeur à retourner doit se trouver sur la même ligne que +// le mot-clé `return` sinon la fonction retournera systématiquement `undefined` +function myFunction(){ + return // <- semicolon automatically inserted here + {thisIsAn: 'object literal'} +} +myFunction(); // = undefined + +// *ES6:* Les paramètres des fonctions peuvent désormais avoir des valeurs par défaut +function default(x, y = 2) { + return x + y; +} +default(10); // == 12 + +// Les fonctions JavaScript sont des objets de première classe, donc peuvent // être réassignées à d'autres variables et passées en tant que paramètres pour // d'autres fonctions function myFunction(){ @@ -274,13 +417,17 @@ setTimeout(myFunction, 5000); // Note: setTimeout ne fait pas parti du langage, mais les navigateurs ainsi // que Node.js le rendent disponible -// Les fonctions n'ont pas nécessairement besoin d'un nom, elles peuvent être +// Les fonctions n'ont pas nécessairement besoin d'un nom, elles peuvent être // anonymes setTimeout(function(){ // ce code s'exécutera dans 5 secondes }, 5000); -// Le Javascript crée uniquement un scope, une portée d'action limitée, pour +// *ES6:* Introduction d'un sucre syntaxique permettant de créer +// une fonction anonyme de la forme : `param => returnValue`. +setTimeout(() => console.log('5 seconds, are up.'), 5000); + +// Le Javascript crée uniquement un scope, une portée d'action limitée, pour // les fonctions, et pas dans les autres blocs. if (true){ var i = 5; @@ -293,7 +440,7 @@ i; // = 5 - et non undefined comme vous pourriez vous y attendre var temporary = 5; // Nous pouvons accéder au scope global en assignant à l'objet global, // qui dans les navigateurs est "window". Il est différent dans Node.js, - // le scope global sera en fait local au module dans lequel vous + // le scope global sera en fait local au module dans lequel vous // vous trouvez. http://nodejs.org/api/globals.html window.permanent = 10; })(); @@ -302,8 +449,8 @@ i; // = 5 - et non undefined comme vous pourriez vous y attendre temporary; // raises ReferenceError permanent; // = 10 -// Une des fonctionnalités les plus puissantes de Javascript est le système de -// closures. Si une fonction est définie dans une autre fonction, alors la +// Une des fonctionnalités les plus puissantes de Javascript est le système de +// closures. Si une fonction est définie dans une autre fonction, alors la // fonction interne aura accès aux variables de la fonction parente, même si // celle-ci a déjà finie son exécution. function sayHelloInFiveSeconds(name){ @@ -318,6 +465,18 @@ function sayHelloInFiveSeconds(name){ } sayHelloInFiveSeconds('Adam'); // ouvre un popup avec 'Hello, Adam!' dans 5sec +// *ES6:* Les paramètres des fonctions appelées avec un tableau en entré +// préfixé par `...` vont se peupler avec les éléments du tableau +function spread(x, y, z) { + return x + y + z; +} +spread(...[1,2,3]); // == 6 + +// *ES6:* Les fonctions peuvent recevoir les paramètres dans un tableau en utilisant l'opérateur `...` +function spread(x, y, z) { + return x + y + z; +} +spread(...[1,2,3]); // == 6 /////////////////////////////////// // 5. Encore plus à propos des Objets; Constructeurs and Prototypes @@ -340,7 +499,7 @@ myObj = { }; myObj.myFunc(); // = 'Hello world!' -// La valeur de "this" change de par l'endroit où la fonction est appelée, et +// La valeur de "this" change de par l'endroit où la fonction est appelée, et // non de l'endroit où elle est définie. Donc elle ne fonctionnera pas si elle // est appelée hors du contexte l'objet. var myFunc = myObj.myFunc; @@ -356,7 +515,7 @@ myObj.myOtherFunc = myOtherFunc; myObj.myOtherFunc(); // = 'HELLO WORLD!' // Le contexte correspond à la valeur de "this". -// Nous pouvons aussi spécifier un contexte, forcer la valeur de "this, +// Nous pouvons aussi spécifier un contexte, forcer la valeur de "this, // pour une fonction quand elle est appelée grâce à "call" ou "apply". var anotherFunc = function(s){ return this.myString + s; @@ -371,19 +530,19 @@ Math.min(42, 6, 27); // = 6 Math.min([42, 6, 27]); // = NaN (uh-oh!) Math.min.apply(Math, [42, 6, 27]); // = 6 -// Mais, "call" and "apply" fonctionnenent uniquement au moment de l'appel de la -// fonction. Pour lier le contexte de façon permanente, nous pouvons utiliser +// Mais, "call" and "apply" fonctionnenent uniquement au moment de l'appel de la +// fonction. Pour lier le contexte de façon permanente, nous pouvons utiliser // "bind" pour garder une référence à la fonction avec ce "this". var boundFunc = anotherFunc.bind(myObj); boundFunc(' And Hello Saturn!'); // = 'Hello World! And Hello Saturn!' -// "bind" peut aussi être utilisé pour créer une application partielle de la +// "bind" peut aussi être utilisé pour créer une application partielle de la // fonction (curry) var product = function(a, b){ return a * b; } var doubler = product.bind(this, 2); doubler(8); // = 16 -// Lorsque vous appelez une fonction avec le mot clé "new", un nouvel objet est +// Lorsque vous appelez une fonction avec le mot clé "new", un nouvel objet est // crée et mis à disposition de la fonction via "this". Ces fonctions sont // communément appelées constructeurs. var MyConstructor = function(){ @@ -395,8 +554,8 @@ myNewObj.myNumber; // = 5 // Chaque objet en Javascript a un "prototype". Quand vous essayez d'accéder à // une propriété que l'objet n'a pas, l'interpréteur va regarder son prototype. -// Quelques implémentations de JS vous laissent accéder au prototype avec la -// propriété "magique" __proto__. Ceci peut être utile, mais n'est pas standard +// Quelques implémentations de JS vous laissent accéder au prototype avec la +// propriété "magique" __proto__. Ceci peut être utile, mais n'est pas standard // et ne fonctionne pas dans certains des navigateurs actuels. var myObj = { myString: 'Hello world!' @@ -478,7 +637,7 @@ String.prototype.firstCharacter = function(){ 'abc'.firstCharacter(); // = 'a' // C'est très souvent utilisé pour le "polyfilling", qui implémente des nouvelles -// fonctionnalités de JavaScript dans de plus anciens environnements, tels que +// fonctionnalités de JavaScript dans de plus anciens environnements, tels que // les vieux navigateurs. //Par exemple, Object.create est assez récent, mais peut être implémenté grâce à @@ -492,31 +651,83 @@ if (Object.create === undefined){ // pour ne pas reécrire si la fonction existe return new Constructor(); } } + +// *ES6:* Les objets peuvent être équipés de proxies qui permettent d'intercepter +// les actions sur leurs propriétés. Voici comment créer un proxy sur un objet : +var proxyObject = new Proxy(object, handler); + +// *ES6:* Les méthodes d'un objet handler sont appelées lors de l'interception d'une action. +// La méthode `.get()` est appelée à chaque lecture d'une propriété +// tandis que la méthode `.set()` est appelée à chaque écriture. +var handler = { + get (target, key) { + console.info('Get on property' + key); + return target[key]; + }, + set (target, key, value) { + console.info('Set on property' + key); + return true; + } +} + +// *ES6:* Les classes peuvent désormais être définies en utilisant le mot-clé `class`. +// Le constructeur s'appelle `constructor` et les méthodes statiques utilisent le mot-clé `static` +class Foo { + constructor() {console.log("constructing Foo");} + bar() {return "bar";} + static baz() {return "baz";} +} + +// *ES6:* Les objets issus des classes sont initialisés avec le mot-clé `new`. +// Il est possible d'hériter d'une classe avec le mot-clé `extends` +var FooObject = new Foo(); // = "constructing Foo" +class Zoo extends Foo {} + +// *ES6:* Les méthodes statiques doivent être appelées par la classe, les autres méthodes par l'objet +Foo.baz() // = "baz" +FooObject.bar() // = "bar" + +// *ES6:* Il est désormais possible d'exporter des valeurs en tant que module. +// Les exports peuvent être n'importe quel objet, valeur ou fonction. +var api = { + foo: "bar", + baz: "ponyfoo" +}; +export default api; + +// *ES6:* La syntaxe `export default` permet d'exporter l'objet sans en changer le nom. +// Il y a plusieurs façons de l'importer: +import coolapi from "api"; // = importe le module dans la variable `coolapi` +import {foo, baz} from "api"; // = importe les attributs `foo` et `baz` du module +import {foo as moo, baz} from "api"; // = importe les attributs `foo` (en le renommant `moo`) et `baz` du module +import _, {map} from "api"; // = importe les exports par défaut ET `map` +import * as coolapi from "api"; // = importe le namespace global du module + ``` ## Pour aller plus loin (en anglais) The [Mozilla Developer Network](https://developer.mozilla.org/fr-FR/docs/Web/JavaScript) expose une -excellente documentation pour le Javascript dans les navigateurs. Et contient +excellente documentation pour le Javascript dans les navigateurs. Et contient également un wiki pour s'entraider. MDN's [A re-introduction to JavaScript](https://developer.mozilla.org/en-US/docs/Web/JavaScript/A_re-introduction_to_JavaScript) recouvre les principaux sujets vus ici. Le guide est délibérément uniquement -à propos du JavaScript, et ne parle pas des navigateurs; pour cela, dirigez vous +à propos du JavaScript, et ne parle pas des navigateurs; pour cela, dirigez vous plutôt ici : [Document Object Model](https://developer.mozilla.org/en-US/docs/Using_the_W3C_DOM_Level_1_Core) -[Learn Javascript by Example and with Challenges](http://www.learneroo.com/modules/64/nodes/350) quelques challenges. +[Learn Javascript by Example and with Challenges](http://www.learneroo.com/modules/64/nodes/350) quelques challenges. [JavaScript Garden](http://bonsaiden.github.io/JavaScript-Garden/) is an in-depth un guide pour vous éviter les faux-amis dans le JavaScript. -[JavaScript: The Definitive Guide](http://www.amazon.com/gp/product/0596805527/) un classique. A lire. +[JavaScript: The Definitive Guide](http://www.amazon.com/gp/product/0596805527/) un classique. A lire. -En addition aux contributeurs de cet article, du contenu provient du +En addition aux contributeurs de cet article, du contenu provient du "Python tutorial" de Louie Dinh, et de [JS Tutorial](https://developer.mozilla.org/en-US/docs/Web/JavaScript/A_re-introduction_to_JavaScript) sur le réseau Mozilla. From f2d6b50bd439e971386f775228d2b9960daa0efd Mon Sep 17 00:00:00 2001 From: Michel Antoine Date: Wed, 18 Nov 2015 23:54:39 -0800 Subject: [PATCH 228/286] Remove the iterator part and add for..in and for..of --- fr-fr/javascript-fr.html.markdown | 43 ++++++++++++------------------- 1 file changed, 16 insertions(+), 27 deletions(-) diff --git a/fr-fr/javascript-fr.html.markdown b/fr-fr/javascript-fr.html.markdown index fd1d40a3..f1977dac 100644 --- a/fr-fr/javascript-fr.html.markdown +++ b/fr-fr/javascript-fr.html.markdown @@ -268,33 +268,6 @@ foo // = "bar" var {foo} = {}; foo // = undefined -// *ES6:* ES6 ajoute les iterateurs. Pour accéder à l'iterateur de n'importe quel -// objet il faut utiliser la clé `Symbol.iterator`. -var iterator1 = myArr[Symbol.iterator]; // = returns iterator function - -// *ES6:* Si l'objet possède une valeur à la clé `Symbol.iterator` alors la -// collection est itérable -if (typeof myObj[Symbol.iterator] !== "undefined") { - console.log("You can iterate over myObj"); -} - -// *ES6:* En utilisant la méthode next() de l'iterateur nous recevons un objet -// avec deux propriétés : `value` et `done` -var iterator = myArr[Symbol.iterator]; // myArr = [1,2] -var myArrItem = null; - -myArrItem = iterator.next(); -myArrItem.value; // = 1 -myArrItem.done; // = false - -myArrItem = iterator.next(); -myArrItem.value; // = 2 -myArrItem.done; // = false - -myArrItem = iterator.next(); -myArrItem.value; // = undefined -myArrItem.done; // = true - // *ES6:* Les Maps sont des objets itérables de type clé-valeur. // Il est possible de créer une nouvelle map en utilisant `new Map()` var myMap = new Map(); @@ -347,6 +320,22 @@ for (var i = 0; i < 5; i++){ // sera exécutée 5 fois } +// La boucle for...in permet d'itérer sur les noms des propriétés d'un objet +var description = ""; +var person = {fname:"Paul", lname:"Ken", age:18}; +for (var x in person){ + description += person[x] + " "; +} +description; // = "Paul Ken 18 " + +// *ES6:* La boucle for...of permet d'itérer sur les propriétés d'un objet +var description = ""; +var person = {fname:"Paul", lname:"Ken", age:18}; +for (var x of person){ + description += x + " "; +} +description; // = "Paul Ken 18 " + // && est le "et" logique, || est le "ou" logique if (house.size === 'big' && house.colour === 'blue'){ house.contains = 'bear'; From 5a62ebbc85cf8c7436ba071b87fb4a584275ebbf Mon Sep 17 00:00:00 2001 From: Byaruhanga Franklin Date: Thu, 19 Nov 2015 15:51:08 +0300 Subject: [PATCH 229/286] Replaced 'or' with a semicolons Replaced 'or' with a semicolons since the paragraph above is talking about using semicolons --- erlang.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erlang.html.markdown b/erlang.html.markdown index d6ed7b86..a57f295f 100644 --- a/erlang.html.markdown +++ b/erlang.html.markdown @@ -177,7 +177,7 @@ is_dog(A) -> false. % A guard sequence is either a single guard or a series of guards, separated % by semicolons (`;`). The guard sequence `G1; G2; ...; Gn` is true if at % least one of the guards `G1`, `G2`, ..., `Gn` evaluates to `true`. -is_pet(A) when is_atom(A), (A =:= dog) or (A =:= cat) -> true; +is_pet(A) when is_atom(A), (A =:= dog);(A =:= cat) -> true; is_pet(A) -> false. % Warning: not all valid Erlang expressions can be used as guard expressions; From 20eb659e7bb16bbb133774e8e1d916869e1beb10 Mon Sep 17 00:00:00 2001 From: Terka Slan Date: Thu, 19 Nov 2015 17:59:11 +0100 Subject: [PATCH 230/286] Translated latex to slovak --- sk-sk/latex.html.markdown.tex | 227 ++++++++++++++++++++++++++++++++++ sk-sk/learn-latex-sk.tex | 209 +++++++++++++++++++++++++++++++ 2 files changed, 436 insertions(+) create mode 100644 sk-sk/latex.html.markdown.tex create mode 100644 sk-sk/learn-latex-sk.tex diff --git a/sk-sk/latex.html.markdown.tex b/sk-sk/latex.html.markdown.tex new file mode 100644 index 00000000..5e2f9c7f --- /dev/null +++ b/sk-sk/latex.html.markdown.tex @@ -0,0 +1,227 @@ +--- +language: latex +contributors: + - ["Chaitanya Krishna Ande", "http://icymist.github.io"] + - ["Colton Kohnke", "http://github.com/voltnor"] + - ["Sricharan Chiruvolu", "http://sricharan.xyz"] +translators: + - ["Terka Slanináková", "http://github.com/TerkaSlan"] +filename: learn-latex-sk.tex +--- + +```tex +% Všetky komentáre začínajú s % +% Viac-riadkové komentáre sa nedajú urobiť + +% LaTeX NIE JE WYSIWY ("What You See Is What You Get") software ako MS Word, alebo OpenOffice Writer + +% Každý LaTeX príkaz začína s opačným lomítkom (\) + +% LaTeX dokumenty začínajú s definíciou typu kompilovaného dokumentu +% Ostatné typy sú napríklad kniha (book), správa (report), prezentácia (presentation), atď. +% Možnosti dokumentu sa píšu do [] zátvoriek. V tomto prípade tam upresňujeme veľkosť (12pt) fontu. +\documentclass[12pt]{article} + +% Ďalej definujeme balíčky, ktoré dokuemnt používa. +% Ak chceš zahrnúť grafiku, farebný text, či zdrojový kód iného jazyka, musíš rozšíriť možnosti LaTeXu dodatočnými balíčkami. +% Zahŕňam float a caption. Na podporu slovenčiny treba zahrnúť aj utf8 balíček. +\usepackage{caption} +\usepackage{float} +\usepackage[utf8]{inputenc} +% Tu môžme definovať ostatné vlastnosti dokumentu! +% Autori tohto dokumentu, "\\*" znamená "choď na nový riadok" +\author{Chaitanya Krishna Ande, Colton Kohnke \& Sricharan Chiruvolu, \\*Preklad: Terka Slanináková} +% Vygeneruje dnešný dátum +\date{\today} +\title{Nauč sa LaTeX za Y Minút!} +% Teraz môžme začať pracovať na samotnom dokumente. +% Všetko do tohto riadku sa nazýva "Preambula" ("The Preamble") +\begin{document} +% ak zadáme položky author, date a title, LaTeX vytvorí titulnú stranu. +\maketitle + +% Väčšina odborných článkov má abstrakt, na jeho vytvorenie môžeš použiť preddefinované príkazy. +% Ten by sa mal zobraziť v logickom poradí, teda po hlavičke, +% no pred hlavnými sekciami tela.. +% Tento príkaz je tiež dostupný v triedach article a report. +% Tzv. makro "abstract" je fixnou súčasťou LaTeXu, ak chceme použiť abstract +% a napísať ho po slovensky, musíme ho redefinovať nasledujúcim príkazom +\renewcommand\abstractname{Abstrakt} + +\begin{abstract} +LaTeX dokumentácia v LaTeXe! Aké netradičné riešenie cudzieho nápadu! +\end{abstract} + +% Príkazy pre sekciu sú intuitívne +% Všetky nadpisy sekcií sú pridané automaticky do obsahu. +\section{Úvod} +Čaute, volám sa Colton a spoločne sa pustíme do skúmania LaTeXu (toho druhého)! + +\section{Ďalšia sekcia} +Toto je text ďalšej sekcie. Myslím, že potrebuje podsekciu. + +\subsection{Toto je podsekcia} % Podsekcie sú tiež intuitívne. +Zdá sa mi, že treba ďalšiu. + +\subsubsection{Pytagoras} +To je ono! +\label{subsec:pytagoras} + +% Použitím '*' môžeme potlačiť zabudované číslovanie LaTeXu. +% Toto funguje aj na iné príkazy. +\section*{Toto je nečíslovaná sekcia} +Všetky číslované byť nemusia! + +\section{Nejaké poznámočky} +Zarovnávať veci tam, kde ich chceš mať, je všeobecne ľahké. Ak +potrebuješ \\ nový \\ riadok \\ pridaj \textbackslash\textbackslash do +zdrojového kódu. \\ + +\section{Zoznamy} +Zoznamy sú jednou z najjednoduchších vecí vôbec! Treba mi zajtra nakúpiť, urobím si zoznam. +\begin{enumerate} % "enumerate" spustí číslovanie prvkov. + % \item povie LaTeXu, ako že treba pripočítať 1 + \item Vlašský šalát. + \item 5 rožkov. + \item 3 Horalky. + % číslovanie môžeme pozmeniť použitím [] + \item[koľko?] Stredne veľkých guličkoviek. + + Ja už nie som položka zoznamu, no stále som časť "enumerate". + +\end{enumerate} % Všetky prostredia končia s "end". + +\section{Matika} + +Jedným z primárnych použití LaTeXu je písanie akademických, či technických prác. Zvyčajne za použitia matematiky a vedy. Podpora špeciálnych symbolov preto nemôže chýbať!\\ + +Matematika má veľa symbolov, omnoho viac, než by klávesnica mohla reprezentovať; +Množinové a relačné symboly, šípky, operátory a Grécke písmená sú len malou ukážkou.\\ + +Množiny a relácie hrajú hlavnú rolu v mnohých matematických článkoch. +Takto napíšeš, že niečo platí pre všetky x patriace do X, $\forall$ x $\in$ X. \\ +% Všimni si, že som pridal $ pred a po symboloch. Je to +% preto, lebo pri písaní sme v textovom móde, +% no matematické symboly existujú len v matematickom. +% Vstúpime doňho z textového práve '$' znamienkami. +% Platí to aj opačne. Premenná môže byť zobrazená v matematickom móde takisto. +% Do matematického módu sa dá dostať aj s \[\] + +\[a^2 + b^2 = c^2 \] + +Moje obľúbené Grécke písmeno je $\xi$. Tiež sa mi pozdávajú $\beta$, $\gamma$ a $\sigma$. +Ešte som neprišiel na Grécke písmeno, ktoré by LaTeX nepoznal! + +Operátory sú dôležitou súčasťou matematických dokumentov: +goniometrické funkcie ($\sin$, $\cos$, $\tan$), +logaritmy and exponenciálne výrazy ($\log$, $\exp$), +limity ($\lim$), atď. +majú pred-definované LaTeXové príkazy. +Napíšme si rovnicu, nech vidíme, ako to funguje: \\ + +$\cos(2\theta) = \cos^{2}(\theta) - \sin^{2}(\theta)$ + +Zlomky(Čitateľ-menovateľ) sa píšu v týchto formách: + +% 10 / 7 +$^{10}/_{7}$ + +% Relatívne komplexné zlomky sa píšu ako +% \frac{čitateľ}{menovateľ} +$\frac{n!}{k!(n - k)!}$ \\ + +Rovnice tiež môžeme zadať v "rovnicovom prostredí". + +% Takto funguje rovnicové prostredie +\begin{equation} % vstúpi do matematického módu + c^2 = a^2 + b^2. + \label{eq:pythagoras} % na odkazovanie +\end{equation} % všetky \begin príkazy musia mať konečný príkaz. + +Teraz môžeme odkázať na novovytvorenú rovnicu! +Rovn.~\ref{eq:pythagoras} je tiež známa ako Pytagorova Veta, ktorá je tiež predmetom Sekc.~\ref{subsec:pytagoras}. Odkazovať môžme na veľa vecí, napr na: čísla, rovnice, či sekcie. + +Sumácie a Integrály sa píšu príkazmi sum a int: + +% Niektoré prekladače LaTeXu sa môžu sťažovať na prázdne riadky (ak tam sú) +% v rovnicovom prostredí. +\begin{equation} + \sum_{i=0}^{5} f_{i} +\end{equation} +\begin{equation} + \int_{0}^{\infty} \mathrm{e}^{-x} \mathrm{d}x +\end{equation} + +\section{Obrázky} + +Vloženie obrázku môže byť zložitejšie. Ja si vždy možnosti vloženia pozerám pre každý obrázok. +\renewcommand\figurename{Obrázok} +\begin{figure}[H] % H značí možnosť zarovnania. + \centering % nacentruje obrázok na stránku + % Vloží obrázok na 80% šírky stránky. + %\includegraphics[width=0.8\linewidth]{right-triangle.png} + % Zakomentované kvôli kompilácií, použi svoju predstavivosť :). + \caption{Pravouhlý trojuholník so stranami $a$, $b$, $c$} + \label{fig:right-triangle} +\end{figure} +% Opäť, fixné makro "table" nahradíme slovenskou tabuľkou. Pokiaľ preferuješ table, nasledujúci riadok nepridávaj +\renewcommand\tablename{Tabuľka} + +\subsection{Tabuľky} +Tabuľky sa vkládajú podobne ako obrázky. + +\begin{table}[H] + \caption{Nadpis tabuľky.} + % zátvorky: {} hovoria ako sa vykreslí každý riadok. + % Toto si nikdy nepamätám a vždy to musím hľadať. Všetko. Každý. Jeden. Raz! + \begin{tabular}{c|cc} + Číslo & Priezvisko & Krstné meno \\ % Stĺpce sú rozdelené $ + \hline % horizontálna čiara + 1 & Ladislav & Meliško \\ + 2 & Eva & Máziková + \end{tabular} +\end{table} + +% \section{Hyperlinks} % Už čoskoro :) + +\section{Prikáž LaTeXu nekompilovať (napr. Zdrojový Kód)} +Povedzme, že chceme do dokumentu vložiť zdrojový kód, budeme musieť LaTeXu povedať, nech sa ho nesnaží skompilovať, ale nech s ním pracuje ako s textom. +Toto sa robí vo verbatim prostredí. + +% Tiež sú na to špeciálne balíčky, (napr. minty, lstlisting, atď.) +% ale verbatim je to najzákladnejšie, čo môžeš použiť. +\begin{verbatim} + print("Hello World!") + a%b; pozri! Vo verbatime môžme použiť % znamienka. + random = 4; #priradené randomným hodom kockou +\end{verbatim} + +\section{Kompilácia} + +Už by bolo načase túto nádheru skompilovať a zhliadnuť jej úžasnú úžasnosť v podobe LaTeX pdfka, čo povieš? +(áno, tento dokument sa musí kompilovať). \\ +Cesta k finálnemu dokumentu pomocou LaTeXu pozostáva z nasledujúcich krokov: + \begin{enumerate} + \item Napíš dokument v čistom texte (v "zdrojáku"). + \item Skompiluj zdroják na získanie pdfka. + Kompilácia by mala vyzerať nasledovne (v Linuxe): \\ + \begin{verbatim} + $pdflatex learn-latex.tex learn-latex.pdf + \end{verbatim} + \end{enumerate} + +Mnoho LaTeX editorov kombinuje Krok 1 a Krok 2 v jednom prostredí. Krok 1 teda uvidíš, krok 2 už nie. +Ten sa deje za oponou. Kompilácia v 2. kroku sa postará o produkciu dokumentu v tebou zadanom formáte. + +\section{Koniec} + +To je zatiaľ všetko! + +% koniec dokumentu +\end{document} +``` + +## Viac o LaTeXe (anglicky) + +* Úžasná LaTeX wikikniha: [https://en.wikibooks.org/wiki/LaTeX](https://en.wikibooks.org/wiki/LaTeX) +* Naozajstný tutoriál: [http://www.latex-tutorial.com/](http://www.latex-tutorial.com/) diff --git a/sk-sk/learn-latex-sk.tex b/sk-sk/learn-latex-sk.tex new file mode 100644 index 00000000..5cc7b11f --- /dev/null +++ b/sk-sk/learn-latex-sk.tex @@ -0,0 +1,209 @@ +% Všetky komentáre začínajú s % +% Viac-riadkové komentáre sa nedajú urobiť + +% LaTeX NIE JE WYSIWY ("What You See Is What You Get") software ako MS Word, alebo OpenOffice Writer + +% Každý LaTeX príkaz začína s opačným lomítkom (\) + +% LaTeX dokumenty začínajú s definíciou typu kompilovaného dokumentu +% Ostatné typy sú napríklad kniha (book), správa (report), prezentácia (presentation), atď. +% Možnosti dokumentu sa píšu do [] zátvoriek. V tomto prípade tam upresňujeme veľkosť (12pt) fontu. +\documentclass[12pt]{article} + +% Ďalej definujeme balíčky, ktoré dokuemnt používa. +% Ak chceš zahrnúť grafiku, farebný text, či zdrojový kód iného jazyka, musíš rozšíriť možnosti LaTeXu dodatočnými balíčkami. +% Zahŕňam float a caption. Na podporu slovenčiny treba zahrnúť aj utf8 balíček. +\usepackage{caption} +\usepackage{float} +\usepackage[utf8]{inputenc} +% Tu môžme definovať ostatné vlastnosti dokumentu! +% Autori tohto dokumentu, "\\*" znamená "choď na nový riadok" +\author{Chaitanya Krishna Ande, Colton Kohnke \& Sricharan Chiruvolu, \\*Preklad: Terka Slanináková} +% Vygeneruje dnešný dátum +\date{\today} +\title{Nauč sa LaTeX za Y Minút!} +% Teraz môžme začať pracovať na samotnom dokumente. +% Všetko do tohto riadku sa nazýva "Preambula" ("The Preamble") +\begin{document} +% ak zadáme položky author, date a title, LaTeX vytvorí titulnú stranu. +\maketitle + +% Väčšina odborných článkov má abstrakt, na jeho vytvorenie môžeš použiť preddefinované príkazy. +% Ten by sa mal zobraziť v logickom poradí, teda po hlavičke, +% no pred hlavnými sekciami tela.. +% Tento príkaz je tiež dostupný v triedach article a report. +% Tzv. makro "abstract" je fixnou súčasťou LaTeXu, ak chceme použiť abstract +% a napísať ho po slovensky, musíme ho redefinovať nasledujúcim príkazom +\renewcommand\abstractname{Abstrakt} + +\begin{abstract} +LaTeX dokumentácia v LaTeXe! Aké netradičné riešenie cudzieho nápadu! +\end{abstract} + +% Príkazy pre sekciu sú intuitívne +% Všetky nadpisy sekcií sú pridané automaticky do obsahu. +\section{Úvod} +Čaute, volám sa Colton a spoločne sa pustíme do skúmania LaTeXu (toho druhého)! + +\section{Ďalšia sekcia} +Toto je text ďalšej sekcie. Myslím, že potrebuje podsekciu. + +\subsection{Toto je podsekcia} % Podsekcie sú tiež intuitívne. +Zdá sa mi, že treba ďalšiu. + +\subsubsection{Pytagoras} +To je ono! +\label{subsec:pytagoras} + +% Použitím '*' môžeme potlačiť zabudované číslovanie LaTeXu. +% Toto funguje aj na iné príkazy. +\section*{Toto je nečíslovaná sekcia} +Všetky číslované byť nemusia! + +\section{Nejaké poznámočky} +Zarovnávať veci tam, kde ich chceš mať, je všeobecne ľahké. Ak +potrebuješ \\ nový \\ riadok \\ pridaj \textbackslash\textbackslash do +zdrojového kódu. \\ + +\section{Zoznamy} +Zoznamy sú jednou z najjednoduchších vecí vôbec! Treba mi zajtra nakúpiť, urobím si zoznam. +\begin{enumerate} % "enumerate" spustí číslovanie prvkov. + % \item povie LaTeXu, ako že treba pripočítať 1 + \item Vlašský šalát. + \item 5 rožkov. + \item 3 Horalky. + % číslovanie môžeme pozmeniť použitím [] + \item[koľko?] Stredne veľkých guličkoviek. + + Ja už nie som položka zoznamu, no stále som časť "enumerate". + +\end{enumerate} % Všetky prostredia končia s "end". + +\section{Matika} + +Jedným z primárnych použití LaTeXu je písanie akademických, či technických prác. Zvyčajne za použitia matematiky a vedy. Podpora špeciálnych symbolov preto nemôže chýbať!\\ + +Matematika má veľa symbolov, omnoho viac, než by klávesnica mohla reprezentovať; +Množinové a relačné symboly, šípky, operátory a Grécke písmená sú len malou ukážkou.\\ + +Množiny a relácie hrajú hlavnú rolu v mnohých matematických článkoch. +Takto napíšeš, že niečo platí pre všetky x patriace do X, $\forall$ x $\in$ X. \\ +% Všimni si, že som pridal $ pred a po symboloch. Je to +% preto, lebo pri písaní sme v textovom móde, +% no matematické symboly existujú len v matematickom. +% Vstúpime doňho z textového práve '$' znamienkami. +% Platí to aj opačne. Premenná môže byť zobrazená v matematickom móde takisto. +% Do matematického módu sa dá dostať aj s \[\] + +\[a^2 + b^2 = c^2 \] + +Moje obľúbené Grécke písmeno je $\xi$. Tiež sa mi pozdávajú $\beta$, $\gamma$ a $\sigma$. +Ešte som neprišiel na Grécke písmeno, ktoré by LaTeX nepoznal! + +Operátory sú dôležitou súčasťou matematických dokumentov: +goniometrické funkcie ($\sin$, $\cos$, $\tan$), +logaritmy and exponenciálne výrazy ($\log$, $\exp$), +limity ($\lim$), atď. +majú pred-definované LaTeXové príkazy. +Napíšme si rovnicu, nech vidíme, ako to funguje: \\ + +$\cos(2\theta) = \cos^{2}(\theta) - \sin^{2}(\theta)$ + +Zlomky(Čitateľ-menovateľ) sa píšu v týchto formách: + +% 10 / 7 +$^{10}/_{7}$ + +% Relatívne komplexné zlomky sa píšu ako +% \frac{čitateľ}{menovateľ} +$\frac{n!}{k!(n - k)!}$ \\ + +Rovnice tiež môžeme zadať v "rovnicovom prostredí". + +% Takto funguje rovnicové prostredie +\begin{equation} % vstúpi do matematického módu + c^2 = a^2 + b^2. + \label{eq:pythagoras} % na odkazovanie +\end{equation} % všetky \begin príkazy musia mať konečný príkaz. + +Teraz môžeme odkázať na novovytvorenú rovnicu! +Rovn.~\ref{eq:pythagoras} je tiež známa ako Pytagorova Veta, ktorá je tiež predmetom Sekc.~\ref{subsec:pytagoras}. Odkazovať môžme na veľa vecí, napr na: čísla, rovnice, či sekcie. + +Sumácie a Integrály sa píšu príkazmi sum a int: + +% Niektoré prekladače LaTeXu sa môžu sťažovať na prázdne riadky (ak tam sú) +% v rovnicovom prostredí. +\begin{equation} + \sum_{i=0}^{5} f_{i} +\end{equation} +\begin{equation} + \int_{0}^{\infty} \mathrm{e}^{-x} \mathrm{d}x +\end{equation} + +\section{Obrázky} + +Vloženie obrázku môže byť zložitejšie. Ja si vždy možnosti vloženia pozerám pre každý obrázok. +\renewcommand\figurename{Obrázok} +\begin{figure}[H] % H značí možnosť zarovnania. + \centering % nacentruje obrázok na stránku + % Vloží obrázok na 80% šírky stránky. + %\includegraphics[width=0.8\linewidth]{right-triangle.png} + % Zakomentované kvôli kompilácií, použi svoju predstavivosť :). + \caption{Pravouhlý trojuholník so stranami $a$, $b$, $c$} + \label{fig:right-triangle} +\end{figure} +% Opäť, fixné makro "table" nahradíme slovenskou tabuľkou. Pokiaľ preferuješ table, nasledujúci riadok nepridávaj +\renewcommand\tablename{Tabuľka} + +\subsection{Tabuľky} +Tabuľky sa vkládajú podobne ako obrázky. + +\begin{table}[H] + \caption{Nadpis tabuľky.} + % zátvorky: {} hovoria ako sa vykreslí každý riadok. + % Toto si nikdy nepamätám a vždy to musím hľadať. Všetko. Každý. Jeden. Raz! + \begin{tabular}{c|cc} + Číslo & Priezvisko & Krstné meno \\ % Stĺpce sú rozdelené $ + \hline % horizontálna čiara + 1 & Ladislav & Meliško \\ + 2 & Eva & Máziková + \end{tabular} +\end{table} + +% \section{Hyperlinks} % Už čoskoro :) + +\section{Prikáž LaTeXu nekompilovať (napr. Zdrojový Kód)} +Povedzme, že chceme do dokumentu vložiť zdrojový kód, budeme musieť LaTeXu povedať, nech sa ho nesnaží skompilovať, ale nech s ním pracuje ako s textom. +Toto sa robí vo verbatim prostredí. + +% Tiež sú na to špeciálne balíčky, (napr. minty, lstlisting, atď.) +% ale verbatim je to najzákladnejšie, čo môžeš použiť. +\begin{verbatim} + print("Hello World!") + a%b; pozri! Vo verbatime môžme použiť % znamienka. + random = 4; #priradené randomným hodom kockou +\end{verbatim} + +\section{Kompilácia} + +Už by bolo načase túto nádheru skompilovať a zhliadnuť jej úžasnú úžasnosť v podobe LaTeX pdfka, čo povieš? +(áno, tento dokument sa musí kompilovať). \\ +Cesta k finálnemu dokumentu pomocou LaTeXu pozostáva z nasledujúcich krokov: + \begin{enumerate} + \item Napíš dokument v čistom texte (v "zdrojáku"). + \item Skompiluj zdroják na získanie pdfka. + Kompilácia by mala vyzerať nasledovne (v Linuxe): \\ + \begin{verbatim} + $pdflatex learn-latex.tex learn-latex.pdf + \end{verbatim} + \end{enumerate} + +Mnoho LaTeX editorov kombinuje Krok 1 a Krok 2 v jednom prostredí. Krok 1 teda uvidíš, krok 2 už nie. +Ten sa deje za oponou. Kompilácia v 2. kroku sa postará o produkciu dokumentu v tebou zadanom formáte. + +\section{Koniec} + +To je zatiaľ všetko! + +% koniec dokumentu +\end{document} From bb1e07bbb7d6555d8875c03b82c5a05f8cf06c37 Mon Sep 17 00:00:00 2001 From: Kate Reading Date: Thu, 19 Nov 2015 11:23:19 -0800 Subject: [PATCH 231/286] Clarified grammar in LearnCSharp comment about naming files relative to the classes they contain. Otherwise the two comment lines blended together and were a little comfusing. --- csharp.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/csharp.html.markdown b/csharp.html.markdown index dfdd98de..677c2591 100644 --- a/csharp.html.markdown +++ b/csharp.html.markdown @@ -45,8 +45,8 @@ using System.Data.Entity; // Using this code from another source file: using Learning.CSharp; namespace Learning.CSharp { - // Each .cs file should at least contain a class with the same name as the file - // you're allowed to do otherwise, but shouldn't for sanity. + // Each .cs file should at least contain a class with the same name as the file. + // You're allowed to do otherwise, but shouldn't for sanity. public class LearnCSharp { // BASIC SYNTAX - skip to INTERESTING FEATURES if you have used Java or C++ before From dff8b792c6ba946302af52e3fba113e8364ea214 Mon Sep 17 00:00:00 2001 From: Ryan Gonzalez Date: Thu, 19 Nov 2015 17:53:49 -0600 Subject: [PATCH 232/286] Fix typo in Perl 6 example (closes #2025) --- perl6.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/perl6.html.markdown b/perl6.html.markdown index 9f55718c..1829f964 100644 --- a/perl6.html.markdown +++ b/perl6.html.markdown @@ -373,7 +373,7 @@ say @array[^10]; # you can pass arrays as subscripts and it'll return say join(' ', @array[15..*]); #=> 15 16 17 18 19 # which is equivalent to: say join(' ', @array[-> $n { 15..$n }]); -# Note: if you try to do either of those with an infinite loop, +# Note: if you try to do either of those with an infinite array, # you'll trigger an infinite loop (your program won't finish) # You can use that in most places you'd expect, even assigning to an array From 30e364f4108fc077343a8722f3d80150f0d250fe Mon Sep 17 00:00:00 2001 From: Louis Christopher Date: Sat, 21 Nov 2015 19:28:59 +0530 Subject: [PATCH 233/286] Fixed erroneous output stated in a comment range( start = lower limit, End is < Upper limit , Step) The upper limit is never printed. Fixed the error. --- python3.html.markdown | 1 - 1 file changed, 1 deletion(-) diff --git a/python3.html.markdown b/python3.html.markdown index 1f9d0e42..3ba57738 100644 --- a/python3.html.markdown +++ b/python3.html.markdown @@ -425,7 +425,6 @@ by step. If step is not indicated, the default value is 1. prints: 4 6 - 8 """ for i in range(4, 8, 2): print(i) From 3c4a2ff91c6d52ccc928e1c26a28e1fdcbc7c064 Mon Sep 17 00:00:00 2001 From: Louis Christopher Date: Sat, 21 Nov 2015 19:44:23 +0530 Subject: [PATCH 234/286] Fixed erroneous output and added a little clarity on the matter list.index(argument) would return the index of the item in the list that first matched the argument It will not return the value stored at the index of the argument as it was prior. Added some more clarity to the subject as well. --- python3.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/python3.html.markdown b/python3.html.markdown index 3ba57738..8cc03320 100644 --- a/python3.html.markdown +++ b/python3.html.markdown @@ -224,8 +224,8 @@ li.remove(2) # Raises a ValueError as 2 is not in the list # Insert an element at a specific index li.insert(1, 2) # li is now [1, 2, 3] again -# Get the index of the first item found -li.index(2) # => 3 +# Get the index of the first item found matching the argument +li.index(2) # => 1 li.index(4) # Raises a ValueError as 4 is not in the list # You can add lists From 7933ea3ce029a3418bac04210e0dd7f0f27e275d Mon Sep 17 00:00:00 2001 From: Gnomino Date: Sat, 21 Nov 2015 19:08:39 +0100 Subject: [PATCH 235/286] Applies a1ed02d6fad2b39137f52c6a04264a59e237d747 to translations --- cs-cz/python3.html.markdown | 2 +- es-es/python3-es.html.markdown | 2 +- fr-fr/python3-fr.html.markdown | 2 +- ru-ru/python3-ru.html.markdown | 2 +- tr-tr/python3-tr.html.markdown | 2 +- zh-cn/python3-cn.html.markdown | 2 +- 6 files changed, 6 insertions(+), 6 deletions(-) diff --git a/cs-cz/python3.html.markdown b/cs-cz/python3.html.markdown index 6d2fd1eb..b498046a 100644 --- a/cs-cz/python3.html.markdown +++ b/cs-cz/python3.html.markdown @@ -566,7 +566,7 @@ Clovek.odkaslej_si() # => "*ehm*" # Lze importovat moduly import math -print(math.sqrt(16)) # => 4 +print(math.sqrt(16.0)) # => 4 # Lze také importovat pouze vybrané funkce z modulu from math import ceil, floor diff --git a/es-es/python3-es.html.markdown b/es-es/python3-es.html.markdown index 1c69481a..d30af1c8 100644 --- a/es-es/python3-es.html.markdown +++ b/es-es/python3-es.html.markdown @@ -478,7 +478,7 @@ Humano.roncar() #=> "*roncar*" # Puedes importar módulos import math -print(math.sqrt(16)) #=> 4 +print(math.sqrt(16)) #=> 4.0 # Puedes obtener funciones específicas desde un módulo from math import ceil, floor diff --git a/fr-fr/python3-fr.html.markdown b/fr-fr/python3-fr.html.markdown index 04d0a55d..3d60157c 100644 --- a/fr-fr/python3-fr.html.markdown +++ b/fr-fr/python3-fr.html.markdown @@ -627,7 +627,7 @@ Human.grunt() # => "*grunt*" # On peut importer des modules import math -print(math.sqrt(16)) # => 4 +print(math.sqrt(16)) # => 4.0 # On peut importer des fonctions spécifiques d'un module from math import ceil, floor diff --git a/ru-ru/python3-ru.html.markdown b/ru-ru/python3-ru.html.markdown index 2a7b3f7b..2b6b59a7 100644 --- a/ru-ru/python3-ru.html.markdown +++ b/ru-ru/python3-ru.html.markdown @@ -549,7 +549,7 @@ Human.grunt() #=> "*grunt*" # Вы можете импортировать модули import math -print(math.sqrt(16)) #=> 4 +print(math.sqrt(16)) #=> 4.0 # Вы можете импортировать отдельные функции модуля from math import ceil, floor diff --git a/tr-tr/python3-tr.html.markdown b/tr-tr/python3-tr.html.markdown index 2477c5da..c7de2922 100644 --- a/tr-tr/python3-tr.html.markdown +++ b/tr-tr/python3-tr.html.markdown @@ -538,7 +538,7 @@ Insan.grunt() # => "*grunt*" # Modülleri içe aktarabilirsiniz import math -print(math.sqrt(16)) # => 4 +print(math.sqrt(16)) # => 4.0 # Modülden belirli bir fonksiyonları alabilirsiniz from math import ceil, floor diff --git a/zh-cn/python3-cn.html.markdown b/zh-cn/python3-cn.html.markdown index c223297c..76455a46 100644 --- a/zh-cn/python3-cn.html.markdown +++ b/zh-cn/python3-cn.html.markdown @@ -535,7 +535,7 @@ Human.grunt() # => "*grunt*" # 用import导入模块 import math -print(math.sqrt(16)) # => 4 +print(math.sqrt(16)) # => 4.0 # 也可以从模块中导入个别值 from math import ceil, floor From e7dc56273f07066e2b4da1c02e3f723b8da834a0 Mon Sep 17 00:00:00 2001 From: Leslie Zhang Date: Mon, 23 Nov 2015 09:14:49 +0800 Subject: [PATCH 236/286] Replace Hash#has_key? with Hash#key? 1. Replace Hash#has_key? with Hash#key? 2. Replace Hash#has_value? with Hash#value? --- ruby.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/ruby.html.markdown b/ruby.html.markdown index 243f788b..cf1a18e3 100644 --- a/ruby.html.markdown +++ b/ruby.html.markdown @@ -230,8 +230,8 @@ new_hash = { defcon: 3, action: true } new_hash.keys #=> [:defcon, :action] # Check existence of keys and values in hash -new_hash.has_key?(:defcon) #=> true -new_hash.has_value?(3) #=> true +new_hash.key?(:defcon) #=> true +new_hash.value?(3) #=> true # Tip: Both Arrays and Hashes are Enumerable # They share a lot of useful methods such as each, map, count, and more From 50fca171c53ca5c1de63c9a09ca457df0767f713 Mon Sep 17 00:00:00 2001 From: "C. Bess" Date: Mon, 23 Nov 2015 13:12:49 -0600 Subject: [PATCH 237/286] - added error handling example - add do-try-catch examples - add throw example --- swift.html.markdown | 40 +++++++++++++++++++++++++++++++++++++++- 1 file changed, 39 insertions(+), 1 deletion(-) diff --git a/swift.html.markdown b/swift.html.markdown index df9c5092..33ff8451 100644 --- a/swift.html.markdown +++ b/swift.html.markdown @@ -345,6 +345,44 @@ let namesTable = NamesTable(names: ["Me", "Them"]) let name = namesTable[1] print("Name is \(name)") // Name is Them +// +// MARK: Error Handling +// + +// The `ErrorType` protocol is used when throwing errors to catch +enum MyError: ErrorType { + case BadValue(msg: String) + case ReallyBadValue(msg: String) +} + +// functions marked with `throws` must be called using `try` +func fakeFetch(value: Int) throws -> String { + guard 7 == value else { + throw MyError.ReallyBadValue(msg: "Some really bad value") + } + + return "test" +} + +func testTryStuff() { + // assumes there will be no error thrown, otherwise a runtime exception is raised + let _ = try! fakeFetch(7) + + // if an error is thrown, then it proceeds, but if the value is nil + // it also wraps every return value in an optional, even if its already optional + let _ = try? fakeFetch(7) + + do { + // normal try operation that provides error handling via `catch` block + try fakeFetch(1) + } catch MyError.BadValue(let msg) { + print("Error message: \(msg)") + } catch { + // must be exhaustive + } +} +testTryStuff() + // // MARK: Classes // @@ -559,7 +597,7 @@ class MyShape: Rect { // `extension`s: Add extra functionality to an already existing type -// Square now "conforms" to the `Printable` protocol +// Square now "conforms" to the `CustomStringConvertible` protocol extension Square: CustomStringConvertible { var description: String { return "Area: \(self.getArea()) - ID: \(self.identifier)" From 083eb1c4a5ef1da2249ad9640bc2f62cf9f95af0 Mon Sep 17 00:00:00 2001 From: Laoujin Date: Fri, 27 Nov 2015 00:19:06 +0100 Subject: [PATCH 238/286] [PowerShell/en] intro --- powershell.html.markdown | 56 ++++++++++++++++++++++++++++++++++++++++ 1 file changed, 56 insertions(+) create mode 100644 powershell.html.markdown diff --git a/powershell.html.markdown b/powershell.html.markdown new file mode 100644 index 00000000..5ec18afb --- /dev/null +++ b/powershell.html.markdown @@ -0,0 +1,56 @@ +--- +category: tool +tool: powershell +contributors: + - ["Wouter Van Schandevijl", "https://github.com/laoujin"] +filename: LearnPowershell.ps1 +--- + +PowerShell is the Windows scripting language and configuration management framework from Microsoft built on the .NET Framework. Windows 7 and up ship with PowerShell. +Nearly all examples below can be a part of a shell script or executed directly in the shell. + +A key difference with Bash is that it is mostly objects that you manipulate rather than plain text. + +[Read more here.](https://technet.microsoft.com/en-us/library/bb978526.aspx) + +```powershell +# As you already figured, comments start with # + +# Simple hello world example: +echo Hello world! +# echo is an alias for Write-Output (=cmdlet) +# Most cmdlets and functions follow the Verb-Noun naming convention + +# Each command starts on a new line, or after semicolon: +echo 'This is the first line'; echo 'This is the second line' + +# Declaring a variable looks like this: +$Variable="Some string" +# Or like this: +$Variable1 = "Another string" + +# Using the variable: +echo $Variable +echo "$Variable" +echo '$($Variable + '1')' +echo @" +This is a Here-String +$Variable +"@ +# Note that ' (single quote) won't expand the variables! +# Here-Strings also work with single quote + +# Builtin variables: +# There are some useful builtin variables, like +echo "Booleans: $TRUE and $FALSE" +echo "Empty value: $NULL" +echo "Last program's return value: $?" +echo "Script's PID: $PID" +echo "Number of arguments passed to script: $#" +echo "All arguments passed to script: $Args" +echo "Script's arguments separated into different variables: $1 $2..." + +# Reading a value from input: +$Name = Read-Host "What's your name?" +echo "Hello, $Name!" +[int]$Age = Read-Host "What's your age?" \ No newline at end of file From 4d44e241d72b160c31e74db29ff389371d35579f Mon Sep 17 00:00:00 2001 From: Laoujin Date: Fri, 27 Nov 2015 01:07:45 +0100 Subject: [PATCH 239/286] [PowerShell/en] execution-policy, builtin variables, configure your shell --- powershell.html.markdown | 60 +++++++++++++++++++++++++++++++++------- 1 file changed, 50 insertions(+), 10 deletions(-) diff --git a/powershell.html.markdown b/powershell.html.markdown index 5ec18afb..2a7deee1 100644 --- a/powershell.html.markdown +++ b/powershell.html.markdown @@ -13,6 +13,22 @@ A key difference with Bash is that it is mostly objects that you manipulate rath [Read more here.](https://technet.microsoft.com/en-us/library/bb978526.aspx) +If you are uncertain about your environment: +```powershell +Get-ExecutionPolicy -List +Set-ExecutionPolicy AllSigned +# Execution policies include: +# - Restricted: Scripts won't run. +# - RemoteSigned: Downloaded scripts run only if signed by a trusted publisher. +# - AllSigned: Scripts need to be signed by a trusted publisher. +# - Unrestricted: Run all scripts. +help about_Execution_Policies # for more info + +# Current PowerShell version: +$PSVersionTable +``` + +The tutorial starts here: ```powershell # As you already figured, comments start with # @@ -25,17 +41,18 @@ echo Hello world! echo 'This is the first line'; echo 'This is the second line' # Declaring a variable looks like this: -$Variable="Some string" +$aString="Some string" # Or like this: -$Variable1 = "Another string" +$aNumber = 5 # Using the variable: -echo $Variable -echo "$Variable" -echo '$($Variable + '1')' +echo $aString +echo "Interpolation: $aString" +echo "`$aString has length of $($aString.length)" +echo '$aString' echo @" This is a Here-String -$Variable +$aString "@ # Note that ' (single quote) won't expand the variables! # Here-Strings also work with single quote @@ -45,12 +62,35 @@ $Variable echo "Booleans: $TRUE and $FALSE" echo "Empty value: $NULL" echo "Last program's return value: $?" +echo "Exit code of last run Windows-based program: $LastExitCode" +echo "The last token in the last line received by the session: $$" +echo "The first token: $^" echo "Script's PID: $PID" -echo "Number of arguments passed to script: $#" -echo "All arguments passed to script: $Args" -echo "Script's arguments separated into different variables: $1 $2..." +echo "Full path of current script directory: $PSScriptRoot" +echo 'Full path of current script: ' + $MyInvocation.MyCommand.Path +echo "FUll path of current directory: $Pwd" +echo "Bound arguments in a function, script or code block: $PSBoundParameters" +echo "Unbound arguments: $($Args -join ', ')." ######################## MOVE THIS TO FUNCTIONS +# More builtins: `help about_Automatic_Variables` # Reading a value from input: $Name = Read-Host "What's your name?" echo "Hello, $Name!" -[int]$Age = Read-Host "What's your age?" \ No newline at end of file +[int]$Age = Read-Host "What's your age?" + + + + +``` + + +Configuring your shell +```powershell +# $Profile is the full path for your `Microsoft.PowerShell_profile.ps1` +# All code there will be executed when the PS session starts +if (-not (Test-Path $Profile)) { + New-Item -Type file -Path $Profile -Force + notepad $Profile +} +# More info: `help about_profiles` +``` \ No newline at end of file From bc47915c8f09fc586e47fd37fef76f6d27a0a8b8 Mon Sep 17 00:00:00 2001 From: Laoujin Date: Fri, 27 Nov 2015 02:37:30 +0100 Subject: [PATCH 240/286] [PowerShell/en] control-flow, pipeline, getting help --- powershell.html.markdown | 96 +++++++++++++++++++++++++++++++++++++++- 1 file changed, 95 insertions(+), 1 deletion(-) diff --git a/powershell.html.markdown b/powershell.html.markdown index 2a7deee1..be802916 100644 --- a/powershell.html.markdown +++ b/powershell.html.markdown @@ -28,6 +28,18 @@ help about_Execution_Policies # for more info $PSVersionTable ``` +Getting help: +```powershell +# Find commands +Get-Command about_* # alias: gcm +Get-Command -Verb Add +Get-Alias ps +Get-Alias -Definition Get-Process + +Get-Help ps | less # alias: help +ps | Get-Member # alias: gm +``` + The tutorial starts here: ```powershell # As you already figured, comments start with # @@ -44,8 +56,10 @@ echo 'This is the first line'; echo 'This is the second line' $aString="Some string" # Or like this: $aNumber = 5 +$aList = 1,2,3,4,5 +$aHashtable = @{name1='val1'; name2='val2'} -# Using the variable: +# Using variables: echo $aString echo "Interpolation: $aString" echo "`$aString has length of $($aString.length)" @@ -78,7 +92,87 @@ $Name = Read-Host "What's your name?" echo "Hello, $Name!" [int]$Age = Read-Host "What's your age?" +# Control Flow +# We have the usual if structure: +if ($Age -is [string]) { + echo 'But.. $Age cannot be a string!' +} elseif ($Age -lt 12 -and $Age -gt 0) { + echo 'Child (Less than 12. Greater than 0)' +} else { + echo 'Adult' +} +# Switch statements are more powerfull compared to most languages +$val = "20" +switch($val) { + { $_ -eq 42 } { "The answer equals 42"; break } + '20' { "Exactly 20"; break } + { $_ -like 's*' } { "Case insensitive"; break } + { $_ -clike 's*'} { "clike, ceq, cne for case sensitive"; break } + { $_ -notmatch '^.*$'} { "Regex matching. cnotmatch, cnotlike, ..."; break } + { 'x' -contains 'x'} { "FALSE! -contains is for lists!"; break } + default { "Others" } +} + +# The classic for +for($i = 1; $i -le 10; $i++) { + "Loop number $i" +} +# Or shorter +1..10 | % { "Loop number $_" } + +# PowerShell also offers +foreach ($var in 'val1','val2','val3') { echo $var } +# while () {} +# do {} while () +# do {} until () + + +# List files and directories in the current directory +ls # or `dir` +cd ~ # goto home + +Get-Alias ls # -> Get-ChildItem +# Uh!? These cmdlets have generic names because unlike other scripting +# languages, PowerShell does not only operate in the current directory. +cd HKCU: # go to the HKEY_CURRENT_USER registry hive + +# Get all providers in your session +Get-PSProvider + +# Cmdlets have parameters that control their execution: +Get-ChildItem -Filter *.txt -Name # Get just the name of all txt files +# Only need to type as much of a parameter name until it is no longer ambiguous +ls -fi *.txt -n # -f is not possible because -Force also exists +# Use `Get-Help Get-ChildItem -Full` for a complete overview + +# Results of the previous cmdlet can be passed to the next as input. +# grep cmdlet filters the input with provided patterns. +# `$_` is the current object in the pipeline object. +ls | Where-Object { $_.Name -match 'c' } | Export-CSV export.txt +ls | ? { $_.Name -match 'c' } | ConvertTo-HTML | Out-File export.html + +# If you get confused in the pipeline use `Get-Member` for an overview +# of the available methods and properties of the pipelined objects: +ls | Get-Member +Get-Date | gm + +# ` is the line continuation character. Or end the line with a | +Get-Process | Sort-Object ID -Descending | Select-Object -First 10 Name,ID,VM ` + | Stop-Process -WhatIf + +Get-EventLog Application -After (Get-Date).AddHours(-2) | Format-List + +# Use % as a shorthand for ForEach-Object +(a,b,c) | ForEach-Object ` + -Begin { "Starting"; $counter = 0 } ` + -Process { "Processing $_"; $counter++ } ` + -End { "Finishing: $counter" } + +# Get-Process as a table with three columns +# The third column is the value of the VM property in MB and 2 decimal places +# Computed columns can be written more succinctly as: `@{n='lbl';e={$_}` +ps | Format-Table ID,Name,@{name='VM(MB)';expression={'{0:n2}' -f ($_.VM / 1MB)}} -autoSize ``` From 0b7c612c3ed5c82b05bca22bcf3622e37fe55581 Mon Sep 17 00:00:00 2001 From: Laoujin Date: Fri, 27 Nov 2015 03:49:34 +0100 Subject: [PATCH 241/286] [PowerShell/en] IO, Interesting Projects, Not Covered, Exception Handling, UseFull stuff, max line 80. --- powershell.html.markdown | 144 +++++++++++++++++++++++++++++++++++---- 1 file changed, 129 insertions(+), 15 deletions(-) diff --git a/powershell.html.markdown b/powershell.html.markdown index be802916..6f38c45c 100644 --- a/powershell.html.markdown +++ b/powershell.html.markdown @@ -6,10 +6,14 @@ contributors: filename: LearnPowershell.ps1 --- -PowerShell is the Windows scripting language and configuration management framework from Microsoft built on the .NET Framework. Windows 7 and up ship with PowerShell. -Nearly all examples below can be a part of a shell script or executed directly in the shell. +PowerShell is the Windows scripting language and configuration management +framework from Microsoft built on the .NET Framework. Windows 7 and up ship +with PowerShell. +Nearly all examples below can be a part of a shell script or executed directly +in the shell. -A key difference with Bash is that it is mostly objects that you manipulate rather than plain text. +A key difference with Bash is that it is mostly objects that you manipulate +rather than plain text. [Read more here.](https://technet.microsoft.com/en-us/library/bb978526.aspx) @@ -38,6 +42,10 @@ Get-Alias -Definition Get-Process Get-Help ps | less # alias: help ps | Get-Member # alias: gm + +Show-Command Get-EventLog # Display GUI to fill in the parameters + +Update-Help # Run as admin ``` The tutorial starts here: @@ -49,20 +57,21 @@ echo Hello world! # echo is an alias for Write-Output (=cmdlet) # Most cmdlets and functions follow the Verb-Noun naming convention -# Each command starts on a new line, or after semicolon: +# Each command starts on a new line, or after a semicolon: echo 'This is the first line'; echo 'This is the second line' # Declaring a variable looks like this: $aString="Some string" # Or like this: -$aNumber = 5 +$aNumber = 5 -as [double] $aList = 1,2,3,4,5 +$aString = $aList -join '--' # yes, -split exists also $aHashtable = @{name1='val1'; name2='val2'} # Using variables: echo $aString echo "Interpolation: $aString" -echo "`$aString has length of $($aString.length)" +echo "`$aString has length of $($aString.Length)" echo '$aString' echo @" This is a Here-String @@ -84,15 +93,14 @@ echo "Full path of current script directory: $PSScriptRoot" echo 'Full path of current script: ' + $MyInvocation.MyCommand.Path echo "FUll path of current directory: $Pwd" echo "Bound arguments in a function, script or code block: $PSBoundParameters" -echo "Unbound arguments: $($Args -join ', ')." ######################## MOVE THIS TO FUNCTIONS +echo "Unbound arguments: $($Args -join ', ')." # More builtins: `help about_Automatic_Variables` -# Reading a value from input: -$Name = Read-Host "What's your name?" -echo "Hello, $Name!" -[int]$Age = Read-Host "What's your age?" +# Inline another file (dot operator) +. .\otherScriptName.ps1 -# Control Flow + +### Control Flow # We have the usual if structure: if ($Age -is [string]) { echo 'But.. $Age cannot be a string!' @@ -127,7 +135,14 @@ foreach ($var in 'val1','val2','val3') { echo $var } # do {} while () # do {} until () +# Exception handling +try {} catch {} finally {} +try {} catch [System.NullReferenceException] { + echo $_.Exception | Format-List -Force +} + +### Providers # List files and directories in the current directory ls # or `dir` cd ~ # goto home @@ -140,6 +155,8 @@ cd HKCU: # go to the HKEY_CURRENT_USER registry hive # Get all providers in your session Get-PSProvider + +### Pipeline # Cmdlets have parameters that control their execution: Get-ChildItem -Filter *.txt -Name # Get just the name of all txt files # Only need to type as much of a parameter name until it is no longer ambiguous @@ -171,10 +188,96 @@ Get-EventLog Application -After (Get-Date).AddHours(-2) | Format-List # Get-Process as a table with three columns # The third column is the value of the VM property in MB and 2 decimal places -# Computed columns can be written more succinctly as: `@{n='lbl';e={$_}` -ps | Format-Table ID,Name,@{name='VM(MB)';expression={'{0:n2}' -f ($_.VM / 1MB)}} -autoSize +# Computed columns can be written more verbose as: +# `@{name='lbl';expression={$_}` +ps | Format-Table ID,Name,@{n='VM(MB)';e={'{0:n2}' -f ($_.VM / 1MB)}} -autoSize +### Functions +# The [string] attribute is optional. +function foo([string]$name) { + echo "Hey $name, have a function" +} + +# Calling your function +foo "Say my name" + +# Functions with named parameters, parameter attributes, parsable documention +<# +.SYNOPSIS +Setup a new website +.DESCRIPTION +Creates everything your new website needs for much win +.PARAMETER siteName +The name for the new website +.EXAMPLE +New-Website -Name FancySite -Po 5000 +New-Website SiteWithDefaultPort +New-Website siteName 2000 # ERROR! Port argument could not be validated +('name1','name2') | New-Website -Verbose +#> +function New-Website() { + [CmdletBinding()] + param ( + [Parameter(ValueFromPipeline=$true, Mandatory=$true)] + [Alias('name')] + [string]$siteName, + [ValidateSet(3000,5000,8000)] + [int]$port = 3000 + ) + BEGIN { Write-Verbose 'Creating new website(s)' } + PROCESS { echo "name: $siteName, port: $port" } + END { Write-Verbose 'Website(s) created' } +} + + +### It's all .NET +# A PS string is in fact a .NET System.String +# All .NET methods and properties are thus available +'string'.ToUpper().Replace('G', 'ggg') +# Or more powershellish +'string'.ToUpper() -replace 'G', 'ggg' + +# Unsure how that .NET method is called again? +'string' | gm + +# Syntax for calling static .NET methods +[System.Reflection.Assembly]::LoadWithPartialName('Microsoft.VisualBasic') + +# Note that .NET functions MUST be called with parentheses +# while PS functions CANNOT be called with parentheses +$writer = New-Object System.IO.StreamWriter($path, $true) +$writer.Write([Environment]::NewLine) +$write.Dispose() + +### IO +# Reading a value from input: +$Name = Read-Host "What's your name?" +echo "Hello, $Name!" +[int]$Age = Read-Host "What's your age?" + +# Test-Path, Split-Path, Join-Path, Resolve-Path +# Get-Content filename # returns a string[] +# Set-Content, Add-Content, Clear-Content +Get-Command ConvertTo-*,ConvertFrom-* + + +### Useful stuff +# Refresh your PATH +$env:PATH = [System.Environment]::GetEnvironmentVariable("Path", "Machine") + + ";" + [System.Environment]::GetEnvironmentVariable("Path", "User") +# Find Python in path +$env:PATH.Split(";") | Where-Object { $_ -like "*python*"} + +# Change working directory without having to remember previous path +Push-Location c:\temp # change working directory to c:\temp +Pop-Location # change back to previous working directory + +# Unblock a directory after download +Get-ChildItem -Recurse | Unblock-File + +# Open Windows Explorer in working directory +ii . ``` @@ -187,4 +290,15 @@ if (-not (Test-Path $Profile)) { notepad $Profile } # More info: `help about_profiles` -``` \ No newline at end of file +``` + +Interesting Projects +* [Channel9](https://channel9.msdn.com/Search?term=powershell%20pipeline#ch9Search&lang-en=en) PowerShell videos +* [PSake](https://github.com/psake/psake) Build automation tool +* [Pester](https://github.com/pester/Pester) BDD Testing Framework + +Not covered +* WMI: Windows Management Intrumentation (Get-CimInstance) +* Multitasking: Start-Job -scriptBlock {...}, +* Code Signing +* Remoting (Enter-PSSession/Exit-PSSession; Invoke-Command) \ No newline at end of file From 3cbcf0e98368d58b708fd945f96d7996386f57ed Mon Sep 17 00:00:00 2001 From: Laoujin Date: Fri, 27 Nov 2015 04:05:53 +0100 Subject: [PATCH 242/286] [PowerShell/en] More usefull snippets and interesting projects --- powershell.html.markdown | 19 ++++++++++++++++++- 1 file changed, 18 insertions(+), 1 deletion(-) diff --git a/powershell.html.markdown b/powershell.html.markdown index 6f38c45c..ce9cfa72 100644 --- a/powershell.html.markdown +++ b/powershell.html.markdown @@ -278,6 +278,17 @@ Get-ChildItem -Recurse | Unblock-File # Open Windows Explorer in working directory ii . + +# Any key to exit +$host.UI.RawUI.ReadKey() +return + +# Create a shortcut +$WshShell = New-Object -comObject WScript.Shell +$Shortcut = $WshShell.CreateShortcut($link) +$Shortcut.TargetPath = $file +$Shortcut.WorkingDirectory = Split-Path $file +$Shortcut.Save() ``` @@ -290,12 +301,18 @@ if (-not (Test-Path $Profile)) { notepad $Profile } # More info: `help about_profiles` +# For a more usefull shell, be sure to check the project PSReadLine below ``` Interesting Projects -* [Channel9](https://channel9.msdn.com/Search?term=powershell%20pipeline#ch9Search&lang-en=en) PowerShell videos +* [Channel9](https://channel9.msdn.com/Search?term=powershell%20pipeline#ch9Search&lang-en=en) PowerShell tutorials +* [PSGet](https://github.com/psget/psget) NuGet for PowerShell +* [PSReadLine](https://github.com/lzybkr/PSReadLine/) A bash inspired readline implementation for PowerShell (So good that it now ships with Windows10 by default!) +* [Posh-Git](https://github.com/dahlbyk/posh-git/) Fancy Git Prompt (Recommended!) * [PSake](https://github.com/psake/psake) Build automation tool * [Pester](https://github.com/pester/Pester) BDD Testing Framework +* [Jump-Location](https://github.com/tkellogg/Jump-Location) Powershell `cd` that reads your mind +* [PowerShell Community Extensions](http://pscx.codeplex.com/) (Dead) Not covered * WMI: Windows Management Intrumentation (Get-CimInstance) From 276390e4583ffe471fd90d527fd0ef1c96510119 Mon Sep 17 00:00:00 2001 From: Wouter Van Schandevijl Date: Fri, 27 Nov 2015 05:44:22 +0100 Subject: [PATCH 243/286] [Powershell/en] Deleted a left-over from the bash turorial --- powershell.html.markdown | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/powershell.html.markdown b/powershell.html.markdown index ce9cfa72..9c521b27 100644 --- a/powershell.html.markdown +++ b/powershell.html.markdown @@ -164,7 +164,6 @@ ls -fi *.txt -n # -f is not possible because -Force also exists # Use `Get-Help Get-ChildItem -Full` for a complete overview # Results of the previous cmdlet can be passed to the next as input. -# grep cmdlet filters the input with provided patterns. # `$_` is the current object in the pipeline object. ls | Where-Object { $_.Name -match 'c' } | Export-CSV export.txt ls | ? { $_.Name -match 'c' } | ConvertTo-HTML | Out-File export.html @@ -318,4 +317,4 @@ Not covered * WMI: Windows Management Intrumentation (Get-CimInstance) * Multitasking: Start-Job -scriptBlock {...}, * Code Signing -* Remoting (Enter-PSSession/Exit-PSSession; Invoke-Command) \ No newline at end of file +* Remoting (Enter-PSSession/Exit-PSSession; Invoke-Command) From 8738cef0ad36614b80df63d8d942c6c1416f3e8e Mon Sep 17 00:00:00 2001 From: Serg Date: Fri, 27 Nov 2015 12:36:10 +0200 Subject: [PATCH 244/286] Update javascript-ua.html.markdown Updated according to [Andre Polykanine ](https://github.com/Oire) comments. --- uk-ua/javascript-ua.html.markdown | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/uk-ua/javascript-ua.html.markdown b/uk-ua/javascript-ua.html.markdown index dae27d32..2c534d83 100644 --- a/uk-ua/javascript-ua.html.markdown +++ b/uk-ua/javascript-ua.html.markdown @@ -5,8 +5,8 @@ contributors: - ["Ariel Krakowski", "http://www.learneroo.com"] filename: javascript-ua.js translators: - - ["Ivan Neznayu", "https://github.com/IvanEh"] - - ["Serhii Maksymchuk", "https://maximchuk.tk"] + - ["Ivan", "https://github.com/IvanEh"] + - ["Serhii Maksymchuk", "https://github.com/Serg-Maximchuk"] lang: uk-ua --- @@ -73,7 +73,7 @@ false; // Рядки створюються за допомогою подвійних та одинарних лапок 'абв'; -"Світ, привіт!"; +"Привіт, світе!"; // Для логічного заперечення використовується знак оклику. !true; // = false @@ -139,7 +139,7 @@ var someVar = 5; // якщо пропустити слово var, ви не отримаєте повідомлення про помилку, ... someOtherVar = 10; -// ... але ваша змінна буде створена в глобальному контексті, а не там, де +// ... але вашу змінну буде створено в глобальному контексті, а не там, де // ви її оголосили // Змінні, які оголошені без присвоєння, автоматично приймають значення undefined @@ -160,7 +160,7 @@ var myArray = ["Привіт", 45, true]; // Індексація починається з нуля myArray[1]; // = 45 -// Масиви можна змінювати, як і їх довжину +// Масиви в JavaScript змінюють довжину при додаванні нових елементів myArray.push("Привіт"); myArray.length; // = 4 @@ -258,7 +258,7 @@ function myFunction(thing) { } myFunction("foo"); // = "FOO" -// Зверність увагу, що значення яке буде повернено, повинно починатися на тому ж +// Зверніть увагу, що значення яке буде повернено, повинно починатися на тому ж // рядку, що і ключове слово return, інакше завжди буде повертатися значення undefined // через автоматичну вставку крапки з комою function myFunction() @@ -280,7 +280,7 @@ setTimeout(myFunction, 5000); // setTimeout не є частиною мови, але реалізований в браузерах і Node.js // Функції не обов’язково мають мати ім’я при оголошенні — ви можете написати -// анонімну функцію прямо в якості аргумента іншої функції +// анонімну функцію як аргумент іншої функції setTimeout(function() { // Цей код буде виконано через п’ять секунд }, 5000); @@ -303,7 +303,7 @@ i; // = 5, а не undefined, як це звичайно буває в інши temporary; // повідомлення про помилку ReferenceError permanent; // = 10 -// Замикання - один з найпотужніших інтрументів JavaScript. Якщо функція визначена +// Замикання - один з найпотужніших інструментів JavaScript. Якщо функція визначена // всередині іншої функції, то внутрішня функція має доступ до змінних зовнішньої // функції навіть після того, як код буде виконуватися поза контекстом зовнішньої функції function sayHelloInFiveSeconds(name) { @@ -409,7 +409,7 @@ myObj.meaningOfLife; // = 42 // Аналогічно для функцій myObj.myFunc(); // = "Hello, world!" -// Якщо інтерпретатор не знайде властивість в прототипі, то він продовжить пошук +// Якщо інтерпретатор не знайде властивості в прототипі, то він продовжить пошук // в прототипі прототипа і так далі myPrototype.__proto__ = { myBoolean: true From aca3a4382e2eeb16e383eeb9fbd6689e4caba131 Mon Sep 17 00:00:00 2001 From: Serg Date: Fri, 27 Nov 2015 12:39:27 +0200 Subject: [PATCH 245/286] Update javascript-ua.html.markdown Small fixes --- uk-ua/javascript-ua.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/uk-ua/javascript-ua.html.markdown b/uk-ua/javascript-ua.html.markdown index 2c534d83..9614f9ca 100644 --- a/uk-ua/javascript-ua.html.markdown +++ b/uk-ua/javascript-ua.html.markdown @@ -3,7 +3,7 @@ language: javascript contributors: - ["Adam Brenecki", "http://adam.brenecki.id.au"] - ["Ariel Krakowski", "http://www.learneroo.com"] -filename: javascript-ua.js +filename: javascript-uk.js translators: - ["Ivan", "https://github.com/IvanEh"] - ["Serhii Maksymchuk", "https://github.com/Serg-Maximchuk"] @@ -160,7 +160,7 @@ var myArray = ["Привіт", 45, true]; // Індексація починається з нуля myArray[1]; // = 45 -// Масиви в JavaScript змінюють довжину при додаванні нових елементів +// Масиви в JavaScript змінюють свою довжину при додаванні нових елементів myArray.push("Привіт"); myArray.length; // = 4 From 3c048d79adddea0e8ada7ff2af6445160ac000fc Mon Sep 17 00:00:00 2001 From: Daniel Imms Date: Fri, 27 Nov 2015 15:30:23 -0800 Subject: [PATCH 246/286] Make typescript indentation consistently 2 spaces --- typescript.html.markdown | 52 ++++++++++++++++++++-------------------- 1 file changed, 26 insertions(+), 26 deletions(-) diff --git a/typescript.html.markdown b/typescript.html.markdown index e9135510..26f1fcd9 100644 --- a/typescript.html.markdown +++ b/typescript.html.markdown @@ -83,23 +83,23 @@ mySearch = function(src: string, sub: string) { // Classes - members are public by default class Point { // Properties - x: number; + x: number; - // Constructor - the public/private keywords in this context will generate - // the boiler plate code for the property and the initialization in the - // constructor. - // In this example, "y" will be defined just like "x" is, but with less code - // Default values are also supported + // Constructor - the public/private keywords in this context will generate + // the boiler plate code for the property and the initialization in the + // constructor. + // In this example, "y" will be defined just like "x" is, but with less code + // Default values are also supported - constructor(x: number, public y: number = 0) { - this.x = x; - } + constructor(x: number, public y: number = 0) { + this.x = x; + } - // Functions - dist() { return Math.sqrt(this.x * this.x + this.y * this.y); } + // Functions + dist() { return Math.sqrt(this.x * this.x + this.y * this.y); } - // Static members - static origin = new Point(0, 0); + // Static members + static origin = new Point(0, 0); } var p1 = new Point(10 ,20); @@ -107,15 +107,15 @@ var p2 = new Point(25); //y will be 0 // Inheritance class Point3D extends Point { - constructor(x: number, y: number, public z: number = 0) { - super(x, y); // Explicit call to the super class constructor is mandatory - } + constructor(x: number, y: number, public z: number = 0) { + super(x, y); // Explicit call to the super class constructor is mandatory + } - // Overwrite - dist() { - var d = super.dist(); - return Math.sqrt(d * d + this.z * this.z); - } + // Overwrite + dist() { + var d = super.dist(); + return Math.sqrt(d * d + this.z * this.z); + } } // Modules, "." can be used as separator for sub modules @@ -139,19 +139,19 @@ var s2 = new G.Square(10); // Generics // Classes class Tuple { - constructor(public item1: T1, public item2: T2) { - } + constructor(public item1: T1, public item2: T2) { + } } // Interfaces interface Pair { - item1: T; - item2: T; + item1: T; + item2: T; } // And functions var pairToTuple = function(p: Pair) { - return new Tuple(p.item1, p.item2); + return new Tuple(p.item1, p.item2); }; var tuple = pairToTuple({ item1:"hello", item2:"world"}); From 90a7e8ac4910e0ab754ce1801d6743fb6c70eaba Mon Sep 17 00:00:00 2001 From: Laoujin Date: Sat, 28 Nov 2015 19:44:24 +0100 Subject: [PATCH 247/286] [PowerShell/en] Markdown ```powershell didn't render properly --- powershell.html.markdown | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/powershell.html.markdown b/powershell.html.markdown index ce9cfa72..70935993 100644 --- a/powershell.html.markdown +++ b/powershell.html.markdown @@ -18,7 +18,7 @@ rather than plain text. [Read more here.](https://technet.microsoft.com/en-us/library/bb978526.aspx) If you are uncertain about your environment: -```powershell +``` Get-ExecutionPolicy -List Set-ExecutionPolicy AllSigned # Execution policies include: @@ -33,7 +33,7 @@ $PSVersionTable ``` Getting help: -```powershell +``` # Find commands Get-Command about_* # alias: gcm Get-Command -Verb Add @@ -49,7 +49,7 @@ Update-Help # Run as admin ``` The tutorial starts here: -```powershell +``` # As you already figured, comments start with # # Simple hello world example: @@ -293,7 +293,7 @@ $Shortcut.Save() Configuring your shell -```powershell +``` # $Profile is the full path for your `Microsoft.PowerShell_profile.ps1` # All code there will be executed when the PS session starts if (-not (Test-Path $Profile)) { From 2099ec480194f747d4292b9d253e4fa416b35188 Mon Sep 17 00:00:00 2001 From: Adam Date: Mon, 30 Nov 2015 22:22:42 +0700 Subject: [PATCH 248/286] Moved ua-ua files to uk-ua --- uk-ua/bash-ua.html.markdown | 296 ++++++++++++++++++++++++++++++++++++ uk-ua/json-ua.html.markdown | 67 ++++++++ 2 files changed, 363 insertions(+) create mode 100644 uk-ua/bash-ua.html.markdown create mode 100644 uk-ua/json-ua.html.markdown diff --git a/uk-ua/bash-ua.html.markdown b/uk-ua/bash-ua.html.markdown new file mode 100644 index 00000000..b7e4a5ba --- /dev/null +++ b/uk-ua/bash-ua.html.markdown @@ -0,0 +1,296 @@ +--- +category: tool +tool: bash +contributors: + - ["Max Yankov", "https://github.com/golergka"] + - ["Darren Lin", "https://github.com/CogBear"] + - ["Alexandre Medeiros", "http://alemedeiros.sdf.org"] + - ["Denis Arh", "https://github.com/darh"] + - ["akirahirose", "https://twitter.com/akirahirose"] + - ["Anton Strömkvist", "http://lutic.org/"] + - ["Rahil Momin", "https://github.com/iamrahil"] + - ["Gregrory Kielian", "https://github.com/gskielian"] + - ["Etan Reisner", "https://github.com/deryni"] +translators: + - ["Ehreshi Ivan", "https://github.com/IvanEh"] +lang: uk-ua +--- + +Bash - командна оболонка unix (unix shell), що також розповсюджувалась як оболонка для +операційної системи GNU і зараз використовується як командна оболонка за замовчуванням +для Linux i Max OS X. +Почти все нижеприведенные примеры могут быть частью shell-скриптов или исполнены напрямую в shell. +Майже всі приклади, що наведені нижче можуть бути частиною shell-скриптів або +виконані в оболонці + +[Більш детально тут.](http://www.gnu.org/software/bash/manual/bashref.html) + +```bash +#!/bin/bash +# Перший рядок скрипта - це shebang, який вказує системі, як потрібно виконувати +# скрипт. Як ви вже зрозуміли, коментарі починаються з #. Shebang - тоже коментар + +# Простий приклад hello world: +echo Hello world! + +# Окремі команди починаються з нового рядка або розділяються крапкою з комкою: +echo 'Перший рядок'; echo 'Другий рядок' + +# Оголошення змінної +VARIABLE="Просто рядок" + +# Але не так! +VARIABLE = "Просто рядок" +# Bash вирішить, що VARIABLE - це команда, яку він може виконати, +# і видасть помилку, тому що не зможе знайти її + +# І так також не можна писати: +VARIABLE= 'Просто рядок' +# Bash сприйме рядок 'Просто рядок' як команду. Але такої команди не має, тому +# видасть помилку. +# (тут 'VARIABLE=' інтерпретується як присвоєння тільки в контексті +# виконання команди 'Просто рядок') + +# Використання змінних: +echo $VARIABLE +echo "$VARIABLE" +echo '$VARIABLE' +# Коли ви використовуєте змінну - присвоюєте значення, експортуєте і т.д. - +# пишіть її імя без $. А для отримання значення змінної використовуйте $. +# Одинарні лапки ' не розкривають значення змінних + +# Підстановка рядків в змінні +echo ${VARIABLE/Просто/A} +# Цей вираз замінить перше входження підрядка "Просто" на "А" + +# Отримання підрядка із рядка +LENGTH=7 +echo ${VARIABLE:0:LENGTH} +# Цей вираз поверне тільки перші 7 символів змінної VARIABLE + +# Значення за замовчуванням +echo ${FOO:-"DefaultValueIfFOOIsMissingOrEmpty"} +# Це спрацює при відсутності значення (FOO=) і при пустому рядку (FOO="") +# Нуль (FOO=0) поверне 0. +# Зауважте, що у всіх випадках значення самої змінної FOO не зміниться + +# Вбудовані змінні: +# В bash є корисні вбудовані змінні, наприклад +echo "Значення, яке було повернуте в останній раз: $?" +echo "PID скрипта: $$" +echo "Кількість аргументів: $#" +echo "Аргументи скрипта: $@" +echo "Аргументи скрипта, розподілені по різним змінним: $1 $2..." + +# Зчитування змінних з пристроїв введення +echo "Як вас звати?" +read NAME # Зверніть увагу, що вам не потрібно оголошувати нову змінну +echo Привіт, $NAME! + +# В bash є звичайна умовна конструкція if: +# наберіть 'man test', щоб переглянути детальну інформацію про формати умов +if [ $NAME -ne $USER ] +then + echo "Ім’я користувача не збігається з введеним" +else + echo "Ім’я збігаєтьяс з іменем користувача" +fi + +# Зауважте! якщо $Name пуста, bash інтерпретує код вище як: +if [ -ne $USER ] +# що є неправильним синтаксисом +# тому безпечний спосіб використання потенційно пустих змінних має вигляд: +if [ "$Name" -ne $USER ] ... +# коли $Name пуста, інтерпретується наступним чином: +if [ "" -ne $USER ] ... +# що працює як і очікувалося + +# Умовне виконання (conditional execution) +echo "Виконується завжди" || echo "Виконається, якщо перша команда завершиться з помилкою" +echo "Виконується завжди" && echo "Виконається, якщо перша команда завершиться успішно" + +# Щоб використати && і || у конструкції if, потрібно декілька пар дужок: +if [ $NAME == "Steve" ] && [ $AGE -eq 15 ] +then + echo "Виконається, якщо $NAME="Steve" i AGE=15." +fi + +if [ $NAME == "Daniya" ] || [ $NAME == "Zach" ] +then + echo "Виконається, якщо NAME="Steve" або NAME="Zach"." +fi + +# Вирази позначаються наступним форматом: +echo $(( 10 + 5 )) + +# На відмінно від інших мов програмування, Bash - це командна оболонка, а +# отже, працює в контексті поточної директорії +ls + +# Ця команда може використовуватися з опціями +ls -l # Показати кожен файл і директорію на окремому рядку + +# Результат попередньої команди можна перенаправити на вхід наступної. +# Команда grep фільтрує вхід по шаблону. +# Таким чином ми можемо переглянути тільки *.txt файли в поточній директорії: +ls -l | grep "\.txt" + +# Ви можете перенаправ вхід і вихід команди (stdin, stdout, stderr). +# Наступна команда означає: читати із stdin, поки не зустрінеться ^EOF$, і +# перезаписати hello.py наступними рядками (до рядка "EOF"): +cat > hello.py << EOF +#!/usr/bin/env python +from __future__ import print_function +import sys +print("#stdout", file=sys.stdout) +print("#stderr", file=sys.stderr) +for line in sys.stdin: + print(line, file=sys.stdout) +EOF + +# Запуск hello.py з різними варіантами перенаправлення stdin, +# stdout, stderr (стандартні потоки введення, виведення і помилок): +python hello.py < "input.in" +python hello.py > "output.out" +python hello.py 2> "error.err" +python hello.py > "output-and-error.log" 2>&1 +python hello.py > /dev/null 2>&1 +# Поток помилок перезапише фпйл, якщо цей файл існує +# тому, якщо ви хочете дописувати до файлу, використовуйте ">>": +python hello.py >> "output.out" 2>> "error.err" + +# Перезаписати output.txt, дописати error.err і порахувати кількість рядків: +info bash 'Basic Shell Features' 'Redirections' > output.out 2>> error.err +wc -l output.out error.err + +# Запустити команду і вивести її файловий дескриптор (див.: man fd; наприклад /dev/fd/123) +echo <(echo "#helloworld") + +# Перезаписати output.txt рядком "#helloworld": +cat > output.out <(echo "#helloworld") +echo "#helloworld" > output.out +echo "#helloworld" | cat > output.out +echo "#helloworld" | tee output.out >/dev/null + +# Подчистить временные файлы с подробным выводом ('-i' - интерактивый режим) +# Очистити тимчасові файли з детальним виводом (додайте '-i' +# для інтерактивного режиму) +rm -v output.out error.err output-and-error.log + +# Команди можуть бути підставлені в інші команди використовуючи $(): +# наступна команда виводить кількість файлів і директорій в поточній директорії +echo "Тут $(ls | wc -l) елементів." + +# Те саме можна зробити використовуючи зворотні лапки +# Але вони не можуть бути вкладеними, тому перший варіант бажаніший +echo "Тут `ls | wc -l` елементів." + +# В Bash є структура case, яка схожа на switch в Java и C++: +case "$VARIABLE" in + # перерахуйте шаблони, які будуть використовуватися в якості умов + 0) echo "Тут нуль.";; + 1) echo "Тут один.";; + *) echo "Не пусте значення.";; +esac + +# Цикл for перебирає елементи передані в аргумент: +# Значення $VARIABLE буде напечатано тричі. +for VARIABLE in {1..3} +do + echo "$VARIABLE" +done + +# Aбо можна використати звичний синтаксис for: +for ((a=1; a <= 3; a++)) +do + echo $a +done + +# Цикл for можно використати, щоб виконувати дії над файлами. +# Цей код запустить команду 'cat' для файлів file1 и file2 +for VARIABLE in file1 file2 +do + cat "$VARIABLE" +done + +# ... або дії над виводом команд +# Запустимо cat для виведення із ls. +for OUTPUT in $(ls) +do + cat "$OUTPUT" +done + +# Цикл while: +while [ true ] +do + echo "Тіло циклу..." + break +done + +# Ви також можете оголосити функцію +# Оголошення: +function foo () +{ + echo "Аргументи функції доступні так само, як і аргументи скрипта: $@" + echo "$1 $2..." + echo "Це функція" + return 0 +} + +# Або просто +bar () +{ + echo "Інший спосіб оголошення функцій!" + return 0 +} + +# Виклик функцій +foo "Мое имя" $NAME + +# Є багато корисних команд: +# вивести останні 10 рядків файла file.txt +tail -n 10 file.txt +# вивести перші 10 рядків файла file.txt +head -n 10 file.txt +# відсортувати рядки file.txt +sort file.txt +# відібрати або пропустити рядки, що дублюються (з опцією -d відбирає) +uniq -d file.txt +# вивести тільки першу колонку перед символом ',' +cut -d ',' -f 1 file.txt +# замінити кожне 'okay' на 'great' у файлі file.txt (підтримується regex) +sed -i 's/okay/great/g' file.txt +# вивести в stdout все рядки з file.txt, що задовольняють шаблону regex; +# цей приклад виводить рядки, що починаються на foo і закінчуються на bar: +grep "^foo.*bar$" file.txt +# використайте опцію -c, щоб вивести кількість входжень +grep -c "^foo.*bar$" file.txt +# чтобы искать по строке, а не шаблону regex, используйте fgrep (или grep -F) +# щоб здійснити пошук по рядку, а не по шаблону regex, використовуйте fgrea (або grep -F) +fgrep "^foo.*bar$" file.txt + +# Читайте вбудовану документацію Bash командою 'help': +help +help help +help for +help return +help source +help . + +# Читайте Bash man-документацію +apropos bash +man 1 bash +man bash + +# Читайте документацію info (? для допомоги) +apropos info | grep '^info.*(' +man info +info info +info 5 info + +# Читайте bash info документацію: +info bash +info bash 'Bash Features' +info bash 6 +info --apropos bash +``` diff --git a/uk-ua/json-ua.html.markdown b/uk-ua/json-ua.html.markdown new file mode 100644 index 00000000..8ee12a93 --- /dev/null +++ b/uk-ua/json-ua.html.markdown @@ -0,0 +1,67 @@ +--- +language: json +filename: learnjson-ru.json +contributors: + - ["Anna Harren", "https://github.com/iirelu"] + - ["Marco Scannadinari", "https://github.com/marcoms"] +translators: + - ["Ehreshi Ivan", "https://github.com/IvanEh"] +lang: uk-ua +--- + +JSON - це надзвичайно простий формат обміну даними. Це мабуть буде найлегшим курсом +"Learn X in Y Minutes". + +В загальному випадку в JSON немає коментарів, але більшість парсерів дозволяють +використовувати коментарі в С-стилі(//, /\* \*/). Можна залишити кому після останнього +поля, але все-таки краще такого уникати для кращої сумісності + +```json +{ + "ключ": "значеннь", + + "ключі": "завжди мають бути обгорнуті в подвійні лапки", + "числа": 0, + "рядки": "Пρивет, світ. Допускаються всі unicode-символи разом з \"екрануванням\".", + "логічний тип": true, + "нічого": null, + + "велике число": 1.2e+100, + + "об’єкти": { + "коментар": "Більшість ваших структур будуть складатися з об’єктів", + + "масив": [0, 1, 2, 3, "масиви можуть містити будь-які типи", 5], + + "інший об’єкт": { + "коментра": "Об’єкти можуть містити інші об’єкти. Це дуже корисно." + } + }, + + "безглуздя": [ + { + "джерело калія": ["банани"] + }, + [ + [1, 0, 0, 0], + [0, 1, 0, 0], + [0, 0, 1, "нео"], + [0, 0, 0, 1] + ] + ], + + "альтернативнтй стиль": { + "коментар": "Гляньте!" + , "позиція коми": "неважлива, поки вона знаходиться до наступного поля" + , "інший коментар": "класно" + }, + + "Це було не довго": "І ви справилист. Тепер ви знаєте все про JSON." +} + +Одиничний масив значень теж є правильним JSON + +[1, 2, 3, "text", true] + + +``` From 3d19a951926f52b7cafca301919233f4cda513ff Mon Sep 17 00:00:00 2001 From: Daniel Imms Date: Mon, 30 Nov 2015 12:48:13 -0800 Subject: [PATCH 249/286] [TypeScript/fr] Make TypeScript indentation consistently 2 spaces fr version of #2041 --- fr-fr/typescript-fr.html.markdown | 56 +++++++++++++++---------------- 1 file changed, 28 insertions(+), 28 deletions(-) diff --git a/fr-fr/typescript-fr.html.markdown b/fr-fr/typescript-fr.html.markdown index b8807104..52d34650 100644 --- a/fr-fr/typescript-fr.html.markdown +++ b/fr-fr/typescript-fr.html.markdown @@ -87,22 +87,22 @@ mySearch = function(src: string, sub: string) { // Les membres des classes sont publiques par défaut. class Point { - // Propriétés - x: number; + // Propriétés + x: number; - // Constructeur - Les mots clés "public" et "private" dans ce contexte - // génèrent le code de la propriété et son initialisation dans le - // constructeur. Ici, "y" sera défini de la même façon que "x", - // mais avec moins de code. Les valeurs par défaut sont supportées. - constructor(x: number, public y: number = 0) { - this.x = x; - } + // Constructeur - Les mots clés "public" et "private" dans ce contexte + // génèrent le code de la propriété et son initialisation dans le + // constructeur. Ici, "y" sera défini de la même façon que "x", + // mais avec moins de code. Les valeurs par défaut sont supportées. + constructor(x: number, public y: number = 0) { + this.x = x; + } - // Fonctions - dist() { return Math.sqrt(this.x * this.x + this.y * this.y); } + // Fonctions + dist() { return Math.sqrt(this.x * this.x + this.y * this.y); } - // Membres statiques - static origin = new Point(0, 0); + // Membres statiques + static origin = new Point(0, 0); } var p1 = new Point(10 ,20); @@ -110,17 +110,17 @@ var p2 = new Point(25); // y sera 0 // Héritage class Point3D extends Point { - constructor(x: number, y: number, public z: number = 0) { - // Un appel explicite au constructeur de la super classe - // est obligatoire. - super(x, y); - } + constructor(x: number, y: number, public z: number = 0) { + // Un appel explicite au constructeur de la super classe + // est obligatoire. + super(x, y); + } - // Redéfinition - dist() { - var d = super.dist(); - return Math.sqrt(d * d + this.z * this.z); - } + // Redéfinition + dist() { + var d = super.dist(); + return Math.sqrt(d * d + this.z * this.z); + } } // Modules, "." peut être utilisé comme un séparateur de sous modules. @@ -144,19 +144,19 @@ var s2 = new G.Square(10); // Génériques // Classes class Tuple { - constructor(public item1: T1, public item2: T2) { - } + constructor(public item1: T1, public item2: T2) { + } } // Interfaces interface Pair { - item1: T; - item2: T; + item1: T; + item2: T; } // Et fonctions var pairToTuple = function(p: Pair) { - return new Tuple(p.item1, p.item2); + return new Tuple(p.item1, p.item2); }; var tuple = pairToTuple({ item1:"hello", item2:"world"}); From ccb05ba98a5b411029e8d7c1e7ea2cd7d87bced4 Mon Sep 17 00:00:00 2001 From: Adam Date: Tue, 1 Dec 2015 20:37:23 +0700 Subject: [PATCH 250/286] Removed old ua-ua --- ua-ua/bash-ua.html.markdown | 296 ------------------------------------ ua-ua/json-ua.html.markdown | 67 -------- 2 files changed, 363 deletions(-) delete mode 100644 ua-ua/bash-ua.html.markdown delete mode 100644 ua-ua/json-ua.html.markdown diff --git a/ua-ua/bash-ua.html.markdown b/ua-ua/bash-ua.html.markdown deleted file mode 100644 index 2c930ad1..00000000 --- a/ua-ua/bash-ua.html.markdown +++ /dev/null @@ -1,296 +0,0 @@ ---- -category: tool -tool: bash -contributors: - - ["Max Yankov", "https://github.com/golergka"] - - ["Darren Lin", "https://github.com/CogBear"] - - ["Alexandre Medeiros", "http://alemedeiros.sdf.org"] - - ["Denis Arh", "https://github.com/darh"] - - ["akirahirose", "https://twitter.com/akirahirose"] - - ["Anton Strömkvist", "http://lutic.org/"] - - ["Rahil Momin", "https://github.com/iamrahil"] - - ["Gregrory Kielian", "https://github.com/gskielian"] - - ["Etan Reisner", "https://github.com/deryni"] -translators: - - ["Ehreshi Ivan", "https://github.com/IvanEh"] -lang: ua-ua ---- - -Bash - командна оболонка unix (unix shell), що також розповсюджувалась як оболонка для -операційної системи GNU і зараз використовується як командна оболонка за замовчуванням -для Linux i Max OS X. -Почти все нижеприведенные примеры могут быть частью shell-скриптов или исполнены напрямую в shell. -Майже всі приклади, що наведені нижче можуть бути частиною shell-скриптів або -виконані в оболонці - -[Більш детально тут.](http://www.gnu.org/software/bash/manual/bashref.html) - -```bash -#!/bin/bash -# Перший рядок скрипта - це shebang, який вказує системі, як потрібно виконувати -# скрипт. Як ви вже зрозуміли, коментарі починаються з #. Shebang - тоже коментар - -# Простий приклад hello world: -echo Hello world! - -# Окремі команди починаються з нового рядка або розділяються крапкою з комкою: -echo 'Перший рядок'; echo 'Другий рядок' - -# Оголошення змінної -VARIABLE="Просто рядок" - -# Але не так! -VARIABLE = "Просто рядок" -# Bash вирішить, що VARIABLE - це команда, яку він може виконати, -# і видасть помилку, тому що не зможе знайти її - -# І так також не можна писати: -VARIABLE= 'Просто рядок' -# Bash сприйме рядок 'Просто рядок' як команду. Але такої команди не має, тому -# видасть помилку. -# (тут 'VARIABLE=' інтерпретується як присвоєння тільки в контексті -# виконання команди 'Просто рядок') - -# Використання змінних: -echo $VARIABLE -echo "$VARIABLE" -echo '$VARIABLE' -# Коли ви використовуєте змінну - присвоюєте значення, експортуєте і т.д. - -# пишіть її імя без $. А для отримання значення змінної використовуйте $. -# Одинарні лапки ' не розкривають значення змінних - -# Підстановка рядків в змінні -echo ${VARIABLE/Просто/A} -# Цей вираз замінить перше входження підрядка "Просто" на "А" - -# Отримання підрядка із рядка -LENGTH=7 -echo ${VARIABLE:0:LENGTH} -# Цей вираз поверне тільки перші 7 символів змінної VARIABLE - -# Значення за замовчуванням -echo ${FOO:-"DefaultValueIfFOOIsMissingOrEmpty"} -# Це спрацює при відсутності значення (FOO=) і при пустому рядку (FOO="") -# Нуль (FOO=0) поверне 0. -# Зауважте, що у всіх випадках значення самої змінної FOO не зміниться - -# Вбудовані змінні: -# В bash є корисні вбудовані змінні, наприклад -echo "Значення, яке було повернуте в останній раз: $?" -echo "PID скрипта: $$" -echo "Кількість аргументів: $#" -echo "Аргументи скрипта: $@" -echo "Аргументи скрипта, розподілені по різним змінним: $1 $2..." - -# Зчитування змінних з пристроїв введення -echo "Як вас звати?" -read NAME # Зверніть увагу, що вам не потрібно оголошувати нову змінну -echo Привіт, $NAME! - -# В bash є звичайна умовна конструкція if: -# наберіть 'man test', щоб переглянути детальну інформацію про формати умов -if [ $NAME -ne $USER ] -then - echo "Ім’я користувача не збігається з введеним" -else - echo "Ім’я збігаєтьяс з іменем користувача" -fi - -# Зауважте! якщо $Name пуста, bash інтерпретує код вище як: -if [ -ne $USER ] -# що є неправильним синтаксисом -# тому безпечний спосіб використання потенційно пустих змінних має вигляд: -if [ "$Name" -ne $USER ] ... -# коли $Name пуста, інтерпретується наступним чином: -if [ "" -ne $USER ] ... -# що працює як і очікувалося - -# Умовне виконання (conditional execution) -echo "Виконується завжди" || echo "Виконається, якщо перша команда завершиться з помилкою" -echo "Виконується завжди" && echo "Виконається, якщо перша команда завершиться успішно" - -# Щоб використати && і || у конструкції if, потрібно декілька пар дужок: -if [ $NAME == "Steve" ] && [ $AGE -eq 15 ] -then - echo "Виконається, якщо $NAME="Steve" i AGE=15." -fi - -if [ $NAME == "Daniya" ] || [ $NAME == "Zach" ] -then - echo "Виконається, якщо NAME="Steve" або NAME="Zach"." -fi - -# Вирази позначаються наступним форматом: -echo $(( 10 + 5 )) - -# На відмінно від інших мов програмування, Bash - це командна оболонка, а -# отже, працює в контексті поточної директорії -ls - -# Ця команда може використовуватися з опціями -ls -l # Показати кожен файл і директорію на окремому рядку - -# Результат попередньої команди можна перенаправити на вхід наступної. -# Команда grep фільтрує вхід по шаблону. -# Таким чином ми можемо переглянути тільки *.txt файли в поточній директорії: -ls -l | grep "\.txt" - -# Ви можете перенаправ вхід і вихід команди (stdin, stdout, stderr). -# Наступна команда означає: читати із stdin, поки не зустрінеться ^EOF$, і -# перезаписати hello.py наступними рядками (до рядка "EOF"): -cat > hello.py << EOF -#!/usr/bin/env python -from __future__ import print_function -import sys -print("#stdout", file=sys.stdout) -print("#stderr", file=sys.stderr) -for line in sys.stdin: - print(line, file=sys.stdout) -EOF - -# Запуск hello.py з різними варіантами перенаправлення stdin, -# stdout, stderr (стандартні потоки введення, виведення і помилок): -python hello.py < "input.in" -python hello.py > "output.out" -python hello.py 2> "error.err" -python hello.py > "output-and-error.log" 2>&1 -python hello.py > /dev/null 2>&1 -# Поток помилок перезапише фпйл, якщо цей файл існує -# тому, якщо ви хочете дописувати до файлу, використовуйте ">>": -python hello.py >> "output.out" 2>> "error.err" - -# Перезаписати output.txt, дописати error.err і порахувати кількість рядків: -info bash 'Basic Shell Features' 'Redirections' > output.out 2>> error.err -wc -l output.out error.err - -# Запустити команду і вивести її файловий дескриптор (див.: man fd; наприклад /dev/fd/123) -echo <(echo "#helloworld") - -# Перезаписати output.txt рядком "#helloworld": -cat > output.out <(echo "#helloworld") -echo "#helloworld" > output.out -echo "#helloworld" | cat > output.out -echo "#helloworld" | tee output.out >/dev/null - -# Подчистить временные файлы с подробным выводом ('-i' - интерактивый режим) -# Очистити тимчасові файли з детальним виводом (додайте '-i' -# для інтерактивного режиму) -rm -v output.out error.err output-and-error.log - -# Команди можуть бути підставлені в інші команди використовуючи $(): -# наступна команда виводить кількість файлів і директорій в поточній директорії -echo "Тут $(ls | wc -l) елементів." - -# Те саме можна зробити використовуючи зворотні лапки -# Але вони не можуть бути вкладеними, тому перший варіант бажаніший -echo "Тут `ls | wc -l` елементів." - -# В Bash є структура case, яка схожа на switch в Java и C++: -case "$VARIABLE" in - # перерахуйте шаблони, які будуть використовуватися в якості умов - 0) echo "Тут нуль.";; - 1) echo "Тут один.";; - *) echo "Не пусте значення.";; -esac - -# Цикл for перебирає елементи передані в аргумент: -# Значення $VARIABLE буде напечатано тричі. -for VARIABLE in {1..3} -do - echo "$VARIABLE" -done - -# Aбо можна використати звичний синтаксис for: -for ((a=1; a <= 3; a++)) -do - echo $a -done - -# Цикл for можно використати, щоб виконувати дії над файлами. -# Цей код запустить команду 'cat' для файлів file1 и file2 -for VARIABLE in file1 file2 -do - cat "$VARIABLE" -done - -# ... або дії над виводом команд -# Запустимо cat для виведення із ls. -for OUTPUT in $(ls) -do - cat "$OUTPUT" -done - -# Цикл while: -while [ true ] -do - echo "Тіло циклу..." - break -done - -# Ви також можете оголосити функцію -# Оголошення: -function foo () -{ - echo "Аргументи функції доступні так само, як і аргументи скрипта: $@" - echo "$1 $2..." - echo "Це функція" - return 0 -} - -# Або просто -bar () -{ - echo "Інший спосіб оголошення функцій!" - return 0 -} - -# Виклик функцій -foo "Мое имя" $NAME - -# Є багато корисних команд: -# вивести останні 10 рядків файла file.txt -tail -n 10 file.txt -# вивести перші 10 рядків файла file.txt -head -n 10 file.txt -# відсортувати рядки file.txt -sort file.txt -# відібрати або пропустити рядки, що дублюються (з опцією -d відбирає) -uniq -d file.txt -# вивести тільки першу колонку перед символом ',' -cut -d ',' -f 1 file.txt -# замінити кожне 'okay' на 'great' у файлі file.txt (підтримується regex) -sed -i 's/okay/great/g' file.txt -# вивести в stdout все рядки з file.txt, що задовольняють шаблону regex; -# цей приклад виводить рядки, що починаються на foo і закінчуються на bar: -grep "^foo.*bar$" file.txt -# використайте опцію -c, щоб вивести кількість входжень -grep -c "^foo.*bar$" file.txt -# чтобы искать по строке, а не шаблону regex, используйте fgrep (или grep -F) -# щоб здійснити пошук по рядку, а не по шаблону regex, використовуйте fgrea (або grep -F) -fgrep "^foo.*bar$" file.txt - -# Читайте вбудовану документацію Bash командою 'help': -help -help help -help for -help return -help source -help . - -# Читайте Bash man-документацію -apropos bash -man 1 bash -man bash - -# Читайте документацію info (? для допомоги) -apropos info | grep '^info.*(' -man info -info info -info 5 info - -# Читайте bash info документацію: -info bash -info bash 'Bash Features' -info bash 6 -info --apropos bash -``` diff --git a/ua-ua/json-ua.html.markdown b/ua-ua/json-ua.html.markdown deleted file mode 100644 index 6281ea56..00000000 --- a/ua-ua/json-ua.html.markdown +++ /dev/null @@ -1,67 +0,0 @@ ---- -language: json -filename: learnjson-ru.json -contributors: - - ["Anna Harren", "https://github.com/iirelu"] - - ["Marco Scannadinari", "https://github.com/marcoms"] -translators: - - ["Ehreshi Ivan", "https://github.com/IvanEh"] -lang: ua-ua ---- - -JSON - це надзвичайно простий формат обміну даними. Це мабуть буде найлегшим курсом -"Learn X in Y Minutes". - -В загальному випадку в JSON немає коментарів, але більшість парсерів дозволяють -використовувати коментарі в С-стилі(//, /\* \*/). Можна залишити кому після останнього -поля, але все-таки краще такого уникати для кращої сумісності - -```json -{ - "ключ": "значеннь", - - "ключі": "завжди мають бути обгорнуті в подвійні лапки", - "числа": 0, - "рядки": "Пρивет, світ. Допускаються всі unicode-символи разом з \"екрануванням\".", - "логічний тип": true, - "нічого": null, - - "велике число": 1.2e+100, - - "об’єкти": { - "коментар": "Більшість ваших структур будуть складатися з об’єктів", - - "масив": [0, 1, 2, 3, "масиви можуть містити будь-які типи", 5], - - "інший об’єкт": { - "коментра": "Об’єкти можуть містити інші об’єкти. Це дуже корисно." - } - }, - - "безглуздя": [ - { - "джерело калія": ["банани"] - }, - [ - [1, 0, 0, 0], - [0, 1, 0, 0], - [0, 0, 1, "нео"], - [0, 0, 0, 1] - ] - ], - - "альтернативнтй стиль": { - "коментар": "Гляньте!" - , "позиція коми": "неважлива, поки вона знаходиться до наступного поля" - , "інший коментар": "класно" - }, - - "Це було не довго": "І ви справилист. Тепер ви знаєте все про JSON." -} - -Одиничний масив значень теж є правильним JSON - -[1, 2, 3, "text", true] - - -``` From 5a0f2ef998cce1343080660e0a0c6dbcc43dfe2f Mon Sep 17 00:00:00 2001 From: Elena Bolshakova Date: Wed, 2 Dec 2015 14:53:18 +0300 Subject: [PATCH 251/286] typo --- ru-ru/perl-ru.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ru-ru/perl-ru.html.markdown b/ru-ru/perl-ru.html.markdown index 0e68116c..a907ba41 100644 --- a/ru-ru/perl-ru.html.markdown +++ b/ru-ru/perl-ru.html.markdown @@ -129,7 +129,7 @@ open(my $out, ">", "output.txt") or die "Can't open output.txt: $!"; open(my $log, ">>", "my.log") or die "Can't open my.log: $!"; # Читать из файлового дескриптора можно с помощью оператора "<>". -# В скалярном контексте он читает одру строку из файла, в списковом -- +# В скалярном контексте он читает одну строку из файла, в списковом -- # читает сразу весь файл, сохраняя по одной строке в элементе массива: my $line = <$in>; From 91ed76340d139a9201262880a0cbbcbe200650f2 Mon Sep 17 00:00:00 2001 From: Jesus Tinoco Date: Wed, 2 Dec 2015 18:49:47 +0100 Subject: [PATCH 252/286] Fixing typo in ruby-es.html.markdown --- es-es/ruby-es.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/es-es/ruby-es.html.markdown b/es-es/ruby-es.html.markdown index 1cf334e3..37b09e8d 100644 --- a/es-es/ruby-es.html.markdown +++ b/es-es/ruby-es.html.markdown @@ -97,7 +97,7 @@ y #=> 10 # Por convención, usa snake_case para nombres de variables snake_case = true -# Usa nombres de variables descriptivas +# Usa nombres de variables descriptivos ruta_para_la_raiz_de_un_projecto = '/buen/nombre/' ruta = '/mal/nombre/' From 0737d9be0bfdedc11842b39f8422123ac329f524 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andre=20Polykanine=20A=2EK=2EA=2E=20Menelion=20Elens=C3=BA?= =?UTF-8?q?l=C3=AB?= Date: Wed, 2 Dec 2015 21:59:12 +0200 Subject: [PATCH 253/286] Resolving conflict in #1710 --- d.html.markdown | 18 ++++++++++-------- 1 file changed, 10 insertions(+), 8 deletions(-) diff --git a/d.html.markdown b/d.html.markdown index 9ebba385..ecb9e3ac 100644 --- a/d.html.markdown +++ b/d.html.markdown @@ -218,7 +218,7 @@ void main() { // from 1 to 100. Easy! // Just pass lambda expressions as template parameters! - // You can pass any old function you like, but lambdas are convenient here. + // You can pass any function you like, but lambdas are convenient here. auto num = iota(1, 101).filter!(x => x % 2 == 0) .map!(y => y ^^ 2) .reduce!((a, b) => a + b); @@ -228,7 +228,7 @@ void main() { ``` Notice how we got to build a nice Haskellian pipeline to compute num? -That's thanks to a D innovation know as Uniform Function Call Syntax. +That's thanks to a D innovation know as Uniform Function Call Syntax (UFCS). With UFCS, we can choose whether to write a function call as a method or free function call! Walter wrote a nice article on this [here.](http://www.drdobbs.com/cpp/uniform-function-call-syntax/232700394) @@ -238,21 +238,23 @@ is of some type A on any expression of type A as a method. I like parallelism. Anyone else like parallelism? Sure you do. Let's do some! ```c +// Let's say we want to populate a large array with the square root of all +// consecutive integers starting from 1 (up until the size of the array), and we +// want to do this concurrently taking advantage of as many cores as we have +// available. + import std.stdio; import std.parallelism : parallel; import std.math : sqrt; void main() { - // We want take the square root every number in our array, - // and take advantage of as many cores as we have available. + // Create your large array auto arr = new double[1_000_000]; - // Use an index, and an array element by reference, - // and just call parallel on the array! + // Use an index, access every array element by reference (because we're + // going to change each element) and just call parallel on the array! foreach(i, ref elem; parallel(arr)) { ref = sqrt(i + 1.0); } } - - ``` From b9cde57bc7efdfd9b9ba8e5fdbe9932c11562d0d Mon Sep 17 00:00:00 2001 From: Anton Pastukhoff Date: Thu, 3 Dec 2015 17:04:28 +0500 Subject: [PATCH 254/286] Update d-ru.html.markdown fixed typo --- ru-ru/d-ru.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ru-ru/d-ru.html.markdown b/ru-ru/d-ru.html.markdown index cbd5b127..ecd6c44c 100644 --- a/ru-ru/d-ru.html.markdown +++ b/ru-ru/d-ru.html.markdown @@ -17,7 +17,7 @@ D - это С++, сделанный правильно. комментарий */ /+ - // вложенные кометарии + // вложенные комментарии /* еще вложенные комментарии */ From 410cc03b09870be6da4931725120b44f93b3bcfc Mon Sep 17 00:00:00 2001 From: Robb Shecter Date: Thu, 3 Dec 2015 14:27:24 -0800 Subject: [PATCH 255/286] Updating dev environment installation info --- haskell.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/haskell.html.markdown b/haskell.html.markdown index 936744a0..34eee748 100644 --- a/haskell.html.markdown +++ b/haskell.html.markdown @@ -426,7 +426,7 @@ qsort (p:xs) = qsort lesser ++ [p] ++ qsort greater greater = filter (>= p) xs ``` -Haskell is easy to install. Get it [here](http://www.haskell.org/platform/). +There are two popular ways to install Haskell: The traditional [Cabal-based installation](http://www.haskell.org/platform/), and the newer [Stack-based process](https://www.stackage.org/install). You can find a much gentler introduction from the excellent [Learn you a Haskell](http://learnyouahaskell.com/) or From 3f91dff4282962a30e30c4831c328a682dfc4924 Mon Sep 17 00:00:00 2001 From: JustBlah Date: Fri, 4 Dec 2015 06:12:54 +0200 Subject: [PATCH 256/286] Commas added. --- ru-ru/objective-c-ru.html.markdown | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/ru-ru/objective-c-ru.html.markdown b/ru-ru/objective-c-ru.html.markdown index bebd36d3..e987dd53 100644 --- a/ru-ru/objective-c-ru.html.markdown +++ b/ru-ru/objective-c-ru.html.markdown @@ -387,13 +387,13 @@ if ([myClass respondsToSelector:selectorVar]) { // Проверяет содер NSNumber height; } -// Для доступа к public переменной, объявленной в интерфейсе используйте '_' перед названием переменной: +// Для доступа к public переменной, объявленной в интерфейсе, используйте '_' перед названием переменной: _count = 5; // Ссылается на "int count" из интерфейса MyClass -// Получение доступа к переменной, объявленной в имлементации происходит следующим образом: -distance = 18; // Ссылается на "long distance" из имлементации MyClass +// Получение доступа к переменной, объявленной в реализации происходит следующим образом: +distance = 18; // Ссылается на "long distance" из реализации MyClass // Для использования в иплементации переменной, объявленной в интерфейсе с помощью @property, // следует использовать @synthesize для создания переменной аксессора: -@synthesize roString = _roString; // Теперь _roString доступна в @implementation (имплементации интерфейса) +@synthesize roString = _roString; // Теперь _roString доступна в @implementation (реализации интерфейса) // Вызывается в первую очередь, перед вызовом других медотов класса или инициализации других объектов + (void)initialize @@ -507,7 +507,7 @@ distance = 18; // Ссылается на "long distance" из имлемент @end // Теперь, если мы хотим создать объект Truck - грузовик, мы должны создать подкласс класса Car, что -// изменит функционал Car и позволит вести себя подобно грузовику. Но что если мы хотим только добавить +// изменит функционал Car и позволит вести себя подобно грузовику. Но что, если мы хотим только добавить // определенный функционал в уже существующий класс Car? Например - чистка автомобиля. Мы просто создадим // категорию, которая добавит несколько методов для чистки автомобиля в класс Car: // @interface ИмяФайла: Car+Clean.h (ИмяБазовогоКласса+ИмяКатегории.h) From 73fbc7f75512ac61493e4f82f0fc5108229124f3 Mon Sep 17 00:00:00 2001 From: Hinet60613 Date: Sun, 6 Dec 2015 00:00:07 +0800 Subject: [PATCH 257/286] Rename file by adding -tw suffix. --- zh-tw/python-tw.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/zh-tw/python-tw.html.markdown b/zh-tw/python-tw.html.markdown index c4706c43..472b39ab 100644 --- a/zh-tw/python-tw.html.markdown +++ b/zh-tw/python-tw.html.markdown @@ -7,7 +7,7 @@ contributors: - ["evuez", "http://github.com/evuez"] translators: - ["Michael Yeh", "https://hinet60613.github.io/"] -filename: learnpython.py +filename: learnpython-tw.py lang: zh-tw --- From d75d8e133a5d7d2e23c7afc1ea16ec68db61cff7 Mon Sep 17 00:00:00 2001 From: Max Goldstein Date: Tue, 8 Dec 2015 15:06:37 -0500 Subject: [PATCH 258/286] Add Elm --- elm.html.markdown | 346 ++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 346 insertions(+) create mode 100644 elm.html.markdown diff --git a/elm.html.markdown b/elm.html.markdown new file mode 100644 index 00000000..8c191509 --- /dev/null +++ b/elm.html.markdown @@ -0,0 +1,346 @@ +--- +language: Elm +contributors: + - ["Max Goldstein", "http://maxgoldste.in/"] +--- + +Elm is a functional reactive programming language that compiles to (client-side) +JavaScript. Elm is statically typed, meaning that the compiler catches most +errors immediately and provides a clear and understandable error message. Elm is +great for designing user interfaces and games for the web. + + +```haskell +-- Single line comments start with two dashes. +{- Multiline comments can be enclosed in a block like this. +{- They can be nested. -} +-} + +{-- The Basics --} + +-- Arithmetic +1 + 1 -- 2 +8 - 1 -- 7 +10 * 2 -- 20 + +-- Every number literal without a decimal point can be either an Int or a Float. +33 / 2 -- 16.5 with floating point division +33 // 2 -- 16 with integer division + +-- Exponents +5 ^ 2 -- 25 + +-- Booleans +not True -- False +not False -- True +1 == 1 -- True +1 /= 1 -- False +1 < 10 -- True + +-- Strings and characters +"This is a string." +'a' -- character +'You cant use single quotes for strings.' -- error! + +-- Strings can be appended +"Hello " ++ "world!" -- "Hello world!" + +{-- Lists, Tuples, and Records --} + +-- Every element in a list must have the same type. +["the", "quick", "brown", "fox"] +[1, 2, 3, 4, 5] +-- The second example can also be written with two dots. +[1..5] + +-- Append lists just like strings +[1..5] ++ [6..10] == [1..10] -- True + +-- To add one item, use "cons" +0 :: [1..5] -- [0, 1, 2, 3, 4, 5] + +-- The head and tail of a list are returned as a Maybe. Instead of checking +-- every value to see if it's null, you deal with missing values explicitly. +List.head [1..5] -- Just 1 +List.tail [1..5] -- Just [2, 3, 4, 5] +List.head [] -- Nothing + +-- Every element in a tuple can be a different type, but a tuple has a +-- fixed length. +("elm", 42) + +-- Access the elements of a pair with the first and second functions. +-- (This is a shortcut; we'll come to the "real way" in a bit.) +fst ("elm", 42) -- "elm" +snd ("elm", 42) -- 42 + +-- Records are like tuples but the fields have names. +-- Notice that equals signs, not colons, are used. +{ x = 3, y = 7} + +-- Access a field with a dot and the field name. +{ x = 3, y = 7}.x -- 3 + +-- Or with an accessor fuction, a dot and then the field name. +.y { x = 3, y = 7} -- 7 + +-- Update the fields of a record. (It must have the fields already.) +{ person | + name = "George" } + +{ physics | + position = physics.position + physics.velocity, + velocity = physics.velocity + physics.acceleration } + +{-- Control Flow --} + +-- If statements always have an else, and the branches must be the same type. +if powerLevel > 9000 then + "WHOA!" +else + "meh" + +-- If statements can be chained. +if n < 0 then + "n is negative" +else if n > 0 then + "n is positive" +else + "n is zero" + +-- Use case statements to pattern match on different possibilities. +case aList of + [] -> "matches the empty list" + x::xs -> "matches a list of at least one item whose head is " ++ toString x + +case List.head aList of + Just x -> "The head is " ++ toString x + Nothing -> "The list was empty" + +{-- Functions --} + +-- Elm's syntax for functions is very minimal, relying mostly on whitespace +-- rather than parentheses and curly brackets. There is no "return" keyword. + +-- Define a function with its name, arguments, an equals sign, and the body. +multiply a b = + a * b + +-- Apply (call) a function by passing it arguments (no commas necessay). +multiply 7 6 -- 42 + +-- Partially apply a function by passing only some of its arguments. +-- Then give that function a new name. +double = + multiply 2 + +-- Constants are similar, except there are no arguments. +answer = + 42 + +-- Pass functions as arguments to other functions. +List.map double [1..4] -- [2, 4, 6, 8] + +-- Or write an anonymous function. +List.map (\a -> a * 2) [1..4] -- [2, 4, 6, 8] + +-- You can pattern match in function definitions when there's only one case. +-- This function takes one tuple rather than two arguments. +area (width, height) = + width * height + +area (6, 7) -- 42 + +-- Use curly brackets to pattern match record field names +-- Use let to define intermediate values +volume {width, height, depth} = + let + area = width * height + in + area * depth + +volume { width = 3, height = 2, depth = 7 } -- 42 + +-- Functions can be recursive +fib n = + if n < 2 then + 1 + else + fib (n - 1) + fib (n - 2) + +List.map fib [0..8] -- [1, 1, 2, 3, 5, 8,13, 21, 34] + +listLength aList = + case aList of + [] -> 0 + x::xs -> 1 + listLength xs + +-- Function application happens before any infix operation +cos (degrees 30) ^ 2 + sin (degrees 30) ^ 2 -- 1 +-- First degrees is applied to 30, then the result is passed to the trig +-- functions, which is then squared, and the addition happens last. + +{-- Types and Type Annotations --} + +-- The compiler will infer the type of every value in your program. +-- Types are always uppercase. Read x : T as "x has type T". +-- Some common types, which you might see in Elm's REPL. +5 : Int +6.7 : Float +"hello" : String +True : Bool + +-- Functions have types too. Read -> as "goes to". Think of the rightmost type +-- as the type of the return value. +not : Bool -> Bool +round : Float -> Int + +-- When you define a value, it's good practice to write its type above it. +-- The annotation is a form of documentation, which is verified by the compiler. +double : Int -> Int +double x = x * 2 + +-- Function arguments are passed in parentheses. +-- Lowercase types are type variables: they can be any type, as long as each +-- call is consistent. +List.map : (a -> b) -> List a -> List b +-- "List dot map has type a-goes-to-b, goes to list of a, goes to list of b." + +-- There are three special lowercase types: number, comparable, and appendable. +-- Numbers allow you to use arithmetic on Ints and Floats. +-- Comparable allows you to order numbers and strings, like a < b. +-- Appendable things can be combined with a ++ b. + +{-- Type Aliases and Union Types --} + +-- When you write a record or tuple, its type already exists. +-- (Notice that record types use colon and record values use equals.) +origin : { x : Float, y : Float, z : Float } +origin = + { x = 0, y = 0, z = 0 } + +-- You can give existing types a nice name with a type alias. +type alias Point3D = { x : Float, y : Float, z : Float } + +-- If you alias a record, you can use the name as a constructor function. +otherOrigin : Point3D +otherOrigin = Point3D 0 0 0 + +-- But it's still the same type, you can equate them +origin == otherOrigin -- True + +-- By contrast, defining a union type creates a type that didn't exist before. +-- A union type is so called because it can be one of many possibilities. +-- Each of the possibilities is represented as a "tag". +type Direction = North | South | East | West + +-- Tags can carry other values of known type. This can work recursively. +type IntTree = Leaf | Node Int IntTree IntTree + +-- "Leaf" and "Node" are the tags. Everything following a tag is a type. +-- Tags can be used as values or functions. +root : IntTree +root = Node 7 Leaf Leaf + +-- Union types (and type aliases) can use type variables. +type Tree a = Leaf | Node a (Tree a) (Tree a) + +-- You can pattern match union tags. The uppercase tags must be matched exactly. +-- The lowercase variables will match anything. Underscore also matches +-- anything, but signifies that you aren't using it. +leftmostElement : Tree a -> Maybe a +leftmostElement tree = + case tree of + Leaf -> Nothing + Node x Leaf _ -> Just x + Node _ subtree _ -> leftmostElement subtree + +-- That's pretty much it for the language itself. Now let's see how to organize +-- and run your code. + +{-- Modules and Imports --} + +-- The core libraries are organized into modulues, as are any third-party +-- libraries you may use. For large projects, you can define your own modulues. + +-- Put this at the top of the file. If omitted, you're in Main. +module Name where + +-- By default, everything is exported. +-- Limit what values and types are exported +module Name (Type, value) where + +-- One common pattern is to export a union type but not its tags. This is known +-- as an "opaque type", and is frequently used in libraries. + +-- Import code from other modules to use it in this one +-- Places Dict in scope, so you can call Dict.insert +import Dict + +-- Imports the Dict module and the Dict type, so your annotations don't have to +-- say Dict.Dict. You can still use Dict.insert. +import Dict exposing (Dict) + +-- Rename an import. +import Graphics.Collage as C + +{-- Ports --} + +-- A port indicates that you will be communicating with the outside world. +-- Ports are only allowed in the Main module. + +-- An incoming port is just a type signature. +port clientID : Int + +-- An outgoing port has a defintion. +port clientOrders : List String +port clientOrders = ["Books", "Groceries", "Furniture"] + +-- We won't go into the details, but you set up callbacks in JavaScript to send +-- on incoming ports and receive on outgoing ports. + +{-- Command Line Tools --} + +-- Compile a file. +$ elm make MyFile.elm + +-- The first time you do this, Elm will install the core libraries and create +-- elm-package.json, where information about your project is kept. + +-- The reactor is a server that compiles and runs your files. +-- Click the wrench next to file names to enter the time-travelling debugger! +$ elm reactor + +-- Experiment with simple expressions in a Read-Eval-Print Loop. +$ elm repl + +-- Packages are identified by GitHub username and repo name. +-- Install a new package, and record it in elm-package.json. +$ elm package install evancz/elm-html + +-- Elm's package manager enforces semantic versioning, so minor version bumps +-- will never break your build! +``` + +The Elm language is surprisingly small. You can now look through almost any Elm +source code and have a rough idea of what is going on. However, the possibilties +for error-resistant and easy-to-refactor code are endless! + +Here are some useful resources. + +* The [Elm website](http://elm-lang.org/). Includes: + * Links to the [installers](http://elm-lang.org/install) + * [Documentation guides](http://elm-lang.org/docs), including the [syntax reference](http://elm-lang.org/docs/syntax) + * Lots of helpful [examples](http://elm-lang.org/examples) + +* Documentation for [Elm's core libraries](http://package.elm-lang.org/packages/elm-lang/core/latest/). Take note of: + * [Basics](http://package.elm-lang.org/packages/elm-lang/core/latest/Basics), which is imported by default + * Data structures like [Array](http://package.elm-lang.org/packages/elm-lang/core/latest/Array), [Dict](http://package.elm-lang.org/packages/elm-lang/core/latest/Dict), and [Set](http://package.elm-lang.org/packages/elm-lang/core/latest/Set) + * JSON [encoding](http://package.elm-lang.org/packages/elm-lang/core/latest/Json-Encode) and [decoding](http://package.elm-lang.org/packages/elm-lang/core/latest/Json-Decode) + +* [The Elm Architecture](https://github.com/evancz/elm-architecture-tutorial#the-elm-architecture). An essay with examples on how to organize code into components. + +* The [Elm mailing list](https://groups.google.com/forum/#!forum/elm-discuss). Everyone is friendly and helpful. + + +Go out and write some Elm! From 38f2fb9a0bbd478bbbb4ccce0b33d1dcd34aa63a Mon Sep 17 00:00:00 2001 From: MichalMartinek Date: Thu, 10 Dec 2015 22:45:40 +0100 Subject: [PATCH 259/286] Update sass.html.markdown --- cs-cz/sass.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/cs-cz/sass.html.markdown b/cs-cz/sass.html.markdown index e890debe..0d2fca64 100644 --- a/cs-cz/sass.html.markdown +++ b/cs-cz/sass.html.markdown @@ -1,12 +1,12 @@ --- language: sass -filename: learnsass.scss +filename: learnsass-cz.scss contributors: - ["Laura Kyle", "https://github.com/LauraNK"] - ["Sean Corrales", "https://github.com/droidenator"] translators: - ["Michal Martinek", "https://github.com/MichalMartinek"] - +lang: cs-cz --- Sass je rozšíření jazyka CSS, který přidává nové vlastnosti jako proměnné, zanořování, mixiny a další. From f854fe1111186a9b8ba36c8d6ed057461f376b35 Mon Sep 17 00:00:00 2001 From: Anton Pastukhoff Date: Sat, 12 Dec 2015 14:43:56 +0500 Subject: [PATCH 260/286] Update d-ru.html.markdown --- ru-ru/d-ru.html.markdown | 138 ++++++++++++++++++++++----------------- 1 file changed, 78 insertions(+), 60 deletions(-) diff --git a/ru-ru/d-ru.html.markdown b/ru-ru/d-ru.html.markdown index ecd6c44c..0a8726c9 100644 --- a/ru-ru/d-ru.html.markdown +++ b/ru-ru/d-ru.html.markdown @@ -1,16 +1,17 @@ ---- +/*--- language: d filename: learnd-ru.d contributors: - ["Anton Pastukhov", "http://dprogramming.ru/"] - ["Robert Brights-Gray", "http://lhs-blog.info/"] + - ["Andre Polykanine", "http://oire.me/"] lang: ru-ru --- D - современный компилируемый язык общего назначения с Си-подобным синтаксисом, который сочетает удобство, продуманный дизайн и высокую производительность. D - это С++, сделанный правильно. -```d +```d */ // Welcome to D! Это однострочный комментарий /* многострочный @@ -53,7 +54,7 @@ void main() int a; // объявление переменной типа int (32 бита) float b = 12.34; // тип с плавающей точкой -double с = 56.78; // тип с плавающей точкой (64 бита) +double c = 56.78; // тип с плавающей точкой (64 бита) /* Численные типы в D, за исключением типов с плавающей точкой и типов @@ -63,15 +64,17 @@ double с = 56.78; // тип с плавающей точкой (64 бита) uint d = 10; ulong e = 11; bool b = true; // логический тип char d = 'd'; // UTF-символ, 8 бит. D поддерживает UTF "из коробки" -wchar = 'é'; // символ UTF-16 +wchar e = 'é'; // символ UTF-16 dchar f; // и даже UTF-32, если он вам зачем-то понадобится string s = "для строк есть отдельный тип, это не просто массив char-ов из Си"; wstring ws = "поскольку у нас есть wchar, должен быть и wstring"; dstring ds = "...и dstring, конечно"; +string кириллица = "Имена переменных должны быть в Unicode, но не обязательно на латинице."; + typeof(a) b = 6; // typeof возвращает тип своего выражения. - // В результате, b имеет такой же тип как и a + // В результате, b имеет такой же тип, как и a // Тип переменной, помеченной ключевым словом auto, // присваивается компилятором исходя из значения этой переменной @@ -84,11 +87,11 @@ int[] arr2 = [1, 2, 3, 4]; // динамический массив int[string] aa = ["key1": 5, "key2": 6]; // ассоциативный массив /* - Cтроки и массивы в D — встроенные типы. Для их использования не нужно + Строки и массивы в D — встроенные типы. Для их использования не нужно подключать ни внешние, ни даже стандартную библиотеку, хотя в последней есть множество дополнительных инструментов для работы с ними. */ -immutalbe int ia = 10; // неизменяемый тип, +immutable int ia = 10; // неизменяемый тип, // обозначается ключевым словом immutable ia += 1; // — вызовет ошибку на этапе компиляции @@ -100,7 +103,7 @@ enum myConsts = { Const1, Const2, Const3 }; writeln("Имя типа : ", int.stringof); // int writeln("Размер в байтах : ", int.sizeof); // 4 writeln("Минимальное значение : ", int.min); // -2147483648 -writeln("Максимальное значениеe : ", int.max); // 2147483647 +writeln("Максимальное значение : ", int.max); // 2147483647 writeln("Начальное значение : ", int.init); // 0. Это значение, // присвоенное по умолчанию @@ -111,17 +114,13 @@ writeln("Начальное значение : ", int.init); // 0. Эт /*** Приведение типов ***/ -// Простейший вариант -int i; -double j = double(i) / 2; - // to!(имя типа)(выражение) - для большинства конверсий import std.conv : to; // функция "to" - часть стандартной библиотеки, а не языка double d = -1.75; short s = to!short(d); // s = -1 /* - cast - если вы знаете, что делаете. Кроме того, это единственный способ + cast - если вы знаете, что делаете. Кроме того, это единственный способ преобразования типов-указателей в "обычные" и наоборот */ void* v; @@ -129,7 +128,7 @@ int* p = cast(int*)v; // Для собственного удобства можно создавать псевдонимы // для различных встроенных объектов -alias int newInt; // теперь можно обращаться к int так, как будто бы это newInt +alias int newInt; // теперь можно обращаться к newInt так, как будто бы это int newInt a = 5; alias newInt = int; // так тоже допустимо @@ -203,6 +202,25 @@ switch (a) { break; } +// в D есть констукция "final switch". Она не может содержать секцию "defaul" +// и применяется, когда все перечисляемые в switch варианты должны быть +// обработаны явным образом + +int dieValue = 1; +final switch (dieValue) { + case 1: + writeln("You won"); + break; + + case 2, 3, 4, 5: + writeln("It's a draw"); + break; + + case 6: + writeln("I won"); + break; +} + // while while (a > 10) { // .. @@ -245,31 +263,33 @@ foreach (c; "hello") { foreach (number; 10..15) { writeln(number); // численные интервалы можно указывать явным образом + // этот цикл выведет значения с 10 по 15, но не 15, + // поскольку диапазон не включает в себя верхнюю границу } // foreach_reverse - в обратную сторону -auto container = [ 1, 2, 3 ]; +auto container = [1, 2, 3]; foreach_reverse (element; container) { writefln("%s ", element); // 3, 2, 1 } // foreach в массивах и им подобных структурах не меняет сами структуры -int[] a = [1,2,3,4,5]; +int[] a = [1, 2 ,3 ,4 ,5]; foreach (elem; array) { elem *= 2; // сам массив останется неизменным } -writeln(a); // вывод: [1,2,3,4,5] Т.е изменений нет +writeln(a); // вывод: [1, 2, 3, 4, 5] Т.е изменений нет // добавление ref приведет к тому, что массив будет изменяться foreach (ref elem; array) { - elem *= 2; // сам массив останется неизменным + elem *= 2; } -writeln(a); // [2,4,6,8,10] +writeln(a); // [2, 4, 6, 8, 10] -// foreach умеет расчитывать индексы элементов -int[] a = [1,2,3,4,5]; +// foreach умеет рассчитывать индексы элементов +int[] a = [1, 2, 3, 4, 5]; foreach (ind, elem; array) { writeln(ind, " ", elem); // через ind - доступен индекс элемента, // а через elem - сам элемент @@ -288,7 +308,7 @@ int test(int argument) { } -// В D используется унифицированныйй синтаксис вызова функций +// В D используется единый синтаксис вызова функций // (UFCS, Uniform Function Call Syntax), поэтому так тоже можно: int var = 42.test(); @@ -299,11 +319,11 @@ int var2 = 42.test; int var3 = 42.test.test; /* - Аргументы в функцию передаются по значению (т. е. функция работает не с + Аргументы в функцию передаются по значению (т.е. функция работает не с оригинальными значениями, переданными ей, а с их локальными копиями. Исключение составляют объекты классов, которые передаются по ссылке. Кроме того, любой параметр можно передать в функцию по ссылке с помощью - ключевого слова ref + ключевого слова "ref" */ int var = 10; @@ -318,7 +338,7 @@ void fn2(ref int arg) { fn1(var); // var все еще = 10 fn2(var); // теперь var = 11 -// Возвращаемое значение тоже может быть auto, +// Возвращаемое значение тоже может быть auto, // если его можно "угадать" из контекста auto add(int x, int y) { return x + y; @@ -373,13 +393,13 @@ printFloat(a); // использование таких функций - сам // без посредства глобальных переменных или массивов uint remMod(uint a, uint b, out uint modulus) { - uint remainder = a / b; + uint remainder = a / b; modulus = a % b; return remainder; } uint modulus; // пока в этой переменной ноль -uint rem = remMod(5,2,modulus); // наша "хитрая" функция, и теперь, +uint rem = remMod(5, 2, modulus); // наша "хитрая" функция, и теперь // в modulus - остаток от деления writeln(rem, " ", modulus); // вывод: 2 1 @@ -400,9 +420,9 @@ struct MyStruct { MyStruct str1; // Объявление переменной с типом MyStruct str1.a = 10; // Обращение к полю str1.b = 20; -auto result = str1.multiply(); -MyStruct str2 = {4, 8} // Объявление + инициальзация в стиле Си -auto str3 = MyStruct(5, 10); // Объявление + инициальзация в стиле D +auto result = str1.multiply(); +MyStruct str2 = {4, 8} // Объявление + инициализация в стиле Си +auto str3 = MyStruct(5, 10); // Объявление + инициализация в стиле D // области видимости полей и методов - 3 способа задания @@ -420,7 +440,7 @@ struct MyStruct2 { } /* в дополнение к знакомым public, private и protected, в D есть еще - область видимости "package". Поля и методы с этим атрибутам будут + область видимости "package". Поля и методы с этим атрибутом будут доступны изо всех модулей, включенных в "пакет" (package), но не за его пределами. package - это "папка", в которой может храниться несколько модулей. Например, в "import.std.stdio", "std" - это @@ -428,8 +448,8 @@ struct MyStruct2 { */ package: string d; - - /* помимо этого, имеется еще один модификатор - export, который позволяет + + /* помимо этого, имеется еще один модификатор - export, который позволяет использовать объявленный с ним идентификатор даже вне самой программы ! */ export: @@ -442,10 +462,10 @@ struct MyStruct3 { // в этом случае пустой конструктор добавляется компилятором writeln("Hello, world!"); } - - - // а вот это конструкция, одна из интересных идиом и представлет собой - // конструктор копирования, т.е конструктор возвращающий копию структуры. + + + // а вот это конструкция - одна из интересных идиом и представляет собой + // конструктор копирования, т.е конструктор, возвращающий копию структуры. // Работает только в структурах. this(this) { @@ -488,7 +508,7 @@ class Outer { int foo() { - return m; // можно обращаться к полям "родительского" класса + return m; // можно обращаться к полям "внешнего" класса } } } @@ -497,10 +517,10 @@ class Outer class Base { int a = 1; float b = 2.34; - - - // это статический метод, т.е метод который можно вызывать обращаясь - // классу напрямую, а не через создание экземпляра объекта + + + // это статический метод, т.е метод который можно вызывать, обращаясь + // к классу напрямую, а не через создание экземпляра объекта static void multiply(int x, int y) { writeln(x * y); @@ -511,13 +531,13 @@ Base.multiply(2, 5); // используем статический метод. class Derived : Base { string c = "Поле класса - наследника"; - - + + // override означает то, что наследник предоставит свою реализацию метода, // переопределив метод базового класса override static void multiply(int x, int y) { - super.multiply(x, y); // super - это ссылка на класс-предок или базовый класс + super.multiply(x, y); // super - это ссылка на класс-предок, или базовый класс writeln(x * y * 2); } } @@ -538,7 +558,7 @@ class Derived : FC { // это вызовет ошибку float b; } -// Абстрактный класс не можен быть истанциирован, но может иметь наследников +// Абстрактный класс не может быть истанциирован, но может иметь наследников abstract class AC { int a; } @@ -547,8 +567,8 @@ auto ac = new AC(); // это вызовет ошибку class Implementation : AC { float b; - - // final перед методом нефинального класса означает запрет возможности + + // final перед методом нефинального класса означает запрет возможности // переопределения метода final void test() { @@ -560,7 +580,7 @@ auto impl = new Implementation(); // ОК -/*** Микшины (mixins) ***/ +/*** Примеси (mixins) ***/ // В D можно вставлять код как строку, если эта строка известна на этапе // компиляции. Например: @@ -583,8 +603,8 @@ void main() { /*** Шаблоны ***/ /* - Шаблон функции. Эта функция принимает аргументы разеых типов, которые - подсталяются вместо T на этапе компиляции. "T" - это не специальный + Шаблон функции. Эта функция принимает аргументы разных типов, которые + подставляются вместо T на этапе компиляции. "T" - это не специальный символ, а просто буква. Вместо "T" может быть любое слово, кроме ключевого. */ void print(T)(T value) { @@ -633,8 +653,8 @@ class Stack(T) void main() { /* - восклицательный знак - признак шаблона В данном случае мы создаем - класс и указывем, что "шаблонное" поле будет иметь тип string + восклицательный знак - признак шаблона. В данном случае мы создаем + класс и указываем, что "шаблонное" поле будет иметь тип string */ auto stack = new Stack!string; @@ -660,9 +680,7 @@ void main() { несколько единообразных функций, определяющих, _как_ мы получаем доступ к элементам контейнера, вместо того, чтобы описывать внутреннее устройство этого контейнера. Сложно? На самом деле не очень. -*/ -/* Простейший вид диапазона - Input Range. Для того, чтобы превратить любой контейнер в Input Range, достаточно реализовать для него 3 метода: - empty - проверяет, пуст ли контейнер @@ -706,8 +724,8 @@ struct StudentRange void main(){ auto school = School([ - Student("Mike", 1), - Student("John", 2) , + Student("Mike", 1), + Student("John", 2) , Student("Dan", 3) ]); auto range = StudentRange(school); @@ -730,6 +748,6 @@ void main(){ ``` ## Что дальше? -[Официальный сайт](http://dlang.org/) -[Онлайн-книга](http://ddili.org/ders/d.en/) -[Официальная вики](http://wiki.dlang.org/) +- [Официальный сайт](http://dlang.org/) +- [Онлайн-книга](http://ddili.org/ders/d.en/) +- [Официальная вики](http://wiki.dlang.org/) From 5e6a0269b32bccca6872075dfd2b6be031236874 Mon Sep 17 00:00:00 2001 From: Anton Pastukhoff Date: Sat, 12 Dec 2015 14:44:12 +0500 Subject: [PATCH 261/286] Update d-ru.html.markdown --- ru-ru/d-ru.html.markdown | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/ru-ru/d-ru.html.markdown b/ru-ru/d-ru.html.markdown index 0a8726c9..645eceeb 100644 --- a/ru-ru/d-ru.html.markdown +++ b/ru-ru/d-ru.html.markdown @@ -1,4 +1,4 @@ -/*--- +--- language: d filename: learnd-ru.d contributors: @@ -11,7 +11,7 @@ D - современный компилируемый язык общего на который сочетает удобство, продуманный дизайн и высокую производительность. D - это С++, сделанный правильно. -```d */ +```d // Welcome to D! Это однострочный комментарий /* многострочный From 3663b10bfab490e65f22a345e98d352ef93876e8 Mon Sep 17 00:00:00 2001 From: Anton Pastukhoff Date: Sat, 12 Dec 2015 14:46:10 +0500 Subject: [PATCH 262/286] Update d-ru.html.markdown --- ru-ru/d-ru.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ru-ru/d-ru.html.markdown b/ru-ru/d-ru.html.markdown index 645eceeb..fad5c69b 100644 --- a/ru-ru/d-ru.html.markdown +++ b/ru-ru/d-ru.html.markdown @@ -263,7 +263,7 @@ foreach (c; "hello") { foreach (number; 10..15) { writeln(number); // численные интервалы можно указывать явным образом - // этот цикл выведет значения с 10 по 15, но не 15, + // этот цикл выведет значения с 10 по 14, но не 15, // поскольку диапазон не включает в себя верхнюю границу } From 7b8929f0cc477fe5db4e189c4ce3d6a7fdbdc3fd Mon Sep 17 00:00:00 2001 From: Anton Pastukhoff Date: Sat, 12 Dec 2015 14:47:02 +0500 Subject: [PATCH 263/286] Update d-ru.html.markdown --- ru-ru/d-ru.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ru-ru/d-ru.html.markdown b/ru-ru/d-ru.html.markdown index fad5c69b..8f4233fd 100644 --- a/ru-ru/d-ru.html.markdown +++ b/ru-ru/d-ru.html.markdown @@ -713,7 +713,7 @@ struct StudentRange return students.length == 0; } - ref Student front() { + Student front() { return students[0]; } From fd26c8ddfb6d4bfa969b323a2e98ce1b74bc8127 Mon Sep 17 00:00:00 2001 From: John Rocamora Date: Sat, 12 Dec 2015 17:51:23 -0500 Subject: [PATCH 264/286] Added missing semicolon --- c++.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/c++.html.markdown b/c++.html.markdown index 6b452b1b..f4aa2f5a 100644 --- a/c++.html.markdown +++ b/c++.html.markdown @@ -149,7 +149,7 @@ namespace First { namespace Second { void foo() { - printf("This is Second::foo\n") + printf("This is Second::foo\n"); } } From 16cc4d464e135560c5d9f1495b6d9cd871e7182d Mon Sep 17 00:00:00 2001 From: Mark Green Date: Wed, 16 Dec 2015 16:47:32 +0000 Subject: [PATCH 265/286] Add a Factor tutorial --- factor.html | 182 ++++++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 182 insertions(+) create mode 100644 factor.html diff --git a/factor.html b/factor.html new file mode 100644 index 00000000..a0726420 --- /dev/null +++ b/factor.html @@ -0,0 +1,182 @@ +--- +language: factor +contributors: + - ["hyphz", "http://github.com/hyphz/"] +filename: learnfactor.factor +--- + +Factor is a modern stack-based language, based on Forth, created by Slava Pestov. + +Code in this file can be typed into Factor, but not directly imported because the vocabulary and import header would make the beginning thoroughly confusing. + +``` +! This is a comment + +! Like Forth, all programming is done by manipulating the stack. +! Stating a literal value pushes it onto the stack. +5 2 3 56 76 23 65 ! No output, but stack is printed out in interactive mode + +! Those numbers get added to the stack, from left to right. +! .s prints out the stack non-destructively. +.s ! 5 2 3 56 76 23 65 + +! Arithmetic works by manipulating data on the stack. +5 4 + ! No output + +! `.` pops the top result from the stack and prints it. +. ! 9 + +! More examples of arithmetic: +6 7 * . ! 42 +1360 23 - . ! 1337 +12 12 / . ! 1 +13 2 mod . ! 1 + +99 neg . ! -99 +-99 abs . ! 99 +52 23 max . ! 52 +52 23 min . ! 23 + +! A number of words are provided to manipulate the stack, collectively known as shuffle words. + +3 dup - ! duplicate the top item (1st now equals 2nd): 3 - 3 +2 5 swap / ! swap the top with the second element: 5 / 2 +4 0 drop 2 / ! remove the top item (dont print to screen): 4 / 2 +1 2 3 nip .s ! remove the second item (similar to drop): 1 3 +1 2 clear .s ! wipe out the entire stack +1 2 3 4 over .s ! duplicate the second item to the top: 1 2 3 4 3 +1 2 3 4 2 pick .s ! duplicate the third item to the top: 1 2 3 4 2 3 + +! Creating Words +! The `:` word sets Factor into compile mode until it sees the `;` word. +: square ( n -- n ) dup * ; ! No output +5 square . ! 25 + +! We can view what a word does too. +! \ suppresses evaluation of a word and pushes its identifier on the stack instead. +\ square see ! : square ( n -- n ) dup * ; + +! After the name of the word to create, the declaration between brackets gives the stack effect. +! We can use whatever names we like inside the declaration: +: weirdsquare ( camel -- llama ) dup * ; + +! Provided their count matches the word's stack effect: +: doubledup ( a -- b ) dup dup ; ! Error: Stack effect declaration is wrong +: doubledup ( a -- a a a ) dup dup ; ! Ok +: weirddoubledup ( i -- am a fish ) dup dup ; ! Also Ok + +! Where Factor differs from Forth is in the use of quotations. +! A quotation is a block of code that is pushed on the stack as a value. +! [ starts quotation mode; ] ends it. +[ 2 + ] ! Quotation that adds 2 is left on the stack +4 swap call . ! 6 + +! And thus, higher order words. TONS of higher order words. +2 3 [ 2 + ] dip .s ! Pop top stack value, run quotation, push it back: 4 3 +3 4 [ + ] keep .s ! Copy top stack value, run quotation, push the copy: 7 4 +1 [ 2 + ] [ 3 + ] bi .s ! Run each quotation on the top value, push both results: 3 4 +4 3 1 [ + ] [ + ] bi .s ! Quotations in a bi can pull values from deeper on the stack: 4 5 ( 1+3 1+4 ) +1 2 [ 2 + ] bi@ .s ! Run the quotation on first and second values +2 [ + ] curry ! Inject the given value at the start of the quotation: [ 2 + ] is left on the stack + +! Conditionals +! Any value is true except the built-in value f. +! A built-in value t does exist, but its use isn't essential. +! Conditionals are higher order words as with the combinators above. + +5 [ "Five is true" . ] when ! Five is true +0 [ "Zero is true" . ] when ! Zero is true +f [ "F is true" . ] when ! No output +f [ "F is false" . ] unless ! F is false +2 [ "Two is true" . ] [ "Two is false" . ] if ! Two is true + +! By default the conditionals consume the value under test, but starred variants +! leave it alone if it's true: + +5 [ . ] when* ! 5 +f [ . ] when* ! No output, empty stack, f is consumed because it's false + + +! Loops +! You've guessed it.. these are higher order words too. + +5 [ . ] each-integer ! 0 1 2 3 4 +4 3 2 1 0 5 [ + . ] each-integer ! 0 2 4 6 8 +5 [ "Hello" . ] times ! Hello Hello Hello Hello Hello + +! Here's a list: +{ 2 4 6 8 } ! Goes on the stack as one item + +! Loop through the list: +{ 2 4 6 8 } [ 1 + . ] each ! Prints 3 5 7 9 +{ 2 4 6 8 } [ 1 + ] map ! Leaves { 3 5 7 9 } on stack + +! Loop reducing or building lists: +{ 1 2 3 4 5 } [ 2 mod 0 = ] filter ! Keeps only list members for which quotation yields true: { 2 4 } +{ 2 4 6 8 } 0 [ + ] reduce . ! Like "fold" in functional languages: prints 20 (0+2+4+6+8) +{ 2 4 6 8 } 0 [ + ] accumulate . . ! Like reduce but keeps the intermediate values in a list: prints { 0 2 6 12 } then 20 +1 5 [ 2 * dup ] replicate . ! Loops the quotation 5 times and collects the results in a list: { 2 4 8 16 32 } +1 [ dup 100 < ] [ 2 * dup ] produce ! Loops the second quotation until the first returns false and collects the results: { 2 4 8 16 32 64 128 } + +! If all else fails, a general purpose while loop: +1 [ dup 10 < ] [ "Hello" . 1 + ] while ! Prints "Hello" 10 times + ! Yes, it's hard to read + ! That's what all those variant loops are for + +! Variables +! Usually Factor programs are expected to keep all data on the stack. +! Using named variables makes refactoring harder (and it's called Factor for a reason) +! Global variables, if you must: + +SYMBOL: name ! Creates name as an identifying word +"Bob" name set-global ! No output +name get-global . ! "Bob" + +! Named local variables are considered an extension but are available +! In a quotation.. +[| m n ! Quotation captures top two stack values into m and n + | m n + ] ! Read them + +! Or in a word.. +:: lword ( -- ) ! Note double colon to invoke lexical variable extension + 2 :> c ! Declares immutable variable c to hold 2 + c . ; ! Print it out + +! In a word declared this way, the input side of the stack declaration +! becomes meaningful and gives the variable names stack values are captured into +:: double ( a -- result ) a 2 * ; + +! Variables are declared mutable by ending their name with a shriek +:: mword2 ( a! -- x y ) ! Capture top of stack in mutable variable a + a ! Push a + a 2 * a! ! Multiply a by 2 and store result back in a + a ; ! Push new value of a +5 mword2 ! Stack: 5 10 + +! Lists and Sequences +! We saw above how to push a list onto the stack + +0 { 1 2 3 4 } nth ! Access a particular member of a list: 1 +10 { 1 2 3 4 } nth ! Error: sequence index out of bounds +1 { 1 2 3 4 } ?nth ! Same as nth if index is in bounds: 2 +10 { 1 2 3 4 } ?nth ! No error if out of bounds: f + +{ "at" "the" "beginning" } "Append" prefix ! { "Append" "at" "the" "beginning" } +{ "Append" "at" "the" } "end" suffix ! { "Append" "at" "the" "end" } +"in" 1 { "Insert" "the" "middle" } insert-nth ! { "Insert" "in" "the" "middle" } +"Concat" "enate" append ! "Concatenate" - strings are sequences too +"Concatenate" "Reverse " prepend ! "Reverse Concatenate" +{ "Concatenate " "seq " "of " "seqs" } concat ! "Concatenate seq of seqs" +{ "Connect" "subseqs" "with" "separators" } " " join ! "Connect subseqs with separators" + +! And if you want to get meta, quotations are sequences and can be dismantled.. +0 [ 2 + ] nth ! 2 +1 [ 2 + ] nth ! + +[ 2 + ] \ - suffix ! Quotation [ 2 + - ] + + +``` + +##Ready For More? + +* [Factor Documentation](http://docs.factorcode.org/content/article-help.home.html) From b19714080a8ac76c027851e9b4c80372def81f7b Mon Sep 17 00:00:00 2001 From: Hinet60613 Date: Thu, 17 Dec 2015 01:48:19 +0800 Subject: [PATCH 266/286] Fix some typo and non-fluency. --- zh-tw/python-tw.html.markdown | 23 +++++++++++------------ 1 file changed, 11 insertions(+), 12 deletions(-) diff --git a/zh-tw/python-tw.html.markdown b/zh-tw/python-tw.html.markdown index 472b39ab..f8602769 100644 --- a/zh-tw/python-tw.html.markdown +++ b/zh-tw/python-tw.html.markdown @@ -69,11 +69,11 @@ from __future__ import division # 指數 (x的y次方) 2**4 # => 16 -# 括號即先乘除後加減 +# 用括號改變運算順序 (1 + 3) * 2 # => 8 # 布林運算 -# 注意 "and" 和 "or" 的大小寫 +# 注意 "and" 和 "or" 要用小寫 True and False #=> False False or True #=> True @@ -178,7 +178,7 @@ some_var = 5 # 方便好用 lower_case_with_underscores some_var # => 5 -# 存取沒有被賦值的變數會造成例外 +# 對沒有被賦值的變數取值會造成例外 # 請參考錯誤流程部分做例外處理 some_other_var # 造成 NameError @@ -191,15 +191,15 @@ li = [] # 你可以預先填好串列內容 other_li = [4, 5, 6] -# 用append()在串列後新增東西 append +# 用append()在串列後新增東西 li.append(1) # 此時 li 內容為 [1] li.append(2) # 此時 li 內容為 [1, 2] li.append(4) # 此時 li 內容為 [1, 2, 4] li.append(3) # 此時 li 內容為 [1, 2, 4, 3] # 用pop()移除串列尾端的元素 -li.pop() # => 3 and li is now [1, 2, 4] +li.pop() # => 3 ,此時 li 內容為 [1, 2, 4] # 然後再塞回去 -li.append(3) # li is now [1, 2, 4, 3] again. +li.append(3) # 此時 li 內容再次為 [1, 2, 4, 3] # 你可以像存取陣列一樣的存取串列 li[0] # => 1 @@ -272,7 +272,7 @@ d, e, f = 4, 5, 6 # 也可以不寫括號 # 如果不加括號,預設會產生tuple g = 4, 5, 6 # => (4, 5, 6) # 你看,交換兩個值很簡單吧 -e, d = d, e # d is now 5 and e is now 4 +e, d = d, e # 此時 d 的值為 5 且 e 的值為 4 # 字典(Dictionary)用來儲存映射關係 @@ -289,7 +289,7 @@ filled_dict.keys() # => ["three", "two", "one"] # 你的執行結果可能與上面不同 # 譯註: 只能保證所有的key都有出現,但不保證順序 -# 用 "valuess()" 將所有的Value輸出到一個List中 +# 用 "values()" 將所有的Value輸出到一個List中 filled_dict.values() # => [3, 2, 1] # 註: 同上,不保證順序 @@ -457,16 +457,14 @@ add(5, 6) # => 輸出 "x is 5 and y is 6" 並回傳 11 add(y=6, x=5) # 這種狀況下,兩個參數的順序並不影響執行 -# 你可以定義接受多個變數的函式,這些變數是按照順序排序的 -# 如果不加*的話會被解讀為tuple +# 你可以定義接受多個變數的函式,用*來表示參數tuple def varargs(*args): return args varargs(1, 2, 3) # => (1, 2, 3) -# 你可以定義接受多個變數的函式,這些變數是按照keyword排序的 -# 如果不加**的話會被解讀為dictionary +# 你可以定義接受多個變數的函式,用**來表示參數dictionary def keyword_args(**kwargs): return kwargs @@ -555,6 +553,7 @@ class Human(object): # 注意前後的雙底線代表物件 # 還有被python用,但實際上是在使用者控制的命名 # 空間內的參數。你不應該自己宣告這樣的名稱。 + # 注意前後的雙底線代表此物件或屬性雖然在使用者控制的命名空間內,但是被python使用 def __init__(self, name): # 將函式引入的參數 name 指定給實體的 name 參數 self.name = name From 4b4024b49581d0f80aa3ce815b726bac1af99ef7 Mon Sep 17 00:00:00 2001 From: Hinet60613 Date: Thu, 17 Dec 2015 01:51:19 +0800 Subject: [PATCH 267/286] Fix typo --- zh-tw/python-tw.html.markdown | 6 ++---- 1 file changed, 2 insertions(+), 4 deletions(-) diff --git a/zh-tw/python-tw.html.markdown b/zh-tw/python-tw.html.markdown index f8602769..553181d8 100644 --- a/zh-tw/python-tw.html.markdown +++ b/zh-tw/python-tw.html.markdown @@ -550,10 +550,8 @@ class Human(object): species = "H. sapiens" # 基礎建構函式,當class被實體化的時候會被呼叫 - # 注意前後的雙底線代表物件 - # 還有被python用,但實際上是在使用者控制的命名 - # 空間內的參數。你不應該自己宣告這樣的名稱。 - # 注意前後的雙底線代表此物件或屬性雖然在使用者控制的命名空間內,但是被python使用 + # 注意前後的雙底線 + # 代表此物件或屬性雖然在使用者控制的命名空間內,但是被python使用 def __init__(self, name): # 將函式引入的參數 name 指定給實體的 name 參數 self.name = name From 442479a3c87d41fe1abf6ad344bb8733ef924fc8 Mon Sep 17 00:00:00 2001 From: Ondrej Simek Date: Thu, 17 Dec 2015 21:30:03 +0100 Subject: [PATCH 268/286] [markdown/cz] Fix missing 'lang' in front matter --- cs-cz/markdown.html.markdown | 1 + 1 file changed, 1 insertion(+) diff --git a/cs-cz/markdown.html.markdown b/cs-cz/markdown.html.markdown index 637f0ab6..4cba38b4 100644 --- a/cs-cz/markdown.html.markdown +++ b/cs-cz/markdown.html.markdown @@ -5,6 +5,7 @@ contributors: translators: - ["Michal Martinek", "https://github.com/MichalMartinek"] filename: markdown.md +lang: cs-cz --- Markdown byl vytvořen Johnem Gruberem v roce 2004. Je zamýšlen jako lehce čitelná From d0527c0428698c325a55ee046d0897c4e70a6ccc Mon Sep 17 00:00:00 2001 From: Mark Green Date: Fri, 18 Dec 2015 01:17:08 +0000 Subject: [PATCH 269/286] Wolfram Language tutorial --- wolfram.md | 137 +++++++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 137 insertions(+) create mode 100644 wolfram.md diff --git a/wolfram.md b/wolfram.md new file mode 100644 index 00000000..4514006d --- /dev/null +++ b/wolfram.md @@ -0,0 +1,137 @@ +--- +language: wolfram +contributors: + - ["hyphz", "http://github.com/hyphz/"] +filename: learnwolfram.nb +--- + +The Wolfram Language is the underlying language originally used in Mathematica, but now available for use in multiple contexts. + +Wolfram Language has several interfaces: +* The command line kernel interface on Raspberry Pi (just called _The Wolfram Language_) which runs interactively and can't produce graphical input. +* _Mathematica_ which is a rich text/maths editor with interactive Wolfram built in: pressing shift+Return on a "code cell" creates an output cell with the result, which is not dynamic +* _Wolfram Workbench_ which is Eclipse interfaced to the Wolfram Language backend + +The code in this example can be typed in to any interface and edited with Wolfram Workbench. Loading directly into Mathematica may be awkward because the file contains no cell formatting information (which would make the file a huge mess to read as text) - it can be viewed/edited but may require some setting up. + +``` +(* This is a comment *) + +(* In Mathematica instead of using these comments you can create a text cell + and annotate your code with nicely typeset text and images *) + +(* Typing an expression returns the result *) +2*2 (* 4 *) +5+8 (* 13 *) + +(* Function Call *) +(* Note, function names (and everything else) are case sensitive *) +Sin[Pi/2] (* 1 *) + +(* Alternate Syntaxes for Function Call with one parameter *) +Sin@(Pi/2) (* 1 *) +(Pi/2) // Sin (* 1 *) + +(* Every syntax in WL has some equivalent as a function call *) +Times[2, 2] (* 4 *) +Plus[5, 8] (* 13 *) + +(* Using a variable for the first time defines it and makes it global *) +x = 5 (* 5 *) +x == 5 (* True, C-style assignment and equality testing *) +x (* 5 *) +x = x + 5 (* 10 *) +x (* 10 *) +Set[x, 20] (* I wasn't kidding when I said EVERYTHING has a function equivalent *) +x (* 20 *) + +(* Because WL is based on a computer algebra system, *) +(* using undefined variables is fine, they just obstruct evaluation *) +cow + 5 (* 5 + cow, cow is undefined so can't evaluate further *) +cow + 5 + 10 (* 15 + cow, it'll evaluate what it can *) +% (* 15 + cow, % fetches the last return *) +% - cow (* 15, undefined variable cow cancelled out *) +moo = cow + 5 (* Beware, moo now holds an expression, not a number! *) + +(* Defining a function *) +Double[x_] := x * 2 (* Note := to prevent immediate evaluation of the RHS + And _ after x to indicate no pattern matching constraints *) +Double[10] (* 20 *) +Double[Sin[Pi/2]] (* 2 *) +Double @ Sin @ (Pi/2) (* 2, @-syntax avoids queues of close brackets *) +(Pi/2) // Sin // Double(* 2, //-syntax lists functions in execution order *) + +(* For imperative-style programming use ; to separate statements *) +(* Discards any output from LHS and runs RHS *) +MyFirst[] := (Print@"Hello"; Print@"World") (* Note outer parens are critical + ;'s precedence is lower than := *) +MyFirst[] (* Hello World *) + +(* C-Style For Loop *) +PrintTo[x_] := For[y=0, y 2, "Red" -> 1|> (* Create an association *) +myHash[["Green"]] (* 2, use it *) +myHash[["Green"]] := 5 (* 5, update it *) +myHash[["Puce"]] := 3.5 (* 3.5, extend it *) +KeyDropFrom[myHash, "Green"] (* Wipes out key Green *) +Keys[myHash] (* {Red} *) +Values[myHash] (* {1} *) + +(* And you can't do any demo of Wolfram without showing this off *) +Manipulate[y^2, {y, 0, 20}] (* Return a reactive user interface that displays y^2 + and allows y to be adjusted between 0-20 with a slider. + Only works on graphical frontends *) +``` + +##Ready For More? + +* [Wolfram Language Documentation Center](http://reference.wolfram.com/language/) From dc97e779bce838ea4f1d1e51a20d78b253048406 Mon Sep 17 00:00:00 2001 From: Eric McCormick Date: Fri, 18 Dec 2015 09:35:15 -0600 Subject: [PATCH 270/286] replaced < and > in pre block the pre block was already inside a pre/code block in the rendered page, making it harder to read --- coldfusion.html.markdown | 48 +++++++++++++++++++--------------------- 1 file changed, 23 insertions(+), 25 deletions(-) diff --git a/coldfusion.html.markdown b/coldfusion.html.markdown index d49ad254..482612fe 100644 --- a/coldfusion.html.markdown +++ b/coldfusion.html.markdown @@ -233,40 +233,38 @@ ColdFusion started as a tag-based language. Almost all functionality is availabl Code for reference (Functions must return something to support IE) -
-<cfcomponent>
-	<cfset this.hello = "Hello" />
-	<cfset this.world = "world" />
+
+	
+	
 
-	<cffunction name="sayHello">
-		<cfreturn this.hello & ", " & this.world & "!" />
-	</cffunction>
+	
+		
+	
 	
-	<cffunction name="setHello">
-		<cfargument name="newHello" type="string" required="true" />
+	
+		
 		
-		<cfset this.hello = arguments.newHello />
+		
 		 
-		<cfreturn true />
-	</cffunction>
+		
+	
 	
-	<cffunction name="setWorld">
-		<cfargument name="newWorld" type="string" required="true" />
+	
+		
 		
-		<cfset this.world = arguments.newWorld />
+		
 		 
-		<cfreturn true />
-	</cffunction>
+		
+	
 	
-	<cffunction name="getHello">
-		<cfreturn this.hello />
-	</cffunction>
+	
+		
+	
 	
-	<cffunction name="getWorld">
-		<cfreturn this.world />
-	</cffunction>
-</cfcomponent>
-
+ + + + From e7d5e2878841aae872b293127f47e4a4d211475b Mon Sep 17 00:00:00 2001 From: Ale46 Date: Sat, 19 Dec 2015 17:09:57 +0100 Subject: [PATCH 271/286] fix typos/mistakes --- it-it/python-it.html.markdown | 32 ++++++++++++++++---------------- 1 file changed, 16 insertions(+), 16 deletions(-) diff --git a/it-it/python-it.html.markdown b/it-it/python-it.html.markdown index 49bbab08..3a4099e7 100644 --- a/it-it/python-it.html.markdown +++ b/it-it/python-it.html.markdown @@ -44,7 +44,7 @@ Python 2.x. Per Python 3.x, dai un'occhiata a [Python 3 tutorial](http://learnxi # restituito in automatico il risultato intero. 5 / 2 # => 2 -# Per le divisioni con la virgbola abbiamo bisogno di parlare delle variabili floats. +# Per le divisioni con la virgola abbiamo bisogno di parlare delle variabili floats. 2.0 # Questo è un float 11.0 / 4.0 # => 2.75 ahhh...molto meglio @@ -118,7 +118,7 @@ not False # => True # Un nuovo modo per fomattare le stringhe è il metodo format. # Questo metodo è quello consigliato "{0} possono essere {1}".format("le stringhe", "formattate") -# Puoi usare della parole chiave se non vuoi contare +# Puoi usare delle parole chiave se non vuoi contare "{nome} vuole mangiare {cibo}".format(nome="Bob", cibo="lasagna") # None è un oggetto @@ -202,7 +202,7 @@ li[::-1] # => [3, 4, 2, 1] del li[2] # li è ora [1, 2, 3] # Puoi sommare le liste li + altra_li # => [1, 2, 3, 4, 5, 6] -# Nota: i valori per li ed _altri_li non sono modificati. +# Nota: i valori per li ed altra_li non sono modificati. # Concatena liste con "extend()" li.extend(altra_li) # Ora li è [1, 2, 3, 4, 5, 6] @@ -288,7 +288,7 @@ filled_set = {1, 2, 2, 3, 4} # => {1, 2, 3, 4} # Aggiungere elementi ad un set filled_set.add(5) # filled_set è ora {1, 2, 3, 4, 5} -# Fai interazioni su un set con & +# Fai intersezioni su un set con & other_set = {3, 4, 5, 6} filled_set & other_set # => {3, 4, 5} @@ -378,8 +378,8 @@ except IndexError as e: pass # Pass è solo una non-operazione. Solitamente vorrai fare un recupero. except (TypeError, NameError): pass # Eccezioni multiple possono essere gestite tutte insieme, se necessario. -else: # Optional clause to the try/except block. Must follow all except blocks - print "All good!" # Viene eseguita solo se il codice dentro try non genera eccezioni +else: # Clausola opzionale al blocco try/except. Deve seguire tutti i blocchi except + print "Tutto ok!" # Viene eseguita solo se il codice dentro try non genera eccezioni finally: # Eseguito sempre print "Possiamo liberare risorse qui" @@ -405,7 +405,7 @@ aggiungi(y=6, x=5) # Le parole chiave come argomenti possono arrivare in ogni # Puoi definire funzioni che accettano un numero variabile di argomenti posizionali -# che verranno interpretati come come tuple se non usi il * +# che verranno interpretati come tuple se non usi il * def varargs(*args): return args @@ -495,7 +495,7 @@ class Human(object): species = "H. sapiens" # Costruttore base, richiamato quando la classe viene inizializzata. - # Si noti che il doppio leading e l'underscore finali denotano oggetti + # Si noti che il doppio leading e gli underscore finali denotano oggetti # o attributi che sono usati da python ma che vivono nello spazio dei nome controllato # dall'utente. Non dovresti usare nomi di questo genere. def __init__(self, name): @@ -575,7 +575,7 @@ dir(math) ## 7. Avanzate #################################################### -# Generators help you make lazy code +# I generatori ti aiutano a fare codice pigro def double_numbers(iterable): for i in iterable: yield i + i @@ -611,7 +611,7 @@ def beg(target_function): def wrapper(*args, **kwargs): msg, say_please = target_function(*args, **kwargs) if say_please: - return "{} {}".format(msg, "Please! I am poor :(") + return "{} {}".format(msg, "Per favore! Sono povero :(") return msg return wrapper @@ -619,17 +619,17 @@ def beg(target_function): @beg def say(say_please=False): - msg = "Can you buy me a beer?" + msg = "Puoi comprarmi una birra?" return msg, say_please -print say() # Can you buy me a beer? -print say(say_please=True) # Can you buy me a beer? Please! I am poor :( +print say() # Puoi comprarmi una birra? +print say(say_please=True) # Puoi comprarmi una birra? Per favore! Sono povero :( ``` -## Ready For More? +## Pronto per qualcosa di più? -### Free Online +### Gratis Online * [Automate the Boring Stuff with Python](https://automatetheboringstuff.com) * [Learn Python The Hard Way](http://learnpythonthehardway.org/book/) @@ -640,7 +640,7 @@ print say(say_please=True) # Can you buy me a beer? Please! I am poor :( * [A Crash Course in Python for Scientists](http://nbviewer.ipython.org/5920182) * [First Steps With Python](https://realpython.com/learn/python-first-steps/) -### Dead Tree +### Libri cartacei * [Programming Python](http://www.amazon.com/gp/product/0596158106/ref=as_li_qf_sp_asin_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=0596158106&linkCode=as2&tag=homebits04-20) * [Dive Into Python](http://www.amazon.com/gp/product/1441413022/ref=as_li_tf_tl?ie=UTF8&camp=1789&creative=9325&creativeASIN=1441413022&linkCode=as2&tag=homebits04-20) From 7560ea819965604099a3ed1dbf4e2fa8919e929b Mon Sep 17 00:00:00 2001 From: George Gognadze Date: Thu, 24 Dec 2015 23:24:09 +0400 Subject: [PATCH 272/286] typo MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit some type mistakes. It is: syntaxtically It should be: syntactically It is: iLoveC Better: ILoveC It is: passed to ≈the function It should be: passed to the function It is: error It should be: Error --- c.html.markdown | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/c.html.markdown b/c.html.markdown index 8226ddef..d92d2ee6 100644 --- a/c.html.markdown +++ b/c.html.markdown @@ -239,7 +239,7 @@ int main (int argc, char** argv) z = (e > f) ? e : f; // => 10 "if e > f return e, else return f." // Increment and decrement operators: - char *s = "iLoveC"; + char *s = "ILoveC"; int j = 0; s[j++]; // => "i". Returns the j-th item of s THEN increments value of j. j = 0; @@ -321,7 +321,7 @@ int main (int argc, char** argv) break; default: // if `some_integral_expression` didn't match any of the labels - fputs("error!\n", stderr); + fputs("Error!\n", stderr); exit(-1); break; } @@ -497,7 +497,7 @@ int add_two_ints(int x1, int x2) /* Functions are call by value. When a function is called, the arguments passed to -≈the function are copies of the original arguments (except arrays). Anything you +the function are copies of the original arguments (except arrays). Anything you do to the arguments in the function do not change the value of the original argument where the function was called. @@ -726,7 +726,7 @@ Header files are an important part of c as they allow for the connection of c source files and can simplify code and definitions by seperating them into seperate files. -Header files are syntaxtically similar to c source files but reside in ".h" +Header files are syntactically similar to c source files but reside in ".h" files. They can be included in your c source file by using the precompiler command #include "example.h", given that example.h exists in the same directory as the c file. From e31dc8b5a7937d25a681747d05b6227d63849c6d Mon Sep 17 00:00:00 2001 From: Owen Rodda Date: Sun, 27 Dec 2015 16:29:52 -0500 Subject: [PATCH 273/286] Fix #2040 --- perl6.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/perl6.html.markdown b/perl6.html.markdown index 1829f964..323bc0b3 100644 --- a/perl6.html.markdown +++ b/perl6.html.markdown @@ -103,7 +103,7 @@ sub say-hello-to(Str $name) { # You can provide the type of an argument ## It can also have optional arguments: sub with-optional($arg?) { # the "?" marks the argument optional - say "I might return `(Any)` (Perl's "null"-like value) if I don't have + say "I might return `(Any)` (Perl's 'null'-like value) if I don't have an argument passed, or I'll return my argument"; $arg; } From 00d4fa09de191b9580dd534b8b3e6e7a297fb8d7 Mon Sep 17 00:00:00 2001 From: Arnie97 Date: Tue, 29 Dec 2015 16:59:19 +0800 Subject: [PATCH 274/286] Fetch lsp typo fix from upstream --- zh-cn/tmux-cn.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/zh-cn/tmux-cn.html.markdown b/zh-cn/tmux-cn.html.markdown index 00bf35f3..64781346 100644 --- a/zh-cn/tmux-cn.html.markdown +++ b/zh-cn/tmux-cn.html.markdown @@ -39,7 +39,7 @@ lang: zh-cn lsp # 列出窗格 -a # 列出所有窗格 -s # 列出会话中的所有窗格 - -t # List app panes in target + -t # 列出 target 中的所有窗格 kill-window # 关闭当前窗口 -t "#" # 关闭指定的窗口 From bf609a3a0f0ce84faa617bc5c6a51b56f3571f4f Mon Sep 17 00:00:00 2001 From: Arnie97 Date: Tue, 29 Dec 2015 17:14:18 +0800 Subject: [PATCH 275/286] Update tmux home page. Tmux has moved to github. --- tmux.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tmux.html.markdown b/tmux.html.markdown index 868302a8..6763a781 100644 --- a/tmux.html.markdown +++ b/tmux.html.markdown @@ -240,7 +240,7 @@ set -g status-right "#[fg=green] | #[fg=white]#(tmux-mem-cpu-load)#[fg=green] | ### References -[Tmux | Home](http://tmux.sourceforge.net) +[Tmux | Home](http://tmux.github.io) [Tmux Manual page](http://www.openbsd.org/cgi-bin/man.cgi/OpenBSD-current/man1/tmux.1?query=tmux) From 8dd19e58eeaed93f4489ae711ef72e79135d8795 Mon Sep 17 00:00:00 2001 From: Arnie97 Date: Wed, 30 Dec 2015 18:56:24 +0800 Subject: [PATCH 276/286] Fetch tmuxinator from upstream --- zh-cn/tmux-cn.html.markdown | 2 ++ 1 file changed, 2 insertions(+) diff --git a/zh-cn/tmux-cn.html.markdown b/zh-cn/tmux-cn.html.markdown index 64781346..540bbf23 100644 --- a/zh-cn/tmux-cn.html.markdown +++ b/zh-cn/tmux-cn.html.markdown @@ -247,3 +247,5 @@ set -g status-right "#[fg=green] | #[fg=white]#(tmux-mem-cpu-load)#[fg=green] | [Archlinux Wiki](https://wiki.archlinux.org/index.php/Tmux) [如何在 tmux 状态栏中显示 CPU / 内存占用百分比](https://stackoverflow.com/questions/11558907/is-there-a-better-way-to-display-cpu-usage-in-tmux) + +[管理复杂 tmux 会话的工具 - tmuxinator](https://github.com/tmuxinator/tmuxinator) From 9b8c680a2e2e1238f4130bc589367baf1a62119e Mon Sep 17 00:00:00 2001 From: Arnie97 Date: Wed, 30 Dec 2015 19:07:19 +0800 Subject: [PATCH 277/286] Update translations. --- zh-cn/tmux-cn.html.markdown | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/zh-cn/tmux-cn.html.markdown b/zh-cn/tmux-cn.html.markdown index 540bbf23..3b38ca6b 100644 --- a/zh-cn/tmux-cn.html.markdown +++ b/zh-cn/tmux-cn.html.markdown @@ -39,7 +39,7 @@ lang: zh-cn lsp # 列出窗格 -a # 列出所有窗格 -s # 列出会话中的所有窗格 - -t # 列出 target 中的所有窗格 + -t "#" # 列出指定窗口中的所有窗格 kill-window # 关闭当前窗口 -t "#" # 关闭指定的窗口 @@ -56,7 +56,7 @@ lang: zh-cn ### 快捷键 -通过“前缀”快捷键,可以控制一个已经连入的tmux会话。 +通过“前缀”快捷键,可以控制一个已经连入的 tmux 会话。 ``` ---------------------------------------------------------------------- @@ -66,7 +66,7 @@ lang: zh-cn ---------------------------------------------------------------------- ? # 列出所有快捷键 - : # 进入tmux的命令提示符 + : # 进入 tmux 的命令提示符 r # 强制重绘当前客户端 c # 创建一个新窗口 @@ -127,7 +127,7 @@ set-option -g status-utf8 on # 命令回滚/历史数量限制 set -g history-limit 2048 -# Index Start +# 从 1 开始编号,而不是从 0 开始 set -g base-index 1 # 启用鼠标 @@ -144,10 +144,10 @@ bind r source-file ~/.tmux.conf # 取消默认的前缀键 C-b unbind C-b -# 设置新的前缀键 +# 设置新的前缀键 ` set-option -g prefix ` -# 再次按下前缀键时,回到之前的窗口 +# 多次按下前缀键时,切换到上一个窗口 bind C-a last-window bind ` last-window @@ -159,7 +159,7 @@ bind F12 set-option -g prefix ` setw -g mode-keys vi set-option -g status-keys vi -# 使用 vim 风格的按键在窗格间移动 +# 使用 Vim 风格的按键在窗格间移动 bind h select-pane -L bind j select-pane -D bind k select-pane -U @@ -238,14 +238,14 @@ set -g status-right "#[fg=green] | #[fg=white]#(tmux-mem-cpu-load)#[fg=green] | ### 参考资料 -[Tmux 主页](http://tmux.sourceforge.net) +[Tmux 主页](http://tmux.github.io) [Tmux 手册](http://www.openbsd.org/cgi-bin/man.cgi/OpenBSD-current/man1/tmux.1?query=tmux) [Gentoo Wiki](http://wiki.gentoo.org/wiki/Tmux) -[Archlinux Wiki](https://wiki.archlinux.org/index.php/Tmux) +[Archlinux Wiki](https://wiki.archlinux.org/index.php/Tmux_(简体中文)) -[如何在 tmux 状态栏中显示 CPU / 内存占用百分比](https://stackoverflow.com/questions/11558907/is-there-a-better-way-to-display-cpu-usage-in-tmux) +[如何在 tmux 状态栏中显示 CPU / 内存占用的百分比](https://stackoverflow.com/questions/11558907/is-there-a-better-way-to-display-cpu-usage-in-tmux) [管理复杂 tmux 会话的工具 - tmuxinator](https://github.com/tmuxinator/tmuxinator) From aed4bbbc36bf28a815d6751cde02b6b025452fb9 Mon Sep 17 00:00:00 2001 From: Arnie97 Date: Wed, 30 Dec 2015 21:38:18 +0800 Subject: [PATCH 278/286] Update Wiki link --- zh-cn/tmux-cn.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/zh-cn/tmux-cn.html.markdown b/zh-cn/tmux-cn.html.markdown index 3b38ca6b..390fd4fc 100644 --- a/zh-cn/tmux-cn.html.markdown +++ b/zh-cn/tmux-cn.html.markdown @@ -242,7 +242,7 @@ set -g status-right "#[fg=green] | #[fg=white]#(tmux-mem-cpu-load)#[fg=green] | [Tmux 手册](http://www.openbsd.org/cgi-bin/man.cgi/OpenBSD-current/man1/tmux.1?query=tmux) -[Gentoo Wiki](http://wiki.gentoo.org/wiki/Tmux) +[FreeBSDChina Wiki](https://wiki.freebsdchina.org/software/t/tmux) [Archlinux Wiki](https://wiki.archlinux.org/index.php/Tmux_(简体中文)) From 4af768019ced6c179a09180adc2b0fb9adebc1d8 Mon Sep 17 00:00:00 2001 From: Arnie97 Date: Wed, 30 Dec 2015 21:54:44 +0800 Subject: [PATCH 279/286] Add a tmux Chinese tutorial --- zh-cn/tmux-cn.html.markdown | 2 ++ 1 file changed, 2 insertions(+) diff --git a/zh-cn/tmux-cn.html.markdown b/zh-cn/tmux-cn.html.markdown index 390fd4fc..87afa565 100644 --- a/zh-cn/tmux-cn.html.markdown +++ b/zh-cn/tmux-cn.html.markdown @@ -246,6 +246,8 @@ set -g status-right "#[fg=green] | #[fg=white]#(tmux-mem-cpu-load)#[fg=green] | [Archlinux Wiki](https://wiki.archlinux.org/index.php/Tmux_(简体中文)) +[Tmux 快速教程](http://blog.jeswang.org/blog/2013/06/24/tmux-kuai-su-jiao-cheng) + [如何在 tmux 状态栏中显示 CPU / 内存占用的百分比](https://stackoverflow.com/questions/11558907/is-there-a-better-way-to-display-cpu-usage-in-tmux) [管理复杂 tmux 会话的工具 - tmuxinator](https://github.com/tmuxinator/tmuxinator) From 8fdb648cbc691de5ff8f30c7bb5d0c29385a253c Mon Sep 17 00:00:00 2001 From: Arnie97 Date: Thu, 31 Dec 2015 15:51:09 +0800 Subject: [PATCH 280/286] Update tmux home page, again. --- tmux.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tmux.html.markdown b/tmux.html.markdown index 6763a781..c9e3db6b 100644 --- a/tmux.html.markdown +++ b/tmux.html.markdown @@ -7,7 +7,7 @@ filename: LearnTmux.txt --- -[tmux](http://tmux.sourceforge.net) +[tmux](http://tmux.github.io) is a terminal multiplexer: it enables a number of terminals to be created, accessed, and controlled from a single screen. tmux may be detached from a screen and continue running in the background From d56ae11e30ff85a0b8b632506abf4ec1bad1d28e Mon Sep 17 00:00:00 2001 From: Arnie97 Date: Thu, 31 Dec 2015 16:16:02 +0800 Subject: [PATCH 281/286] Finish tmux translations. --- zh-cn/tmux-cn.html.markdown | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/zh-cn/tmux-cn.html.markdown b/zh-cn/tmux-cn.html.markdown index 87afa565..cf865dce 100644 --- a/zh-cn/tmux-cn.html.markdown +++ b/zh-cn/tmux-cn.html.markdown @@ -10,9 +10,9 @@ lang: zh-cn --- -[tmux](http://tmux.sourceforge.net)是一款终端复用工具。 +[tmux](http://tmux.github.io)是一款终端复用工具。 在它的帮助下,你可以在同一个控制台上建立、访问并控制多个终端。 -你可以断开与一个tmux终端的连接,此时程序将在后台运行, +你可以断开与一个 tmux 终端的连接,此时程序将在后台运行, 当你需要时,可以随时重新连接到这个终端。 ``` @@ -70,7 +70,7 @@ lang: zh-cn r # 强制重绘当前客户端 c # 创建一个新窗口 - ! # Break the current pane out of the window. + ! # 将当前窗格从窗口中移出,成为为一个新的窗口 % # 将当前窗格分为左右两半 " # 将当前窗格分为上下两半 @@ -93,11 +93,11 @@ lang: zh-cn Left, Right M-1 到 M-5 # 排列窗格: - # 1) even-horizontal - # 2) even-vertical - # 3) main-horizontal - # 4) main-vertical - # 5) tiled + # 1) 水平等分 + # 2) 垂直等分 + # 3) 将一个窗格作为主要窗格,其他窗格水平等分 + # 4) 将一个窗格作为主要窗格,其他窗格垂直等分 + # 5) 平铺 C-Up, C-Down # 改变当前窗格的大小,每按一次增减一个单位 C-Left, C-Right From 15bd3ff223b998aad3ed2d5fc6a530adc31cb56c Mon Sep 17 00:00:00 2001 From: hyphz Date: Fri, 1 Jan 2016 01:54:11 +0000 Subject: [PATCH 282/286] Rename wolfram.md to wolfram.html.markdown --- wolfram.md => wolfram.html.markdown | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename wolfram.md => wolfram.html.markdown (100%) diff --git a/wolfram.md b/wolfram.html.markdown similarity index 100% rename from wolfram.md rename to wolfram.html.markdown From 01ab402100a08e30d6f88406a55b08b744fcb375 Mon Sep 17 00:00:00 2001 From: hyphz Date: Fri, 1 Jan 2016 01:54:45 +0000 Subject: [PATCH 283/286] Rename factor.html to factor.html.markdown --- factor.html => factor.html.markdown | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename factor.html => factor.html.markdown (100%) diff --git a/factor.html b/factor.html.markdown similarity index 100% rename from factor.html rename to factor.html.markdown From 1f0b1bfb7a8d7abe3563015bad0110d6c319208f Mon Sep 17 00:00:00 2001 From: Borislav Kosharov Date: Sat, 2 Jan 2016 18:43:19 +0200 Subject: [PATCH 284/286] fix parallelism example typo --- d.html.markdown | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/d.html.markdown b/d.html.markdown index 6f88cf84..edb3bff5 100644 --- a/d.html.markdown +++ b/d.html.markdown @@ -254,7 +254,7 @@ void main() { // Use an index, access every array element by reference (because we're // going to change each element) and just call parallel on the array! foreach(i, ref elem; parallel(arr)) { - ref = sqrt(i + 1.0); + elem = sqrt(i + 1.0); } } ``` From bde8645cc7bb7f0a88b5d106cd0bd0b7e40886d0 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Piotr=20Migda=C5=82?= Date: Sun, 3 Jan 2016 19:45:54 +0100 Subject: [PATCH 285/286] pep8 fixes (spaces and multiline statements) in Python readability and code style matters --- pythonstatcomp.html.markdown | 99 ++++++++++++++++++++---------------- 1 file changed, 55 insertions(+), 44 deletions(-) diff --git a/pythonstatcomp.html.markdown b/pythonstatcomp.html.markdown index 78b62e33..f8d83b98 100644 --- a/pythonstatcomp.html.markdown +++ b/pythonstatcomp.html.markdown @@ -9,6 +9,8 @@ This is a tutorial on how to do some typical statistical programming tasks using ```python + + # 0. Getting set up ==== """ Get set up with IPython and pip install the following: numpy, scipy, pandas, @@ -25,17 +27,17 @@ This is a tutorial on how to do some typical statistical programming tasks using already using Python, there's a benefit to sticking with one language. """ -import requests # for HTTP requests (web scraping, APIs) +import requests # for HTTP requests (web scraping, APIs) import os # web scraping r = requests.get("https://github.com/adambard/learnxinyminutes-docs") -r.status_code # if 200, request was successful -r.text # raw page source -print(r.text) # prettily formatted +r.status_code # if 200, request was successful +r.text # raw page source +print(r.text) # prettily formatted # save the page source in a file: -os.getcwd() # check what's the working directory -f = open("learnxinyminutes.html","wb") +os.getcwd() # check what's the working directory +f = open("learnxinyminutes.html", "wb") f.write(r.text.encode("UTF-8")) f.close() @@ -44,7 +46,7 @@ fp = "https://raw.githubusercontent.com/adambard/learnxinyminutes-docs/master/" fn = "pets.csv" r = requests.get(fp + fn) print(r.text) -f = open(fn,"wb") +f = open(fn, "wb") f.write(r.text.encode("UTF-8")) f.close() @@ -58,7 +60,9 @@ f.close() you've used R, you will be familiar with the idea of the "data.frame" already. """ -import pandas as pd, numpy as np, scipy as sp +import pandas as pd +import numpy as np +import scipy as sp pets = pd.read_csv(fn) pets # name age weight species @@ -74,20 +78,20 @@ pets pets.age pets["age"] -pets.head(2) # prints first 2 rows -pets.tail(1) # prints last row +pets.head(2) # prints first 2 rows +pets.tail(1) # prints last row -pets.name[1] # 'vesuvius' -pets.species[0] # 'cat' -pets["weight"][2] # 34 +pets.name[1] # 'vesuvius' +pets.species[0] # 'cat' +pets["weight"][2] # 34 # in R, you would expect to get 3 rows doing this, but here you get 2: pets.age[0:2] # 0 3 # 1 6 -sum(pets.age)*2 # 28 -max(pets.weight) - min(pets.weight) # 20 +sum(pets.age) * 2 # 28 +max(pets.weight) - min(pets.weight) # 20 """ If you are doing some serious linear algebra and number-crunching, you may just want arrays, not DataFrames. DataFrames are ideal for combining columns @@ -96,7 +100,8 @@ max(pets.weight) - min(pets.weight) # 20 # 3. Charts ==== -import matplotlib as mpl, matplotlib.pyplot as plt +import matplotlib as mpl +import matplotlib.pyplot as plt %matplotlib inline # To do data vizualization in Python, use matplotlib @@ -105,13 +110,17 @@ plt.hist(pets.age); plt.boxplot(pets.weight); -plt.scatter(pets.age, pets.weight); plt.xlabel("age"); plt.ylabel("weight"); +plt.scatter(pets.age, pets.weight) +plt.xlabel("age") +plt.ylabel("weight"); # seaborn sits atop matplotlib and makes plots prettier import seaborn as sns -plt.scatter(pets.age, pets.weight); plt.xlabel("age"); plt.ylabel("weight"); +plt.scatter(pets.age, pets.weight) +plt.xlabel("age") +plt.ylabel("weight"); # there are also some seaborn-specific plotting functions # notice how seaborn automatically labels the x-axis on this barplot @@ -141,7 +150,7 @@ ggplot(aes(x="age",y="weight"), data=pets) + geom_point() + labs(title="pets") url = "https://raw.githubusercontent.com/e99n09/R-notes/master/data/hre.csv" r = requests.get(url) fp = "hre.csv" -f = open(fp,"wb") +f = open(fp, "wb") f.write(r.text.encode("UTF-8")) f.close() @@ -149,33 +158,33 @@ hre = pd.read_csv(fp) hre.head() """ - Ix Dynasty Name Birth Death Election 1 -0 NaN Carolingian Charles I 2 April 742 28 January 814 NaN -1 NaN Carolingian Louis I 778 20 June 840 NaN -2 NaN Carolingian Lothair I 795 29 September 855 NaN -3 NaN Carolingian Louis II 825 12 August 875 NaN -4 NaN Carolingian Charles II 13 June 823 6 October 877 NaN + Ix Dynasty Name Birth Death Election 1 +0 NaN Carolingian Charles I 2 April 742 28 January 814 NaN +1 NaN Carolingian Louis I 778 20 June 840 NaN +2 NaN Carolingian Lothair I 795 29 September 855 NaN +3 NaN Carolingian Louis II 825 12 August 875 NaN +4 NaN Carolingian Charles II 13 June 823 6 October 877 NaN - Election 2 Coronation 1 Coronation 2 Ceased to be Emperor -0 NaN 25 December 800 NaN 28 January 814 -1 NaN 11 September 813 5 October 816 20 June 840 -2 NaN 5 April 823 NaN 29 September 855 -3 NaN Easter 850 18 May 872 12 August 875 -4 NaN 29 December 875 NaN 6 October 877 + Election 2 Coronation 1 Coronation 2 Ceased to be Emperor +0 NaN 25 December 800 NaN 28 January 814 +1 NaN 11 September 813 5 October 816 20 June 840 +2 NaN 5 April 823 NaN 29 September 855 +3 NaN Easter 850 18 May 872 12 August 875 +4 NaN 29 December 875 NaN 6 October 877 - Descent from whom 1 Descent how 1 Descent from whom 2 Descent how 2 -0 NaN NaN NaN NaN -1 Charles I son NaN NaN -2 Louis I son NaN NaN -3 Lothair I son NaN NaN -4 Louis I son NaN NaN + Descent from whom 1 Descent how 1 Descent from whom 2 Descent how 2 +0 NaN NaN NaN NaN +1 Charles I son NaN NaN +2 Louis I son NaN NaN +3 Lothair I son NaN NaN +4 Louis I son NaN NaN """ # clean the Birth and Death columns -import re # module for regular expressions +import re # module for regular expressions -rx = re.compile(r'\d+$') # match trailing digits +rx = re.compile(r'\d+$') # match trailing digits """ This function applies the regular expression to an input column (here Birth, Death), flattens the resulting list, converts it to a Series object, and @@ -185,8 +194,9 @@ rx = re.compile(r'\d+$') # match trailing digits - http://stackoverflow.com/questions/11860476/how-to-unlist-a-python-list - http://pandas.pydata.org/pandas-docs/stable/generated/pandas.Series.html """ + def extractYear(v): - return(pd.Series(reduce(lambda x,y: x+y,map(rx.findall,v),[])).astype(int)) + return(pd.Series(reduce(lambda x, y: x + y, map(rx.findall, v), [])).astype(int)) hre["BirthY"] = extractYear(hre.Birth) hre["DeathY"] = extractYear(hre.Death) @@ -199,17 +209,17 @@ sns.lmplot("BirthY", "EstAge", data=hre, hue="Dynasty", fit_reg=False); # use scipy to run a linear regression from scipy import stats -(slope,intercept,rval,pval,stderr)=stats.linregress(hre.BirthY,hre.EstAge) +(slope, intercept, rval, pval, stderr) = stats.linregress(hre.BirthY, hre.EstAge) # code source: http://wiki.scipy.org/Cookbook/LinearRegression # check the slope -slope # 0.0057672618839073328 +slope # 0.0057672618839073328 # check the R^2 value: -rval**2 # 0.020363950027333586 +rval**2 # 0.020363950027333586 # check the p-value -pval # 0.34971812581498452 +pval # 0.34971812581498452 # use seaborn to make a scatterplot and plot the linear regression trend line sns.lmplot("BirthY", "EstAge", data=hre); @@ -223,6 +233,7 @@ sns.lmplot("BirthY", "EstAge", data=hre); To see a version of the Holy Roman Emperors analysis using R, see - http://github.com/e99n09/R-notes/blob/master/holy_roman_emperors_dates.R """ + ``` If you want to learn more, get _Python for Data Analysis_ by Wes McKinney. It's a superb resource and I used it as a reference when writing this tutorial. From 746df3268afcd0307c0da434bf162632be3d53ea Mon Sep 17 00:00:00 2001 From: Bruno Volcov Date: Mon, 4 Jan 2016 17:28:36 -0200 Subject: [PATCH 286/286] remove contributors name --- ruby.html.markdown | 1 - 1 file changed, 1 deletion(-) diff --git a/ruby.html.markdown b/ruby.html.markdown index b3ef2a4d..267889b1 100644 --- a/ruby.html.markdown +++ b/ruby.html.markdown @@ -13,7 +13,6 @@ contributors: - ["Levi Bostian", "https://github.com/levibostian"] - ["Rahil Momin", "https://github.com/iamrahil"] - ["Gabriel Halley", https://github.com/ghalley] - - ["Bruno Volcov", https://github.com/volcov] ---

Le$Q3b%w#rI@`%ij#^uunS02)K6k^RD75JhcK=1EuOilWwnSc@IUK8 z3atRiWP82qaFIt>ZlPw(P}X&)q=r+l`_SnUiNhKa`$TXg?7w!HCtAc1fpv*Yy zxK`f<1P4|CB zwS>iOO75W~5EQ!@q2ZC<`K^A?r;L^EBEBEalqbSi9h%r>^?w zF7PM*w!N!>-?}7P=WoNAC_MjIf-mHT-waml5u~I- zc1aESVrcL^K~@8a4g1v@%h#V|S-kjHzQ`|h*z~E9bya_mT zj%a>`!z_(3Hi-}w+EMx`ncQKD%yICI;Jp#C#3&eT)%xSwJ}g@a$yVqQXy9>T1wKR5 zM(%u6+|VOs8>N+R0HF@B_`R9R(#329DV1bxn{*=uLLjvv?NP-UiEtZw=%8sBkrszs z(qPhi-W_?Fjq0!wlZYxtR<=lUBAr;!yxIMoz&L1kfu#K{l_y}G%mIekOz>L!YUqDcy=FqsKfU%`SA>=nd^f+f+Y0Zz9mkaY>cp zGS+KP-0Vhxh|zGyMT3Gk9fHMAeb~2_fz+G|+^5O|H2{qUMVsWUrD7>cwmFOjIO=GKFoU$ZU5fD-yQ<>2`|f(S8=*r>9LGqZIDl zG)MoqETtU1Fad-vET}q>PI&p9I%*75wnSD#Pg2EOda=WV`o3OMf)$OjRKe~Zf2&XQ z%HKH2tM-4C%US-fayc8@{~AD;2pE|dIRBU0^Z(b&8JQW`*#Dmq1d3kN!rIxyk$_&* z+Q8XF*u==r*aV7?56a2e(Zs+8%6&7Y4OAXS6OA^~%Kj}he}J&PtE-D`UY$6miyVQ# zJxUVr^A4D3dP^YXj|44%cMahzQjh?^?a|?1Z9`CJ@#_LI zuf+hc{_*af{_6}L&IzC+fMyyCK*}5rJAc4h6q3O!0Bj8iB-H&&4bqbj3vxI-H+gw* zFz}z~YZAz{0nJn&$lafS4ZtOzdVU1g9P+)$z`rpA_`YsdUEUlZlZ{}l?-)y;Iy@`` z8sVO*9$W(eS4WR`8;3T4&VTI~0G3n4KN5NVf!=7O4<;SJZx7Z#C*)`E;P>^H7-9TD z&Wsrvx;`i=qX>O`0ZSjW5gbUl_`iX?Tm&-zjG`0#P}A4ieKkL3H|F@BjE|~;yp$}! z;*n(l(>mDSo!qJr=yAxy$wR2dzao)U{=x3u#^jT5$fm{IKR<+v(;Pv14?=RzLNqVXJqMkLs>A!6H zs>sgP7(`Mlt-miU!P-Rvx%?6;2t$J>bgkb+tDgpwR|2tos&&-ou_hpWU)-6$b6vHm!P}P$ zd!LfyJgWVx({DFPN-^mA6MX8?fe}~+CkMtSArIU~>O-LS`o7yj()lMjBw%$7oPl^X z^nNQZUjXWQ=t+F!lLLVI$zQ@xXa`_*)V~<_Jz#a#zaV$O>drq=Zyo^ErauBcfU1$c z1$>`+&0pX~VD*5%(CqBG@uk7t=>vQ;Z2;AI{(UQ|FTeh^^FIb(QueB&|IW_$|7{C& zfBtm|I)8wA*umexy{-qZ@b8&xKlt~obz^=6V^&0U{0DwA{ev?jCohPfPGY)aPxRks zQQ#n+K(z8`rUPg|1+6OuHEnw%;ymeXVj-pGtuDO`3|}M#AJ-hrQmfP+EJvi z&W3b$k_&nfbc#G5IBY9KqAcX)Ej;ghnZp%w)@}LIaYt{lC-{*o&+&vwOjeP%?|htJ zmf#x$Y=VEuWfQKhM`E(a15JDJj=)bKh-{s0$>7j3zfuM^7}4C8$Cw#yMJ_S32VBz7O=K%CH+$%CrN=0%Pa?c7_u16c(@HUEh<~z!0XRe<({R=}!|7)!%gScWh6W zj=GiTj=MKC2;>_uJA50y?t9!=fA%=&$`6x>>uB_uGyI;sl1=femNS~!@Y2T)=?=E1 z?o0oZ=H#6rZ#+n5l7TOqlSsOJPjAAKDkGDJt%f&ibRX}+f*VU2la~D@<-)lM9t-D%ObTI1n zsej$E=okZk2uO#O$(_%R<6j1D+SF0$oeUQl@b22kz7S&b`_fX{&RHxVMEfVEbnfd^ z{IgXAt`w0?0;@9+s2Dfcs~>z9xX^7Zh`#V9pz!@)>J)&pVnfyTEN{2SsAg!s=$5L# zm)Q)pxbljw3d{mhlrhY?Yp|a^rZ+}znhavk-YluybU3-6?Kts@%PUoZ2;E(ub!bZ6C zn&uXI&MRVFBp*^`@IrN)qOV>NZ_tIu@{(CR4qgL%{E#DdTU;$6mx04N)~lGfEM7<} zPda05NOrOf5=jJ(BA6m*O0{}oDhL34LSDtNqfZjWTTMYyE;E41wf%d!e$4EGqas^@ zGbwNSOGU#~{c`5O==bQ8wh)W}Q% ziLOvR5_G=kw2G&^s2$OOXNHAe{-69ku-`JUsH=#wyd1go_azYX_}Y4;S6ojIMC%n- z))M>nbV&`|T2`&;-`eCGaKhzfub&(;CIJ&_$G!yLuox@mY$&_0FDlm|gdWRmzf7#rh1Cq=mc6ODj-egA@>2mw?1fwAkL;NEs=Q*0>Cj5Q=)&tf1Q zcl0o*tz=h8(6($U)|Q{4Ump!(C!m2&LGFVC7JFlY%houI2yp}V*wmm=u7&PJ?n6=E z^mFPY>~+10=%TE7uNB%~E7xI`x31+>x4n5!t_4YQ-FM$uw3-O#GfI*}Ed~U*m>p}3 z-2WW!lNKV8>_(%V^!PZ4EbzRWNUoX{O|&Vnq*zOjV(2QhW@Ez8&Kx|HukJaNsI=tN zY!dxpzgpLu)p?&IA;ML3cYaEZBW~v>{ylf)etR){&!CIWX@A)m{ZH%aJNpbkY0fo( zRMNS^$JU_?+pmtpxUnUO5bsy(3kj!5vuA0GeO>G_yu#PB66#X=EuEK>^>#%HDTm_+<7FQ8P(YhpflIB_crH4*}S zCWTH=Ms%+@`TNkSLaYNBIg$$lnqFivR{x$h6*s*O;Am!QnQXflgNzjkA}Z_gPwPzu zB=QtUR-HT(`hGes0t$***y)yv{+bN|uH;`AuX$f3xBvh#w|b9jlPi^U+kqh1>uB++ zh-EL^s%GvnZ8eJgAccpMosgO}-3w!5_QLh%SBY?Uz_k`jGY1;iN+H-0&pn{uV&;eS zmDRq0(FFHKN;F+bGfOY0QoO`paiQ$vDR(bC5;%rQ`^gS^83$nhuAR=wl|;Sp4U4h! zH)pQRkQJzbY-J5MSXG$cAnk~15P6dBG>F@KK1;5T?<8A43md47QZT-zbAX0Gy;UVc z6M`mJI3C`bTR=~pG{yL&3yKWX%InLGYlG4?Jv^k$CjP~C4h~f}1;d1_ic}P@-JurS zu{urT_YVKe!$mffwYAlrkE^rf(ZuN%SZ`BjNaSKNZM%0ed)1A~-utZM%TK;dX>{c` z*tY{9+*w+`aj&f~ku5ZRB`3nb zK-IkVrcA2^$(HFFlpFIrdD)qaO}VrlcReX?fEl1Oxt!& zUyV8*jJkJs2)OtW(%4U;?DNWV3kCt%R%lPX2H%){9b!eZZpj7L4AI?iy7Kg-HGztd@$Wo#!d?L(H@k|V+QZpP@NK5n17XRzFy-XjOqeR1#qD!698l=HT2|3B1P-AH zR2k25He$+2VbF|y!&@JD-7V){Uc%ub=UBm`Hs}$f@;;^a*ixq2YqSRwbMD-gFv6~> z_ho*e`Y2Wn`8FU}kf*Ik68_YgU=m0Eqw$F^+b^BE-lLcavSK?iS0Gg>3rp52Xd68m9Ychl1f zjVB|!l&d<~=`zDSm#sBx#=3cWrE-KXSZAm}d#lBW9*62X zMsUcp6%q31Y&Y-8j5=QoVVf#CCe5616Oho2BxrtB&leUJ>^#{>6)|SH@!}G@QJjjx>**P@p8bC#!lNB{Ps(ZGUk2&3Nx=09q(L-W&5nrwkXX z&UFOty5dfyq&mV<2u6Op_N(L^2|-Rf1(RlM4qG$ZUO~-n5``wPL|EuywCz0H3+$gz z+la*5_e@<47GG$ZfPso;JEE=N92!P>Bi*!EWX&-(gffQmbtQAi-gATwT&I?-CqH)u zZWj$#lFvRm?aU#E4is)J9PQa4Wx?2zcv9Zz`kn{?X28NBF3&D`oREwPDv)@6HdAt0 z7C)Zp2W+uX1t&M51I07XA=fXa|F^dIU8zxQ?fB8@yQF;L)n-oHm&d!)rIRKC(XQza zIay%bQ(OdG&OK>i&RJ~Hb5mGBLj;=18wFG`IZFH(#zOcIV!%n9C;$ucirv2zRbfhl z{cHf-VlR?~#Cv+9?+2S^M$b&=pIDhI{V?4Qz=^NTQh})b01|+Q;;Woap{D;mxe3C{ zIBDaV&0s02CO+g}Tx}yvcUnrF3$0s!=EyV&CslTT_-<`tGMla=Ia27;24LfOqBXEH zvV3>eKL?|VthKmnQ3~q=OVp9&h$df%)z~}{NPl1RFlH~{CPtx~oey)NuQ()gQ;9U2 z3*F?%C`n(pD)ZY!DY`8UJ;^ht^nR@W#8`5+5rYHsfVG;Ik?~|>j4z@CLNP^8Hdr)g`ZZc1=+p*I)Eywn5FZrp{gI1|4o4ih& zq@zInLxaPO(b2{ILy4~jW5#$pX}cA_z=|>D-=DuR^R@rG$y}3Pd9Vxpf?7I&O5p26 zaf=@hcO3CPbXvzvjT`gSz27>=)hpZtj8xJJdvV0d=MCQ;oJcI&ZI6X?J0A(&jRaaId$hZ=eQ-!@kFgc&I!ZKUnP)7==Ypu0QPMb_Nj*Q_|hyHDngs#rhm?*twB5@^p ze=PvgFoC)qT!s`M^8wShB^&hwzIp2h>!=xn&iQL#af8%&8G;;2Kdl^8Lj47neSl*y@!CxTl)envu4_r$|4U=DR=2$KHS2AuC6E`rZ^ z)b{HY84>?^me6`qgt07<4ilmvGH|q7^LeHC~1q~&3Scl&l)RLXg&!etz+EDq^ z(-+aka>90V$CL6=tb>^dK|9w^)ao7dA3Hnf!^08JpcqWg2fCgKF2C6z3wlb_gZ#~x zcxV-LqoY7>vgaq=opxIvDBt?S#D(st)(L8vT>q~prkAJwu*Q2SwTp6k^v0ZHz2FAl zuE>k5uS5`dkB>rJH&TQ%{O_x{%t$B#VO6;9Oe_ zBT6(y7&L?A6aZI+3t*7XrOh8cAW!3GSg{(1Uj@J`S7UWP(H`E}bAA?$R3 zJ{lfDm0?&laPZYnx7odXC)PPE!WDU8-@d-9Tl-8gr17up5>MCRZ~-fm&oPBdF?Cl_ z5GjZw^Z$utQ~$9RzhiZFdDDK6^XJ<<0x%QsJjLAQ;AG+dD(4WU%<2hSqF&z%`L3s2YAz52EuX=6V+_P;f?mAg!Jw9{awPn7pI!RCN^P}+&ZJ6v;9Do) zdMiLHZtDzONY4^JQb5r+aW`bInDkj0CDwP9yln&gJln19H5l;q*okCr!Qw~&{SHti zWrnK>$uZ0(Z)hsRD#zIo5_V_;V@-v9f{c5-2%TbmKRziwdq)$C3J!>K!{~+h7mwe1 zjof2l*hM#&;EsBOj5;Sg^mv;i4TaJ>KYrF?U?j0wmB(LJSIe$VP z0lUCd$Uz$*73rT|k_{3;c@;*$k7B9?z|z)s z5dXtDdaq>MIp}rhMl1+5E$l?i1&Xy*sX&ZsNXq0)xbwa<^#;Ovlr*GBj`MWXSjmG6 zl5*Vl(&`MBUR45KUy^)y8m;&>!v8y2I2y{tb(D{&Y_<7u(g$p1)GgTC!SDUdOHg-r zW0)6r!cHC+ABcQR9 z&+sS;n*CQ?G^jIZxY4B`OC#CAoz_ThDy=P8U*)gaK(jy~0IY$R3u|Q%vbUgby?nvS zPEd>3_J#1ZDrgp=qSr#EFB3MQO_BFbh>$E=QemKE;l~t3k1H^52-NpQ+EaplYZ8A? z!*cyK8Haccwup>}Tbt-AG&HIkQK5+oIukJATRABRtBQ=TL}$qr1aPx&m-rNj{eRfxMLpdb@}#uyKUro3omygO+4t zZWFp=WJ)e7twNwaLw2kTq@I|mvOiyCJ1zK@gz+p?KPSB_To(25)2@T=@pI`3fvGDz zcG*od#1lrkPp4;hwJsN5#4aw>+HR8U!J)qA1nQ&$I|dA0(iD$VXBe%vI|th0*$n(a zXpk0#4jm8B(AJ{H`Co^WI};eZ?gC>D;f(l@4nx3YOuAtJThG9cq5QyuEd>u;y&hW9 zDv^^l6e6jY=hw%O5JJxTfUZgG5g93OE|phJ_ZT7~xzAhM2eNrvp0?4Z>_{_OFkg_` z{p8a_K*J#^sd3y6FnuvWV5>LT-9BtyoZ(PwExF+&2#09^#Iv#AiB6n0}&?Q+G4JcksXi9Tng!DK53L9mq8 z)%+uGl*ErHP099=$ybapq=LWvk}_j-_~8z82XNl*7~Rli#SQ)&^RZgyDau}@hC#`l zYiWsw?Iv>e0* zhb#EZyvJmx!K2m|wu_!{4uG#oEAlXUSr93)t@FzrVg?cV@4?k2|Av(GZb7*P`=N!v zH);PRP}hK4lQH!~NEE4XU>{eG9kkyLN5IqtX}o0x9{Hrv_-8q~uSkBG*ssH;+B{xvy1`qVdvakVMEY6Ljbp5Od2$A+c2u+9sJ2c+9GKSUlq8 zfmea=UU1#M$EtHW_{m#=v%3|>Y>ZXpGF|F;GqzKv zWM(+Yv3ur^7--_ahX>dgz-^lIKL>-o3`_#)ZJu8g79;%-cH;_wtXqHwnJj)woeS9= z%X?^8T4j0=ixhu2Oa~tCn4y8Teb|qGG9A~P8hNatoz55=j5z>N_)i_xXZpF09`agw z8k2#4%}DEV)ikzp%9M_JJyrCgySDl1mKnzB#lW&|^SVTk>7lB6aXSU2zUvUd3QabY zB&R2sF?^DJNM??OnDAiEDpO^@sY*rv=;M$q+&l8p{`i6gVnn&tGaV7L3B6jr0!CNt zvJ%IWz_9KVzr(bPrlfd9sn()coxDj3CcdO*8)pG^v5^c3ZlA*oIw`FlG%RosC77Bl z;t64D1+hl1$8q%fw)ZJTp7OiVbgc6wlm5 zbR-k{uvU#5a-5<%kT*448mpoU&OuQ>CqB3#`S_+eM}z=P!Y*gEd-~RlRvll0gaqAN zYXMVL&IbTZc!XOk&%Fz4I&;R3Y6g)mWP9r)M;tCFCFhH!jI%4Jr4LdyD}-kf#xwt~ zHR7P)8lRy~RvL!N$hJ9Fj|I0GBru_vW@z0kDXt_;vm%UWvk#_y1sC>=qw`HU zCY^6?aE5uE4V0}*KRzBo)wJ$l0Hs5O<}0Gn2FTN%by4|bgF57!c%As3*)uLR8oOiF zJ6}GlkDclz)Q@K~sr&aZPVXw|GC{2w7UuQVqR{iMmRkrnJN-3c54s_~6i&|{2pmXO zj)7Zj!b7Y*SS5u}t&Lw0RS%;Zqu||8m&B|vv#E!o=c)7^@v=2%@uWQcK+EtMO7GMS@5;g6<)f%=aewz8 zf}TxGkID=ys&=seC1ZsAcd;<7Xh6_8Vj5zu3jC+{O6VZ5iv->4mqx=2F)>W;F4VW4?{!!+0 z#u4D`Ma9O|J{Wp;#s8>sQ3002>SR<|_}JOh*szOeew`RTWK;9A4MIj6DAMnA*&olP zmVZanVFaHD*>Big&U0H*?c2SkU7Qu)X&ku>YsitgynH}2y6Gt~Y+9#!swxj^HI`&Y z)W9nr!aq50k>hEYJbi*Gnw9}G>Luv*_6ut}mK50UN#cgK_5247)io}j!-*rseLwxO zk=)|b2=4`Pi$nMd2uV!;Ci?3*SJ~dSjKOT7CMJ)XbCNS)NqNf;h-F{VzgH-`A18dwimw{E9WQnS@ICO7VmZ&ieb+PPcL-O zkS8RMhQ4r6I@gqnk9dxKF&}Y^eLps1vJ)1K0u!a^kiCk6>I;Y}vgwJ9x<=m?xi z(mNQaAL*hRlwAU5XDJi_{P3Ib&T``)MQCrKLQ*)bbCXxR)gu#Dzw!{ zFQ2Vm18M1Or;7O!-WHrn>s*Cs-vMMv#**S9jt}LZ;?<jGzvTRWSD@dFi09PqGx@E* zGa{i>JM7D=h#Ag_@kv~&fHo_W9-rFVMUMCkV)mRPMM=oV&Unh`P#xurZy|Ts1D!Dc zj7C*XvKaJdgx^T82sHKXJ& zK2@FG>g1G*MYyirS-ahZ^odB+W@{qG9oyz#Gi3K?D_Ygdvbh)&3o7nTu%C+*k_>Lc zc{#i?12+A5S~Yju(OzbpwcFs6r{O}dTkjm4kFB89oDjnewt;pdDA{!zNONZ#KI)Jr zX5d788te+>m{2+@aH*(R&v~)b{8r>xd=1bOJr(}`aITHz-L`RZ)c=ARuBG@FdwteL*d!D1JQG!0%eNyO`c!B33#4K%1dk)2MXSD{ z^1bMjy}GHBTi!@m)BS*#2iIb4(&&$+e9lYZil2-DQMU%RLJ?+ zX82eO1gCv|jn{N7PKr-BXs7qtuunslUtKz6`-rc5GPa}0fxATST3Kpa?*L{8r9RWc zG0Z|$&$su`oZq-rctRG|f%y)M>8|8-PRD2rJ>Iwnm8+wHo?z1YRZwG_nfrqyia7}T z_s4gun=ROivKfh$j*L95RpL)8sRkZTm((+xs@{J?MSN*wgCBp*F0Ddfi)pW0oZ2_) zY_}j(@fepz#iDtSSbkILF$p%pQD3+=dBgP6s+t-6iinIBe`Eun8A!kVdCNHB)5d^( zJ#`bxXSt93I<7`k#sIF`Wk3X64{iRog#tmZ)@cZ_@DMG`c3VV z8DlJrg>5462hH;<3p+ebv{E4(h#`3-4KUJ^{tSlV>a$I~IeYJ3F^%MRq9%w{@G}F# zQH6U=)p$r%=?oSEwREsmsQe-|Cyhjv1r)H?%N+_H!3jMlrM$MjZ~w#CIYepJgk3gm z+qPAe&NoqM+qP}nwr$(CZQHi{>p}PG!9VE9T`LB65VMFA&)#QvsH^Ldexr&tRyh>} zI+WcFR%1Jctcd2L7}gD-fFI4p7ffb^`?8G*vj|N(4hTP)+gp;&_XUTb+Ya#Lo7zu` zIWW!}gTmlvW?B)Ab4ts+va8_Kw`#}%{DI$wJ~Wr7HN8gB{4sOsJSdBQAxK5YW}By1 zB>2vbE;dwvO8D;1JyELNA)z*~2Bu0!q-Nu>Go#-&Gje_|wqAvr9RKF0^-4#!J(|{< z=s~GeDGhsF1(t53xH+@@>K})KPM$rO(yIZXUoita{&EjjD2E9+V*p7y(4OG97>`l+ z4e9Z;$BVanY_?U(=Mb+bM7)&xAWgVdYO<+OAuSTlva4z-JrIMJUg!|=ZfP%o4*MEVP)3#`% z;}eLTK%-yx>9{3ceZ+KnU8@V4c&NWk8=U*rStpzTSWLj$s3x0Yx%AbHIz$Xal4qG|Di%7nIy?QNf^ll!p*QedNpJ_B|UtL+Y73y@|Xs zMmJz5XZ2$BsX~Vxa6{3HYm+IT{)TnXDUaCxB(jv<7!*&};zrAXxOzwKX%A53V8~iz z!slrQf4%M5+h^&tai;tQu3bk`?{NJ3c)m%Q*=OL}2}@C234{L}Lo^iM4qZk9b`-IPx{4Vfw-dXJq8IAduEaG2l4oX*+8E^(;CU?qz)z~MkM~KmeG3T3 z%pY!}N#@jZEQ#@;CLfGL61KdZ*hDaJ2p-(zMZMWmXq8M=>}8X!{7*;`=X%0{|qR5+wtyo0ymr z0Wl1aF4YlXI5~l**$TvHxhmb5G8SJw6Z{K)4!!B-#&V;bgpptFM6Qjq(VHDPtXbjL z-mH!T*h+xKO7y{p4yGV)cpJCQdTuDSSsG7gPOXQp@cJ}WOJZhr0*eUB{NmA)tpI>c zsPBV=o_&;FVl&tIU7zE2ey%|Rx@uHj_267D?X4Z?iuo7Z=H~~Nd1^s}@B-I9O4YC; z<(`H}Usw~9u*pEP@d!;@bbAITLyJonvB{z%nyvfYq1K99kwm78&4@RMB)#ai?s~bo zQ@4kXaNC937d%irk*syN)`dCOHJPi<0mER@+Y1Qsv^+n3mAktjo)D~h^>b30Xf92QMZZLif90tV8N4y z)S;=6pVi@?A2FXE)n4A3d=LRRhcDF+!HbvRUQK!1$3PExYcv-i@6B`pB_*^UL!}rU z>CiIs@p9$Ge61$LT%nA0#{X^$iDN!E!j+`fR)VFx+V`pIv#A=``qPHd7$r@dR;9HU zqFSv{Q5xl2cIiJMLhA?l5li4IHbQ_s_|m7nk@`JLh*plZ?ak`Blnv=ez6p#7@2(}G z%~dX($BK@~Sz`Wx&X*CCz+Mo_WFpHN9!zz^2WLmKd=cKao!YTJXFBG#kr`!M>?X>w zB28{>LuTuFp8h*$fvUaeZi{D&R|>r#U9X5R4Uf4JaJAk{yX5}rzfdzk?M zTS|2lAV4gqDO7k=xBpok8(g1RA&ZYdKqnA~86p`10AtL$Q^{kyKpHZ0GwdytM0X{W zSse{75EgIjWL#dHuP)Jk==8)8PwtLiT;S<8x@5#viQQ36S>W-%791H0@qf7)#h790 zJFFf+A6lF+J41loNT`K7l9JxnZF{viEFvn2;%z!>CofY=<#>|M^(h8SRl|k5ggS>f z;}AYF;R~%@4}=g1gvjK%qF>gO=q745q){S5QvXxQIY0ERPG!q{PcDH+eCiN6No;#* z5uwQ;q+{q%!g;)d;mAXZ0;2+^q}lUzc9RQ%S+ovQ7Op);A2i(}1{OIW^TzOq0^N*A z!}LyK`B*n%&&3i`grwCpR3(XoImJKSGiID-Her0XrEsM!v_V2_rIlXBUpK^zVqwsp zlisvz>6T5|Rff$3t)wh_CNUF;v_;^E71=x5W!Oa(2WssI`y)PUMEs28*>%SvDM;zfKkgtW@3 zzQode9}GUVc27ned-uUly6B;s+Y=*!VH^XQ$!%mq5gVhBb)Mpt^8xr6F*9))a#dVc z^ysiLUb0#E6XN|tq#z4gTCVqq4v4t(@-k4cT@qWA)!S`9wZheh>H3Zkjeuu=E_H7O z=qcDw=N@}W%wi5!$!P+OOctyQ&<_^Q2o5LaY!U;*qYxRwI8)`(2( z{AQ=pvj=2EYc`~WvgP_uVcu~@Yn4mmu8G;W&nuFzlbh4nI~6Ewn^ju^S_W(J)xNY1LpJhf53cL{;)Fr9}nh#m=6aB z%m0;R{=b+H3lj@F$Nwkh6V(DPrxn>k4+92$g90`8zbT(i)GB)%S651o{_SmOlr0c2 z*U&tFq^*7D7d}_h+)v+SPhsUn!;Q2K6~#EJO6IV%^-Li0YXJs0x~QoxAZBo73>6?& zR$Nk6R$377;Ev=-`a6ID7>smYVq-FI*sCstfegPPW}Vd58n{)d9wNwC#|DVn8W3Gp z7oAqu)D)14iAl~cbCc@Kn2Zx2YBv^fwR z50BQ9Z#(F}D?b^Pk`W@mfci-CIfN-Q3oBT;M)qcq4!0jwC<`A+OiV}}3JOwAVQV?+d?S+YV+xCp^_Q=k9R3spb zHH~x-ff+qS)i~@qXdnv6vhgv{Bs{;o-st1szj=^frR+c$A}PKD-=m+dM6`3dGb1G> zFD?ipM6$GT;C)*Y7*KKvNv2NscKMK4fm1%XIGbFXf#1>FQPoz_(tQxV#x`(qX!5{V zfv{h)?lUDaDhLcSQ8Owny^=;B_z+vh&~fQ$-P!m^M+Z@N+yHx8$~@|}>l`Ux*%b(* zTZD%nM5b1d^z>hbfvIJGaZsb3@}Ybt^l`bOGS5nVsslg89*V_uYBw)%y9x_;OA9-HiFY4Id~`gtkZ6CQMZEOYsPQK2r_5mmZ!O=}k{Ypai&?(~HB@SYD z#ru}~?G3)$N>IKkIL+vXh^cdn5X>a?H?Z#t#uq6~`yLUbk@h>Vt^aD`zoqOmBFJO;x4;z; z#WMhEs^%Wj|GnwIpK@Oa!A=(6A@BX@qkjdg^dt?rA@9V$d@8;TK~plm1omRmIIuG} zfck5(98&=fExt#-yW;>Dru=h27%1M<(hf!!=`X3i=`a0%W#@?_x5xS{pO|2ZAiq(U z><&)gxvK#4!18`ieM_rXMnb#Gso%ccu?txgtKR(0+%&x2=a(9p-v`J{wJ+F!#HO!A zmbT559E249xn8EYMDtabNaqK~@<7#MYepBb@=W39ISUu^+?M z+d!RnRiYBxnXY|OFiF;zK8J_&d#;yHJ_Ca@1eg4!HCsFvAv115w6<0a_|R|*ep~+> zJ*8;7dm&4X5zQ?{gsxch#D|hpW;gx=p}ErY%NgV^YLhg+wYj6Xe_ zh%V6bb3f%HI-ciHtLGwUsVi;Joum$ZQ(_)Oszfd%RO1qjw@u)U6@|GR;D1ZOI824S z*m|C(6S+B}t+xWf54aVl)2wg3!LZ!=?ppOo=Bjj@<$iGOa0{}nVIC=^?iNN=G`7d= zo{V769$7rG@1SV8PEfZ(Ebo3nQ@+iLVSuBirf@Ic-DmFZPY91$w@Q_1q9qp(GM@cu zrszB;cIa?)mA)w! zjw0V?%KU{E*_jWp>iBWSuWXNo92N_>b5!k%5mpKG+?(&<8b8Yz4V&6(uUeG~+MH*o zreCS0U6lIFzxjqXW$kngiTkfcWLf|u)cKma{UFQAfMIZO1{F<0fi+8sO^ia<*SeJt9;839 ztRi3q*0x-Wn?7n*Ry-&#PWARjtWUy?e>ec_`=m2VbX0~)tDnKrWRNYEupFKykWp#l zTeS2?G(SFD_eaHPGhDNuuN#GWPe;=x6g|V6w52+rk!hA*G!w2t#{(QZRsfW$5 z1yAki<@K~RFx%7_fIlnk4K;|+yodGRiJHXa0O4;(_?6=)N;AenG-CVk=iP#w{8n`xIRzwrq`XC*IQ-IizUNCL z74oR%-^X}nO?ocz{fIOQt7PA%KPRP|jSp4EK-hptxb%fk-qYuT7=Pq(P1x0rpKV3F zMEXl*F3h#M&efu!FWuO&c9)4{HUcHYPC{yR&hBWuDNH(fQhQs<+_^o2>bzX~8EAAG z%4cr0{R#&8nedBXHr5FfJ6;o(W`BS*G+vcN&jj&vNg+Y8ef2YRxmUr^xKSw19DZ7% zxF>bNU~H2jcHY3z{+3R{egHkw$xb24Y(NGD`HIPZW}%G~ds$Z=^A;N-kEDn{fplzH zX7UzS>kbqO3ryB;-OU3~FNc2+Wgs9A$H5?D7xpUv%GtDnR!fDHQ@@@3f5XhY3q)T#FiSL}q zE$ZaXMe2MFRsT|!$djc~oNks**mVQDt;Nt(!3jo>`S_b+%{Hp>#8_H|9_dMj1m; zMiKB_KA1cz+3+CO-=t)YD38Qgmo^}RN1xc?Mr_x<3{O}I!odMg$QTCwr_-ZdZ}T~o zB_@P|9mPdi)aN<;O1<~)QVxVM;DpR@=qU*=@jhxuX&(-S9fC*1dLPON`Q0*$LVs71 z@PGOcPm9Ete?tfPOv~oF_ogfaI+E=JtCydNB2N}to?^%rjo1uou~iF{d*bL=0>SOz zAhy+r)1MqY`C8v{)0mjOIz^C_;U=h;-Nfr-|L0B!PcP4E9W=Yl7d3i~9J!8zGZ6Dx z)5OH_0M#mM3!=-u7ktUBBeD0O;a#wWUXYa_RqysUxxT#j^lsD6wQu>MSji4vl9e32 zrJ=OEM(ohp&Z|5J-cNgN@xSP$DD^*Sh(IR>9_j-`Bh5sb+bl5(IHQ_8ytzbdPy-GG z>(BQNQG4&~S2aF(Ql7_Zk@WVHjJ2AzqZ}DwgXE!yRhQ@*iz5)*;a- z`FS1d@+}B_NgOD9n493Rcc3HirA=o?Zw`j^5g6M>T2>?p^Ft#GM-UJa*Df*V)FzIE zV2aW#$9i~G2a_x3|(zMP#5`c6QzQ#OBTuaU3FbJK~~c|H{e!rA;0#{U!llB_wg z>dl~=LO~$5DG{&Ho}2+BW-w#$)LLE+A>M7~gpH{A+ybpi$WhN&uCV)^W}wO1kgqIi zkzYg2K6Wm8d?crBFn3v;QpSfIPpBs*P^I|@Cf)&WCviAP`QA23EXIu0 z*)Kfn<_6E{2xC)9J(hBLFW&qC*LVwznX)VC1Nfq7)oh$0LePrs*CtlS(FbWk%i(2sPwFJ!uWY9&m2hH zweM_G0HSKOiQE?4qDeU+U_PkpM&QwlqiSG|Jb8OH0W__SxEgDpjYykbQL1(cW>mac z`OC%=WxFLWo`VjR_~?(6{5h6w@YEm{$WLX0$BgDQZwSJL3d;J4$~I%pM&_NiF&RX& zPNd~PWE4H{@#~rxUTHj1A{=4j&~YXQ9|yhUExt0h23Yb63o<8u5=1_}hSU;`BAKu! zP{mYCr=lm%!^yuKXj}5+b-Mb>g78!iO$xKI6LQ4}gc{!qjyF4ot6x0zQ8VM*s zg|oj58<8bL3|>QX9$q$hO0jYwK}m*Pn!d~;jd-8q5b3IAnI>PCW~=k%$vM#*Kd3w4 z)h268fR5Gh43ZdUo5ML%5bw+DG~%Jq#Hk=b=x0?QQ<1sw<-H64WU9?S#1F?Nh6W$` zLZG5>2nu5z?jH`>m&VkQx_>PZF?48Ko3)|nQvlWX#-|}oMm^%yWRR}cvD1U)dB!vb z7`!w)TOnsCQyRHbsMeWiPCe7^ypsBM7w`vYQW$QfsUs)<89A8BRskMk)29%zIe}&# zgZ_a|xG0tVv1j=i4|OwS6j|xyajqpG`S=KCOfm`ts%DAE<5Ik1+M;e}yHQ zH#{f2yvJU96Ue~!*?d28&R-j^%t#b&w)Z_R@BYX}Dr1>M=&Hlyi(`ClTV6YCOvSDa^s^Yck>N6sg^a+H@ zeJi~I(|90pv`L~_PbA05Anj%a)*CAQhQR_e8|2%YSME9rULhv#M@xzm{GZnY(g$|p#dl$$55WhLs)ib z!V|6FZg%t>U^2~cyc8ql`aB?+5IU+3WMAPI9;#Yx_VZrojuEf<+lK?1LK)8;4OmC?34WNx1dVzUIlQ12 zk&9D=%Y(10#p{6NK|4S8(c3|cE%Tbvsp+*R(TI`UW690KNmp6@JLCPJ%e{eB8ogUv zo-Ep*9DjxNZF{dLXu=M+AX##;>EvDgFLX04z~a)2FaS+0R?%N3n2+6#V3){d7k9{>A(*;tX;uWF_C9`m)TS4* z7V2e1g$u{&_x(gS=6NPaUn}^A#e*xV9!c!hymwS$!1o|6hY3#Y19DG?04t*PrEQ@r ztx(#SUM*?9w`1>&zKw1}TYde;Z;xhGgHQ&UFz6wcwIozq4LP;SsjX+C_JtE5Cb$Q_ zEN;U<)sHY%xHafVQ=aln-$1q5D6>!k+Ak=*)|{=P66bk*vMRd_N1q5nB`Ls zKf)bu-4#=ldIW3?nij@4;@$uGe5K1}@AJc(=~6^nK6g1lk#Chv3TyZiL@KuI9Qwte z=1lRXeq}Mv@8d2W1Od0#eJ8cX%H9=nL4xn{kqh}O)Z)!n#G>MZo@A2q8p+o2z8OxgWi?@%rQFP6}~wvGwrV+r71EFrczyn#LniN z5%J2cO4^1;j4SfJsW-% zrFfyNOOP_Q$Z(Q#J2RO}0-1O5*v8!Gc6b0ERUYi5zMa#P zSmwLFp+1z)`W_-G z_d53+bCkx-GXHdM+l9{n=qk$GC3m&EnWRLCYzxhlTDT=|h!XAe#qO3Sw1OoBu#1Dl z9jyQ;qSgCAQ!AER*8h_JU650Qb3{YPliM(17)-LpRI7|Msi#_3MBFW-728+Qd=2E? zqe?w1JuMTVh}BtqUA~Pi&Qc6Dm=+_fV2UH0(G=QM`A>C4s@0(8=qQ*15;jTm^^!42 z8CZd0(@LnRQ&_a}Ridbzw3PY>^lYR5WhUd!$jrirT1uG{Vvy{%mcE z_P<`+crD%_tQ(7w$t-~o`{*#=d=%`_F>L3aKmxcc5}J0wCoxV+9tY18ohND-<;h!` z=CNh?_)9aS&mrOI6Y^rGZXrI9%~)#_I`tzVJfb>5dF(tq1pJC>pv&sEjP)Pv``3aw z64w^6QJ+ql7e*qoB1MvZ{BOjWL3Fq(@lyS~6R-Ut@Ry;tO5G*kQ}d*;3g$O-Rl+NY zWjq7Y|B|QQEL|hvO%KjY#pOO9w@+TLQjm_+~CEE5V^q5^Y^`6SWKt#!x>IkGzq)5{)sV zPLB!Dw|@Ka(uzT1Vn~hd>~k_|g>(Za;@s+9T3Jlx-C8- z4>g!V^Mkuf*McZFwt|fDzq;)HH{W-Wr;{>xxAnP|tYwZKdMjr|#3NPMu&Db7_SD0@ zqUaN^{ZdUdl45>+2DV3Ai|%9AR0kc56{5npZy|aQMzO#}nEVV;3irt<)6DuL5sk_Q zjhoI8_x0CEhV6IF{L>zPi8+#pm>_cL2*{P{WXMy;RXnVR-L)V9f?nBa;cqT^XkBr$dd7v1F`-kaISN_+2UL00SY z))Vm{e<^OVLE1K$PKtSEIpc9-lclFeM`cFOxuHS$5fGP>sB(X`g}uQ7KJNldn9Kq4 zdMwV$mq7|$acN&=<`;{>rZ4D|uX5;O@y<4a)OXFvjG^1R{P2({wwIdxXdw$%kLvsv z^#L0RJs?wp_24nkrih0X)3t-=?*o(bKZmvf7IR@+1r52*uI7{05}UbyABJ9q6jIrf zsYRaHrG|hD#tLC`?FF*VYI?jiKD?*QcQZa1!=5^j(2b}fRx-6@1q8-?>nFJp2X7a{ z3%LXUbkUQO#)ujY3LUra5v__>P-3%g-s)pJ#S`)mlLMpPgZE( z5)fS-o9z5Ssppr{8>3@)%;~Dgid@vN2RgrNb6 zt7A6Gyb8Irc8bKO{z8fA;;MWBeYHbIKv5|TufT=UN`S`k6F$gJw+09x>)<|i`^~6R z_6tqZ5rpyFGv@&RlK=+_hu*M(E@d8*ip6EYBQ#va{r-UmLO<`ePI*jUlx#`F?#nEP z>5L;c7*uRUdQcY(y^H?s!!n%=YE5dchJ`2WbPfTTu86gk#-mC`gG(rdBd9u7Eo?zC ziny1(Tw8T`=KPQRDFaOp0R6%I-*Qc04AH<+<{+5aN4L=UUoXym9G+%L>lzb9Zy3gJ z=E?HOc_e}?RJy0@onwJ!EJfIe@55DleS4R(S1r0m6fzc{(%{&N>Xif(px{?5!`ZDJ z$1t+o;e$>pgLfZeaW7tr&RTJwweEu9J=gf!rlQ=ZRr#I6(NyZAH+r<|UBIvoL%(uZ(!(kPW`D6>DLO&; zmlq-5SCb5TtDgVA=&$!p@}AewI_;MpzQ+8dl9HJ~2X{hxVvZ-)J~BRKz~J_`U&#Ej z>F+JmK!yGSB&32klfn)i=>%5HC>DD*3SERI)A6Sc>|l+m(`i3R*8`-O3<75lI`CTi zvH}P+f5zl?t~zSP22e{$)(c{UdTofm!b#a*hlAk|E+`;>V zP6(h_mOIy68lG(UYU(7DqcNp<$F?<won>iOZ}Y^Z;c++ zn*xF>C%X#4h^mWsg=&9F?`|b~lF# zt+^mbxZS5!UxZr*`%s?AKi=vOlYh;Ao(+o~?)-#2{z$}ETCFNX0sl<+kW=YDVpAZ? z$_YjgDq}F)XY?~1Nn;C)v7R4)p6Uo$)^;8{*&wt7Qx6S)iEkwwXk64{Sae8|K5L7H z{K3>o7Po4bLEflJQYE&41^> zGqN?f_SsAbauJtKieetu`o|3J0Rhgp$cnLvZ{H2nxMyK2y5iDZB2 z9Q{&6=vgSh*fX*|Dn2~4Xh3qp^s&^UEf>)Tmlu)z&`SGil$jl9|7>Qq=Ju;&{rAjb zL&oKXsFxK@gJ}S>@o`Y(3PC)UV@hMTfc4938GNiw^Z?#xniwFW(>8n8p*{n zj1$l;i-sTyB#IH()fT&7MHi8Cf{njZw0nc}%MP) zZ8Co6FMs&_!$%e)ji~VO)Yk|0&7+E9g1mF8tW4f)X90#BqS=2eINFf#oq*20DTogl znvRYC%Y-UAtV?BuaFm&L<0aLg}E-d;TAHf!oEL6iv0(ct20L?&gHR zLv8%*zU|Z7%f38O5ngk%5#bf8!hfqK@|$EJxA$G1;jr7Y3w<{6y;&bfb*np*P9ma)Th331|ubDK5m@8dBTwEz!6ejtbjxc?r6CqnpZB zA9OA|1voBF4j7sYMwz1-jp8=fwzv4SBNX9aZ0k9@xx`Plyip8{h_)R*=G_b6LT6_N z1E6Lu-}P!w;U<9o*s5o za-AHXAE!-}2hHWa>`-@Wj@+OOb_O)ZSc}tj3kzV=xE#TIP7O+W&GgYBs1dG$Z7Oc+ z#i3s2svLjXgqBU~8cSH0qkgG;hq_TKM@D1k+W&*?l!DP^LK)#E1gm5Fi%LtNO(-Q= zIoW-iX(l+=MIg3}g!zqf`@l_1KP{HTgYQP5Xvl~|@##Pnc9)Laibm8H$NRS3EXYG4 zUE!?7Rt9{^4d$Gy0@RTWBv!7<0zMw_CwjT-t^OW3NCeiDTJqWnC$eT|?ko%kJS7Vu z#jjE4UPoE|hAvi{#+8%({c_t8#m%tOF;kr)PaDw6qi4m{IQuq zV*CdoMgeR>gyAopMhLkcgHtiPf{(x+Zl0eF%aPz>QtB0B9pE#r^k6rM{JJ(ZNmHPg zD8;9@agI&vfmEy6yy|3d3hZ2}S)0)2M-kcaz#8tCf{Q_Lv-9}pZ#FNOv{z2hU~ntD z>N}37XMu;Vqh=f&PIidWKkst@Ga6|x#pOlM3#z0CQHMwBpXP_zUE_}?K&r8gwBf5t zPnWHI?J*2dNe1>fW}c=zZJBW|RhueTS>nB!#c5EKnLB0fIxCpyhV`#EYikmn`G?s* zJ)0tl9s1Y8tM*gW)S8Q7L=QkmpMy!HEK1yQ{YIvOMmXmu8At;Kn?Rv=!qk~rerUVt zdkpkOENH=z%gS_X18I`isWCg{u3gJ&msEwzqc#%u$f&m8)Ji9dKZ6pyMd6$?YK1!m z{x)f>M85G%;CS-NM`4=mC)svCVHun3npbIxxcb>D>3JH%iQisb_w7Mq&;|K)s%rE zhZGA;%^YQ%>3=ueL6nVNhrzo&K+dn3GvP_3X-LU?dxXqebW1 z%|j!0^;NH0d57*4ahcMMzO97n?Y?$KA7Vu9=|GSL#FN5G^k0>YXI3?@N<}bB$&KG z_S;qOwRLc&Ff(Er(=T+_zbf6K4c}_81v>%sV2#I5t2bt;30%ZhWnVBM%EK&NPGS&Z zs&~_&>{$aD>_ zZm?z35zRotOhTx{hQRcFy6vv1Xc}ISORZ^!vrpiaRZ11x(|B!<87g7A6zQ&)kEpsN zytjbjz5byQ%DU6|k#gWYBz9~zx2}5E#E|$Ix}N`i;!`eij~S5-iMPxr)7 zQyubN$#1~O70WLV|BFtE%_1H9}bS$)bYfe?a{#6)-n$#8tG1(IT{%#DByudVGZSlH};0^nZJl$8~<)w<%6Xm zExM#*aQg71R(0*?1^?AJ=n}f|d3$xTj(#`=ha}I%)|?UMkdH87aSQtT*J_DeHiQi+ zu43yoeg*#tDu)p|IVn0Wi{6i`Aq*sxgkkmf&Wdv4@@daZ_Z}lXFDh5|#v|*Ra+g_Y z50fF}eN{WjWAw8=(Kz%3loX{2X$qkN^+Gr$YG%41faKthd)mJ0`Tcq>L{ez!{LGQn z4BJ?U16zUf)ph4uKFUW+vm3oY0=N&3iq^1P(O;@}svU+e5YEC0P~ORSk0^^>m)u$} zvDQy!T!;lym0+^;UWMHwRr{6o zgoLGhvyn$|wi-G#`t;!6lV;`ZEJI(VOISX8rcb8lRKy$vi7$8RXwjR8e4ASzXKR@4 zkS`oI?9O;$0Mn~F(li%H3a8gBw(Eo&An&q9_>^J7en$FT8h?3;FM zh=Y%K!TqA-fsj=3J#n>>SD@OE0no`4s_P_lG4fPYO&y7vV@S$4Szi;~ZgxM<5F=J)Ht{d`e3D}S)CD8d9c>ExlI2}Fam`iL#85-BI>4v+Ja}Gfi zu1An~f6eU9*0YS9bgElyZM!Yv`sTN4`=jK{%ZlRI$!;w{WgWF|L5y9R6E!*+<)k*G zaU|$(4;mtp^a0UO#1C&vd?~i!(2L_Oa2zt-(@SESUfW>$OSU7$)wJ;$|T9(bNvzE8@x)Y zrX)ydKR*pFLX{`?XEy~4dB{+F;+@hh0`(Qgs;`dtyHLLs2H>kfy%SRK0NNWh<@7D+ zciqI=&E|o@dX`}jW#i@Xme5bqvmqXXzf>y#@NNh=vN4o5P z92eVh;s6IOlJeF=@El=)9~RK0+5s7a4~TpiC?WlN{Z>>eT1aMb2D# z)sJ?hdU+k@C}@TtK-r>(c?#LLvAl9xHfkC9iv%37u(ENa#fRC&3M}SKD?6|JMP}WG zec7H$JY;E~M*$?sL<<_Q%Zxv522J<@#jb=a)=zGoPmdQJ!f3x zgg7wQI9G}@w0njem~zHWX)v2Wju+%ol-c#Nw%v$2&e~3g8ASOAXUG@ss6L$^CDcN9 zf8@6*L+T~;pNnh*4k|8;+SXijX}+?8si7WlYwegssjx%@MfOiYEy$%@@?@GbG+6BA zYwj*8{DZoWl*!_my0NHHm3$kUvp2Km_A%hyvD&-ynm<9Tw48R_g4z|~waEP4VBeje zJ7gjaW@W)yUQ$n^m%@6Kqe)iqiiA%ZhH9Zu>exZbFzXMGxIs?(kxrgv%vXEkd!5N| z@b4VxzLmp|!^xenjo&NvOPt~%=b3g$GQ|qH3-^K=W*CZogHaI6k%u+Le3?)BPlXKR ztG5*!n2)7;DAxzwQI$Al2-)IWw3Bn6$2( zM9!zb34`->!{dU1XlQ-HBjTUzme|;4NL8?-*e646#jJr&nKzeZ51n$IRAIsUN294? zWs}}{%U1nnf(V|f2tgkgNknFZ;p5>-w`86ZaLvCH58h$-#EmcMRX1(Kt!1L5Ggp5K zLh4E_|EMp2{9LVpT5n+c)nxA?i*9EH>uZ{;mJqFJL&DEmK6lJ_)*%OaDFOfzbc+Z^z`Q~-Lm%z)fz@^a=&aL6atEXG`ZCKY z6eyRWTU5;4z;c;vID*5Bp#Ko^$PDu^u%8Y#YLS;#3Pq1I!5uV?`skXD;{9axy_3BD zdsA1kJyuZ=1m`q8_nxh7RBcACF8v${Chq0*m>MEPRv2kWp44>t>-3KRvX&<$PeXMs zpDB)3z_TQ`qo(Y%@%;(s>6e8|Kkvx|G{t=Me=+t>!MSx|gKccvw(Vrcwr%H)ZQHhO z+sTg29ox2XzB*OsbXWC%(UhRYBcbUj+h{kjp(pUX?rKitUu&=vW&FZ%5@p&`1XRU24aDjn=5ZUWgIp3g0bg`Y zMpe_w|24gdo>pH2+Oi=1>}LF3laYWs6Vk;NCK_h(G5sAYJr*l7l1EEjgTro-8;Quj z$Vyd!({1<3iAQ4Agoaql9>@+tm#^%CU<%a9bbQAlnG%%rpfu?ZMPW^fgWY3-Ro>mV*XCBJ1#c#4ar= zMDx&PyqCSvBkr&t^L`G3N%m6XHwp{fk$X}pn>H@$jH1GbBs%5(?5By+5?US)D^QTp znphZ0syYIr6dW_cIdjo{St+tCjb}%GSe>)a+PS!^<2=)rysCzY<8Vuiy+5W*n}CTA zb}pApNn~sIp-6n#BiV9ycjxx|~xl_#7KjpbItW{K&gs=Y1f{5PFT$>Zu~9 z-3A_Iv~N$+w6KiD72`#lLjhYeXk%>Nh{O1-#2-8``^aOXb{XURb6OO&utHy)^bvz6 zU`=m2ZkQg!d|2dEIH4K3Jhp0zgd>(xVl10nx^|o*Mdhpu{EK#FEFl&b6~3u+fM+C8lw=f2ej!0G5|6e6ocg5^q<3WTJ9> zCTO{lugM5bZgrCM?GShpEo!E)ed*CM$U3M(iTD-+$hW2xSlayBL#V8)w77VQ`;g8> zYhx*}nJD$@p$T%~S!3jGA?Tg$0_(F+if&bdv%21B>h75Xnk&|FDe}nPTfs3V@W<4)gaqg+%}2vH@dM+sTXj`@6UIH5p9QyyPt7qg3{q>7Hs+Dsgp?0gO5t7k zA9*5$!MLu|mw09e>*+pF%BHtN%Z(Z{yVT*heYXfXZ(%s4_hQtV3rG#~ze48eL{-Tw z>{n7zW2S{Y=FEo+lC%oq=7eLB+p2>T$LKOH>8|U8=@`?cFf05AW~wkN8^aW;ou~$U z34Wa{F?Lj$Ikz}giX~p3dbEtU%BJo4x%pmOc8_HnN;QNxt;meD9-JF6lg5Mt;(}=; zY^nF^(&(_avOcwmh@}L$4b)vqa{GQ0%4U1`b=f|bWf8@zOODDNeUOa-wb=WKECZ$V zz;)+0UtYT8(OpRge^6zk?nF3kJ_(+%#@=Os&XTT?z>dN@lV|The3_DbHN@cgXwSrZh_4 zlBpECbaq+#Ow>avaQZ(9XrOD*vhlwuh67!?lG*VvU!%P8zNB?QrtIH%-9W9V&{j;xMk6R6y_q_zJndZsrgIH%{K)nXIsX^L_)m-AQR8VCCGi7cmN zNai}97cDw)N@6gPzlG16WAz;1NJnkdC)anmMU~qWxk}0bb^79?bNHs_tV4$74pqF) z5nG-`j@>s2NlwC}2d(m&*f?KAv8LzE}E$-@lX8ggZM-|Mz z-q7i0eEKoS_N#4G`Vy%FgelVYY(3kyLU1u@``3e9|+nNWm6$Gj#W_ZL2t&6XnEAM3LT(`s*Fo zKNGQOENKxWkLgbmvwK%9c&emZiSm30&4P7+DimoMstA*b?9Ig18gw^mIy zhVfh!>G!y2@AcpL>}#I7@ldn+8{<=Qg|dy^W+LsF?xQ@}QZh9xF>8%SJEX9DQwRY? zRYifr+@>7lsYHAlZ6Z6q0qjH8OV$E$ef}`rzwrDIs=gNyQgt{m!iT-Jba8csl@nY? zh7~U~>caXHcNZNG<_9`x{K}9gifjHzyT|udNaGdjBgmak^M`t%@I+@S7L^~8actz_ zLKYa>oo$h@u=9;gm_{5V_Pnx17aHT4u}_aT!(j>XMtPPOz&S0%@khG#1*ulftK^xH;Xt{WGapTzG{fbO z)Ejn`NuFaX|KYmGa}6;mJ+?u)>XPn>^4?kw8R*SIZQ$;S1!ps@`7bbadU$ugmD#vNpLYG?X2Vk~RSk$|Owc zT^PHGmmis!h{T*oUnq|ZZn_h}L2zvvEBES-is%j}VXw*tB^YT|cHXiwt}$*S^~%`2 zs(hVMw^tBbnAOo#2pdrgRnhixGr_C__~{cS+*|EF((KE&AH2LQywZ7}|CXlCzF71a zR8utlRbh53I)``J+U?)uopZPlTsaxFvVhIMl)uF5FL8cCB9UlAP=0GzXM)7@GLG)u zBF)h*!EEcYwHW?{cHf!0FPr=rv29|0uvLY^7{N&3C7;8D1G3|pPWH$NMTM=v2LUCSZu+~j8 zfWMZ^{%v<$pKs)Rxp1>yQXKfNa(p$%v7xyAOYEzvuwuXmsDJ*OW{?P`HHWOouJHj35HRhkMjFakHY< z54;8%%8-^nh|)SnZX@yEzP8VtAT7HHl_>Ko_8_}=F59drUZ4W+oWQW_TL(+#s~Smr zK<5D!n2;Ux`uG9PdJ3aQ@~4dBcZ1MDjvc z`U_=2oL+4^_nK}j+v@4&BHEdqjRNq|nkOV{V#2;3|0|~Ys}3hl3xP|)B_vkeVxg~E zR7IBwUzR04u!J#bG{3iz0%8QwJV}@;kgm-yIie#Zg{b#%{Rm&~sUz6zdQ?+RRj~WB z@nN>)6XzPWv#o-qH~=*(p~$#SdV4Vs0W3KcVb|hiY}G6#UtLzU;Eeh?;t8h< zf+d5uM5VTcn)%N`R|~AmQp2s!**02M+SqsHjYvKR)$~qG20Zh??K$*3VpNW}J{E!m z8~}xU8fV~J4&E$$^^IO|&W^Z_TfCBFj7Si2u)E;t*4AV>D+!C1nL&#+l6(au0dy*N z`jD|`8aC;&QIRM_`KH=FhP0dBbIn0Let~R-U@2~Pcg+;3NupYgAUsvdvU>x_^psbs zUGEvMze4&#J6{riznZ=mn3=&oYu)djj)Up{dr1HyTu-1c#%wpQgXMzz1PR$o+`TtR}Sqr&7~U%7QF1 z)zCoQ6EAUuM7NAhidL{mUZAMBoT+OIA=m#+csvr@!_tD-u>ZYR_PF_xjwR2iin47n zi=g`1CowAM^V(6ho8EklZypnEJoleUV4<-5_a_UBSSp0t7b!U|Smfj8%@$|z^|~E* zMy1fvCKtN}bC!JKt6Mbi- z#8UptkxOY72jGvA=AsH?EMCZuc@{wv9i-eXRrD>S!t)CS=G&+tN57T4wiUrB)Yn6P zt)~p`DY*S0AsxoLA`uHN6Wb9(9cr}Gf`Z#cYG{G3gngaPBcu?62}pDdg1-0nG$^Ww z8=^6Q-Row;T%6kB@aPV<1o6WTtSzle{L6p{&m_+6s|K zMAaykp;qo?Cvrsb_>;coM)w~RFz2;bzU-BNQ`<8?;PDZpb2mX|{58nFoRKy@}9N}jRY?_K^hl@M^xxs7kF#-pA%NAkq9{=!i^Y8iBOkN zDU#D2*3Vr&WkU3bMk0ZS2}MvD2AhU;R>zmyjsQCsc9h)AnjnNL(pZam;@g)JB`~iPVHf-#MiPz|I9;2SbscD{6(Ws>2{ za~X(9>h^ayQM+%6q_hV#(h9bt`pnqkM5T$o3tNEy z`J;D`<71N-#eyf=1CXnQj%6QbE+TGmhzVzzUT^9}O~#~Cu8!KCZofH>UCub2{j9*5D6cYqE&d`o5rs+$Ej-SO#)Q(AL zvJFi)?*Vw&!;?7}eVUdYTUvWh5bq0H#Lr~}Ebc5C1uI4@wt^y!Va#6CA|YO^&3T@Bbt@9BZx^S`F$zh{MQ+a|#s7 z02Uy1{mz%IqZxM^B^mEQ-slB`XRZ{Cp(}Z6S%G@cYjU3y z?7fB){MPb%GDg4bllBon21ac>s!7qHeEH3uh~4UbJ|^w?W+dk3|VrE z9CGbCn`4p$UlN(l4fv}?wmWmNwAJ37l$JGEl`BPHA$)n5te=LQ$Es;#oMy%;aDC!F zTXV@)C!pH1dj8Y53l|tF35Ala@NR`I%~usGb%LnxAu65UMjh% z!2vsJ!!2j+IbYoy<{Kjuy5d^Ry&`igpBK`)I^t%9te z{iuub$#wx^q_HeXbU~SspmFu!Vm8>nBQBb;R|Ht8LnSU2nmGb9Yo|b{ZBScRmmlgf zQ*AX8ulVAHfzZ2C)k1p(kc|&=e?Ghhk%Q!h0k&)t~@bZEr*($!aYiB*}DbU@|8O2bc zA?PfPxPf%TC6Gm#JBm2eaMrKjPgKEfmm6Lc&`^vbtWWykOv=2>f}@NC@QWec1Xe$3 zy(A@rRWYtFX{7ihj^uMDDxDl+Evu(QP*4Pr3-JfS5h(%l|LtI1PdI5s4r)M=k<)3# z6}5J$u9x?$5IZ{cQJID>^WaKF|NCWJkY;b_<77OA;>KD?8kG&9bR6^9(Sw%g)e^be zr02_>N&aYy3KL(-%keEhj~F%zu-qX{rkHsxCE*G>gn~%%iavFOjB>Cj&`%fJ`iB-tPKyQHpy{ERm3kPP>4V#N!rux>^N zg1iEFE)Za~uU?q5Nj0sx&4iX!;P2{h%oq_u&_cG0_ZeoSAJZm8QB>23B}O#>xjR1g zPr@A}N-}B2@I%QK+>iGP70G1%J6p4_dbe5Ne{_=Tpnf^%tFc`H5?LT;sKij=Y>XXk zwMr{~hf;Mdi{h_3MUMq4bjSj4$Ee>{hp-wJ^`pr{BUZX{#O4z|a4o7MmVZ%d6h-C` zXfLjzQ4Xsed0{kX=2T0#0=}(Z*rp@tsyy+pnaI0xeiT99d?oKuBYR;P`GG*xvfcw3 z#Fj7-GR-7fr(J{*AVztTNVlLDPP)lI3@wYF_38*i-SW2Dgp&eko&f%STV~udtNa^9 zi(_n;F^)@!EFq>1gYt-dU>5fF`Y&(^6W0Ou{Sk9x(-PsV!18s!woq1NXTNn$LDWyb zOm3*F(XJU}c#UOWIor*pTlQJuO6WSx*?N$7Lu;$y>(3^aOjT}Y&vnW(%IK?M*C+w2aaa@u~ZLS zKd>KuCHlOEg*AI#!39(EUn-{IiqWb*aWVHF-@JrJrS6Ie^k}J2Q`8O{8G94oxNNAN zgjX919^8Yl4Nz`EJ_cLPkJ#fLKXN>jUO!GzKiui*l7?nP}T1U4FcXe z+ga2BWS195$J`aK+fPEVJeAj7>(`!`XKh6`DmcBtbI8ksKec)~W)@6s2FcD=!) zGIVb2Rs3I!mJ})`kG;y-C}l0Ex2{qWsG%}H02nhy&BwNHqM5_cEmV__X|)&VupXIV z9`BaULvnWPvxGJSe&U~oFZrF+ng7Ao$Mrwh`k2|-IsTWekBg1z|9AKO@3KB_Hddzp z*VRV^!zgYAa4~ZtViX4$xtNKXnb@0}!3YSzIJ-ER8QH>kY{a&KtD*r=IbxE6*ie*Z zq=pyCx3{+&2SB=I!d==!h_;Egw~5KO$?=OMIYAx@1#TbtZa;rdeRkKK*LuzCGQG`j zY;Hi|L!)?_E5N7W$iRbnSeqMx-hmIItO0yLL4g$qEun}I(p#fz4Kc)0^i zRKNXD2XRCyrxMvAm5-zf$PnP;oom2rTtI-WF96?{AW;B5)X^s*^2s=20+TDa4iK6a zkP{QtICQEwp84%QR9lmqAK%HJKfo?0Pe2?30t98d`#?%iDix4e*5D0bn}I-+$}n`ZH?y)pDitG) zMU}azSIj%hD`)@<>lev4y-sRDX;pN?kF`C6Ywk?mpzGXR&71+Zer?n5)Dy?aBt=+9 zEHIED9^S&ADg}@$C>DRbZph30?AFkst%5v%U>T<6p$83A42GAQEX9UkSV{E*#>ryn zXTogsaqIzbFc8nT4j>{(pz-aktY-}`ctr1cd&*75M-#}MycZ_#fMXL>BKrpNvwPT; zrHN&9Fb6jmU{CL#&HG)b)L3{!U=DYPjKG=!#by7dKUqR){&$DRyg}Q*9|IECjlco@ z0{*`&J}K$oaMq{yh~KZ@O;u-=k(J|2Kj&}u`59Q#_6lJgiZWS8iRX!93>-@L>Y#Ve7A->(}N;gO>1Od7HT5bW2gR}X6 z4Zr->Jna(y`h)zY9{-lz|I$lNj?CV)XWz8{{vL9K23+&~knmZrj=U@VMm3Dl2mCOq z;XYYdpbKFbVvhfMndQn6z6zpQo4vkb4azGUx+jFftgUZ-#B2VnvHR0!;$y)m2XY7c z_tF5Fa}eG6`^0CP*?qn_aq-hUw8K7iaQ*t0kS*hx-`fnYb#?%k#l@8oR18QEH#$24 z^Q{wTEPx#S=nMm?V^B@MGlSi&<#7(6oJ4$FihFhd*TD44`XeC*sNLKDoq{%8d4s$M z(RBS0@&Quc?nmA=$vNMRxK=8!Dd^uXzSAV6ZD0-kiXH?v1pftH4**g>>)$&ZjQb6W zH!b%c981dm1t*+ydx!tEVLD-mi;Gtnwm%n;zy9;~$_ob489c3od1`n9BE-QiWcyF8 z=&#*0uSw7n8}G)%({x^R+%>}=rUcY;+9l9cy#Ho_KhK8r_EL*_5p;>W-hTFVA_%sg zOZ9Gy#1T}*+yfAW6yTH4~Du%Vm7#xd)?AsOlYb>2=WbDh}M5g2-~XgWLo z+4U~owEB|gO9-F1srIWnO%-pa$}&sXh-1HD&dwiYm`$T7lW?;p7cuSOb(_rU>dGIQ z#{Nl|8e#q~%_HHA=5bNm+~1q&+pJtRc(W`fDpw*Q3F9Bg%JM#`a&_s=9ppJzgqWx) zM>l-c`Rarn_PJjH>xAYa&g)0WZ##O_ok;$|_>WY-Ggx>dykGa-le7@8KhYYsUL^9X z2)~B*dWU`ugQ>5ZJATL!!rbKO-budaS-Q zT?^%M=IEfVFJX7v5s*r|j(PKz*sd>&se@@^FK4FBrQ}7;i3@w*EDfUoc_OX-nodTX zENPOm)TU07V+jl=IdFMd!A%W6GPCJe8$=?OS&pl^`It=LwRjDELaBs?qxRn{q_Lyk zhTwzE!Ugtu_U4G0cl=sYlxOr$_#d(LAS9>9t+&3d)!dDq!-s#bsl#qdp0&;)TrFj) ztG9i;0NO8)N|5`FX1Yl9UbW4|faypt9rl#o9X`OAT()^sQR%`2bZL8IM=;t=LUj*1 zS^S!=a~&vZf@Ufqj2wme6%oJ_O-R;c?c+dFe=c)!^Wety)k*78mlnl?5&3U zPnD;6@08!B=ij(NZlkg85AKW;4|ur$6N}`d0+7^4=x4EU$FP`>cQd$Sm}M3Ay0fM_ zfKZutP1HI=DqtiK}vqTd8WdQ3PP+&6DsRp7X`@C?gqn z#3KlfIF1E0|6m^Nc@}EmeVI_>r&vuFbXjab*W{mjL;(Lu*DQkbD)IOX4^kWzDGif3}=C_tDs-4 zdO#+HxB+}UH?I%dzQ-9MhI9}R&G5$(j4fHc8kS{vxQ9V2#b6y33#{%p)`kyk-G5@6p|mZTuMaM%-kh{Vs|H^*2swG3{+IspP`OFy#=p1AR_A@^;TI4Rmtx4W~=dmg%PpG*)SL;7d?&Vmb69 zkgOo!`nJb|age@)q!iX0vQ_S(Uanp*1l3Oy+_fX`s@9xai_b(9JTA29yZr|)Q z1Xn&1R; z+TyZJDN~i>JaJJ*lT5}S#X3&iE0-9WyiM`<@#p%Zu0k0aZ@Jpni9T|xFskP8@s@Mv zWAG=`qUU^cxl^Cj&!V6;{@qgj8qw!>y*%q7Q|1aYo*ND6dzzxyVaOO^lLI3%O)*S} z+wj$xRY8z>PaO#?*Zw{Hyl+--`sAEWEel!O?f&R}JHX*OXBjpZjf zbTgrZ6`s1hn2t-Y+Eu~~;6F984k9$8?2vxSW+(o<+7#2MQ>x)~{NRy7Cf-#x)l=Io z-D5h%S-EX;S!nM?WouBDnq!o)yYp1WgLg!hN5$%SRZdKtIk~{1AdF-;sTCYjo-LHvO6Ub zXcu%5o>IRXVnDvay(bv${N5Y`4@j!y1jOPq(B7phBVzu!*}NhONPb|DMQCwGfekS& z_oiHvHI1?L!Q6m^y|x*>Xy_C2h+z?sU}iP89=`7Za;-#fUMZ$bz5BrWL_G%7KM|M~ zwZjhaC3!Mx4q;db6}rEswreFsk6l9#UhSlIN-wx677Wo)s?{ z@-Wdx5>Y67s(;=bHKw<|M+K{*QZndpN!yKt$Cv3>XS#7*=&5=rBij+ydZ(<|?slx* zq#$DA#-6AIMUpyZ&&Qg`h`EQky}NA*oRy7 zM44B4YT|4Nb)DxDhh?Qj+r>L|O;DQiOqD{HX zn;la1Lc+C(+?oN?Tz4pLCMR_%wPAo zfX?0^+Wd+f+UC4$iTswfd4>jWot&+M|r zj-x1{U4M1cg`CHC1|7(FAAXhsb}pXZQR+P;)+m>s?Kl68bXEky@VLJrqZ(2Aa?!Wn zvF&q9+~Fp$Mv%9!HeJ++Pc`)=mb15w__kB(#MS4kJqThd`5wrQ` zwZ9TJTD;FFP36K7wUO0}?nqQAO|%3hIZX!iBGy0bo5;^obU zBB=!ki)T20X*3@`%kst&VTfyDlnq6;jZ+G#JU7)*dbevXdCEOOxQC7E_d`ucbQ_fa z6&L!vibP&wRqA9ToLpX8Ee^j>BMW!CBMm=Z^A1IslA^k6oEWk4l32Iw4_s}%2+_p2 zfje=du<|~eqKsn6Wbyra$;T>YVT=SjAMF3 zF@0WyAPam`(a&2emUXz$#Ob$+WV>wUlQ~G)QVXVNh!T4b{=AVSnZBtE>2P_ty^gnP zMS>bhQ?%J7muPc$ioDMAEuGb-z3D!ICireUP9{&E)i~#%hl1N&uHGcR1Pdtop9{Uq zAkX2dxzznF=nxXx9Vx?3o7XC z;d)rxjh#}T+b`uy!%obzThG0@aP?t7N05B=&Xchp;g!gu{?VDUltbEuGn+q4^_(FZ z@KR1nJ$p9lXF7ds5b}Lkjp+@Q%nGf{G>!lGcB@XDmSv;R@N`-tYkS;A5)6tkv%n;G zqkaVUAWT8}o2g?R1>3w~m&tkP!Ke6xJkd8B;xxHv?%XYBkXrI=8SvFQ!3~>GDrfW< z+)7AI*k(0>-=;pnddE+h1>vuw_^g! zYmCz=K-i6}V*gPj#FA(T8LNDzTu%iGOSNb_v<9G@nE_>T1spcqjc(BL+=lHo3sd8O^6EHTP`Eht2d3p#+saxIp!fJ2h!qlSgJnHUR1_hfg zu!=D0hnbS6If;j%K7x(<+}X=)LZ{vcD?wPO`%XHt7#G9#yrnwt>Od8L4vsUO_#mU~ z)hM2l2bGa8FAQZY%~fUCqCAHz*IbJnHe@zw3b)N8U)Vzt83GcyX$1?DnS4h^t1;UU# z)}40>VjlZ0VrFYIc4ZbBb7CFQ$D`?jctvxukqVnTas3J$EIqZUC_>KBD6hnbHzV%^ zFA^85z^~6~k~1myp%XE$R2x(KQ;@E}5#@!__@Jf_wYDVfkAtFuKn5)TkFL?*_eZp9 zmLJhv281n<3rx3o5;^%4bf9|uED=K7-&=oLRBEKEyP2bsyXC-oc_tF|6a0Bn^ zNmKo6DJeS9g4+KKQR*bSAtsTYNVn2{T|SkV53*DXl0WP3UiDsOJ}|R3rbtffi)x1V z;c}&(iv%P3#MhE)5wz+$`zuAilh@jVsCc zOzLD*;L@~7Nizx3^H(bIU0u*1L}N{1q(RI{P?c6c7>XXj7B$2aL>7u7H!U(l2kC3@4p4n&0e z9Gb9`*}hb~*`mRlKGNks7Bi_ON^m(D>-_m%AHHWzVz-Ar;KY5zhsz1%pjGHyU8X~9 zOipJ-u_#A7vb73j*BaNg@j5($0e|-(A^%(6Aj#0oU;|QmwQC}rC&BYg2HOf(bch+0 zKZ~lNa4~J?8BP5MO4ibPPaXYrxQMlLAQVcxEY3%l=3EmogA!jfiB9uUvn~_D*BoXS zDiI?co7lL{hD9%W^-lqnS1Tfw42qR+lFj;QrhVShPXe29AFd0g!9?|3+p?|PZfd_9 zfF~5LD-TKA#89w5?e>wTD?L?8C=<}5*z1|a7Z-DlhK1W7IqLsV29(N1h>UrSr}{3} zx9Sd?{44bLxUObgE!gE;Gq)_rL;qZYV^0*AcgcS0Z+WkoE+2qz+cfAWq_IeTA!+^% z*w-5?$A#t!*8P5i+nez?ckjEK&iUu(i;}nOU>8gcCph!r$S-Q+d8bx6{q?^^uYZq_ ze5#u@MN9<;%e< zG6Wxf`W5*3ZZBMbooBXMEGB)wu-Kq5t8)oQs!-^doo)r$zn;Ua=)a|U9rAHgz;^t9 zaYH_kEB|FXkpjH2ry8K4Q?idC5M!=8S0`;&MTnZiWy>}ewU9tq`gad1t&o2 zSm~iKww)4kInlIAjNCr9Y2f?5nuHQCAb;cuVQq7Nl6!Hrz%8c@|9$BZdD_;6_nwEV z?lH!a;H+hTycf3g;DWEN(~m4#6lgrhvb|n*=z~1#HBq>}z%Nn(lOPTVfD8AnYw73} zR>{>iCaI9_Ofg|_EosxoC*kLq0a1+>=5UgovLuQsw$7AyZ_XJ-^T)Adhq7Lde4OK>Co9ROVZ&K& z{nkoN;b}&FUDVOd_JY^RMA5Rn6W1+4kS#~#7BczmN3UrrHB(tUN80%?C5it)I6J^D{|3QkrmUpxhSkqG*86uH_j zFO`#2-w=kzmq1(fCc)@3j|FUyTb*e>p#3EStib#GOmXycz>KOf|)`RGbfT^&} z_74Em&9Mw!g8xtjkJnZ5GF#Dy-Mm|$p>P>B*yv#>3qkVL;|MUJk(3Upj6ZzNRIb&958`;f>^m47}ob+$pB zaWYO*;oIMvkuSG&GH7Fl=+$LTS)pK3-y~npos%n+Z&=7S3gzL7Tnxrx3Dqy zeYG3e^{Cs-$F5lRpFb4az)5snzHuf$8jOH*K*M`qU} z*`)M1e45YSceeseHk)OwAZu1S+N!9$#;CEHBEo9(GK{A$>qbRem(#6P2ZFSq6f>Ve z-zoO3QwkNJv22fx9wbJjmfdBWz-j$SrwUiVFKT*pW=Kb5s4zVh$NZ*uGL>%tMB~LG z?QyAi<13_}khS)^?012jczr3_z^B+kQF<4fLKwF_pj_7dMJeiyL+mF0wql15^Nd_L z0ca6&Z?S=QGupLptK9a9qDdIMXj2UEuDD6#bVYS$_xyOE(UM>Tn!NGJ`N{|SesZkYcrs#%Q+LE!Fzs?Jne*oj`$&9h7|xXEq4uQkzMDUR)qk32=w zJ>K{FZyYze%1(wiOs@Jc#(8RzXTxk1-^RK!!*wg(>XaGjKBjKn*{z*$2iT&UzCe5y zAIj!-^G>--APGDG;IG7T9N2i)^FSJm31yKFZBb}OVjy%zV6RDE+Si>*Pz$Qq}{~ZB00rL@fwJ7->K_;+AfrLQe>WH({@!= z09W{0W=8pehL8;UTFwk^*V=eTjhR-=Pe8+SF6ye;HDzMa4xPF=22llOyZMMI2V8!D z`!q7bu)d0+yyRZ1udi&tWcfEY{=*&)vVrd=W@Lp6>!0v>+Nufz;Ga(;xwvtcSX?#9 z8Us_nS@{k~zRbRP%4_erv$}tphx=~{zU~>B5LC}&C6C%E9an7p_)W~(=pQm_YfjA5 zNq06om)`}CBNpq>-h8~;mc!Wz&IM^2>a}5wulBlQv8PQedy6o46iSmFd!%ROmyWMztr%& z9+!^_(>$iYHICxzxWN^caJCEf^$TZvgNH>}-t2WoxaB76;3_&%+wJ!6M=sP3%>0YW z{X>J48VItQ&IOp$G@I7Y>16Fq9KBzcIV=C?@}`IAIykdlh-GTvno^QUC{`FwL zP+P=4jntG#anjexgAXs#$s^paZQ3KUV<0tuTJPb(=!W_p=)}iGzr8H4fqZOmgk7g-SZ=H!#ry7PK*dmh zkRBAE>fMGeyW;q;eC9pueC{A$jE6R|zyHwrcq|U1=jcDOUQ%7W(Gcn2M8yh5i5g`rlzHE*3VH|7)1a1zdI6<{u+5J$_IC z+%|Jbii^ASD-h@~9J5QXOS+_cdqGG55j{OQ5%qsZO1^Slc+S1gdf#fl)@fb-nS0#4 zzk0i#k*uy9rZxj@2ALQxaF8d$jE52wm;0m+2oH~s4iCr7PE^8#3lI1ySc~}}(%@u* zqj~5*VyPpN;Q~o+4Iy1#HdG8~;spab0tEsW3lJvZ;{(zsAlUz<8qyU5YDyz8#0|i~ z6vT!A?=)ha9LVX_8+3bd_)GiC4We121uSS}L>%}3Fm_JenMI4Xjcq3t8x=dL*!p5u zY}>YN+qP}nwr$^f*|(k3+I~2X^B1f+S0AH~ons&>iddS}brcx6hQN)0OeA^@O+g?o z1`7tL>o0oD-}=wCtqoA@EhQxsDMbmtFejI;v1uTCQQ=x3O#?RhtMLhc_0~87pC&;wW)XbXYE=4wbmW2fot<=6F^f(Fed?Zum=&? zvtI4lPXO=muS8aUIsV>K5u=<$J^whdgbiL_{g&(--b&L%gmJcmq#FA!^7F0z>AU2& z^#wvijEQAH0eV)Oab5pIw>`jFf_(SM>vT}2iK;^H= z#y~mvLGZLQb)=%?T3uK%@y)&0BQihFK<`UWkwfU4py~?=bcnnU3`KaQ@&noT!;SCe0(IDuc$D(`6RW}HN3`uThV1DSLeg3TAte28?^HP_;5)JcXB6V{ z`f*2rtd&e3qA=GvwkHD0IRVnc&yuCj*5ZRt=`G;m3x@#;3uZpB&CiDx4TvH(lQzLXw*HsKSPK||2Ly2%&(}SF|c1J|MKcX1B1mJCPIx)qt2p~yt}=1beJroHLuUm_!;-j z`kr@CNZhbS3SRxbJ9!e@qu=g?Drd6d7&f(uA7FXQ?AGhwdXXnrf0WW<$IJ3qTqFC|kr#ar<-7 z#k4Fl`LG=_28_M65=v3(Y7*O!VF}Z^q2qVv0R1?Pwj^JWM%5+v7kJ zb3#-N*Cv=q%RH}XG2~Gpd(-0UKv-uwM|_&EC)UX`@`pTTa7pLznhw`B5w zN6qN{b{b(NWGTbIAsUGUO@~viCvDb%`;%VN%;_MMhKwbqqmKMG-(E*aN4}|-(rGip z^JSbu+9p$pC`bfbQruk*l1 zzpJ>x7L)KbJV#`b$aA|J;T$GSJbGQ~T+|Wlr$VP9HTc!a{dB(-hCw!@(;y}ljkppRSDD9MRR=2(xXV2^N=hDuNV&ABxhSlHEH3j1*5Ax z>H=g^^V@qKEpe~{P<>9BBs9TFb}q{xw&DOuG4K27C|-aD<^2ly?v~fZNY!cFpJDxb zVzNAPO*2w=^O!Gx$L*ErdI?{15mr;(;RMcIzgE$UFzU9Zt)OG~foidM+kj8o~DSwI%cRe*J-- zaJ_tvsz0GLn0Rl`Okvd6J;OQ!5T@pZ%%b;KVF|{iSCl?qj=yN0XndMVe^1TlS#fWN ztsv!UZH~5oo~;7Nw_}b3O*S393XOkq>bn2^$%urOCW-z$cQV@2= zXsS*@y+Dm@u$WPVpx)#~(&u2&)RkaIwmwWBvfQ;GPD zPH)GHK(K%0A{5k5f9liD2sG^|#JLln>u!9PY!WQ#GxPtA<%1a<0pk@~q0U{i@GUT+ zD~~a?diSAj>A&TB2mGg_<0Q3JU?x(K`0Vyzwvg7wQR@0OZuU(b%`0}L8-LzeHbha= zbEGUtDC{ZL05zaP9Jbw=Y|K-QMeRC6`&VB_nm?oepSrH+rxxbF#=+9?H5dbBD0&l# z{nj(#cJv`0+fL+7R{ASEPN$D~a_JhIaS|qhT^a3V;WLZAyhWd7R$@O2O3hzK3`W;r zz&0omOdhAVbvvJi?8So4l55YC-p?-a%3^y#D-C(1BZN2oBY`bPn*sfoxS1-R*;V~B zsPutypAN^)n82=qA3I*g%i$Vj8j{zdCDiyAZae2(I!=8j)tdVS(UUgwu5S}P>M-8+ zG_ujJqM{MJRdL|C1i&*xOuyOFD<$!`JD5n_VG5Hob`iOSh#yGc^Y~x%O@18&?0JP6 zu;b7Qd)N#dn8?BTRJN&N$$vDzp$3nfz7O+N&ncosSv$-qpI2+i{E>xSPXOJ*Mx4|! z89zwhYs?GBv?3(4N+^^$feW4p+;HyHKg`s$^xi4`s`TQ~fJHZgBcO9*`ZG(jj6-y= z?kLplzN^^S6i3XB{Tv?j3U{c}LL(SW#U4#c^iLGzW-j(DmwDUjp_j3K9vMPsnZGTf z3c99*zC~J!njvgXdZAyB^QBm`ZaQA3;i-XD8BRVU)l|hyey-^IF^jq|>vEis0J~!w zClN@|8ca=AlAdFzFbroqKo|Srkc34U1>1vVPZ=zRn&kLQMf>MqD${55o#&^xD*t)z zBfhvBCf64;V-g_PI>$zF=SMEwl^_(dFf+#NG*Szc=BB^U_lw9(2 z&I=V4u;Y<6K=ME3z>00+E z*6sw~k>>8A-%9&@WqB_dkIq~thXhB5SiIxIb?^y%5ANPUm@D#2cjVJ+RYSgPfY~7C zy&xRk2jDv^0iFJS7(CnDoP*Y>DT~vnc!2zSK;`x&Eb*5ISA!R1o=mr8TMYjDDK_?R zL>Q+j1f^*XSUfWQm|$;10GUHo*!pYzbS0;OTXB5^A%>}QfFz%gL|DlJ%@yEadFWsL;DHu;+;uCN6&fSk<% z`DHL-Zz;peS#xwOSk)dyq%T>{CF_+7Tu$s3`zVj*ED6Ub5YgAiDQM&opS{a;k&r~X z*wO737XHqf9fMwkP{SvqZKKP#!?I}&y zkl6ctwY&tSAJ{ZFf}V5z33&6$$Bkt|Hy%?DGR@!MWRdoc8COd#_O z{O8-1fCeJb*0ErGS)izrdl!1vCYi#rl_lz+IJ&|X`R8K(xnj4>Da+@}2RJ(-7@&f^ zUFo9zWXS9Zyw#S=;ZrM4dAYi5O!BWFn z16WJiy~MuQ#oc1QrKsD@zV>gI6ERfEUVVX+Rr@=KdRzrK58t~3)rFLfkJr%U$4B|f z1E15eLD(TB7?f{f!2}%&KK!N6)Qma*fw0PQw&4zbOssn4wHd3P^UCpp!}dp7bF__yYo--c1CVTICvFZ z<3%N`eWtBy$0`spbE#)YgyCt=%OUC?jkoS`iM5tXK3f(mO{8L10P(}Ndj;lWAADprJG5ndl zl)`gfg;KFGe7n z0`|Qw(Rw)L9OhxXmmIV=&a$@K5u@;8AuuwVubt9#ULB|r6h|;5c!0YEsFCj;Pr7P` zg5i_OXs5zdfb;pC#4EH7oc@pFesRfX5K!dtu~upi?p3-KXVk-CPYl#GO`t2cU#Oh{ z5-1BN)DpAPv*Mq!UBBd|(d zGsdmIHWk&8V5BFhzshB}b4o=c==R0kvN&8Yhppm@JVwZEp6518^EXY9vf~IatKT!_ z4E`1LG4Az%YgE_Y*OzP=e9znl%i{O>vLt#wwCJoj(2cR1Ect~j6>XtI9c>D^lW^j- z`SJo13XA>qh)9MrYP~+j+T^YNp5?qul*(8mBvhfDN_&tzzUPbR7yS*R46hM)0cJbfYDmUMsO4qcw(j zrM_b-hry=)PF%K~K4h#gCeN2@+G%8Irt4-}af!-$zjO%=P(gLjIIxgT95DWC#gBSp zD%g4y;au-G+Yc&4+_`33knEqJNm4#rCegu=f&ZIlkLtR{8=OM%{Q$51SlCcXItF{P zp?s`=&<}fschCUF0mecbbOW(XKL1p^hqfw#k1r@Mi9Ot|mTYK==iM`yPnOTb6)Xc) zz0Oe5F;<-z5x??+#%_m#Px-92w35L22PvkR0h<4acfz^nzA-Ui<1fBiWl^VROJ?4`uG$id~@lBDiePDRxP%I(O^duO$p zDMFvt;aoNcZDGne3GMZTS&rRI_9=d*K6!WwNegs3@FTPK7CLjMXbcZav1GH%Ce}vI zmWLae*(KXWD4Of^P3h;gTzrR$Sb;sRd8wt~3CpYNL+=Qt+H9yOcFOxP0V>a?NOImN;5@~2JwyjXQCUYg>eb{{NTc}G$^RagGp%EA6_Qwc_g5=`VWW>h zN=>0Y#^u$rmJR`ynzbD~0rhj=Y-)O@`PM|!k5}O2x&uU=h}n|?b_c7B)x`? zQD@6N7ktNi!*p4n*ErIKf_Jb|NEf>L2q{R>vN+^ykM(TbOg_|B?T(00^g``2m_&_H zC531`!0l0@f2VOR=GUIEPQlW>up%KC#!_-EJmrmtB#RwONuZz8#6|h$zU*NTM?-aFxB@GkEGxPedbJ#k1o;} z`C<${@>VY<@0o~2{2=rSKoTLd&C@-)2eK>8t(FSWhuo#e5=i3gmJcfhee*NJb1(2b zAU>V?L)3E=mlbn?&%FBy_7_9CtiD#O{;2Zqf}U1*YV^x5RGKa#gGHWNW0M~Fl;T`j z&j!FZ#gI+k#%^j-w0<^fjYf~~R)cmp)q7pv(5hQijFJ<|F_6pAd<_$ylqOgf0L59EVx!H@N>0m8R-=Jg&~}1?DStT$3A;yCcoGZ5MJPqG8XvbmF0NZ)Aij_{ z64aahOm}ZuuB23-ud&Y@TE^8`FxqnF;Ov=YPTJjYnX9O)w2ovLHLXuNrq4(I2_uYn z-lk8r3o?zP_so65`Gg%gaaiH39^h4|DQd%#?lE08$k#fwis1U&eK?&(2mz&nN`q}K z;Od2SIEoc-V;^LOO`12EB@mHV3Ugagr0Vt_aqcU&gkD=^tXjS+#UNqZt~~dBKTNUJ zaEejMW+sk8)aGM4;x77YEW8}Z$2#_qNRQ&&2`ZVgr=te#p0b5w^1``5jqoZ2CF{I ze*Ci>GQ!adJXV!KvXmFt8V8M*dV3;K$d5l(r)%wZ27aZNheF3cnQ>a-gL5mz;b zT#H~;Ss(exj43bcJE7VHcX%r7KUMxEKLXF^X%DU^H5Zq0{=>gnOA7U`xI1KbojQyy zmf_+1JKlosOFI!ICuvVj471mgDwP|rb#Zz8dL~HNYMAunMy+J2y%n8h8_QbL2?aM{ zR1|IdUnDQXxO@dJepMTT8ONr7E(9@O_6)1qYuqh_yyVSaaQ7kM`<1fXqMRO;c?AG> zipdf{fob>nHwzJmdhyFm1q22eVb?1<;7`>2MPBTFkT6a2S+mE1h}7mJ@|^5Aiz{_$ zxd|C$jhne;yM;GA?*p75!TaCKWu{ytL9^+E(p_^7F#4kR(WiV;p}HI5*!8*iIY?XvlvRP;*qOVIG9eBr@hgjN2mucUGsj%2p=^O6qg&Xt%*eiD}Swj8{&Q1hkCVAo6lQX z!7nh%Wo!gCh&+Thhjm(}qV*ZC;CK-a#VQ_a>bzOaDl34rXxLdA^TNb~4TM=|%6T=S z!iB|%Fk_Y|hFQiN0E{S#ZOQnw zxx2>Zkg4)L3L|@e5r;tiJcCOq9iD~<=C-K-sa5#Jn1QDeC6{)`BvLrYmU^m9JaDsj zE!C^>jo*qSwWGUq`zc^Mi-Q-}q}7`}caW>F>RgnYs;AP_aCFs33Kiz zS+DYceB`FndCpadd3kef3qmSKJJ}b9%TaIOHYKU_=e}YAge{y4TGkr zW80dsGy|^KQN;|kO%@4k!8`R~UD1ii>%mPVkB@&gXS+b%(t$!fxtIPF@Zme!wVkMc zA+_GgAi-=0MLtP7P2NcFm(hmZHOj10rzq*bQS~AIZNO(2(Q+H}hMt?0{&J`tf`94R zD{G-RTr#d}YjS2U^1A?chLku|6)I68B{;upq)Mc!9_K>S>s=|7UKD2%X|qKvl?#3` zPJ6#0_gnwBXjh9EudOh+r(*_we&amEnJnU?#frOU=rn%ak zNgkS8@iuX4Jl}2SZ7s3#T4eA2^%zL$UECxwKu7S|f|UHBLFmi|(gVc~PP;uEyc81U z4#2Y}+>8nCFQ(z`OzF>o5wagN8V?)HcT>i@x^&MM(V+8wJai)HLc1|R)hAAqG@f-4 z>o2PvK&+oE9B6rbmuROgtvG3E1z2r*@N%YzQ(oMbj!u|9QkNNe5y;}zA^PDe#G@KN zZ5*pSjm}q;C39QKl_)+j;d6fMUh_s8++kQGMl&BQ;z#x1&{m8E)D-yAxyBCE*^_yl^TrZoM z!)Q9eTWcvN4*N~UUMrPVgVAz?tq|tCM{fZ$U;;<4Bma2i7e94%1eyS!sNf00%Hnlc z`(^Yu_ykRnjb#*vg~3Aq*O)zLR#&fAOZ-E8OykYiVvwU%i-1SQQ%(~U?uy1Nlf;<{ zPD787{2)Fm^p4oBjqgQpx!baG^;HiU*o3oAkwOPEE%tFOs}g3}2r^T8K4Q)WeTW=% zbr@?_ICm!`TULr>%ElE3K^$M?4bKv?#&d2|l*?TQ zOPer-u|e8b>v{N`+`&l#FZHN`1WLtJEsvsGB`*Y2nYojPbqRN$_H>703JR-)O)^S#Gp~10D5)m z@}rG7Kl^65foNy;mdRvo8beRgB;*>;rNiPpGA|N)6APJo#WhV8Eo zLx1n)+s@c z%n9*ehPG3fK(w|Brv$g_bZWS|7#}K`fzSPq09pt|$pj{dJgVL$NR+440=-V%g)!06 zpPSG;z6*`c6=;bOOqp4{`_=u}GS3I&+p5lgyh_6%Qz@{K=y~;P&00j9f0k?=L2uxd z9XZZ01CWm3;)?I(K=^bLf+q{Nrd}qLN^p|QLf&I9DE*5=5xaXJ%dF-azw)F1s-?-DL42nH)jK&a9bXzrQr?t;RjQMygN)!!Hs{mPg3 zc7U|{SPW+xDFy@BORBL)mOrC7n?5VM#d0nmdb^}f2r)!Y?T~6?T8ze&R-p=FN?>Z;txLQG(ik7;nk%>@bfZ+x`+riKq<b~XXLQL0#|DG z;Pw=v!>T^^xaage3}=LFLc8W%vC&~ue^bY%*pz&MfCdpm`>Xf#_VnOd1#?DZ$8#cc zK15^Uk|~IY#mL3T-hK!}V;#N%8;@d3YN@sSFu^h(Z?`OCn}~Qz+{#JnaO$KzAm`F> zZ;3zsZ{uhVQOQL5#}EXZZ=z|7Y||{k+`WBz4_2|ARwH@S5RF309n35G8k30slcnW@ zb?6-768`Q7$SMf|?!N>TnEqQ(frW+TKhXpxLN+E=j{ltgXHbEiiG}h198_=xS4!Mk zX9EEt&YB0E=ONsJpNA*rgkxZsBxGh0FL9KB_ID&9ii)2nD*~C{f(jjEe}B(**nar2 z@Y+dlGS2qeTG8^*dC68E=r1jpAu)k%0j3$y6UQf{@8RGVP~1TqMch5XJUlwV>^0J3 z^d-#O?XmldK~hTt0umDT11Z#pZW$%47rrcxCXb2$`o}o{#Md7vx0XXrI5UTUuy=<3 znH~9>8bPknIb;=t#SJ)SkAVRsMFjYI{|Kheg+KrP^9xEB(hkU1U!QohXA9VVT2~cn z6bE9qQIyL!OCDQbSl@i$YaTev5&7ic;r4d7$yxNaU+b!fvlSR0sSuPO zF%sw>p0@(-(SR^j=MMO39FCX(VX*Zj{AM~GxQfMJuGR&D@fGCP#R56nhiCxr0Fhe* zemBPfvchDzq^}>=0kiJSnF0oK^ZS8$8Tn8pgt}~LV1)v6ajpw?6VQDI;)X(ln^jrf z6>%qS172p>&=Izv1c|^XlUiGggaqUb0p#J2`|3@`aBC0z!}c94&-41$+N%ZRT*}t# zjl|7x4!Q!VcZC2!sI}GW&HH2adIEz91-2^4FYXJ!iVrgI<>H72*Zg4-#pRIveLZ{n+E;z#zVC;ziX@aHBxaVvLr$N9Mj>L+Gv9UJ87eSn{81wJetM25p0 zL-$9972=1rJzZBbG~>ZXb18PY)GRh&tpIHb)N^p+=ae4TUoP0y-^z(lJa#~*{0)}< zlhsBJ3a%1VjNf~Ufs)?)`=>rH8168zT?C2J?3>L`p80X6Q<4E`^LeEf8VVY;QcJ6< z%U0ebN&_0$)3>y&5!~Y&gV{F*6GANiFHkA|7m%~9>ZT4PtT0vZ%rMSjpsxlAuJ@Yv zK&hjrF6HY=<`=Axz%)|oul*fTJ)oRlaQ9MZr3W8D-vunO85K0+KP|y>PCs4WUR1t) z*}6#An=H7b$osEsg-`h!(Zc~IR#+BxWjsvVjTC}VV_XmGBLbk@LPq;(ok>-6)i)X1NuJE8AiCFJii`BUaH(&x%#wQA>JN-ij@T#5#%ZP3JXw}}an5k+e>pxE?%5BCteXv{Ct8ADYFq_K=du~^BlBZY5fx@=K3=e{0# zu+C|?V*3t?XzEONXUaM|q~D-@(R*Za#_T2n1WmMIS(>^l8DtDpk%~yJ9T?X`{Oux- z;(1Z`PUvTbMW6mpQ+iFUB>KfHvK@{65HU=-zb=KIGSEP`?lymnqtQL$wVmq_=}%}h zmvhbKuhVmvW(w=`7$4xWc*(c3#=!0^T7Xr!7KpC*Zd!LrS{cVN!(wetIU_7~CU>Br zJEV|%<}IQK{g-tJ5>xz)Q$S?7XKH!wT=ZxIWTc0qgJoGicVR+Kl9z5%$|gKRnD1*W zy)z!dNUpoc^}I$Pvibz5vQTxpnUlH_>*)X{WS{15DkuzWw`2W5;B5PbOkY6Tr6_@+ z+4Uvk;(L~mk*Po?EVA?mI>xvA(ZzAmv|fd94xtFqdC~e8YF(uHOTiAH`>XA4w*&t! zip+jqjkwF;l(K3@CizQ`D&C8s9~Sz?RtvNW=4Yxsu7n(0yb%UgLxrDkEBD$V>Mb* z6Q2?F$6Rc@0B3cJ%ZipPkx?@cvy|!_a7wtY!g4%!M~ps0MD0{qAo1`pLOW53bDn{p zwnoM^V~T)=X~lBQ`PCo-7be{EC$=oX5=0pV@M_;HObo74GHP0$xq6neBMDc(o4f&2^2B4-CYdu%n1U4~oJa5jP z(ZhEzSb@_nB=pYD31OZa_Cg8@XHDKc1B}6N1RYs2)d$b{g_I*jh?bHsx}BG4BNDL7 zRWv{+Msfx12Q>wa(Uibrz62|Sd7O!5pVEcPB1ttqru=M2}$GiPNqm zJqG1U)+}F<14`)bp8B2hXNP;LPO?$`;5R&r$Mvx~&N@mKGV3S2{4iG1 zLr|U1`+9IOh=M*17hl$I=y!#;?@hHU6cODFUd3wRP2=&T4DfVs((24vyY|{nw7Zl) zE~_by0qB|GkFDu*D#f#R4=4%_yp?+RK72W$ciY};nPW=Tn2p#-{@g2Mgcrz|YCkDS z?PE5IyhX1XWCEs;2){!KiZnykfEtU_$f`WUbC;Uz3uY=vy!!B#$*_-0GME%MT~9qm z*hc@FDx`zP+4fgC2YQqkAt!Gy%T=j$^7euVnZ(Gi9DQzwxTZgltL{B4Bcgye$ttjO zyQ^-QoDF5(c7_^Iohzeu{Ut3$|1ePjl89FF=&fYD6Y4^GxPO!WWrGfmO`c4sbL;5` zd0;GaUTZt4>z6%E{_x&Gez(yqi~D6&Cy8jn4r{qK-m%PO>Y9#o%L|ixH}?pn7Onr) zf5K&&Z_=Z%&xshU!qb+2J-tAPgy-eMg$auDr;H#dVJa_0%*ebH!_!>l$K8ECb}H@} z??at!WfC*COjUBmR!RVHjQ3YTYAWy4f(Cz0!_pgtq|ySXd7*MHy{-YJ(A&<3H?L~a zGYXoMoXVrt%+~a!Eg{*i>+FN)NPSGkt!I6awq%`NYc;~%<1(j2lorfbJ@j?%sJhxE zOGsljUks`xw|lzpb}XiYET+_PC4G!W(7sDM?wx$d%h`mGbJra|Cr4-}t5OLu{Oi#f zfkeK+#U!|9KQdY$lJi%%T@lPQRK|jQ>4yEv`i`yw^78=A=FrZ_^cY(W699IR|(4lBWpzV%q`TH;Gd?_Q6_iv`O#ADYte#&tGH0o9rR zXzHb@S#R1yu;4->)JCyzAMbrz>`x$H@@vxbU!45XoKqdP?9nIMpp*mQMeo1)=~juF zGS=_2!GX;yk)_%v>3P^-?!=-j52u1o#GDt}0exh4LC!%}rucxI0fJebQV>pI+wcQI zX+{GrNP)>u#|CykCnGIUrdR}&c=4MA__=NTooEoV4NWonfXLL|YIl;8?xz$frJ3;H zOLT}*6aWf>@eaGmCh|k~M!hjoUhVG8N|fhz=4=9na|;w;r0qrFcl(NyqvVwc-Dcgm zt?XCi;sRq!+6zAW@-27@e69QY6|#1U2Dy^_0sjkhu*)Q)z#2A?;Mpeor>yE z%$m9GfNVweHMzutP9JrA1o+6EjC!S_cXpO>aw^oNH}4%- zaF!Z_3HnrZ*z3zP{8{%hoZa*uI6N2k;~v&MU7fJXg|HYj9T&kp#`moUu0hTb%2h}C z5@!pj%p&((4;E{!+YApUc6`Cdq#a_j51V_B^LQ?6+CMw~cf{~0ao<5!zyU3+i1=NT z`d%J~;Qi8ys2||p>InG2t<;Wm<6?*!Utpx5^W`vnL37R-*n5_a%s*k8s7bE(j3bQM z$GM}P6*1Fbboi;km&!^!huvB0rPd)xYegHM_#0O;G!!z;BV?GNcTT_5AMvVkA5JN$ z!0 z+Zy=R6Ed%`7_=AhHcq1pzp{8uc+nKcEs8^368pXM=s+nqJdY0STKD#vA)&D`cIYGd%15H}5ocluHXv2bS9x9?Yd!-#G}=c5XE;EWC&1vYlT&vMU&Nj%NeWEMxB9kJzF%2_(H$rQe(y zwcI#(u$8nD;*dz6a`yx9NRIFzru&)|w10QQBUWCE^UN7LueG&dVsF3Z4zsP%(W9_y^-U08N&POZ&GH#fDoNr*5(hm;?YOk7Jz6M;Q?XoTJ)Ol!a+w zQisdxM*=ALz;&{^9QAz9Rk{H4TCy>Njq23oCk~u#iaz)0%YN@8p(xes^Y*usXUiTTzP7gNZ;D2ASx6MzD^YYhrXr<58O z7zv`K!+e?1#h!Odx6Blmw8!V|w}V!Mo|C9)l4p2}ScF9)tJ)vcJwGc$MP`Z>JK*1# zs_&^*Fd-!)AdN@wW}es28yVYeQt8unB;(|LVAIFq*P4^i!R(OIV3QR}P%LHV0C{z` z=I>?m&hjNT=!R01tKI679UC|2^PZXsU?Uffz zoN&!^ESAz(^~>Sati`}6cX4s#TDZSIMdQ`z0h4p&XLbG)uB1QQmdZa&9c|V zWpD5?^pKuSeoBUb2PZT@0M2g96t*oR#Qrs(Va*rOTPe-lfUl(m0dFwhmv3&cA-dtT zyf7kS`n;B;{_`m%C{=_LMN;E~TK7_U~N_&A&^>3=CT2SjA` z#+SyjN=i-|IKLWk{7$+1+PEYtiN#5Y-qSL|TLRm^3T7w{7#~q?HaSw8&B^F`&PxiN z+gsrAwY^kbwP_aaI9h|~<aTx#ff&K2a;+Y*(*09&Or7ivpS)#3^S%~wS~zQnXS88ZbKh5TydouLc(&QM~)IT zE5qyjE-1|cfJXn>r0|NbdLk9}xLG8JzpoRfDm&+`@6nW*CsYsAMHLPCYxFI54i&X5 zTPqlAcvNvBeKZk3p9OP&R_C;f-$LDD=-y-R0_3jNz|NseK((E199w*nSM&@@l z;-e8)?5tP)+1fSz&OGM5l4QX ztxewiULzz;ikfDkl!cJ4Q_o?ndo2IZI4l3~n)qn7zbwW|PC}E|b?L{k-J+!)_TbT4 ztk)B|qC?!jS3Td2@4LXHj?@hb&q`-G6OZY;l)WjVvI(7VBu+3nsC$HO665aziw1$2 zHU{4rZxks6&5ESYg1MJmpM{huU-jR)UO-ncM2>fn#KGvwntLZM2X1lt^iL&1B85pA zmhur7@=D~2He{BlBf~sUKq=!~)EMfQXo@HlXN z)RmyzW3=0?lS%mVad8~oz%D~{^l31p?$DM$p;+!5tC<`4*;MlGF%>fQ=rqFIA0U&g z99__wu8-MCj6bxhi8^4ovvb2O#ECYWMM zY^ZBkv85}c3OsSV6boyz<%lo~(33T|}efvOOiXhs_upbzZ0~h^Kk_>YO?U zPDohE^r}g((=F8;;`y3h=6CEVAz^RJId5cMsNtxr9!)4IwRpD^@I_@Ttk{V1mLVU- z2H;yr3TjU5$kkHxR36~RHeV7MRjaC48EYr2iBycb>>O z_MC;?t_H}lm|O?hL3-gIP>|YzVUffT)OJ(UvD1k2x>Kp=9&o@h*%F6(PR-*ZxFoP6eEXiPJYvq)JK zT#MZ{KbEz{G0QhwW8G5Fe>fFK%N61uZBuOm0@2C!5VJpIlVO8rlp%~ga?O4}1Q0T~ zqa}<>37Li^&1Z|+wOVzhPG)qeq*;ux+@tTID%?MWf>8XSE zz^#GG=u{>=ms2WP87_WDvQ8PZroYg$Ry9rJT{UaI`thW|Dg88v*!GtL%yxZh@6BeNk<05LLrinQSE zq|rqAJ|hGV8DYbGkjmINe^zXq)_Zg+X8CboYxx4!u@^m~_vd@N(5LLs*in;KCg`0u)&btg3VRPhe! zA)nCQSpp8e7O-Z4gM$nXcPGKVF-X+5sI1;?( zEXnP?)do4G;JALmPLik9n^Ds1Dw}8$xww+Iu~roCs0yPD=ZU5CwD9qWZnAUs1K@l1LHCJbr8aeyG!_y2Q-ZLt>%{!hqq5# zP>9oqQyw(%GEyhk%ocWE9s+pdpp~y%bi+BP8t~<_s+)t!r}RAb;e0wsxXp+c3<{Z& zOqY&_Jlm@AxHfC@l|?1icyL97YEES~$>Q+3$Fxx5$}`(xTEol-(~Ro!*SN#q%XJEA zC``nTl2eMqngiN`Ao0LWmw);NTyo169y2xJ9$kDK3M!4anPelXo}Wv_H2Rn#&DTQl zeu8ljE!?SaI=vq|opoh;A3+0&Qk1gf@ZbX!9Yr$afnvLrwlKI;l>_P9YsHKD&L0fB zczdqIh!`9-70#Se7o(X1q8w6w+^YF1NVJseV?9y(142|fRi^H~x5x9Dtq(|x(9#;0 z0)jwk;ah5K!pcs0g250=l1WEU{CI)PAB#2ko9+DL2Hm52{|mol`EUG^nUm>1#PT1%WZ?M!wd?=IFBw=^|Ihr=2~sIxtC@Cw5Nck4 zpXd=GPxY)zyat$s6j)G#5E`$Ly^I)7m}r#QkO1e!A_)%_j0i zbXdHbXXUR&P18%J4u?9t3|NvLrAI3SOc**EGRPQ+@{>$up&wyvDiRba%NEC{fO0AZRBvb?E! zF3un%eq{eBQQ?t*Frl|V@T zfnUUee;FzN@(#lK+Xk&3K=p8k0I?=U`66xl`iu-H zK&Wj?h;apt`1rHq=Ti+tOw5l35)QsTfQKyJ>r;N9+d7cLdVN0!ML>uZxR4En^my@b zL!p`3sY_W{apQB^bEB#zqNOZ!ME8>u_JgM=FYpHR1wO>jFMtgVof{h32qq^f34!%G z!xW4(xWmT(GqxnkmFvso(>{c^(8KloP6L$PbG!@w-LR~M257P+obeI128{<2u+t&_ z*-`k(y7y6ht)c#*kNa^E!pW|#?iu*gbMPaEwI6Kz^d;3Bwu~CV?8^&d0($79NW1GJ zU4a-v^k?gvyF4mrH!?TUaWG6>PWUer={Ka9E(;Q`Z7LB6tkXM58ei)geMK8_tgR3l z#NEY~{{)ENH%;&Z<|6pZckiy_8#ma<+DXnwIY}PnDt%6vq&NtXDa#-xQ2&?&n#;~N zF^5q9E^ki~92$mTer+onq4h9-E+`EAt5X$687xUGM+~9uNp!>~gaE%DJJ>wx!>`v7 zXE|9G9FvZn^4_QWnkSo>fjwSZN?m6d@FZB5YIqyYY8B&qjL-Y%*MpMgRMLuUQ|R9- zkIX(4T@~u-2l&)4dg$zs3-BhABqPNjsjtn^AzqeT_JSA-joJEliyq0!&R`D^fM+h; zy-5bNf`d>c_erLsXOe=A!(OEPacliXcp@R91^L8-8}(IU;Zi98@-K z&X%iR-j(PyBNUgKG{3^Zs987$7L+zD4?*}a;%p1&QATX{JKzALo*lKbISU&Jbj=wx z8_Hzr$P!ch2mkiUxl=bs_&+GcN{|Caiiqt>HPX`uhi^A&{~u%L5F`o^UC}ZA*tTuk zwr$TJ+qP}nwr$(C?a5E2QpqBVEW3Kwo34KM_Bjbw@c;{pEKn&H9*zFN^hes!yFN{| z^JV>#WkVn~nHZ}GL7*GAPfN7u+K!OVX}capbET59f+?fqY-~$Mi(C8FTNPIjk*bKsaFmJO4D$B`1Y9R6xelxGsdCeR z4DKw>##R6NWn0V*l(`9!++upe$Xh{|)3LXzPxHhe@ zc{}!(I(9^YdM&dII;FsdyC)iVsz?wpKqPTjr2VYfgierL#Wj{Qfl-78p~J^Gaj?}{Qp!-~Fc?_|K-A;A(wk`b;o)+a$W zl1(;+zg_H>N%rS(jh(uW={zcs;do)(V>k3gihoH1y&BgT%jDeJz^N5Gn1=V|+f=!@ zDjp#B2wdU;tqI=N>EwFe?qF$iG?ol|`Q(SGf^6`JN62)8*BF}rEuDf^dYrtu12S&S zu+FGoTL~qkm0C_4X3VqUU@@mr4C2$JupWbH2587Uz(Lh@#z z$ww2<7xzW~WZ$}JydufZ>+RmOB-#r;w2KCoi{9+Wxsb{(Xla=Dd{r_`7mUk<40`2{ zu>g(sGO&^{&64U_D<6DvIi;{N=2;v3#XoU$$8ia61kwM%X0vnE(mZUV{|DkBid*h0 z_Y5S3htxezOojI|sM&b>dsws02cte{ol6doI~ZMf6{XH7EInZ{4n%vb!~*h8{1s%j zY)u`}d;4Qh=;g7e-`1zQv_$8#>OsM)$Ek&q$(_!7226k?Wr_v_7klOJZH$IP{wML{ zFv)Xpc&=o3jRmM#_#MfCD{+3WwlGbIW2g^domFxcW<5H#ja=~tabvy1r-4b;+g2+_ zqzV!_;Ng^1$yW`RuRh;%<6B-ns&rm39aq)3`Y(XF=T0=<7H*JQ{%D-DcQ15?r)vR$ zP4pCJ(VT6PGKd#3Sr6iYP3w-G>*jaWl#mFFxX26-k|Vd=Bo1El8!cDZ0^@rT*G@5S zo}CI(>>PRXY8|he(M>^zR<;Cp$2M(zmvgrTHId8t%q+kR=q2RNCmc$i4nr^?2IpmU z*Q<7SA$uRSUd!VYUb>CaInsb*z_Cfs(5#*~!VQYYg*ks~z2RAe zSOi*&vlAKbG3Un7h(gLauBZAVv&y>!l{txX*!@6#o$l@nRO#2IY6;D-8nm(1wp$#r9RZJu{rir%m`$brFArO7bIUXVDh}CVIW}&PvhJJsvAB z+yyji98mXcsYj6x&-OuhB}TeQPwdebX`P2`;!mpE8N|^P@X>Z`|Hp*W4fGO3##UU5 zMYfLpZS0}0ajC;>1Mbw-YL~FCWM0?ia1Q^@X+@7r&DwggmfKLg1k!aOCM>|Nzg2=# zt^e+W-B=A_=AGZCIBZU7?zoz+HH-;?J)J5y$4br+*>}`Dzr&^`ZvTdXyu>yE3z!P} zoFZBeBOghw&6nbPNj)xKU&U12kie^EFN7%;(m+D23{r!I6ocZKeclVrU>u+8dsQ`U~tEu#~|0KIJlQnBj*p!C92AifLh zL80`8g57&+B+4*13`WQB4%8iwwo6&E3K>_eS3E@$UlQhQ{t z7L}IL)2|#e?@6@WwH#F4bkjACladAOx`?Nqs=zX{m4!7qz1n_=C0v1GMM7^gXpC~R zn1p}4W2wKQ7GQGjX-435tz}$!{4>F3*PVr>z3m<1s zi8)h4JS37}RB*v&0?@qML9M}#N~@2HFudZY%E=5!jTFY-yxVZJbWHZ}RV)xEB|YQC za<<8Ty?#(l?R7O=`zDe;y_L`9-6A7cFnM;6bCJ$MO}3>1pXK4sHfc)b4M>4BRNiEB7B6SUY{sJ*^!+y)#&701OWD zwU@`fb2(6s<1glfR~nrn9%5sOVJLd1aeE4v&1$C-O{cu*4d?x9Y<-2iug)Y+%PU|n zG0V3Yk1Qbil zCRzkx;>J+I_$8O+y7-*NXq`yWwmNt5p_e^P!3!s$Ynx)aBr`V`2yZZ)1L>i<#nE>x z(5q0DwcscFGXB8!nyRLLf?ckbe|Gj?lYN{kuv$ffE|f*zxry$_OrnBM1DBp3x11Ga zXcz8vfiPAG3vNup`2_zt4WtVlY~Dz0`~%lNCVwzG4T9?I9rTC-3P)cdc$hA^Y+6dg z@Kbo-vmapN7u=~ScT%sikpY-J~=IV-mAMSWk{BD5dNEEzSP+3a0{SBaizM#|JO z$u{`CuLDi^LOJHdB8REC^HD0+_}5Qt8LmO;D(eoEb+&mQ)LvV;O57tRE|SL)RO>do zrP9S3Wl~$`-O}eB&P;o3LTAx@Sgy;Z zkq!tt#!YodM581=g_iM#Z^`Nw9X}-q%Zuc#c-4W}ndYj1q~o3F8x57`=o1Z}~W{TdkDSC9XW98XYz-7E`*ojc`io0b5@_n$876nZ*nJwmrtW zFYMcrTZ_+~!nTu=kLTRwRm_Ca(G+h7dmM}(Ub`i^+=BdU`}U$zi=0`-0q;EyK4!qc8>W;5eVIZG&Kah7uBwC0 z#pc>8?Z4RZxe3yk1$S_@w$a0*yRYayRlz7meZi2*teV=BOY)sXE%5#iHbwT*LMR8; zMH0(h0$yZ8_bK?cP2PC>jtgQ8kIZAL{?+DvIo!{tHw(h~2|GkMPhd5!PMaQ{M=^qh<@0Bw%Odl`!j%Y^x% z*&CB0#5{V+)MAW49-1>!;iiHMTX`s4SbSbeUUA&dL{gmQ^e9F~ep&v^qZxgL|x zZL5RPQFx`uDiPOQd`bS^;)%5V2GNDq>)AR&DVnY-Wh>2bNzbnH%=3jkL2@*`P7WUR zQ15->O@39pjBg+Jy2DeJMwIEE%#{&1`O>m2Nj{|aB%hpnn?a2<)7`ZwTvl{lkD*m;qye9=E zktf*tLv9%b+{P>JddtE@rEWx-9ITG?q!gl2s`(0(*nC@By%up4f4P#mmQXS@uKiwN zE~0OlyW%o0{@6{=HrG=(qfTiQn0Rx^jHIIL2;Za97NwC*ke2+`i0u7DfRN@E*m^t@ z?~$j{bO|EAh{J*y=aDS%rn|1g zgY=!eUsO}u`(=$zH`+ZzumtWAH9`)VSv2^oa5UX4_$^V!>9L=b8Gf#be~na{SLzrDuXP<@ zu{+|Q6QzkY2&z+^KUJ>{kFy;T5aeg)*0bIVZg`9*jiNOGp;{tdli|dVw|mU=YJ8e8 z(weS(@ci=xB!%E88#Y(+AczP(dCi-T=7mmdzU~GtkzoAGt~B|zyTaa1cYi)$##hvk zlt}tKoD^r77S2*QtN+ZBz^zl?zX1jZ0hCJh*D%1TfU#m zWl)$0_0;|`C*W|&e1mE+`n8|L4n3-DC%U{=PgcdC8ajH)8FTL5$3m|u4`+);`%C4Z z(35C;Xl={TRc{!6)I;h#M<@O~GP%81F^_=N2X^pjXyev6>+)SMIV|6iB{~HfIPqZM zym{$~dW&}wxoPjE)ul0^+L*4BzffQ}#R*7KIIHg$QZsGo0eynwjuJGl*PQJozxu5n zX)6vEw_>v?R)x99luVcQ8>a&`TeOUhk$4`({SMFr@ zA(}Kl%hVQtm$rOz{~cvwfu^)vaI|;p0+$2j+`4p(-)H#9Z_Xxcs(Gz}(w3P)0P~S>I88(7)04ZOTe4pDd>^2Vp~xYWhDo36kYi|pFDr!Wg8Bgss|DzW5(u$cnnK0LKFEQs#aLR z8T?l+1q`?(nm#kSOQ0;NZz`D^_y=yM1v&a@sd1I3aw0c*3F;L1C|U5Xdh!#EHCaWp zg=J?M&Y+Gu*lJ?XpV;YJZ&T6uk4Y@rxX%FUWQDAK$$1z3ZuXAq18T4fWOOg{DvQBG zeiJrpr9~U-pE;|a^KBlfPlh{|AXBDGnv3rin-Q&2wx>~`Qkg`Ll3j6<+Kp}{Z=Sl@ zMzGkk$tJVW62z|Ub#j#>mr1z&5F?%NrQt5mjb}!~;-LY3kLwQFtsDtYrMFy*ZXafe zgruw7i*?;{GI9HO_q;LGwSjSE8qhXHXYxX5gi#}OE>iL|NSLQ?M^pP!ukpnF(^MtH zlP`;jL;{!5<}7!Q8kbqJG(@Vu(oTkE@?9VqqsEas=#~@GRUO(4zX>MBdo%t{qsf+m zp7ZCbyaq_RPly!Q!$qGM0CLCX`;Rce`3X6a5SRks^^00fGrgU)GV^)z)~i~$UGe>R zGWHUP8bTiU{K)ceg8r$-%|>fGU60P+YJaNQHFH=yZb?Xz-JpecBVTdNYfjpgZ<>+r)aG9MSRL~hLgr|1i9Ei4? zI*!(kJ+vUl2)LpgG!*TL$i&VbVpgn(A9!e^@M9o_S?;dOI(O)Rqj^v+%wuurcKFOo z9_6-XYcn7Y`wZMST8K-ui)NtV>F8@Dz%mham__4~AbxOQMc@ipKlSOVi!krKw@mmW zL#d0G+rA}cZ@NbdsJXiqH-9HdYGZe~9-%d>zv#sxAk!x%CG<@0`)QaIAFIBWdDH`1 zDYU#f`fk-()agnrv)u#TzA0C9X%&3(F02fGb)n48HY`_lt7|b^txZIz1+JEzl<0BO z-S*sP(-r3&&3#`;y{-t#}?_k?iXt6mnY8pOYq1BYEoAD(WoLbvV-UPuaIo`aS4VU3y zlE0z{cgGSa(KCQk+tF3d-F;h5Z`55p+qBaQ*HE?QX7%(7<~PAWeV(|kx8+p za`?DDE5GVVWSdYB_fo^;mGUa`LXQ?TL$Jt!S(T=*%9&>Y(J@7(iAqn;Y{4X(cdxc>l5goAmMHp|1CNVAYuz-B>~gRAU$+fJZOhl#1I|~~+vTT8wG;ie9&qu+ zs2K4e)<$;YTRGba)ckM2b9GaeYq6wLL>T^B<0@)izQ80`lfh zBU3k|Eix#YDQ!EvMVtVT2^rLDLzPv-*Gf8_gGWjh5r_tmHNbwws=5dimy3$iCl z;3&c0a2s0rfd5DK$NGO|e{8Ju|C9YO(6g~K{rB>JhkpzV91Q>Etp9%~>t8^XwKo?) z{~W?^LGHAHxRSLA)$PdwM>`$f+}z-95%A-;fw{i!*+9Yv@WpI-&V2v){!9G+sf5gy z|8e52rZu}Q$a%|{BGZMW{TJZtn3%YrG6DDnC4^$Kf%`^A#s@}5{H28o0UcUEe@0`Z z9}&*ZKmzG^ktQTt{f^-mG>Pf_%ZfbHt)?|(xf?2!S) zGui^C041pb+#%4tF3aG&DJSYaVmO0J<@N{jzg&Q_pAZ{L*md5R6TMz{u0t zwE(Ym)tH&;LCb`u`1#FZeH7XlS#Nkc1Z3ZYY@iR+=ATs!V98IGS4cI7 zeJ3^vV1mT8w_9D0zX-rw#V_m2u|$A6V?!Fl-&fg>Y77R#)g992H|-zex4H~?;Sd3U z;)(x8*KnW*LfW^R39N5s@N3)ATlgyu0`!YvZDDQM602N0ApGR0dc5rnw z1ws#)`76L&?;OxIlG&EwXDuVG2kDz)0~Cj<1e(_6^5*I*YZ`;^X-0-h7I%%u)9@32 z;+$FBcY+Ad#f87N4*4GYK`ao%-?-}is{j3I_qPw8t!~vf4iv)L=3Wfz^6eFx1j zd2nMuZy$kI$HoVLK-jrD0KB_?uHW>6re6b8eshn1%*KBCl7Hime^t(YTL~@Dv^M#^pL`L1e7{It@U>!lF={8A z?R~O=NX9Oy{eJ0Gpx#!`C;_JhXkC6+sZOmQIAIL+C)Grl8XfEF?7vOGIV1wN{7>-s zXG~Rn%TMS!Pw*a1p@4w-__O$Zx9DpXtgU}XUpb9US!-Lv7Au*5odEUB&U{ysfieZA ze$iQBZE*d<3k$=+88<5n*xT9xb+2lbEMT2}m8SkF?CFQzSwQYK3gP;I4#K`h`yU`1NkB z!P**h3?A_W(|GwF6rBy!*UtUZgHA!Rwhr~aRj?kpeEX#M`;G69?s&b#N5NmOW^7tk zLJ4=2D4{B+g{P4ZwR(AFmC^U(7_Q^69OMq0o^l?SW&8BxvP%&r^L9+Wu}<`N^VBK! zgTQP|;Pdi|HmbGF@S;laT^$oB(&qq8EnK}wc6*1F!gble!RE0!V=AG2RFt5O7Ni}S z?YLZ>bW)+=nbS>oo z!?%mk_^0+CFt<090QXRyxVs%I+$53KU!7d7nwQ8j`359aAw9zZ&CZ;~zKQUyBu_!8 z4%_-RB_xX0q+G(5=8Qf6EGqV zT$sslnUVw%9Pk667$X@p#MIW3m{4!Q!Id!LOn^Zb4aD`Mzs0hh?0L@!;}(cRP@S-d zYPr2F(w;H9ErNGnyNFxbXJUE>Lw+xo#pPia=Kw2gJa+?ELqf#2ZIHNS;@*B7mjibo zsY>Q+Ow%znM*k%+Am*Mx9?iQ2#KuaCW%nixS8kqS(d6z9L-5NeY-X;9>*c(nM~jwXC*J&gNc^g`OyTRUqYVN)q9&BtUh*x4bg&F7rp^&mM?`66EZz zuz25?4M|FW2xp0HkpWYOeoVFwUWYVy?Cn!%>^W=eYlBHp?UkcjIw@~qW zl4G8?aN{IsLbk~37glT3Dt6d_0@xhUMZhIccz`+Ue9n}lQUYY~E55*{fcvRAO69q2 zB@jGKlv06EG0AnP$dv0gkj8M%;ALloR?wBonJwdTUSSRZ?>=L+DOd1_1%Vz<_>uuQ zm-@}V*uRUIc}c-`WusodWQG(dl(4Ua9H^WtH93K-_ucYOl6(>IYg-=7I&OPAJXAnf zdj?L#iHWr&70kn{hkz@oUs*U8J z9C?&?`%~o63uHuwr&{C(Zx&aah1~5pGTg@OkrGjd=cuhRf_r9Q2M;FEI%9gSsI(5Fy;vrgrmsuq+#1juQNsYJ}g=t zAB%G?Ky% z_?BVdoXLPjr|Tasw>S4;zv2y@YsY9AVigoTc*F6-XBz@&n6OMH%h%6~_RYzIw7I^n zMGf$u6K5ntPLbTR2#SClCf!AcTfinu#N48LY%L{sZ$4gE$`e}!!w#m#eL6Ks-_dwK zp72}gs+_A+@!uY>VxzH7={BT6a(gU^9R zAds{Ha)Me28r~rO$YA-1F4x4oX3xRcEDRDikbF9j9%<^Gn|6(b?-BBr|2!XsQ(iNs!p@&*Gp({p1oYNg-_!f z-iEFr>yN2iEoUS9=WUHlEo&+J&c1#cmsSSlTguQ38*(i}b>b+ykE0lAuAK^Jp=p(> z^D1axgGe}|i?1MDxYY-#R_h>5syfx_s%wXO*r*i`f(sB1!+x01MZ?LmVGN~^OLHQz zA^nki+t891R^mg0p(e0QwdsMJa~Q<`Y;gHYOLU}XNX8BQ{Ue%-RQH;hS#E*{JI~fwb6N_O zTY_500c;QiNHvguM6`|AlNf2m)6sEedBP|b;|t?@X<7iFx|S)K(|%J-nE+D?FQOYt zxFe9^P+Vc`bac-%EnVY#k`+*mM@F(5ag@^T|tn}8I+_(%)Bx-d!V${Px|qqbgcQFp_Aa&P$<(ph9X|9yVsADRd*Fe-b1Uk+V& z4!493Ij2Tk2dpfX#28+C=!-Ly%-y;0!|I!kVSedqgy2(J@!~Y^>SQ4?a*4!Ez;Qm+ zh)tsm{4Co`mRd7#SuyrhJ5(PaHbhGv=z|vN?a3VkyB}Dpd{9&m(otcDE#0Kf(9?{g z8qKB4dfH|^-xU;1S8{jhJQAI#DPP)p8aE&YYm8~dp}iTOZl%Su5yJ4spoF1yI=skx zOT=VG>{X$zhVYq4oZ6jw0tN#CgA`LNhf%h-ct+E4mI*_q48i0EtM=;bq0AA^S&02g za1%Ct|J+N|p}O+OPYZOH&!21!j8eG4yvH-!t?Pgr zXdDHnI+iKHxHIeM=|$LCE`+M*r&4*;5O8n2GF*=%45*zNi*h{l=)6#xmxL<{cfI z^VrP^Ni<2q+lEoRGPJZ8cFy=W{;3gIOke8d>)$ z08^WbeQtH8PhaH3O`FMq)t>93$~N#mRt{i0oGX~_EvbX}PO(FrK0{mD6nH#f#vYV= z;-b7^(2IE_&hyS;0ZOKw9L`Kw7h=Z$Vk}h#8~G-C3&KI3I@J;4 zlp)*zab}tP&XDZ@MpHj>DpeZEO9_1?5Zcu*+rWAe9vJemLiX%Q0>)%a!NWJ4{y}wl zb;WSA*M1;*kVU~o7~-p>byExEDTASj`Su8g)4DYK+1$Q!riaB|DUb4;qL6e!P{l@$HB`9^jC*esAx%Bqx zVou)H%XOj#3<`?mYM>qSQn8+9&jl&5p@PG{Ni0kOE@qX@>xJYB)Bj%ofs=-2X6fdO zbk!+89v7cc3Z>mGWr8X5bh#8M^rBxCjFzo!E1r}w{ykvHTvh2cXPl!@}s%YsuB_J&Ox3b z-arqUN_&S*Kp^FwSSONH6%r4&D zBqfhz9oMcRSB#yzKsNPb-m0TC?oL^?jAyk*S(*;BH7z$FWqV$#p!SWBBJS2g0&jo# zQS7-_I}qRy_#FEQO5mP z!9s_Mr&Epyo;vuNN>b%wXpcm#iXUDB?D=LH7=i~xi5Lj(ewButl?pRD1il~^h07r@ zLOz{FvYnh8L#CaBZDN*#dSQGfnUUyIX1b`zqv|UD(&@wjDYJUWTgGB}y{1cmz*d~D zg3sL%IjDCYK^cGxM`X=;quiu0BPh^;&e_l@F2?ve#ZgLZP(2HyzB~E-!hy~ifx8yX zWA#ys4hFsxu|=X4R)AJu13X9{4C&-khr0{bnN6pn2*av3B}>$vz4HMzf;##$giYK( z3F(LbP_`k-Vej~6wsw2w>@CRBna9f#TpRXIzjH@Z5!SeP9`oxI=zTL4`cVpeyb_uo z7A`bJy~xZs*7^Q+Z+3phPNsIUp8Y!dp4nPmgd~thg7AT|EkPE4YhWDxY)5@&*^(aC(dz zQq4f*c1(4v{WBz2jo`#8W~I-ZAJua=bQjogLa#93sk;6%<%eG*z8wC6vJ7Rgtf@_u zlGK=^$He+sw9&qN0cGY;UmKNiuExk~q?@A505GHq9FJI@F8_d&2(+tjZ1FqWx;T45 z#_%q#A}KWDB)Ksy6#6!y?W`1BbLT%>`&;kC&J;lj4Wofr`kgrElK=rd{G~e-;IQ^E zfS=o***;A$qV!%vfG&>{Cs?5rAZ<1W3jN{s&#lNAsx*9z_;{?*~PB! z%PlrxNLyo`@7Xf3ZiUm(c6ZPhEWQ5N>QGi}SP>oXKwQ zh>b_5{Nt3);VMLp!qbIt%JAxGaUaTd{_=AnCl#7R$VD?fe}G!bEUFBJiz)&NVu%jR zJVPE2PZD-AjoGC{go>H}1xt6^=U7WI^)XG1s&udNz>CfNe7*I((JlsYGf;Aiz&g=s z)il>P2UbwTUP4$oz7#X#20r_4bSg#7J|2_=W8stub!w*al#A>(NL)d7(1QMSO{6X1 zNr(j`pbB_dvkd#n)9Qc)JhYt<72Bn0QrWo$m{ZIcOvRTyk?Oi?oex^k6s;4Y_4?rpG2V7^m;w8u6}wdjifnDAzGpI8QMU2xc3892hU6 zoaFpC7#}Ys^H#w~4%eRF@5k0rIjQt;f^4S+nOPYc7+W&WJu(pJSZ_Rb=mM1GN(IST z{s%e@R}~c|W%y9Fa<~<5h#qKFZTf6ud7K3@Z6C2~(HPU?EhM2!1Dt$(qa#@yrNYSC z;|PF$97A|J24Cpcg3ii8BHvlyvu~s%j(66~s@|XiTq26WY4<>=tkI5us?j%;?C0^u<^$c0}Y;>`QUy&9G*A=}ctmnKw+eF{{`s4rexn z^;IYoXyQUJxgvF&aN8(t-L|bybASdDjf_wX2s>w7wW5RSPghq!pSz5jaSGANtHNJR zf+D_=%i<{9Cl}7cnTHlypbxwy4q>UO;KGE$Rw$U8UJuYvn4edh4d-ed? z_F8~!8hZlo7DuHd=&F)sf85MNkKR$-P1pUAH<@Giza^Jggo$>Soi0<&vZ?U^GFj8d zT!91PuvDw$)OrMtk%St_)|MQBGc3u1SDnd#0hevt+FHV%``7qeJ zogma(Hv-M0aTd~Tc7#?T1*n;N-pY%Aa~!dS1ofmScc@~b9q>lP-5;euYFZ9M8NUM# zkGUsUs(V&Y%}K>B!@mVAgW`6CP-Q9t&UIqbmrH&leJbEYU?1FfTvA)+SY~5JBmfU1 z0s=m~eU{IVjZT|5n^q`+L;d5rK~GNsC5EGtB8NlGnA zzCP3P2l7&*c7|n22v`f>)sZsf>7P9c8g_fW~L1P6`(Q$82}pVty_NX*DNW zVP8YVGnZ7hX6o1(b~n9juip2BXuAj5k83)fvRD$jeuIAuK`+SeHPif?(UKt8y4uE+ z=p;bDFaGX3#RtFMm15+yr}q&ILUs$J-vV=k41l$-etU@PdQaH5#hP`QM3OOLNZ^JL zsfK9;URe;a$$<0dUO^?TneP?Ad6mSeF4x{RO5HS`S@}Tg)MSRm6)X7&FCaVGH9rLD&-{RX}m_q ze$OCbl6I9n=_1CE%>@i#Hw)mNIAm1e4sL@Iy+$9!HJok%2!^;|1RU0DGXvv>WJ})O z2F&}G;Dw0|r)e3{jxi_cJ{~RHO2-hD#^ID~aW_jP5C?S5nsEV`iQ=ehl;c8mz=oGC zk-LS-6{{WoWOgi4PMZJ-WdCbjY%hPK!PSSoZ-c79#RV|LeWqYxvwfD#otb-0sCbR}UH7%HwcCgFYez{Qk^@nHATCP2ZFah!&Lu?jct#%4dL#^jWvY_Ux3S=#!6Rwyv}n z>h6>Jo@(7MQtVv8sq@^G)=UKaeAWDe`}m$A&9q+ZACcIGt1&+uXsD+XQQ5LX9Jf>@ zxhGQ5;IBQ_>c{ew9^ux8r^P?Cq{z-HiH^DfJeWF_Ri%*4+YYjhrY9+4 zokQgqvfU(7o0|=qabk{|Zi2sdBr__hlvB^DUYw5)TotRel}91fjrWT4C*c&fK6`!K z4{RIpbDA&QVP>I?Fk7&mt}_CzeuXs=Kk>V9sy6MlW=ngb2d+z7X10|%@78#B;UFSG zCtfqW3%S>6MZ@p8P{AazbA)rYBS$p@KQ8#MBlknYh)Y7x(&RliA}I1+=oMEZ)ek~a z+;L&pfC+rp&X(4gkuNDu-s%O-B zoPTFnh=G<0(a13NzNuWDLuC_MpE1H)-y-L@UHQ5*p#f23tij+46`NcTOUI)#X)G3}zHs-jpCT$-2m*CVky&utobV3NIQ=$kHT=L~@rxCugjb<*-yK<}Radatz? z!iZYn<}IBIYWN8i@4D(J1J~v5m5!ojea#Dt336Ao1>&=m#Gv5M-CJB3wzkA#!*C+) z+H*>GJC7x5Y?;qsAlg*}J71VEJvBMsqxW`>x8xDvFX9Xhwgzdu2Jlc6_jr{g>3b$* zD}(8 zT9twPlY&-H8(5=<+L=#%7H=B>^@#A5AOn5~z6uUA)&$~=qzbEq(noEXC{fY9LrL#b zNFJkpoNF4fr&unMfEd#VEwUI0jnufdLu3tDq0{Y?AGy{J&M6F@= z(RLKA?qvD4mbhXR6Qh+l%Bi1~f`q~?n}H*RY@9P}aGXfBW7eOd??i4bImW*37@wfF zTkLxS7@0}S1D!9!t;WBV1no)@lFU^P>!(Ph&kb&Gt!Q6Gc3#vZ;;P|}Ym=37Hi%yA zmlxVxdXaxO6hn+L4{ROSjG4y_quklXsz`aavt7Pp6bZ&K#uGd^)QPWfY#jG%Va2;b z4}Jcbf%1|pdWA1;jMo#cFi)Lv6-=qs5sIYSPDHU&ogmwixKY9$;NyS7Vtpn)(1mdv zHzNK7ry>T&Bn3Lz7348?d54XvNu|?qnS#hn*4o@`@A*4OsYi*R}Kz!DWvcz2%`4!zyBBtRibh^sW|mv zpz_fC%Upe`dYQR;RiHsd^`6Te>+)dC2B%2ITrM1!%ix$g5{rCqQG(H%{yg2L96FXF z8fjx}L-j%8C=qpuY)^eL$+n+nbpxwM?~WmQ&Q}a$Z?#h({_Ey@VZ3#qIUFE1Kh@JQ zW$XIWEm9{e_An@l|7j<--~?AIs`kV~hzc21PXm-Nh*WMPXb2hew+R2!^ui!5JJLw4 z%gp-mq;z z0T{IV$*7&-bGp9nxsYR4D(bRo<3I)`cO8A&Q?@lyI&D?tKG$-ck83tEEeO;&QP0Ta z)dv|`KZ1Y?rOtY73Y%!nM_7kbMgaLPXC*%RHT#i3BkMhXD+H#LX#=~eMT6A$WWf%n zZs>_SJwHKWRWaWODp2Av)6XYfgA+hGZ;n$GLyl~ zC)`Kbz;Snz-oUnL)ab9LYEucYV`^TLNwG1yXnq~#U_ZoVLyGtu)aT23I>vK&uy}M* zU}x^?nSJn&I=Pun?0g>izc+|#i0JDSF^{Cv5(D=9%rWU%h=~O_N5p3)1@iNnq5OOO z*%NF*MO<9=%_xfKBFKPdLps|e9uU``ih#UrjP#ep5oVdTTXA!Lig?|J^#ikH8c)qd zBho?dsO1OTF_;rC2F(>IvBgqzcJNb)n7~J5?JS`_nOPXyADI1}E>{AP*vJh#*MA z=7DbaPeKYwBU{4a{|0*ZWy?kQH)tsuAgY0Ce2^ctak-o2DAzHN=Dt;yNIU>ZyboGu zIuwzCLNFnkI)wLL|9XDJn`=N6-4BU|dwUrl5zj|VV4gtOJ!VF@^dayW$#hu+x}xBv zP0!L%@rJ}&0CbG22!6t}@OHJUmz9{kz_KvD(0evcl8zNw)m$$`J5#L@J2a*aUKz4j zIj5%s5+U0jJJABtxkFpi(r3$H=DwAtu^J~XnzgA!Wg{gVwYlyTb?BcGo$bO7?mD;6 zQPJ~do5VyrSmEFv6h7i3sXJUgp1Vm3A5I#S#slXhZ;-Ec+sL1bl2jG&ruF8sNWsP+ z-WRtOf48yY>2lww*bu_e1sgxweRkb!l;ln9Dz~9~dL;d5qKhFtm(OjmR%*_8=(i!} z+M_g~1Nb({mrEJE&U+%;2&e9`N0$YnSB9UD4=|Vchh@l^gadUL*Sl!Ldo5nYatEVq z$V64^%9T8F2a*L>c@5VNAw9D?oCA~jRl5;gKe`crT<((kf8=urO%C%1JL}Mj5`F6+ zz6<7$HZWz{Ut`WA=yToA>AkVbOIyu&Yskfqxu~kxr@3o}u>PtPVFE9jo7_K!ADh^& zqgC`+%u_+{bIEEu0kvRr&_>O)81|hG*)*AzQQ!qPhD>qzjHCpSJZ8I591oZ<8!mT) znNy#B>L-g%bJA79OvXrt=xU^~pk9F*rY7#XGtH$QYann7#+}J0Rp>=G<0l9fDt#H) z^r%BNmIQ$D48KsOb57PpKb zW!r68T(RaZY2gnkGX;atF45hRO|{<55Ka=lF~5*TcY0re%g(jY?a_E`$ig+rN3Rx= z_}lpF#Jxv7D(V}1Fr_%DF{DWls{A|sjWYh1_dgnY=ittQXj?e8ZQHhO+qUzIJuxP> zIkA(8lZkEHww=7(`@Z|tt9rNUzN%AQr~B-#-qrm_*FJmgwL;lJ5vqi(qGgh>FG>eB zrdKX%w~)tmv)o;TW|09Pw4sgbG*MslnidyJ*ac^Lu43Ofu3f3PsW!GKp4EJ9X(y%x zYsZ0kq9x%&7A9bdcP_FpojQ5+V~c1|MVUY}Zq1*dj%_3*7m*Zd|CpKP-StFJS8w8f z-9goVYz*OGO)GSQcbRQj96+;!Qa;)pz}JV=f3CVj@mn?<@o!J{Reweg5i=oHC|v_I z8@Zjqb1w0FkMiG!(WrmLEM>@<4Mnlfec93t2^XjNQ}|%?eWqJ_?epyUiKK9`8;fOy z=&J6E%V>0XgTnm^axhyz%ah-BFmRGH*Q`a#@L_2Qh8Yfls2~@NZ`uyy5^<4yXr#HG zCp-3a%Au9SV1}yZx2R;xSoRp;qACn~-o#}v>>~u;c)?NwagtjjW2(0cTJ+DL+6S`Z z%}y6*^FE*m8m))M$W^2^&J!7Z;vdNKQ;^cu@aNUKrs!5Rl}Z>RCT(z%$N`+Z2vHev zRI0S8n=-HVm#T}|Y+^X<(uYt#KRv7m>ci72&lM1hOkeo?-iJ(e|0s8^)}`$FlWe#N z&}(~onE8ZJXla^xMJZF~?FMC}ZtUUwbz$z8sH|`%)WhpW>9wCf>4PcQKGrpzpg!#6 zjybJwL5>+&-hWH+8$Z$b8H-e&c%dqL42D%FuEKw0D(iSgU@y&t`VjOA%