합계로 행렬 채우기


23

도전:

정사각형 입력 행렬 A가 주어지면 행렬을 4면 모두에 1 행 1 열로 채 웁니다.

  • 맨 위 및 맨 아래 행의 각 요소 값은 각 해당 열의 요소 합계 여야합니다.
  • 왼쪽 및 오른쪽 열의 각 요소 값은 해당하는 각 행의 요소 합계 여야합니다.
  • 왼쪽 상단과 오른쪽 하단에있는 요소의 값은 대각선에있는 요소의 합이어야합니다.
  • 오른쪽 위와 왼쪽 아래 모서리에있는 요소의 값은 반 대각선에있는 요소의 합이어야합니다.

예:

A = 
1   5   3
3   2   4
2   5   5

Output:
 8    6   12   12    7
 9    1    5    3    9
 9    3    2    4    9
12    2    5    5   12
 7    6   12   12    8

설명:

왼쪽 상단과 오른쪽 하단 요소는 대각선 1 + 2 + 5 = 8 의 합입니다 . 오른쪽 위와 왼쪽 아래 요소는 반 대각선 2 + 2 + 3 = 7의 합 입니다.

상단 및 하단 행 (코너 제외)은 A : 1 + 3 + 2 = 6 , 5 + 2 + 5 = 123 + 4 + 5 = 12 의 각 열의 합계입니다 . 마찬가지로 왼쪽 및 오른쪽 열 (코너 제외)은 A : 1 + 5 + 3 = 9 , 3 + 2 + 4 = 92 + 5 + 5 = 12 의 각 행의 합입니다 .

입력:

  • 음이 아닌 정수가있는 비어 있지 않은 정사각 행렬.
  • 선택적 형식

산출:

  • 위에서 설명한대로 채워진 매트릭스
  • 선택적 형식이지만 입력 형식과 같아야합니다.

테스트 사례 :

입력 형식을보다 적합한 형식으로 변환하려면 이 챌린지 에서 제출물을 사용하십시오 (예 [[1, 5],[0, 2]]:).

0
----------------
0 0 0
0 0 0
0 0 0

1 5
0 2
----------------
3 1 7 5
6 1 5 6
2 0 2 2
5 1 7 3

17   24    1    8   15
23    5    7   14   16
 4    6   13   20   22
10   12   19   21    3
11   18   25    2    9 
----------------
65   65   65   65   65   65   65
65   17   24    1    8   15   65
65   23    5    7   14   16   65
65    4    6   13   20   22   65
65   10   12   19   21    3   65
65   11   18   25    2    9   65
65   65   65   65   65   65   65

15    1    2   12
 4   10    9    7
 8    6    5   11
 3   13   14    0
----------------
30   30   30   30   30   30
30   15    1    2   12   30
30    4   10    9    7   30
30    8    6    5   11   30
30    3   13   14    0   30
30   30   30   30   30   30

이것은 이므로 각 언어에서 가장 짧은 솔루션 승리합니다. 설명을 적극 권장합니다.


2
그것은 마법의 사각형을 확인하는 것입니까?
mdahmoune

그냥 확인하는 것이 훨씬 쉽지만 실제로 사각형이 이런 식으로 마술인지 쉽게 알 수 있습니다. 예 :-)
Stewie Griffin

답변:


5

옥타브 , 64 바이트

모두 4 바이트를 저장, 톰 목수에게 감사 하고 내가 원래 코드에 한 오류를 수정!

@(a)[b=(t=@trace)(a),c=sum(a),d=t(flip(a));z=sum(a,2),a,z;d,c,b]

온라인으로 사용해보십시오!

설명:

@(a)                 % Anonymous function that takes the matrix 'a' as input
 [ ... ]             % Concatenate everything inside to a single matrix
  b=(t=@trace)(a),   % Clever trick by Tom Carpenter. Save a function handle 
                     % for 't=trace', and call it with 'a' as input
                     % Save the result in the variable 'b'
  c=sum(a)           % Sum of all columns of 'a'
  d=t(flip(a));      % Save the trace of 'a' flipped as a variable 'd', while 
                     % concatenating [b,c,d] horizontally at the same time, creating the 
                     % first row of the output
  z=sum(a,2)         % The sum of each row of the input, and store it in a variable 'z'
  ,a,z;              % Concatenate it with 'a' and 'z' again, to create the middle part of the output
 d,c,b]              % Add [d,c,b] to complete the bottom row

도전 과제를 게시 한 후 오랫동안이 글을 썼습니다.



4

MATL , 27 26 바이트

,!tXswyv]GXds5L(PGPXds5L(P

온라인으로 사용해보십시오! 또는 모든 테스트 사례를 확인하십시오 .

설명

,        % Do the following twice
  !      %   Tranpose. Takes input implititly in the first iteration
  t      %   Duplicate
  Xs     %   Row vector with the sum of each column
  wy     %   Push a copy to the bottom of the stack
  v      %   Concatenate stack vertically. This attaches the sum of
         %   each row (first iteration) and column (second), leaving 
         %   the matrix with the correct orientation (transposed twice)
]        % End
G        % Push input again
Xds      % Column vector with the diagonal of the matrix. Sum of vector
5L(      % Write that into first and last entries of the result matrix
         % matrix; that is, its upper-left and lower-right corners
P        % Flip result matrix vertically
GP       % Push input matrix vertically flipped
Xds      % Diagonal, sum. Since the input has been vertically flipped,
         % this gives the sum of the anti-diagonal of the input.
5L(      % Write that into the upper-left and lower-right corners of
         % the verticallly flipped version of the result matrix
P        % Flip vertically again, to restore initial orientation
         % Implicitly display

물론 MATL은 Jelly와 달리 행렬과 함께 작동하도록 설계되었습니다. > _>
Outgolfer 에릭

@EriktheOutgolfer 그러나 당신의 대답은 더 많은 유로를 가지고 있습니다!
Luis Mendo

3
예, 유로화와 엔화가 있습니다 ... 불행히도 그것은이기는 기준이 아닙니다. D :
Outgolfer 에릭

3

APL (Dyalog) , 37 바이트

(d,+⌿,d∘⌽)⍪(+/,⊢,+/)⍪d∘⌽,+⌿,d←+/1 1∘⍉

온라인으로 사용해보십시오!

1 1∘⍉ 대각선 (점등. 두 축을 하나로 축소)

d← 해당 함수를 d 로 저장 하고 인수에 적용하십시오.

+⌿ 열 합계를 추가

d∘⌽, 앞에 추가 D는 반전 된 인수인가

()⍪ 다음을 쌓아 올리십시오.

+/,⊢,+/ 행 합계, 수정되지 않은 인수, 행 합계

()⍪ 다음을 쌓아 올리십시오.

d,+⌿,d∘⌽ 인수에 적용, 열 합계, d 를 역 인수에 적용


3

젤리 , 26 바이트

ŒDµḊṖѵ€1¦ŒḌU
S;;S
Ç€Zµ⁺ÑÑ

온라인으로 사용해보십시오!

Erik의 솔루션 과 놀랍게 다른 모습 .

나는 마침내 어떻게 ¦작동 하는지 이해했다 (Jelly의 코드를 통해 디버깅하여 lol). 내 경우에는 함께 일 해야합니다 Ç.

설명

이 코드는 세 개의 링크를 사용합니다. 첫 번째 도우미 링크는 양쪽 끝에 합계가있는 벡터를 채우고 두 번째 도우미 링크는 행렬의 두 구석을 고정하며 기본 링크는이를 적절하게 호출합니다.

Ç€Zµ⁺ÑÑ    Main link. Argument: M (matrix)
Ç            Call the first helper link (pad row with sums)...
 €           ...on each row of the matrix.
  Z          Transpose, so that the second invocation uses the columns.
   µ         Begin a new monadic chain.
    ⁺        Repeat the previous chain (everything up to here).
     ÑÑ      Call the second helper link twice on the whole matrix.

S;;S    First helper link. Argument: v (1-dimensional list)
S         Sum the argument list.
 ;        Append the argument list to the sum.
  ;       Append...
   S      ...the sum of the argument list.

ŒDµḊṖѵ€1¦ŒḌU    Second helper link. Argument: M (matrix)
ŒD                 Get the diagonals of the matrix, starting with the main diagonal.
  µ                Begin a new monadic chain.
      µ€           Perform the following actions on each diagonal...
        1¦         ...and keep the result for the first item (main diagonal):
   Ḋ                 Remove the first item (incorrect top corner).
    Ṗ                Remove the last item (incorrect bottom corner).
     Ñ               Call the first helper link on the diagonal to pad it with its sum.
          ŒḌ       Convert the diagonals back to the matrix.
            U      Reverse each row, so that consecutive calls fix the other corners.

3

파이썬 3 , 155 바이트

이것은 @LeakyNun의 제안으로 54 바이트 를 절약 합니다 . 나는 그 자신에게 약간의 골프를 쳤다.

def f(m):l=len(m);r=range(l);s=sum;b=[s(m[i][i]for i in r)];c=[s(m[i][l+~i]for i in r)];d=[*map(s,zip(*m))];return[b+d+c,*[[s(a),*a,s(a)]for a in m],c+d+b]

온라인으로 사용해보십시오!

초기 솔루션 -Python 3 , 216 바이트

def f(m):l=len(m);r,s=range(l),sum;a,b,c,d=s(m[i][i]for i in r),s(m[i][l-i-1]for i in r),[s(m[i][j]for j in r)for i in r],[s(m[i][j]for i in r)for j in r];print([[a]+d+[b]]+[[c[i]]+m[i]+[c[i]]for i in r]+[[b]+d+[a]])

온라인으로 사용해보십시오!



@LeakyNun 감사합니다. ~ 190 바이트로 업데이트 된 것보다 훨씬 짧습니다. : P
Mr. Xcoder

2

파이썬 (2) , 268 (250) 184 174 바이트

Stewie Griffin에 감사드립니다.

from numpy import *
a,c,v,s=sum,trace,vstack,matrix(input())
l,r,d,e=a(s,0),a(s,1),c(s),c(fliplr(s))
print hstack((v(([[d]],r,[[e]])),v((l,s,l)),v(([[e]],r,[[d]])))).tolist()

온라인으로 사용해보십시오!

일부 설명 입력이 행렬로 업로드됩니다. 먼저 코드는 numpy.sum을 사용하여 각 열과 각 행의 합계를 계산합니다. 그런 다음 대각선의 합을 numpy.trace로 계산합니다. 그런 다음 행렬에서 왼쪽-오른쪽 플립을 만들어 다른 대각선을 얻습니다. 마지막으로 numpy.vstack 및 numpy.hstack을 사용하여 조각을 서로 붙입니다.


@StewieGriffin 좋아, 방금 코드를 업데이트했습니다 :)
mdahmoune

1
나는 이것이 174 tio.run/에서
Stewie Griffin

2

R, 129 바이트

pryr::f(t(matrix(c(d<-sum(diag(m)),c<-colSums(m),a<-sum(diag(m[(n<-nrow(m)):1,])),t(matrix(c(r<-rowSums(m),m,r),n)),a,c,d),n+2)))

정사각 행렬을 입력으로 사용하는 익명 함수입니다. 관심이 있으면 설명을 게시하겠습니다.


2

PHP , 211 바이트

<?foreach($_GET as$l=>$r){$y=0;foreach($r as$k=>$c){$y+=$c;$x[$k]+=$c;$l-$k?:$d+=$c;($z=count($_GET))-1-$k-$l?:$h+=$c;}$o[]=[-1=>$y]+$r+[$z=>$y];}$o[]=[-1=>$h]+$x+[$z=>$d];print_r([-1=>[-1=>$d]+$x+[$z=>$h]]+$o);

온라인으로 사용해보십시오!

넓히는

foreach($_GET as$l=>$r){
  $y=0; # sum for a row
  foreach($r as$k=>$c){
    $y+=$c; # add to sum for a row
    $x[$k]+=$c; # add to sum for a column and store in array
    $l-$k?:$d+=$c; # make the diagonal sum left to right
    ($z=count($_GET))-1-$k-$l?:$h+=$c; # make the diagonal sum right to left
  }
  $o[]=[-1=>$y]+$r+[$z=>$y]; # add to result array the actual row with sum of both sides
}
$o[]=[-1=>$h]+$x+[$z=>$d]; # add to result array the last array
print_r([-1=>[-1=>$d]+$x+[$z=>$h]]+$o); #output after adding the first array to the result array

2

파이썬 3 , 125 바이트

from numpy import*
f=lambda m,t=trace,s=sum:c_[r_[t(m),s(m,1),t(m[::-1])],c_[s(m,0),m.T,s(m,0)].T,r_[t(m[::-1]),s(m,1),t(m)]]

온라인으로 사용해보십시오!

약간 골퍼되지 않음 :

import numpy as np

def f_expanded(m):
    return np.c_[np.r_[np.trace(m), np.sum(m, 1), np.trace(m[::-1])],
                 np.c_[np.sum(m, 0), m.T, np.sum(m, 0)].T,
                 np.r_[np.trace(m[::-1]), np.sum(m, 1), np.trace(m)]]

이것은 입력을 numpy 배열로 취한 다음 np.c_np.r_인덱싱 도구를 사용하여 한 번에 새 배열을 작성합니다. np.tracenp.sum각각, 그리고 다른 곳에서 대각선을 따라 합계를 계산하는 데 사용됩니다. T는 모든 배열을 2 차원으로 만들고를 사용하는 것보다 짧기 때문에 합을 연결하기 전후에 조옮김에 사용 np.r_됩니다. 두 번째 대각선에 대한 추적을 m[::-1]비교 rot90(m)하거나 fliplr(m)찾을 때 바이트를 절약합니다 .


좋은 대답입니다! 사이트에 오신 것을 환영합니다 :)
DJMcMayhem

1

자바 스크립트 (ES6), 170 바이트

(a,m=g=>a.map((_,i)=>g(i)),s=x=>eval(x.join`+`))=>[[d=s(m(i=>a[i][i])),...c=m(i=>s(m(j=>a[j][i]))),g=s(m(i=>a[i][a.length-i-1]))],...a.map(b=>[r=s(b),...b,r]),[g,...c,d]]

입력 및 출력은 2D 숫자 배열입니다.

설명

(a,                             // input matrix: a
    m=g=>a.map((_,i)=>g(i)),    // helper func m: map by index
    s=x=>eval(x.join`+`)        // helper func s: array sum
) =>
[
    [
        d = s(m(i=>a[i][i])),           // diagonal sum: d
        ...c=m(i=>s(m(j=>a[j][i]))),    // column sums: c
        g = s(m(i=>a[i][a.length-i-1])) // antidiagonal sum: g
    ],
    ...a.map(b=>[r = s(b), ...b, r]),   // all rows with row sums on each end
    [g, ...c, d]                        // same as top row, with corners flipped
]

테스트 스 니펫

입력 / 출력은 개행과 탭으로 형식화되었습니다.

f=
(a,m=g=>a.map((_,i)=>g(i)),s=x=>eval(x.join`+`))=>[[d=s(m(i=>a[i][i])),...c=m(i=>s(m(j=>a[j][i]))),g=s(m(i=>a[i][a.length-i-1]))],...a.map(b=>[r=s(b),...b,r]),[g,...c,d]]

let tests=[[[0]],[[1,5],[0,2]],[[17,24,1,8,15],[23,5,7,14,16],[4,6,13,20,22],[10,12,19,21,3],[11,18,25,2,9]],[[15,1,2,12],[4,10,9,7],[8,6,5,11],[3,13,14,0]]];
<select id=S oninput="I.value=S.selectedIndex?tests[S.value-1].map(s=>s.join`\t`).join`\n`:''"><option>Tests<option>1<option>2<option>3<option>4</select> <button onclick="O.innerHTML=I.value.trim()?f(I.value.split`\n`.map(s=>s.trim().split(/\s+/g))).map(s=>s.join`\t`).join`\n`:''">Run</button><br><textarea rows=6 cols=50 id=I></textarea><pre id=O>


0

로고 , 198 바이트

to g :v[:h reduce "+ :v]
op(se :h :v :h)
end
to f :s[:a reduce "+ map[item # ?]:s][:b reduce "+ map[item # reverse ?]:s][:c apply "map se "sum :s]
op `[[,:a ,@:c ,:b],@[map "g :s][,:b ,@:c ,:a]]
end

이 함수 f는 행렬을 2D 목록으로 가져온 다음 결과 행렬을 출력합니다. g도우미 기능입니다.

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.