십자가 만있는 틱택 토


32

소개

누구나 틱택 토 게임을 알고 있지만,이 도전에서는 약간의 비틀기를 소개 할 것입니다. 우리는 십자가 만을 사용할 것 입니다. 세 개의 십자가를 연속으로 배치 한 첫 번째 사람이집니다. 흥미로운 사실은 누군가가 잃기 전에 최대 십자가의 양이 6 과 같다는 것입니다 .

X X -
X - X
- X X

즉, 3 x 3 보드의 경우 최대 금액은 6 입니다. 따라서 N = 3의 경우 6을 출력해야합니다.

N = 4 또는 4 x 4 보드의 다른 예 :

X X - X
X X - X
- - - -
X X - X

이것은 최적의 솔루션입니다. 최대 교 차량이 9와 같다는 것을 알 수 있습니다 . 12 x 12 보드를위한 최적의 솔루션은 다음과 같습니다.

X - X - X - X X - X X -
X X - X X - - - X X - X
- X - X - X X - - - X X
X - - - X X - X X - X -
- X X - - - X - - - - X
X X - X X - X - X X - -
- - X X - X - X X - X X
X - - - - X - - - X X -
- X - X X - X X - - - X
X X - - - X X - X - X -
X - X X - - - X X - X X
- X X - X X - X - X - X

결과는 74 입니다.

작업

0보다 큰 정수가 주어지면 작업은 간단 합니다. 행, 열 또는 대각선을 따라 한 줄에 인접한 3 개의 X로 배치 할 수없는 최대 양의 십자가를 출력합니다 .

테스트 사례

N     Output
1     1
2     4
3     6
4     9
5     16
6     20
7     26
8     36
9     42

자세한 내용은 https://oeis.org/A181018참조하십시오 .

규칙

  • 이것은 이므로 바이트 수가 가장 적은 제출이 승리합니다!
  • 기능이나 프로그램을 제공 할 수 있습니다.

7
따라서 질문은 당신이 링크 한 페이지의 공식을 사용하는 것으로 요약됩니다.
nicael

2
수학 관련 게시물.
AdmBorkBork

7
@nicael 내가 볼 수있는 한, OEIS 기사에는 하한 만 포함되어 있습니다.
Martin Ender

6
이것을 가장 빠른 코드 도전으로 보는 것이 좋을 것입니다.
Luke

4
codegolf 솔루션은 아니지만 지난 며칠 동안 "시각적"솔버를 가지고 놀았습니다. jsfiddle에 액세스 할 수 있습니다 : jsfiddle.net/V92Gn/3899 무작위 돌연변이를 통해 솔루션을 찾으려고 시도합니다. "올바른"답변을 찾으면 멈추지 않지만 아래의 답변보다 훨씬 더 정확한 해결책을 얻을 수 있습니다.
styletron

답변:


11

Pyth, 57 51 49 바이트

L.T.e+*]Ykbbsef!s.AMs.:R3ssmyBdsm_BdCBcTQsD^U2^Q2

@PeterTaylor의 CJam 솔루션과 마찬가지로 이것은 무차별 적이므로 O (n 2 2 n 2 ) 시간에 실행됩니다. 온라인 통역사가 n = 4 동안 1 분 이내에 완료되지 않습니다.

N <4에 대해 여기 에서 시도 하십시오 .

대각선 기능을 사용해보십시오 .

L.T.e+*]Ykbb         y(b): diagonals of b (with some trailing [])
s e                  sum of the last (with most ones) array such that
f                    filter lambda T:
 ! s .AM                none of the 3 element sublists are all ones               
   s .:R3               all 3 element sublists
   s s                  flatten
   myBd                 add the diagonals
   sm_B d               add the vertically flipped array and transpose
   CBcTQ                array shaped into Q by Q square, and its transpose
 sD ^U2 ^Q2             all binary arrays of length Q^2 sorted by sum

13

CJam ( 58 56 바이트)

2q~:Xm*{7Yb#W=}:F,Xm*{ee{~0a@*\+}%zS*F},_Wf%:z&Mf*1fb:e>

이것은 엄청나게 느리고 많은 메모리를 사용하지만 그것은 당신을위한 입니다.

해부

2q~:Xm*        e# Read input into X and find Cartesian product {0,1}^X
{7Yb#W=}:F,    e# Filter with a predicate F which rejects arrays with a 111
Xm*            e# Take the Cartesian product possible_rows^X to get possible grids
{              e# Filter out grids with an anti-diagonal 111 by...
  ee{~0a@*\+}% e#   prepending [0]*i to the ith row
  zS*F         e#   transposing, joining on a non-1, and applying F
},
_Wf%:z         e# Copy the filtered arrays and map a 90 degree rotation
&              e# Intersect. The rotation maps horizontal to vertical and
               e# anti-diagonal to diagonal, so this gets down to valid grids
Mf*            e# Flatten each grid
1fb            e# Count its 1s
:e>            e# Select the maximum

Θ(에이엑스)에이1.83928675Θ(에이엑스2)Θ(에이엑스4)


영형(엑스에이엑스)

public class A181018 {
    public static void main(String[] args) {
        for (int i = 1; i < 14; i++) {
            System.out.format("%d:\t%d\n", i, calc(i));
        }
    }

    private static int calc(int n) {
        if (n < 0) throw new IllegalArgumentException("n");
        if (n < 3) return n * n;

        // Dynamic programming approach: given two rows, we can enumerate the possible third row.
        // sc[i + rows.length * j] is the greatest score achievable with a board ending in rows[i], rows[j].
        int[] rows = buildRows(n);
        byte[] sc = new byte[rows.length * rows.length];
        for (int j = 0, k = 0; j < rows.length; j++) {
            int qsc = Integer.bitCount(rows[j]);
            for (int i = 0; i < rows.length; i++) sc[k++] = (byte)(qsc + Integer.bitCount(rows[i]));
        }

        int max = 0;
        for (int h = 2; h < n; h++) {
            byte[] nsc = new byte[rows.length * rows.length];
            for (int i = 0; i < rows.length; i++) {
                int p = rows[i];
                for (int j = 0; j < rows.length; j++) {
                    int q = rows[j];
                    // The rows which follow p,q cannot intersect with a certain mask.
                    int mask = (p & q) | ((p << 2) & (q << 1)) | ((p >> 2) & (q >> 1));
                    for (int k = 0; k < rows.length; k++) {
                        int r = rows[k];
                        if ((r & mask) != 0) continue;

                        int pqrsc = (sc[i + rows.length * j] & 0xff) + Integer.bitCount(r);
                        int off = j + rows.length * k;
                        if (pqrsc > nsc[off]) nsc[off] = (byte)pqrsc;
                        if (pqrsc > max) max = pqrsc;
                    }
                }
            }

            sc = nsc;
        }

        return max;
    }

    private static int[] buildRows(int n) {
        // Array length is a tribonacci number.
        int c = 1;
        for (int a = 0, b = 1, i = 0; i < n; i++) c = a + (a = b) + (b = c);

        int[] rows = new int[c];
        int i = 0, j = 1, val;
        while ((val = rows[i]) < (1 << (n - 1))) {
            if (val > 0) rows[j++] = val * 2;
            if ((val & 3) != 3) rows[j++] = val * 2 + 1;
            i++;
        }

        return rows;
    }
}

효율적인 접근 방식은 무엇입니까?
lirtosiast

@ThomasKwa, 오, 그것은 여전히 ​​지수 적이지만, OEIS 시퀀스를 3 용어로 확장 할 수 있기 때문에 효율적이라고 부르는 것이 정당하다고 생각합니다.
피터 테일러

@ThomasKwa, 정확히 말하면, O(n a^n)어디에 a ~= 5.518있습니다.
피터 테일러

4

기음, 460 456 410 407 362 351 318 바이트

이것은 정말 나쁜 대답입니다. 그것은이다 매우 느린 브 루트 포스 방법.for루프 를 결합하여 골프를 조금 더하려고합니다 .

#define r return
#define d(x,y)b[x]*b[x+y]*b[x+2*(y)]
n,*b;s(i){for(;i<n*(n-2);++i)if(d(i%(n-2)+i/(n-2)*n,1)+d(i,n)+(i%n<n-2&&d(i,n+1)+d(i+2,n-1)))r 1;r 0;}t(x,c,l,f){if(s(0))r 0;b[x]++;if(x==n*n-1)r c+!s(0);l=t(x+1,c+1);b[x]--;f=t(x+1,c);r l>f?l:f;}main(c,v)char**v;{n=atol(v[1]);b=calloc(n*n,4);printf("%d",t(0,0));}

테스트 사례

$ ./a.out 1
1$ ./a.out 2
4$ ./a.out 3
6$ ./a.out 4
9$ ./a.out 5
16$

언 골프

n,*b; /* board size, board */

s(i) /* Is the board solved? */
{
    for(;i<n*(n-2);++i) /* Iterate through the board */
            if(b[i%(n-2)+i/(n-2)*n]&&b[i%(n-2)+i/(n-2)*n+1]&&b[i%(n-2)+i/(n-2)*n+2] /* Check for horizontal tic-tac-toe */
                    || b[i] && b[i+n] && b[i+2*n] /* Check for vertical tic-tac-toe */
                    || (i%n<n-2
                            && (b[i] &&b [i+n+1] && b[i+2*n+2] /* Check for diagonal tic-tac-toe */
                                    || b[i+2*n] && b[i+n+1] && b[i+2]))) /* Check for reverse diagonal tic-tac-toe */
                    return 1;
    return 0;
}

t(x,c,l,f) /* Try a move at the given index */
{
    if(s(0)) /* If board is solved, this is not a viable path */
            return 0;
    b[x]++;
    if(x==n*n-1) /* If we've reached the last square, return the count */
            return c+!s(0);

    /* Try it with the cross */
    l=t(x+1,c+1);

    /* And try it without */
    b[x]--;
    f=t(x+1,c);

    /* Return the better result of the two */
    return l>f?l:f;
}

main(c,v)
char**v;
{
    n=atol(v[1]); /* Get the board size */
    b=calloc(n*n,4); /* Allocate a board */
    printf("%d",t(0,0)); /* Print the result */
}

편집 : int 변수를 사용하지 않는 매개 변수로 선언하십시오. y 좌표를 제거하고 인덱스를 사용하십시오. 전역이 아닌 매개 변수 목록으로 변수를 이동하고 전달 된 불필요한 매개 변수를 수정하십시오 s(). 루프를 결합하고 불필요한 괄호를 제거하십시오. 교체 &&*, ||함께 +, 3 행 검사를 매크로로 확인


얼마나 느려요?
Loovjo

@Loovjo는 내 PC에서 몇 가지 작은 변경 사항을 적용하여 더 빠르게 만들었습니다 .n = 5의 경우 15ms, n = 6의 경우 12 초 (입력 +1, 시간 * 800)!
edc65

@ edc65 그게 내 경험이었습니다. 5보다 큰 것은 성능이 크게 느려졌습니다. 나는 6보다 큰 입력을 시도하는 것을 귀찮게하지 않았다.
Cole Cameron

내 의견을 게시 할 때 7로 시작했습니다. 우리는 볼 것이다
edc65

를 사용하여 몇 가지 문자를 더 짜낼 수 있습니다 #define d(x,y)b[x]*b[x+y]*b[x+y+y]. 시작 변경함으로써 s행을 s(i,m){for(m=n-2;그리고 모든 인스턴스를 대체 n-2; 및 변화시킴으로써 b[x]++으로 b[x++]++하고 교체 x==n*n-1x==n*n, x+1x,와 x함께 x-1.
피터 테일러

4

C 263 264 283 309

편집 약간의 바이트는 @ 피터 테일러 thx를 절약-내가 원하는 것보다 적습니다. 그런 다음 2 바이트가 더 많은 메모리를 할당하는 데 사용되었으므로 이제 더 큰 크기를 시도 할 수 있지만 시간이 많이 걸립니다.

참고 설명을 추가하는 동안 R 배열에 그리드를 유지하는 바이트를 낭비하고 있음을 알았습니다. 그래서 찾은 솔루션을 볼 수 있습니다 ...이 도전에 대한 요청은 없습니다!
골프 버전에서 제거했습니다

합리적인 시간에 n = 1..10에 대한 답을 실제로 찾을 수있는 골프 C 프로그램.

s,k,n,V[9999],B[9999],i,b;K(l,w,u,t,i){for(t=u&t|u*2&t*4|u/2&t/4,--l; i--;)V[i]&t||(b=B[i]+w,l?b+(n+2)/3*2*l>s&&K(l,b,V[i],u,k):b>s?s=b:0);}main(v){for(scanf("%d",&n);(v=V[i]*2)<1<<n;v%8<6?B[V[k]=v+1,k++]=b+1:0)V[k]=v,b=B[k++]=B[i++];K(n,0,0,0,k);printf("%d",s);}

내 테스트 :

7-> 26 초 10 초
8-> 36 초 18 초
9-> 42 인치 1162 초

덜 골프 와 설명하려고

#include <stdio.h>

int n, // the grid size
    s, // the result
    k, // the number of valid rows 
    V[9999], // the list of valid rows (0..to k-1) as bitmasks
    B[9999], // the list of 'weight' for each valid rows (number of set bits)
    R[99],  // the grid as an array of indices pointing to bitmask in V
    b,i; // int globals set to 0, to avoid int declaration inside functions

// recursive function to fill the grid
int K(
  int l, // number of rows filled so far == index of row to add
  int w, // number of crosses so far
  int u, // bit mask of the preceding line (V[r[l-1]])
  int t, // bit mask of the preceding preceding line (V[r[l-2]])
  int i) // the loop variables, init to k at each call, will go down to 0
{
  // build a bit mask to check the next line 
  // with the limit of 3 crosses we need to check the 2 preceding rows
  t = u&t | u*2 & t*4 | u/2 & t/4; 
  for (; i--; )// loop on the k possibile values in V
  {
    R[l] = i; // store current row in R
    b = B[i] + w; // new number of crosses if this row is accepted
    if ((V[i] & t) == 0) // check if there are not 3 adjacent crosses
      // then check if the score that we can reach from this point
      // adding the missing rows can eventually be greater
      // than the current max score stored in s
      if (b + (n + 2) / 3 * 2 * (n - l - 1) > s)
        if (l > n-2) // if at last row
          s = b > s ? b : s; // update the max score
        else  // not the last row
          K(l + 1, b, V[i], u, k); // recursive call, try to add another row
  }
}

int main(int j)
{
  scanf("%d", &n);

  // find all valid rows - not having more than 2 adjacent crosses
  // put valid rows in array V
  // for each valid row found, store the cross number in array B
  // the number of valid rows will be in k
  for (; i<1 << n; V[k] = i++, k += !b) // i is global and start at 0
    for (b = B[k] = 0, j = i; j; j /= 2) 
      b = ~(j | -8) ? b : 1, B[k] += j & 1;
  K(0,0,0,0,k); // call recursive function to find the max score
  printf("%d\n", s);
}

이것은 본질적으로 Java 프로그램과 동일하지만 너비 우선이 아니라 깊이 우선입니다. 내 buildRows방법 을 이식하여 12 개 이상의 문자를 저장할 수 있어야한다고 생각합니다 . 20 개 정도면 for(scanf("%d",&n);(v=2*V[i++])<1<<n;v%8<6&&V[++j]=v+1)v&&V[++j]=v;유효합니다. (현재 C 컴파일러에 액세스 할 수 없습니다).
피터 테일러

1
@PeterTaylor 나는 그것을 보여줄 것이다 ... 그냥 tribonacci 라는 단어 가 나를 무섭게합니다
edc65

당신의 하드 코딩 999은 그 부분을 무시하고 싶다는 것을 의미합니다. 실제로 하드 코딩하지 않아야 할 수도 있지만 원칙적으로 11 또는 12보다 큰 입력을 처리 할 수 ​​있습니다.
Peter Taylor

@ PetetTaylor C에서 비트를 계산하기 위해 .bitCount 메서드가 있으면 훌륭하게 작동합니다. 그러나 초기 Fase에서
나는

2

루비, 263 바이트

이것은 또한 무차별 대입 솔루션이며 Cole Cameron의 C 답변과 동일한 문제에 직면하지만 이것이 C가 아닌 루비이므로 더 느립니다. 그러나 더 짧습니다.

c=->(b){b.transpose.all?{|a|/111/!~a*''}}
m=->(b,j=0){b[j/N][j%N]=1
x,*o=b.map.with_index,0
c[b]&&c[b.transpose]&&c[x.map{|a,i|o*(N-i)+a+o*i}]&&c[x.map{|a,i|o*i+a+o*(N-i)}]?(((j+1)...N*N).map{|i|m[b.map(&:dup),i]}.max||0)+1:0}
N=$*[0].to_i
p m[N.times.map{[0]*N}]

테스트 사례

$ ruby A181018.rb 1
1
$ ruby A181018.rb 2
4
$ ruby A181018.rb 3
6
$ ruby A181018.rb 4
9
$ ruby A181018.rb 5
16

언 골프

def check_columns(board)
  board.transpose.all? do |column|
    !column.join('').match(/111/)
  end
end

def check_if_unsolved(board)
  check_columns(board) && # check columns
    check_columns(board.transpose) && # check rows
    check_columns(board.map.with_index.map { |row, i| [0] * (N - i) + row + [0] * i }) && # check decending diagonals
    check_columns(board.map.with_index.map { |row, i| [0] * i + row + [0] * (N - i) }) # check ascending diagonals
end

def maximum_crosses_to_place(board, index=0)
  board[index / N][index % N] = 1 # set cross at index
  if check_if_unsolved(board)
    crosses = ((index + 1)...(N*N)).map do |i|
      maximum_crosses_to_place(board.map(&:dup), i)
    end
    maximum_crosses = crosses.max || 0
    maximum_crosses + 1
  else
    0
  end
end

N = ARGV[0].to_i
matrix_of_zeros = N.times.map{ [0]*N }

puts maximum_crosses_to_place(matrix_of_zeros)

1

하스켈, 143 바이트

어떤면에서는 이것이 이루어지지 않았지만 재미가 있었으므로 여기로갑니다.

  • 가로 "위닝"패턴을 검사하면 다른 행에 적용되는 경우 유효하지 않은 것으로 반환되므로 N <3의 입력은 0을 반환합니다.
  • "배열"은 비트로 압축이 풀린 정수이므로 쉽게 열거 가능
  • ((i! x) y)는 x 곱하기 y의 i 번째 비트를 제공합니다. 여기서 음수 인덱스는 0을 반환하므로 범위가 일정하고 (경계 검사 없음) 체인이있을 때 괄호가 적을 수 있습니다
  • 경계가 검사되지 않기 때문에 모든 것에 대해 81 * 4 = 324 패턴을 검사 합니다. 가능한 최대 값에 하여 N = 3은 랩톱을 9 초 동안 사용하고 N = 5는 너무 오래 걸릴 수 있습니다.
  • 1/0의 부울 논리는 공간을 절약하기 위해 T / F에 사용됩니다. 예를 들어 (*)는 &&, (1-x)는 (x가 아님) 등입니다.
  • 배열 대신 정수를 검사하기 때문에 (div p1 L) == (div p2 L)은 다른 행에서 패턴을 검사하지 않도록하는 데 필요합니다. 여기서 L은 행 길이이고 p1, p2는 위치입니다.
  • 가능한 최대 값은 해밍 무게입니다

코드는 다음과 같습니다.

r=[0..81]
(%)=div
s=sum
i!x|i<0=(*0)|0<1=(*mod(x%(2^i))2)
f l=maximum[s[i!x$1-s[s[1#2,l#(l+l),(l+1)#(l+l+2),(1-l)#(2-l-l)]|p<-r,let  a#b=p!x$(p+a)!x$(p+b)!x$s[1|p%l==(p+mod b l)%l]]|i<-r]|x<-[0..2^l^2]]
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.