저를 창 관리자로 만드십시오!


14

나는 코드 팽창이 싫어!

그래서 Windows 7 시스템을 골프 버전으로 교체하기로 결정했습니다. 그러나 쉽지는 않다는 것을 알고 있으므로 먼저 프로토 타입을 만들어 보겠습니다. 사용자의 창 목록을 가져 와서 표준 출력에서 ​​의사 그래픽 디스플레이를 사용하여 창을 표시합니다.

예를 들어 : 사용자 입력 :

0,0,15,10
15,10,20,15
10,13,15,15
9,1,16,3
17,5,20,7
11,2,17,4
15,4,19,6
13,3,18,5

Code Golf® Window Manager ™ 출력 :

┌──────────────┐
│ :::::::: ┌─────┴┐
│ :::::::: │ : ┌────┴┐
│ :::::::: └─┤ : ┌───┴┐
│ :::::::::: └─┤ :::: ├┐
│ :::::::::::: └─┬──┘├┐
│ :::::::::::::: ├─┬─┘│
│ :::::::::::::: │ └──┘
│ :::::::::::::: │
│ :::::::::::::: │
└──────────────┼────┐
               │ :::: │
               │ :::: │
          ┌────┤ :::: │
          │ :::: │ :::: │
          └────┴────┘

입력:

  • 표준 입력에서 가져 오거나 시스템에 입력이없는 경우 stdin여러 줄의 입력을 제공 할 수있는 방법
  • 각 줄에는 쉼표로 구분 된 4 개의 숫자가 있습니다-창의 좌표
  • 처음 두 숫자 : 왼쪽 상단; 마지막 두 숫자 : 오른쪽 하단
  • x,y표기법 사용

산출:

  • 표준 출력 (또는 시스템에없는 경우 stdout고정 폭 텍스트를 표시하는 것)에 작성하십시오.
  • 창 경계를 그리기 위해 코드 페이지 437 에서 단일 상자 그리기 문자 사용
  • 입력에서 나중에 지정된 Windows가 이전에 지정된 것을 흐리게
  • 콜론 문자로 창을 채우십시오. :
  • 선행 및 후행 공백은 창 정렬을 방해하지 않는 한 괜찮습니다.

노트:

  • 지원하려는 최대 해상도 : 76 (가로) x 57 (세로)
  • 나쁜 입력을 지원할 필요가 없습니다
  • 최대 창 수 : 255 (제한이 필요한 경우)
  • 내 Windows 7 cmd셸은 기본적으로 코드 페이지 437자를 표시합니다. 누구든지 리눅스에서 (사용 xterm하거나 무엇이든) 할 수있는 방법이 있다면 여기에 설명하십시오

참고로 문자 코드는 다음과 같습니다.

┌da   ─c4   ┬c2   ┐bf

│b3   :3a   │b3   │b3

├c3   ─c4   ┼c5   ┤b4

└c0   ─c4   ┴c1   ┘d9

총 12 자


브라우저 주소 표시 줄에 다음 코드를 붙여 넣으면이 페이지에 예쁜 창을 표시 할 수 있습니다.javascript:$('pre').css('line-height','1em')
Michael M.

답변:


3

파이썬, 397 자

#coding:437
import os
J=range
M=[[0]*76 for _ in J(57)]
for A,C,B,D in[map(int,q.split(','))for q in os.read(0,9999).split('\n')]:
 for x in J(A+1,B):
    for y in J(C+1,D):M[C][A]|=5;M[C][B]|=6;M[D][A]|=9;M[D][B]|=10;M[C][x]|=3;M[D][x]|=3;M[y][A]|=12;M[y][B]|=12;M[y][x]=16;M[y][x-1]&=~1;M[y][x+1]&=~2;M[y-1][x]&=~4;M[y+1][x]&=~8
C=" rl─d┌┐┬u└┘┴│├┤┼:"
for l in M:print''.join((C+C[1:])[m]for m in l)

변경 C="...C=u"... 대신 유니 코드로 인쇄됩니다! 코드 페이지 437 문자가 이스케이프되지 않기 때문에 파일을 올바르게 저장하기가 까다로울 수 있습니다 (첫 번째 '코딩'주석 행이 필요함).

비트 단위 연산자를 사용하여 점진적으로 맵을 작성하는 방법입니다. 댓글이 적은 골프 버전 :

#coding:437
import os
J=range
# set up the field
# Each element is a bitfield. Flags are:
# 16 - inside a window?
# 8  - up
# 4  - down
# 2  - left
# 1  - right
M=[[0]*76 for _ in J(57)]
# for each window...
for A,C,B,D in[map(int,q.split(','))for q in os.read(0,9999).split('\n')]:
    # add the directions for the corners
    M[C][A]|=5;M[C][B]|=6;M[D][A]|=9;M[D][B]|=10
    # add the top and bottom edges
    for y in J(C+1,D):M[y][A]|=12;M[y][B]|=12
    # add the left and right edges
    for x in J(A+1,B):M[C][x]|=3;M[D][x]|=3 
    # deal with the middle
    for x in J(A+1,B):
       for y in J(C+1,D):
           # Clear the current spot by setting to inside a window
           M[y][x]=16
           # Remove the right direction from the left spot, top from the bottom, etc
           M[y][x-1]&=~1;M[y][x+1]&=~2;M[y-1][x]&=~4;M[y+1][x]&=~8
 # print it out
 C=u" rl─d┌┐┬u└┘┴│├┤┼:"
 for l in M:print''.join((C+C[1:])[m]for m in l)

6

JavaScript ES6 (FF ≥ 31.0), 404 자

w=s=>{a=[];for(i=0;i<57;)a[i++]=Array(76).fill(0);s.split('\n').map(e=>{r=e.split(',');a[x=r[1]][w=r[0]]|=5;a[x][y=r[2]]|=6;a[z=r[3]][w]|=9;a[z][y]|=10;for(i=x;++i<z;)a[i][w]|=12,a[i][w]&=14,a[i][y]|=12,a[i][y]&=13;for(i=w;++i<y;)a[x][i]|=3,a[x][i]&=11,a[z][i]|=3,a[z][i]&=7;for(i=x;++i<z;)for(j=w;++j<y;)a[i][j]=16});console.log(a.map(e=>e.map(t=>t==16?':':' xx─x┌┐┬x└┘┴│├┤┼'[t&15]).join('')).join('\n'))}

ES6없이 :

function w(s){a=[];for(i=0;i<57;i++){a[i]=[];for(j=0;j<76;j++)a[i][j]=0}s.split('\n').forEach(function(e){r=e.split(',');a[r[1]][r[0]]|=5;a[r[1]][r[2]]|=6;a[r[3]][r[0]]|=9;a[r[3]][r[2]]|=10;for(i=r[1];++i<r[3];)a[i][r[0]]|=12,a[i][r[0]]&=14,a[i][r[2]]|=12,a[i][r[2]]&=13;for(i=r[0];++i<r[2];)a[r[1]][i]|=3,a[r[1]][i]&=11,a[r[3]][i]|=3,a[r[3]][i]&=7;for(i=r[1];++i<r[3];)for(j=r[0];++j<r[2];)a[i][j]=16});console.log(a.map(function(e){return e.map(function(t){return t==16?':':' xx─x┌┐┬x└┘┴│├┤┼'[t&15]}).join('')}).join('\n'))}

w('0,0,15,10\n15,10,20,15\n10,13,15,15\n9,1,16,3\n17,5,20,7\n11,2,17,4\n15,4,19,6\n13,3,18,5'); OP의 예를 올바르게 출력합니다.

창의 가장자리는 비트 연산자 (Up = 8, Bottom = 4, Left = 2, Right = 1)를 사용하여 만들어집니다.


철저히 테스트되지는 않았지만 548 자로 배열 대신 문자열 리터럴에서 잘 작동하는 것 같습니다. (Firefox에서만 테스트 됨)
manatwork

ECMAScript 6을 사용하여 여러 문자를 저장할 수 있습니다. function w(s){...}w=(s)=>{...}(및 다른 모든 함수 리터럴과 마찬가지로) 그리고 문자 룩업 테이블은 아마도 같은 문자를 가진 문자열로 대체 될 수 있습니다.
마틴 엔더

나중에 Firefox 31.0이 출시되면 Array.fill()"데스크톱"으로 초기화하는 데 사용할 수 있습니다 .
manatwork

@manatwork, FF Aurora로 시도했지만 [].fill([].fill(0,0,76),0,57)작동하지 않습니다. 보다 짧게 쓸 수 있습니까 new Array(57).fill(new Array(76).fill(0))?
Michael M.

new연산자 를 건너 뛰십시오 Array(57).fill(Array(76).fill(0))..
manatwork

0

파이썬, 672 자

읽기 어려운 버전 :

import sys
r=range
M=[0,0,0,191,0,196,218,194,0,217,179,180,192,193,195,197]
Z=[map(int,l.split(",")) for l in sys.stdin.readlines()]
S=[[[0]*5 for x in r(77) ] for y in r(58)]
for i in r(len(Z)):
 A,C,B,D=Z[i]
 for a,b,c in [(C,A,2),(C,A,3),(D,A,1),(D,A,2),(C,B,3),(C,B,4),(D,B,1),(D,B,4)]:S[a][b][c]=1
 for x in r(A+1,B):
  for a,b in [(C,2),(C,3),(C,4),(D,1),(D,2),(D,4)]:S[a][x][b]=(b+1)&1
 for y in r(C+1,D):
  for a,b in [(A,1),(A,2),(A,3),(B,1),(B,3),(B,4)]:S[y][a][b]=b&1
 for x in r(A+1,B):
  for y in r(C+1,D):S[y][x]=[i+1]+[0]*4
O=sys.stdout.write
for l in S:
 for k in l:
  c=' ';x=M[k[1]*8|k[2]*4|k[3]*2|k[4]]
  if k[0]:c=':'
  if x:c=chr(x) 
  O(c)
 O('\n')

아래 버전에서 시작 :

import sys

coords = [ tuple(map(int,l.strip().split(","))) for l in sys.stdin.readlines() ]

screen = [ [ [-1, [False,False,False,False]] for x in range(0, 77) ] for y in range(0, 58) ]

def mergeBorders(screen, w):
    x0,y0,x1,y1 = w
    screen[y0][x0][1][1] = True
    screen[y0][x0][1][2] = True
    screen[y1][x0][1][0] = True
    screen[y1][x0][1][1] = True
    screen[y0][x1][1][2] = True
    screen[y0][x1][1][3] = True
    screen[y1][x1][1][0] = True
    screen[y1][x1][1][3] = True

    for x in range(x0+1,x1):
        screen[y0][x][1][1] = True
        screen[y0][x][1][2] = False
        screen[y0][x][1][3] = True
        screen[y1][x][1][0] = False
        screen[y1][x][1][1] = True
        screen[y1][x][1][3] = True

    for y in range(y0+1,y1):
        screen[y][x0][1][0] = True
        screen[y][x0][1][1] = False
        screen[y][x0][1][2] = True
        screen[y][x1][1][0] = True
        screen[y][x1][1][2] = True
        screen[y][x1][1][3] = False

def paintInside(screen, w, wId):
    x0,y0,x1,y1 = w
    for x in range(x0+1,x1):
        for y in range(y0+1,y1):
            screen[y][x][0] = wId 
            screen[y][x][1] = [False, False, False, False]

for wId in range(len(coords)):
    w = coords[wId]
    mergeBorders(screen, w)
    paintInside(screen, w, wId)

borderMap = { (False, True, True, False): 0xda,
              (False, True, False, True): 0xc4,
              (False, True, True, True):  0xc2,
              (False, False, True, True): 0xbf,
              (True, False, True, False): 0xb3,
              (True, True, True, False):  0xc3,
              (True, True, True, True):   0xc5,
              (True, False, True, True):  0xb4,
              (True, True, False, False): 0xc0,
              (True, True, False, True):  0xc1,
              (True, False, False, True): 0xd9 }

def borderChar(c):
    return chr(borderMap[(c[0],c[1],c[2],c[3])])


for screenLine in screen:
    for contents in screenLine:
        c = ' '
        if True in contents[1]:
            c = borderChar(contents[1])
        elif contents[0] >= 0:
            c = ':'
        sys.stdout.write(c)
    sys.stdout.write('\n')
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.