Perl, 647
Это моя первая попытка в код-гольфе, и я немного смущен, я даже не побил C #, но я подумал, что было бы интересно (или весело, или просто мазохистски) сделать все это как серия подстановок регулярных выражений. (Я также подумал, что было бы интересно освежить мой Perl, но в конце я глубоко сожалел, что не реализовал его в Ruby или Python.)
Я не провел много испытаний, но я думаю, что это должно справиться с каждым случаем.
Сетка вводится через STDIN. Во входе должна быть хотя бы одна новая строка (т.е. не будет работать ни одна строка без новой строки).
%s=(d,'[|+#$vk%ZX]',u,'[|+#$^W%KX]',r,'[-G+#>k%KX]',l,'[-G+#<W%ZX]');%o=(d,'[-.*G/k\\\\Z',u,'[-.*G/W\\\\K',r,'[|.*$\\\\/kK',l,'[|.*$\\\\/ZW');for$d(d,u,r,l){$o{$d}.='123456789qwertyuio]'}%u=(d,'.|-+*$G#/Wk%\KZX',u,'.|-+*$G#/kW%\ZKX',r,'.-|+*G$#/Wk%\ZKX',l,'.-|+*G$#/kW%\KZX');@q=split//,"qwertyuio";local$/;$_=<STDIN>;for$i(1..9){$m{$i}=$q[$i-1];$m{$m{$i}}=$i;s/$i/$m{$i}/e}/.*?\n/;$l='.'x((length$&)-1);do{$c=0;for$d(d,u,r,l){%p=(d,"(?<=$s{d}$l)$o{d}",u,"$o{u}(?=$l$s{u})",r,"(?<=$s{r})$o{r}",l,"$o{l}(?=$s{l})");%h=split//,$u{$d};$c+=s!$p{$d}!$h{$&}||($v=$&,($o{$d}=~s/$v// && $s{$d}=~s/]/$m{$v}]/),$v)!es}}while($c);print/\*/?"False\n":"True\n"
Объяснение: код итеративно обновляет строку сетки, когда лазеры проходят через нее. -
представляет собой горизонтальный лазер, |
вертикальный лазер, +
скрещенные лазеры, K
а \
зеркало с лазерным отражаясь от вершины, k
а /
зеркало с лазерным отражаясь от дна, Z
а \
зеркало с помощью лазера отражаясь от дна, а W
на /
зеркало с лазерным отскакивая вершина. %
это /
зеркало с помощью лазеров с обеих сторон, в то время как X
это \
зеркало с помощью лазеров с обеих сторон. (Они чувствительны к регистру. Я пытался выбрать буквы, которые выглядят несколько уместно - например, k
иK
Есть несколько очевидных вариантов, но, к сожалению, эффект не очень полезен. Я действительно должен положить эту информацию в таблицу, но я исчерпан прямо сейчас.)
Аналогичным образом для обработки порталов (т. Е. Присвоение каждой цифре набора дополнительных символов на основе возможных положений лазера ввода / вывода) потребуется 144 символа (включая исходные 9), поэтому вместо этого, когда лазер попадает на портал «ввода», Я добавляю «выходной» символ портала к набору символов, излучающих лазер в нужном направлении. (Для этого необходимо различать входные и выходные порталы; qwertyuio
для этого я использовал буквы .)
Несколько не в гольф, с инструкциями печати, чтобы вы могли видеть, что замены происходят (каждая замена представляет один «раунд» лазерной прогрессии), и с g
добавленным флагом к основному, s///
чтобы он не занимал так много итераций:
# Throughout, d,u,r,l represents lasers going down, up, left, or right
# `sources` are the character classes representing laser "sources" (i.e. any
# character that can, on the next round, cause a laser to enter the space
# immediately adjacent to it in the proper direction)
%sources=(d,'[|+#$vk%ZX]',u,'[|+#$^W%KX]',r,'[-G+#>k%KX]',l,'[-G+#<W%ZX]');
# `open` characters will not block a laser
%open=(d,'[-.*G/k\\\\Z',u,'[-.*G/W\\\\K',r,'[|.*$\\\\/kK',l,'[|.*$\\\\/ZW');
# One of each portal is changed into the corresponding letter in `qwertyuio`.
# At the start, each portal is 'open' and none of them is a source.
for$d(d,u,r,l){$open{$d}.='123456789qwertyuio]'}
# A mapping of 'open' characters to the characters they become when a laser
# goes through them. (This is used like a hash of hashes; see the assignment
# of `%h` below.)
%update=(d,'.|-+*$G#/Wk%\KZX',
u,'.|-+*$G#/kW%\ZKX',
r,'.-|+*G$#/Wk%\ZKX',
l,'.-|+*G$#/kW%\KZX');
@q=split//,"qwertyuio";
local$/;$_=<STDIN>;
for$i(1..9){
$m{$i}=$q[$i-1];
$m{$m{$i}}=$i;
s/$i/$m{$i}/e}
print "After substituting portals:\n";
print;
print "\n";
# Find the number of characters in each line and create a string of `.`'s,
# which will be used to correlate characters above/below one another in the
# grid with each other.
/.*?\n/;
$l='.'x((length$&)-1);
do{
$changes=0;
for$d(d,u,r,l){
# `patterns` is a mapping from each direction to the regex representing
# an update that must occur (i.e. a place where a laser must progress).
# Each pattern is either a lookahead or lookbehind plus the necessary
# "open" character class.
%patterns=(d,"(?<=$sources{d}$l)$open{d}",
u,"$open{u}(?=$l$sources{u})",
r,"(?<=$sources{r})$open{r}",
l,"$open{l}(?=$sources{l})");
%h=split//,$update{$d};
# Match against the pattern for each direction. Note whether any
# matches were found.
$changes+=s!$patterns{$d}!
# If the "open" character for a map is in the `update` map, return
# the corresponding value. Otherwise, the "open" character is a
# portal.
$h{$&} || ($v=$&,
# For portals, remove the input portal from the
# proper "open" list and add the output portal to
# the proper "source" list.
($open{$d}=~s/$v// && $sources{$d}=~s/]/$m{$v}]/),
$v)
# This whole substitution should allow `.` to match
# newlines (see the definition of `$l` above), and the
# replacement must be an expression rather than a string
# to facilitate the portal logic. The `g` allows multiple
# updates per "frame"; it is left out of the golfed code.
!egs
}
# Print the next "frame".
print;
print "\n";
# Continue updating until no "open" spaces are found.
}while($changes);
# Print whether `*` is still present in the input.
print/\*/?"False\n":"True\n"