\n
네 번째와 다섯 번째 매개변수인 dw
와 dh
는 선택 사항입니다.\n대상 이미지를 그릴 때 너비와 높이를 설정합니다.\n기본적으로 image()
는 소스 이미지를 원본 크기대로 그립니다.
여섯 번째와 일곱 번째 매개변수인 sx
와 sy
도 선택 사항입니다.\n이 좌표는 소스 이미지에서 그려질 일부의 좌측 상단 모서리를 정의합니다.
여덟 번째와 아홉 번째 매개변수인 sw
와 sh
도 선택 사항입니다.\n이 매개변수는 소스 이미지에서 그려질 일부의 너비와 높이를 정의합니다.\n기본적으로 image()
는 (sx, sy)
에서 시작하여 소스 이미지의 가장자리까지 확장되는 전체 영역을 그립니다.
아홉 번째 매개변수인 fit
도 선택 사항입니다.\n이는 소스 이미지의 일부분을 그릴 때 해당 이미지의 종횡비에 영향을 받지 않고 그릴 수 있게 합니다.\nCONTAIN
이 전달되면 이미지 일부분이 대상 사각형 내에 나타납니다.\nCOVER
가 전달되면 이미지 일부분이 대상 사각형을 완전히 덮습니다.\n이로 인해 이미지 일부분이 확대되는 효과가 발생할 수 있습니다.
열 번째와 열한 번째 매개변수인 xAlign
와 yAlign
도 선택 사항입니다.\n이는 정렬된 이미지 일부분을 어떻게 정렬할지를 결정합니다.\nxAlign
은 LEFT
, RIGHT
, 또는 CENTER
로 설정할 수 있습니다.\nyAlign
은 TOP
, BOTTOM
, 또는 CENTER
로 설정할 수 있습니다.\nxAlign
과 yAlign
의 기본값은 모두 CENTER
입니다.
표시할 이미지.
\n"],"type":[0,"p5.Image|p5.Element|p5.Texture|p5.Framebuffer|p5.FramebufferTexture"]}],[0,{"name":[0,"x"],"description":[0,"이미지의 좌상단 x 좌표.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,"이미지의 좌상단 y 좌표.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"width"],"description":[0,"이미지를 그릴 너비.
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"height"],"description":[0,"이미지를 그릴 높이.
\n"],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"img"],"description":[0,""],"type":[0,"p5.Image|p5.Element|p5.Texture|p5.Framebuffer|p5.FramebufferTexture"]}],[0,{"name":[0,"dx"],"description":[0,"소스 이미지를 그릴 대상 직사각형의 x 좌표
\n"],"type":[0,"Number"]}],[0,{"name":[0,"dy"],"description":[0,"소스 이미지를 그릴 대상 직사각형의 y 좌표
\n"],"type":[0,"Number"]}],[0,{"name":[0,"dWidth"],"description":[0,"대상 직사각형의 너비
\n"],"type":[0,"Number"]}],[0,{"name":[0,"dHeight"],"description":[0,"대상 직사각형의 높이
\n"],"type":[0,"Number"]}],[0,{"name":[0,"sx"],"description":[0,"대상 직사각형에 그릴 소스 이미지 일부분의 x 좌표
\n"],"type":[0,"Number"]}],[0,{"name":[0,"sy"],"description":[0,"대상 직사각형에 그릴 소스 이미지 일부분의 y 좌표
\n"],"type":[0,"Number"]}],[0,{"name":[0,"sWidth"],"description":[0,"대상 직사각형에 그릴 소스 이미지 일부분의 너비
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"sHeight"],"description":[0,"대상 직사각형에 그릴 소스 이미지 일부분의 높이
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"fit"],"description":[0,"CONTAIN 또는 COVER
\n"],"type":[0,"Constant"],"optional":[0,true]}],[0,{"name":[0,"xAlign"],"description":[0,"LEFT 또는 RIGHT 또는 CENTER, 기본값은 CENTER
\n"],"type":[0,"Constant"],"optional":[0,true]}],[0,{"name":[0,"yAlign"],"description":[0,"TOP 또는 BOTTOM 또는 CENTER, 기본값은 CENTER
\n"],"type":[0,"Constant"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/laDefense.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(50);\n\n // Draw the image.\n image(img, 0, 0);\n\n describe('An image of the underside of a white umbrella with a gridded ceiling above.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/laDefense.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(50);\n\n // Draw the image.\n image(img, 10, 10);\n\n describe('An image of the underside of a white umbrella with a gridded ceiling above. The image has dark gray borders on its left and top.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/laDefense.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(50);\n\n // Draw the image 50x50.\n image(img, 0, 0, 50, 50);\n\n describe('An image of the underside of a white umbrella with a gridded ceiling above. The image is drawn in the top left corner of a dark gray square.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/laDefense.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(50);\n\n // Draw the center of the image.\n image(img, 25, 25, 50, 50, 25, 25, 50, 50);\n\n describe('An image of a gridded ceiling drawn in the center of a dark gray square.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/moonwalk.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(50);\n\n // Draw the image and scale it to fit within the canvas.\n image(img, 0, 0, width, height, 0, 0, img.width, img.height, CONTAIN);\n\n describe('An image of an astronaut on the moon. The top and bottom borders of the image are dark gray.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n // Image is 50 x 50 pixels.\n img = loadImage('/assets/laDefense50.png');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(50);\n\n // Draw the image and scale it to cover the canvas.\n image(img, 0, 0, width, height, 0, 0, img.width, img.height, COVER);\n\n describe('A pixelated image of the underside of a white umbrella with a gridded ceiling above.');\n}\n
\nimage() 호출 시 이미지가 그려지는 위치를 변경합니다.
\n기본적으로 image()의 첫 번째 두 매개변수는 이미지 좌상단의 x 좌표와 y 좌표입니다.\n다음 매개변수는 이미지의 너비와 높이입니다.\n이는 imageMode(CORNER)
를 호출하는 것과 같습니다.
imageMode(CORNERS)
또한 image()의 첫 번째 두 매개변수를\n이미지의 좌상단의 x 좌표와 y 좌표로 사용합니다.\n세 번째와 네 번째 매개변수는 이미지의 우하단 좌표입니다.
imageMode(CENTER)
는 image()의 첫 번째 두 매개변수를\n이미지의 중심점의 x 좌표와 y 좌표로 사용합니다.\n다음 매개변수는 이미지의 너비와 높이입니다.
CORNER 또는 CORNERS 또는 CENTER.
\n"],"type":[0,"Constant"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Use CORNER mode.\n imageMode(CORNER);\n\n // Display the image.\n image(img, 10, 10, 50, 50);\n\n describe('A square image of a brick wall is drawn at the top left of a gray square.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Use CORNERS mode.\n imageMode(CORNERS);\n\n // Display the image.\n image(img, 10, 10, 90, 40);\n\n describe('An image of a brick wall is drawn on a gray square. The image is squeezed into a small rectangular area.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Use CENTER mode.\n imageMode(CENTER);\n\n // Display the image.\n image(img, 50, 50, 80, 80);\n\n describe('A square image of a brick wall is drawn on a gray square.');\n}\n
\n이미지를 로드하여 p5.Image 객체를 생성합니다.
\nloadImage()
는 첫 번째 매개변수를 세 가지 방식 중 하나로 해석합니다.\n이미지 파일의 경로가 제공된 경우, loadImage()
가 해당 이미지를 불러옵니다.\n로컬 파일의 경로는 상대적이어야 하며, 예를 들어 '/assets/thundercat.jpg'
와 같습니다.\n'https://example.com/thundercat.jpg'
와 같은 URL은 브라우저 보안으로 인해 차단될 수 있습니다.\n원시 이미지 데이터(raw image data)는 base64로 인코딩된 이미지로 전달할 수도 있습니다.\n이 경우에 형식은 'data:image/png;base64,arandomsequenceofcharacters'
와 같습니다.
두 번째 매개변수는 선택 사항입니다. 함수가 전달된 경우, 이미지를 불러온 후에 한 번 호출됩니다.\n콜백(callback) 함수는 선택적으로 새로운 p5.Image 객체를 사용할 수 있습니다.
\n세 번째 매개변수도 선택 사항입니다. 함수가 전달된 경우, 이미지 로드에 실패한 경우에 호출됩니다.\n콜백 함수는 선택적으로 이벤트 오류를 사용할 수 있습니다.
\n이미지를 불러오는 데에 시간이 소요될 수 있습니다.\npreload()에서 loadImage()
를 호출하여 이미지를\nsetup()이나 draw()에서 사용되기 전에 불러오도록 할 수 있습니다.
이미지를 불러올 경로 또는 base64로 인코딩된 이미지입니다.
\n"],"type":[0,"String"]}],[0,{"name":[0,"successCallback"],"description":[0,"p5.Image를 불러오면 호출되는 함수입니다.
\n"],"type":[0,"function(p5.Image)"],"optional":[0,true]}],[0,{"name":[0,"failureCallback"],"description":[0,"이미지를 불러오는 데에 실패한 경우 이벤트 오류와 함께 호출되는 함수입니다.
\n"],"type":[0,"Function(Event)"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"p5.Image 객체."],"type":[0,"p5.Image"]}],"example":[1,[[0,"\n\nlet img;\n\n// Load the image and create a p5.Image object.\nfunction preload() {\n img = loadImage('/assets/laDefense.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Draw the image.\n image(img, 0, 0);\n\n describe('Image of the underside of a white umbrella and a gridded ceiling.');\n}\n
\n\nfunction setup() {\n // Call handleImage() once the image loads.\n loadImage('/assets/laDefense.jpg', handleImage);\n\n describe('Image of the underside of a white umbrella and a gridded ceiling.');\n}\n\n// Display the image.\nfunction handleImage(img) {\n image(img, 0, 0);\n}\n
\n\nfunction setup() {\n // Call handleImage() once the image loads or\n // call handleError() if an error occurs.\n loadImage('/assets/laDefense.jpg', handleImage, handleError);\n}\n\n// Display the image.\nfunction handleImage(img) {\n image(img, 0, 0);\n\n describe('Image of the underside of a white umbrella and a gridded ceiling.');\n}\n\n// Log the error.\nfunction handleError(event) {\n console.error('Oops!', event);\n}\n
\ntint()로 설정된 현재 틴트를 제거합니다.
\nnoTint()
는 이미지를 원래의 색상으로 복구합니다.
\n"],"line":[0,1345],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n
\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/laDefense.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Left.\n // Tint with a CSS color string.\n tint('red');\n image(img, 0, 0);\n\n // Right.\n // Remove the tint.\n noTint();\n image(img, 50, 0);\n\n describe('Two images of an umbrella and a ceiling side-by-side. The image on the left has a red tint.');\n}\n
\n스케치에서 GIF를 생성하고 파일로 저장합니다.
\nsaveGif()
는 setup()에서 호출할 수 있으며 스케치가 실행되는 동안 어느 시점에서나 호출할 수 있습니다.
첫 번째 매개변수인 fileName
은 GIF 파일의 이름을 설정합니다.
두 번째 매개변수인 duration
은 GIF의 지속 시간을 초 단위로 설정합니다.
세 번째 매개변수인 options
은 선택 사항입니다.\n객체가 전달되면 saveGif()
은 그 속성을 GIF을 사용자 정의하는 데 사용합니다.\nsaveGif()
는 delay
, units
, silent
, notificationDuration
, 및 notificationID
속성을 인식합니다.
GIF 파일의 이름.
\n"],"type":[0,"String"]}],[0,{"name":[0,"duration"],"description":[0,"스케치에서 캡처할 지속 시간(초).
\n"],"type":[0,"Number"]}],[0,{"name":[0,"options"],"description":[0,"다음 다섯 가지 속성을 포함할 수 있는 객체입니다:\n\ndelay
, 기록하기 전에 대기할 시간을 지정하는 숫자;\n\nunits
, 'seconds' 또는 'frames' 중 하나의 문자열. 기본값은 'seconds';\n\nsilent
, 진행 과정 알림의 여부를 정의하는 불리언(boolean) 값. 기본값은 false
;\n\nnotificationDuration
, 최종 알림이 지속되는 시간을 지정하는 숫자(초). 기본값은 0
으로, 알림이 사라지지 않음을 의미합니다;\n\nnotificationID
, 알림의 DOM 요소의 ID를 지정하는 문자열입니다. 기본값은 'progressBar'
.
\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A circle drawn in the middle of a gray square. The circle changes color from black to white, then repeats.');\n}\n\nfunction draw() {\n background(200);\n\n // Style the circle.\n let c = frameCount % 255;\n fill(c);\n\n // Display the circle.\n circle(50, 50, 25);\n}\n\n// Save a 5-second gif when the user presses the 's' key.\nfunction keyPressed() {\n if (key === 's') {\n saveGif('mySketch', 5);\n }\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A circle drawn in the middle of a gray square. The circle changes color from black to white, then repeats.');\n}\n\nfunction draw() {\n background(200);\n\n // Style the circle.\n let c = frameCount % 255;\n fill(c);\n\n // Display the circle.\n circle(50, 50, 25);\n}\n\n// Save a 5-second gif when the user presses the 's' key.\n// Wait 1 second after the key press before recording.\nfunction keyPressed() {\n if (key === 's') {\n saveGif('mySketch', 5, { delay: 1 });\n }\n}\n
\n색상을 사용하여 이미지에 틴트(색조, tint)를 적용합니다.
\n한 개의 매개변수를 사용하는 tint()
는 네 가지 방식으로 해석됩니다.\n매개변수가 숫자인 경우, 그레이스케일 값으로 해석됩니다.\n매개변수가 문자열인 경우, CSS 색상 문자열로 해석됩니다.\n[R, G, B, A]
값의 배열이나 p5.Color 객체를 사용하여 틴트 색상을 설정할 수도 있습니다.
두 개의 매개변수를 사용하는 tint()
는 첫 번째 매개변수를 그레이스케일 값으로, 두 번째 매개변수를 알파 값으로 사용합니다.\n예를 들어, tint(255, 128)
를 입력하면 이미지를 50% 투명하게 만듭니다.
세 개의 매개변수를 사용하는 tint()
는 현재 colorMode()에 따라 RGB 또는 HSB 값으로 해석됩니다.\n선택적인 네 번째 매개변수는 알파 값을 설정합니다.\n예를 들어, tint(255, 0, 0, 100)
은 이미지에 빨간색 틴트를 적용하고 투명하게 만듭니다.
빨강 또는 색조 값.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,"초록 또는 채도 값.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,"파랑 또는 밝기 값.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"alpha"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"value"],"description":[0,"CSS 색상 문자열.
\n"],"type":[0,"String"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"gray"],"description":[0,"그레이스케일 값.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"alpha"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"values"],"description":[0,"색상의 빨강, 초록, 파랑, 알파 값이 있는 배열.
\n"],"type":[0,"Number[]"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,"
틴트 색상
\n"],"type":[0,"p5.Color"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/laDefense.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Left image.\n image(img, 0, 0);\n\n // Right image.\n // Tint with a CSS color string.\n tint('red');\n image(img, 50, 0);\n\n describe('Two images of an umbrella and a ceiling side-by-side. The image on the right has a red tint.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/laDefense.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Left image.\n image(img, 0, 0);\n\n // Right image.\n // Tint with RGB values.\n tint(255, 0, 0);\n image(img, 50, 0);\n\n describe('Two images of an umbrella and a ceiling side-by-side. The image on the right has a red tint.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/laDefense.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Left.\n image(img, 0, 0);\n\n // Right.\n // Tint with RGBA values.\n tint(255, 0, 0, 100);\n image(img, 50, 0);\n\n describe('Two images of an umbrella and a ceiling side-by-side. The image on the right has a transparent red tint.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/laDefense.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Left.\n image(img, 0, 0);\n\n // Right.\n // Tint with grayscale and alpha values.\n tint(255, 180);\n image(img, 50, 0);\n\n describe('Two images of an umbrella and a ceiling side-by-side. The image on the right is transparent.');\n}\n
\np5.Image 객체를 생성합니다.
\ncreateImage()
함수는 width
와 height
매개변수를 사용하여\n새 p5.Image 객체의 픽셀 단위의 크기를 설정합니다\n새 p5.Image는 pixels 배열을 업데이트하거나\nget()과 set() 메서드(Method)를 호출함으로써 수정할 수 있습니다.\n픽셀 값을 읽거나 수정하기 전에 loadPixels() 메서드를 호출해야 합니다.\n변경 사항을 적용하려면 updatePixels() 메서드를 호출해야 합니다.
참고: 새 p5.Image 객체는 기본적으로 투명합니다.
\n"],"line":[0,15],"params":[1,[[0,{"name":[0,"width"],"description":[0,"픽셀 단위의 너비.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"height"],"description":[0,"픽셀 단위의 높이.
\n"],"type":[0,"Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"새로운 p5.Image 객체."],"type":[0,"p5.Image"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a p5.Image object.\n let img = createImage(66, 66);\n\n // Load the image's pixels into memory.\n img.loadPixels();\n\n // Set all the image's pixels to black.\n for (let x = 0; x < img.width; x += 1) {\n for (let y = 0; y < img.height; y += 1) {\n img.set(x, y, 0);\n }\n }\n\n // Update the image's pixel values.\n img.updatePixels();\n\n // Draw the image.\n image(img, 17, 17);\n\n describe('A black square drawn in the middle of a gray square.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a p5.Image object.\n let img = createImage(66, 66);\n\n // Load the image's pixels into memory.\n img.loadPixels();\n\n // Create a color gradient.\n for (let x = 0; x < img.width; x += 1) {\n for (let y = 0; y < img.height; y += 1) {\n // Calculate the transparency.\n let a = map(x, 0, img.width, 0, 255);\n\n // Create a p5.Color object.\n let c = color(0, a);\n\n // Set the pixel's color.\n img.set(x, y, c);\n }\n }\n\n // Update the image's pixels.\n img.updatePixels();\n\n // Display the image.\n image(img, 17, 17);\n\n describe('A square with a horizontal color gradient that transitions from gray to black.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a p5.Image object.\n let img = createImage(66, 66);\n\n // Load the pixels into memory.\n img.loadPixels();\n // Get the current pixel density.\n let d = pixelDensity();\n\n // Calculate the pixel that is halfway through the image's pixel array.\n let halfImage = 4 * (d * img.width) * (d * img.height / 2);\n\n // Set half of the image's pixels to black.\n for (let i = 0; i < halfImage; i += 4) {\n // Red.\n img.pixels[i] = 0;\n // Green.\n img.pixels[i + 1] = 0;\n // Blue.\n img.pixels[i + 2] = 0;\n // Alpha.\n img.pixels[i + 3] = 255;\n }\n\n // Update the image's pixels.\n img.updatePixels();\n\n // Display the image.\n image(img, 17, 17);\n\n describe('A black square drawn in the middle of a gray square.');\n}\n
\n현재 캔버스를 이미지로 저장합니다.
\nsaveCanvas()
함수는 기본적으로 캔버스를 untitled.png
라는 이름으로 PNG 이미지로 저장합니다.
첫 번째 매개변수인 filename
은 선택 사항입니다. 파일의 이름을 설정하는 문자열입니다.\n파일 확장자가 포함된 경우, 예를 들어 saveCanvas('drawing.png')
와 같이 지정하면\n해당 형식으로 이미지가 저장됩니다.
두 번째 매개변수인 extension
도 선택 사항입니다. 파일 형식을 설정합니다.\n'png'
또는 'jpg'
를 사용할 수 있습니다.\n예를 들어, saveCanvas('drawing', 'jpg')
는 캔버스를 drawing.jpg
라는 이름의 파일로 저장합니다.
참고: 브라우저는 파일을 즉시 저장하거나 사용자에게 대화 상자(dialogue window)를 표시할 것입니다.
\n"],"line":[0,153],"overloads":[1,[[0,{"params":[1,[[0,{"name":[0,"selectedCanvas"],"description":[0,"특정 HTML5 캔버스 요소에 대한 참조.
\n"],"type":[0,"p5.Framebuffer|p5.Element|HTMLCanvasElement"]}],[0,{"name":[0,"filename"],"description":[0,"파일명. 기본값은 'untitled'.
\n"],"type":[0,"String"],"optional":[0,true]}],[0,{"name":[0,"extension"],"description":[0,"파일 확장자, 'jpg' 또는 'png'. 기본값은 'png'.
\n"],"type":[0,"String"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"filename"],"description":[0,""],"type":[0,"String"],"optional":[0,true]}],[0,{"name":[0,"extension"],"description":[0,""],"type":[0,"String"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n background(255);\n\n // Save the canvas to 'untitled.png'.\n saveCanvas();\n\n describe('A white square.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(255);\n\n // Save the canvas to 'myCanvas.jpg'.\n saveCanvas('myCanvas.jpg');\n\n describe('A white square.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(255);\n\n // Save the canvas to 'myCanvas.jpg'.\n saveCanvas('myCanvas', 'jpg');\n\n describe('A white square.');\n}\n
\n\nfunction setup() {\n let cnv = createCanvas(100, 100);\n\n background(255);\n\n // Save the canvas to 'untitled.png'.\n saveCanvas(cnv);\n\n describe('A white square.');\n}\n
\n\nfunction setup() {\n let cnv = createCanvas(100, 100);\n\n background(255);\n\n // Save the canvas to 'myCanvas.jpg'.\n saveCanvas(cnv, 'myCanvas.jpg');\n\n describe('A white square.');\n}\n
\n\nfunction setup() {\n let cnv = createCanvas(100, 100);\n\n background(255);\n\n // Save the canvas to 'myCanvas.jpg'.\n saveCanvas(cnv, 'myCanvas', 'jpg');\n\n describe('A white square.');\n}\n
\n캔버스에서 이미지로 저장할 수 있는 프레임 시퀀스(sequence)를 캡처합니다.
\nsaveFrames()
함수는 프레임 객체의 배열을 생성합니다.\n각 프레임은 파일 형식, 파일 이름, 이미지 데이터를 문자열로 포함하는 객체로 저장됩니다.\n예를 들어, 처음으로 저장된 프레임은 다음과 같은 속성을 가집니다:
{ ext: 'png', filenmame: 'frame0', imageData: 'data:image/octet-stream;base64, abc123' }
.
첫 번째 매개변수인 filename
은 파일 이름의 앞 부분(prefix)을 설정합니다.\n예를 들어, 앞 부분을 'frame'
으로 설정하면\n이미지 파일 code>frame0.png, frame1.png
등이 생성됩니다.
두 번째 매개변수인 extension
은 파일 형식을 'png'
또는 'jpg'
로 설정합니다.
세 번째 매개변수인 duration
은 초 단위로 녹화할 지속 시간을 설정합니다.\n최대 지속 시간은 15초입니다.
네 번째 매개변수인 framerate
은 초당 프레임 수(frame per second)를 설정합니다.\n최대 초당 프레임 수(frame rate) 값은 22입니다.\n메모리 사용량을 줄이기 위해 duration
과 framerate
에 제한이 있습니다.\n큰 크기의 캔버스를 녹화하면 스케치가 쉽게 충돌하거나 심지어 웹 브라우저가 충돌할 수 있습니다.
다섯 번째 매개변수인 callback
은 선택 사항입니다.\n함수가 전달되면 이미지 파일은 기본적으로 저장되지 않습니다.\n콜백(callback) 함수는 캡처된 각 프레임의 데이터를 포함하는 배열을 처리하는 데 사용될 수 있습니다.\n이미지 데이터 배열에는 각 프레임에 대해 세 가지 속성을 가진 객체 시퀀스가 포함됩니다:\nimageData
, filename
, extension
.
참고: 기본적으로 프레임은 개별 이미지 파일로 다운로드됩니다.
\n"],"line":[0,558],"params":[1,[[0,{"name":[0,"filename"],"description":[0,"파일명의 앞 부분.
\n"],"type":[0,"String"]}],[0,{"name":[0,"extension"],"description":[0,"파일 확장자, 'jpg' 또는 'png'.
\n"],"type":[0,"String"]}],[0,{"name":[0,"duration"],"description":[0,"기록할 지속 시간(초)입니다. 이 매개변수는 15 이하로 제한됩니다.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"framerate"],"description":[0,"초당 저장할 프레임 수입니다. 이 매개변수는 22 이하로 제한됩니다.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"callback"],"description":[0,"이미지 데이터를 처리하기 위해 실행될 콜백 함수입니다.\n\n이 함수는 배열을 매개변수로 받아야 합니다.\n\n배열에는 지정된 개수만큼 프레임 객체가 포함됩니다. 각 객체는 세 개의 속성을 가지고 있습니다:\n\nimageData
, filename
, extension
.
\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A square repeatedly changes color from blue to pink.');\n}\n\nfunction draw() {\n let r = frameCount % 255;\n let g = 50;\n let b = 100;\n background(r, g, b);\n}\n\n// Save the frames when the user presses the 's' key.\nfunction keyPressed() {\n if (key === 's') {\n saveFrames('frame', 'png', 1, 5);\n }\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A square repeatedly changes color from blue to pink.');\n}\n\nfunction draw() {\n let r = frameCount % 255;\n let g = 50;\n let b = 100;\n background(r, g, b);\n}\n\n// Print 5 frames when the user presses the mouse.\nfunction mousePressed() {\n saveFrames('frame', 'png', 1, 5, printFrames);\n}\n\n// Prints an array of objects containing raw image data, filenames, and extensions.\nfunction printFrames(frames) {\n for (let frame of frames) {\n print(frame);\n }\n}\n
\n다른 이미지로부터 픽셀의 영역을 복사합니다.
\n첫 번째 매개변수 srcImage
는 혼합할 p5.Image 객체입니다.
다음 네 개의 매개변수 sx
, sy
, sw
, sh
는\n소스 이미지에서 혼합할 영역을 결정합니다. (sx, sy)
는 영역의 왼쪽 상단입니다.\nsw
와 sh
는 영역의 너비와 높이입니다.
다음 네 개의 매개변수 dx
, dy
, dw
, dh
는\n혼합한 결과물이 될 캔버스의 영역을 결정합니다.\n(dx, dy)
는 영역의 왼쪽 상단입니다.\ndw
와 dh
는 영역의 너비와 높이입니다.
열 번째 매개변수 blendMode
는 이미지의 색상을 혼합하는 데 사용되는 효과를 설정합니다.\n옵션은 BLEND
, DARKEST
, LIGHTEST
, DIFFERENCE
,\nMULTIPLY
, EXCLUSION
, SCREEN
, REPLACE
,\nOVERLAY
, HARD_LIGHT
, SOFT_LIGHT
, DODGE
,\nBURN
, ADD
, NORMAL
입니다.
소스 이미지.
\n"],"type":[0,"p5.Image"]}],[0,{"name":[0,"sx"],"description":[0,"소스 이미지 좌상단의 x 좌표.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"sy"],"description":[0,"소스 이미지 좌상단의 y 좌표.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"sw"],"description":[0,"소스 이미지 너비.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"sh"],"description":[0,"소스 이미지 높이.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"dx"],"description":[0,"대상 이미지 좌상단의 x 좌표.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"dy"],"description":[0,"대상 이미지 좌상단의 y 좌표.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"dw"],"description":[0,"대상 이미지 너비.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"dh"],"description":[0,"대상 이미지 높이.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"blendMode"],"description":[0,"혼합 모드. BLEND, DARKEST, LIGHTEST, DIFFERENCE,\n\nMULTIPLY, EXCLUSION, SCREEN, REPLACE, OVERLAY, HARD_LIGHT,\n\nSOFT_LIGHT, DODGE, BURN, ADD, NORMAL 중 하나.
\n"],"type":[0,"Constant"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"sx"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"sy"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"sw"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"sh"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"dx"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"dy"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"dw"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"dh"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"blendMode"],"description":[0,""],"type":[0,"Constant"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nlet img0;\nlet img1;\n\n// Load the images.\nfunction preload() {\n img0 = loadImage('/assets/rockies.jpg');\n img1 = loadImage('/assets/bricks_third.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Use the mountains as the background.\n background(img0);\n\n // Display the bricks.\n image(img1, 0, 0);\n\n // Display the bricks faded into the landscape.\n blend(img1, 0, 0, 33, 100, 67, 0, 33, 100, LIGHTEST);\n\n describe('A wall of bricks in front of a mountain landscape. The same wall of bricks appears faded on the right of the image.');\n}\n
\n\nlet img0;\nlet img1;\n\n// Load the images.\nfunction preload() {\n img0 = loadImage('/assets/rockies.jpg');\n img1 = loadImage('/assets/bricks_third.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Use the mountains as the background.\n background(img0);\n\n // Display the bricks.\n image(img1, 0, 0);\n\n // Display the bricks partially transparent.\n blend(img1, 0, 0, 33, 100, 67, 0, 33, 100, DARKEST);\n\n describe('A wall of bricks in front of a mountain landscape. The same wall of bricks appears transparent on the right of the image.');\n}\n
\n\nlet img0;\nlet img1;\n\n// Load the images.\nfunction preload() {\n img0 = loadImage('/assets/rockies.jpg');\n img1 = loadImage('/assets/bricks_third.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Use the mountains as the background.\n background(img0);\n\n // Display the bricks.\n image(img1, 0, 0);\n\n // Display the bricks washed out into the landscape.\n blend(img1, 0, 0, 33, 100, 67, 0, 33, 100, ADD);\n\n describe('A wall of bricks in front of a mountain landscape. The same wall of bricks appears washed out on the right of the image.');\n}\n
\n소스 이미지의 픽셀을 캔버스의 영역으로 복사합니다.
\n첫 번째 매개변수 srcImage
는 혼합할 p5.Image 객체입니다.\n소스 이미지는 캔버스 자체이거나 p5.Image 객체일 수 있습니다.\ncopy()
는 소스 영역이 대상 영역과 크기가 다르면 크기를 조정합니다.
다음 네 개의 매개변수 sx
, sy
, sw
, sh
는\n소스 이미지에서 복사할 영역을 결정합니다.\n(sx, sy)
는 영역의 좌상단의 좌표입니다.\nsw
와 sh
는 영역의 너비와 높이입니다.
다음 네 개의 매개변수 dx
, dy
, dw
, dh
는\n복사할 캔버스의 영역을 결정합니다.\n(dx, dy)
는 영역의 왼쪽 상단입니다.\ndw
와 dh
는 영역의 너비와 높이입니다.
소스 이미지.
\n"],"type":[0,"p5.Image|p5.Element"]}],[0,{"name":[0,"sx"],"description":[0,"소스 이미지 좌상단의 x 좌표.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"sy"],"description":[0,"소스 이미지 좌상단의 y 좌표.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"sw"],"description":[0,"소스 이미지 너비.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"sh"],"description":[0,"소스 이미지 높이.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"dx"],"description":[0,"대상 이미지 좌상단의 x 좌표.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"dy"],"description":[0,"대상 이미지 좌상단의 y 좌표.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"dw"],"description":[0,"대상 이미지 너비.
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"dh"],"description":[0,"대상 이미지 높이.
\n"],"type":[0,"Integer"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"sx"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"sy"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"sw"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"sh"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"dx"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"dy"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"dw"],"description":[0,""],"type":[0,"Integer"]}],[0,{"name":[0,"dh"],"description":[0,""],"type":[0,"Integer"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/rockies.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Use the mountains as the background.\n background(img);\n\n // Copy a region of pixels to another spot.\n copy(img, 7, 22, 10, 10, 35, 25, 50, 50);\n\n // Outline the copied region.\n stroke(255);\n noFill();\n square(7, 22, 10);\n\n describe('An image of a mountain landscape. A square region is outlined in white. A larger square contains a pixelated view of the outlined region.');\n}\n
\n이미지에 이미지 필터를 적용합니다.
\n \n미리 정의된 옵션은 다음과 같습니다:
\n \nINVERT
\n \n 이미지의 색상을 반전시킵니다. 매개변수를 사용하지 않습니다.
GRAY
\n \n 이미지를 그레이스케일로 변환합니다. 매개변수를 사용하지 않습니다.
THRESHOLD
\n \n 이미지를 흑백으로 변환합니다.\n \n 임계값을 초과하는 그레이스케일 값의 픽셀은 흰색이 됩니다.\n \n 나머지는 검정색으로 변환됩니다.\n \n 임계값은 0.0(검은색)과 1.0(흰색) 사이여야 합니다.\n \n 값이 지정되지 않은 경우, 0.5가 사용됩니다.
OPAQUE
\n \n 알파 채널을 완전히 불투명하게 설정합니다. 매개변수를 사용하지 않습니다.
POSTERIZE
\n \n 이미지의 색상 수를 제한합니다.\n \n 각 색상 채널은 지정된 색상 수로 제한됩니다.\n \n 2에서 255 사이의 값이 가능하지만, 결과는 낮은 값에서 가장 뚜렷하게 나타납니다.\n \n 기본값은 4입니다.
BLUR
\n \n 이미지를 흐리게 만듭니다. 흐림 반경으로 흐림의 정도를 지정합니다.\n \n 값이 클수록 흐림이 증가합니다. 기본값은 4입니다.\n \n P2D
모드에서는 가우시안 블러를 사용합니다.\n \n WEBGL
모드에서는 박스 블러를 사용합니다.
ERODE
\n \n 밝은 영역을 줄입니다. 매개변수를 사용하지 않습니다.
DILATE
\n \n 밝은 영역을 늘립니다. 매개변수를 사용하지 않습니다.
filter()
는 백그라운드에서 기본적으로 빠른 WebGL을 사용합니다.\n \n filter(BLUR, false)
와 같이 P2D
모드에서\n\n false
인수를 추가하여 비활성화할 수 있습니다.\n \n 이것은 GPU 연산을 막거나 WebGL 미지원을 해결하기 위해 유용합니다.
WebGL 모드에서 filter()
는 사용자 정의 쉐이더도 사용할 수 있습니다.\n \n 자세한 정보는 createFilterShader()를 참조하십시오.
THRESHOLD, GRAY, OPAQUE, INVERT, POSTERIZE, BLUR, ERODE, DILATE, BLUR 중 하나.
\n"],"type":[0,"Constant"]}],[0,{"name":[0,"filterParam"],"description":[0,"각 필터에 고유한 매개변수.
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"useWebGL"],"description":[0,"빠른 WebGL 필터(GPU)를 사용할지, 기존의 이미지 필터(CPU)를 사용할지 제어하는 문구.\n\n기본값은 true
.
tex0
형식을 사용한 프래그먼트 쉐이더(frag shader)를 불러온 쉐이더.
\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0);\n\n // Apply the INVERT filter.\n filter(INVERT);\n\n describe('A blue brick wall.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0);\n\n // Apply the GRAY filter.\n filter(GRAY);\n\n describe('A brick wall drawn in grayscale.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0);\n\n // Apply the THRESHOLD filter.\n filter(THRESHOLD);\n\n describe('A brick wall drawn in black and white.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0);\n\n // Apply the OPAQUE filter.\n filter(OPAQUE);\n\n describe('A red brick wall.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0);\n\n // Apply the POSTERIZE filter.\n filter(POSTERIZE, 3);\n\n describe('An image of a red brick wall drawn with limited color palette.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0);\n\n // Apply the BLUR filter.\n filter(BLUR, 3);\n\n describe('A blurry image of a red brick wall.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0);\n\n // Apply the DILATE filter.\n filter(DILATE);\n\n describe('A red brick wall with bright lines between each brick.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0);\n\n // Apply the ERODE filter.\n filter(ERODE);\n\n describe('A red brick wall with faint lines between each brick.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0);\n\n // Apply the BLUR filter.\n // Don't use WebGL.\n filter(BLUR, 3, false);\n\n describe('A blurry image of a red brick wall.');\n}\n
\n캔버스에서 픽셀 또는 픽셀 영역을 가져옵니다.
\nget()
은 사용하기 쉽지만 pixels보다 속도가 느립니다.\n많은 픽셀 값을 읽을 때는 pixels를 사용하세요.
매개변수가 없는 get()
은 전체 캔버스를 반환합니다.
두 개의 매개변수가 있는 get()
은 그것들을 좌표로 해석합니다.\n주어진 지점의 픽셀의 [R, G, B, A]
값을 포함하는 배열을 반환합니다.
네 개의 매개변수가 있는 get()
의 경우 그것들을 좌표와 면적으로 해석합니다.\n이 때 캔버스의 일부를 p5.Image 객체로 반환합니다.\n처음 두 매개변수는 캔버스 일부의 좌상단 좌표이고, 마지막 두 매개변수는 너비와 높이입니다.
p5.Image.get()을 사용하여\np5.Image 객체에 직접 작업할 수 있습니다.
\n"],"line":[0,820],"overloads":[1,[[0,{"params":[1,[[0,{"name":[0,"x"],"description":[0,"픽셀의 x 좌표.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,"픽셀의 y 좌표.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"w"],"description":[0,"반환될 캔버스 일부분의 너비.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"h"],"description":[0,"반환될 캔버스 일부분의 높이.
\n"],"type":[0,"Number"]}]]]}],[0,{"params":[1,[]]}],[0,{"params":[1,[[0,{"name":[0,"x"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,""],"type":[0,"Number"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"subsection as a p5.Image object."],"type":[0,"p5.Image"]}],"example":[1,[[0,"\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/rockies.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0);\n\n // Get the entire canvas.\n let c = get();\n\n // Display half the canvas.\n image(c, 50, 0);\n\n describe('Two identical mountain landscapes shown side-by-side.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/rockies.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0);\n\n // Get the color of a pixel.\n let c = get(50, 90);\n\n // Style the square with the pixel's color.\n fill(c);\n noStroke();\n\n // Display the square.\n square(25, 25, 50);\n\n describe('A mountain landscape with an olive green square in its center.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/rockies.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0);\n\n // Get a region of the image.\n let c = get(0, 0, 50, 50);\n\n // Display the region.\n image(c, 50, 50);\n\n describe('A mountain landscape drawn on top of another mountain landscape.');\n}\n
\n캔버스의 각 픽셀의 현재 값을 pixels 배열에 불러옵니다.
\nloadPixels()
은 pixels를 읽거나 쓰기 전에 호출해야 합니다.
\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/rockies.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0, 100, 100);\n\n // Get the pixel density.\n let d = pixelDensity();\n\n // Calculate the halfway index in the pixels array.\n let halfImage = 4 * (d * width) * (d * height / 2);\n\n // Load the pixels array.\n loadPixels();\n\n // Copy the top half of the canvas to the bottom.\n for (let i = 0; i < halfImage; i += 1) {\n pixels[i + halfImage] = pixels[i];\n }\n\n // Update the canvas.\n updatePixels();\n\n describe('Two identical images of mountain landscapes, one on top of the other.');\n}\n
\n캔버스의 각 픽셀의 색상을 포함하는 배열입니다.
\n색상은 빨강, 초록, 파랑 및 알파(RGBA) 값을 나타내는 숫자로 저장됩니다.\n성능상의 이유로 pixels
는 1차원 배열입니다.
pixels
배열에서 각 픽셀은 각 RGBA 값에 대해 네 개의 요소를 차지합니다.\n예를 들어, 좌표 (0, 0)의 픽셀은 각각\npixels[0]
, pixels[1]
, pixels[2]
, pixels[3]
에 RGBA 값을 저장합니다.\n다음 좌표 (1, 0)의 픽셀은 각각\npixels[4]
, pixels[5]
, pixels[6]
, pixels[7]
에 RGBA 값을 저장합니다.\n이와 같이, 100×100 캔버스의 pixels
배열에는 100 × 100 × 4 = 40,000개의 요소가 있습니다.
일부 디스플레이는 단일 지점에서 색상을 설정하기 위해 여러 작은 픽셀을 사용합니다.\npixelDensity() 함수는 캔버스의 픽셀 밀도를 반환합니다.\n높은 밀도 디스플레이는 종종 pixelDensity()가 2입니다.\n이러한 디스플레이에서 100×100 캔버스의 pixels
배열에는 200 × 200 × 4 = 160,000개의 요소가 있습니다.
캔버스의 한 지점의 RGBA 값을 액세스하려면 아래와 같이 약간의 수학이 필요합니다.\npixels
배열에 액세스하기 전에 loadPixels() 함수를 호출해야 합니다.\n어떤 변경 사항이든 발생한 후에는 updatePixels() 함수를 호출해야 합니다.
\nfunction setup() {\n createCanvas(100, 100);\n\n // Load the pixels array.\n loadPixels();\n\n // Set the dot's coordinates.\n let x = 50;\n let y = 50;\n\n // Get the pixel density.\n let d = pixelDensity();\n\n // Set the pixel(s) at the center of the canvas black.\n for (let i = 0; i < d; i += 1) {\n for (let j = 0; j < d; j += 1) {\n let index = 4 * ((y * d + j) * width * d + (x * d + i));\n // Red.\n pixels[index] = 0;\n // Green.\n pixels[index + 1] = 0;\n // Blue.\n pixels[index + 2] = 0;\n // Alpha.\n pixels[index + 3] = 255;\n }\n }\n\n // Update the canvas.\n updatePixels();\n\n describe('A black dot in the middle of a gray rectangle.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Load the pixels array.\n loadPixels();\n\n // Get the pixel density.\n let d = pixelDensity();\n\n // Calculate the halfway index in the pixels array.\n let halfImage = 4 * (d * width) * (d * height / 2);\n\n // Make the top half of the canvas red.\n for (let i = 0; i < halfImage; i += 4) {\n // Red.\n pixels[i] = 255;\n // Green.\n pixels[i + 1] = 0;\n // Blue.\n pixels[i + 2] = 0;\n // Alpha.\n pixels[i + 3] = 255;\n }\n\n // Update the canvas.\n updatePixels();\n\n describe('A red rectangle drawn above a gray rectangle.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a p5.Color object.\n let pink = color(255, 102, 204);\n\n // Load the pixels array.\n loadPixels();\n\n // Get the pixel density.\n let d = pixelDensity();\n\n // Calculate the halfway index in the pixels array.\n let halfImage = 4 * (d * width) * (d * height / 2);\n\n // Make the top half of the canvas red.\n for (let i = 0; i < halfImage; i += 4) {\n pixels[i] = red(pink);\n pixels[i + 1] = green(pink);\n pixels[i + 2] = blue(pink);\n pixels[i + 3] = alpha(pink);\n }\n\n // Update the canvas.\n updatePixels();\n\n describe('A pink rectangle drawn above a gray rectangle.');\n}\n
\n픽셀의 색상을 설정하거나 이미지를 캔버스에 그립니다.
\nset()
을 사용하기 쉽지만 pixels보다는 느립니다.\n많은 픽셀 값을 설정하려면 pixels를 사용하세요.
set()
은 처음 두 매개변수를 x 좌표와 y 좌표로 해석합니다.\n마지막 매개변수는 그레이스케일 값, [R, G, B, A]
픽셀 배열,\np5.Color 객체 또는 p5.Image 객체로 해석합니다.\n이미지가 전달되면 처음 두 매개변수는 현재 imageMode()와 관계없이\n이미지 좌상단의 좌표를 설정합니다.
변경 사항을 표시하려면 set()
을 사용한 후에\nupdatePixels()를 호출해야 합니다.
픽셀의 x 좌표.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,"픽셀의 y 좌표.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"c"],"description":[0,"그레이스케일 값 | 픽셀 배열 |\np5.Color 객체 | 복사할 p5.Image 객체
\n"],"type":[0,"Number|Number[]|Object"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Set four pixels to black.\n set(30, 20, 0);\n set(85, 20, 0);\n set(85, 75, 0);\n set(30, 75, 0);\n\n // Update the canvas.\n updatePixels();\n\n describe('Four black dots arranged in a square drawn on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a p5.Color object.\n let black = color(0);\n\n // Set four pixels to black.\n set(30, 20, black);\n set(85, 20, black);\n set(85, 75, black);\n set(30, 75, black);\n\n // Update the canvas.\n updatePixels();\n\n describe('Four black dots arranged in a square drawn on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(255);\n\n // Draw a horizontal color gradient.\n for (let x = 0; x < 100; x += 1) {\n for (let y = 0; y < 100; y += 1) {\n // Calculate the grayscale value.\n let c = map(x, 0, 100, 0, 255);\n\n // Set the pixel using the grayscale value.\n set(x, y, c);\n }\n }\n\n // Update the canvas.\n updatePixels();\n\n describe('A horiztonal color gradient from black to white.');\n}\n
\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/rockies.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Use the image to set all pixels.\n set(0, 0, img);\n\n // Update the canvas.\n updatePixels();\n\n describe('An image of a mountain landscape.');\n}\n
\npixels 배열에 있는 RGBA 값으로 캔버스를 업데이트합니다.
\nupdatePixels()
는 pixels 배열의 값을 변경한 후에만 호출합니다.\n이러한 변경은 loadPixels()를 호출한 직후에 직접 변경하거나\nset()을 호출하여 할 수 있습니다.
업데이트할 영역의 좌상단 x 좌표.
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"y"],"description":[0,"업데이트할 영역의 좌상단 y 좌표.
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"w"],"description":[0,"업데이트할 영역의 너비.
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"h"],"description":[0,"업데이트할 영역의 높이.
\n"],"type":[0,"Number"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nlet img;\n\n// Load the image.\nfunction preload() {\n img = loadImage('/assets/rockies.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Display the image.\n image(img, 0, 0, 100, 100);\n\n // Get the pixel density.\n let d = pixelDensity();\n\n // Calculate the halfway index in the pixels array.\n let halfImage = 4 * (d * width) * (d * height / 2);\n\n // Load the pixels array.\n loadPixels();\n\n // Copy the top half of the canvas to the bottom.\n for (let i = 0; i < halfImage; i += 1) {\n pixels[i + halfImage] = pixels[i];\n }\n\n // Update the canvas.\n updatePixels();\n\n describe('Two identical images of mountain landscapes, one on top of the other.');\n}\n
\n커서의 모양을 변경합니다.
\n첫번째 매개변수인 type
은 표시할 커서의 종류를 설정합니다. 내장된 옵션은 ARROW
, CROSS
, HAND
, MOVE
, TEXT
, and WAIT
이 있습니다.cursor()
는 'help'
, 'wait'
, 'crosshair'
,'not-allowed'
, 'zoom-in'
, 그리고 'grab'
과 같이 문자열로 전달되는 표준 CSS 커서 속성도 인식합니다. cursor('/assets/target.png')
처럼 이미지의 경로가 전달되면, 그 이미지를 커서로 사용할 수 있습니다. 이미지는 .cur, .gif, .jpg, .jpeg 또는 .png 형식이어야 하고 최대 32 x 32 픽셀의 크기여야 합니다.
매개변수 x
와 y
는 선택 사항입니다. 이미지가 커서로 사용되는 경우 x
와 y
는 이미지 내에서 가리키는(point) 위치를 설정합니다. 두 값의 기본값은 모두 0이므로, 커서는 이미지의 왼쪽 상단을 가리킵니다. x
와 y
는 각각 이미지의 너비와 높이보다 작아야 합니다.
내장된 옵션: ARROW, CROSS, HAND, MOVE, TEXT 또는 WAIT 중 하나. \n\n기본 CSS 속성: 'grab', 'progress' 등. \n\n커서 이미지 경로.
"],"type":[0,"String|상수"]}],[0,{"name":[0,"x"],"description":[0,"커서의 수평 활성 지점
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"y"],"description":[0,"커서의 수직 활성 지점
\n"],"type":[0,"Number"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A gray square. The cursor appears as crosshairs.');\n}\n\nfunction draw() {\n background(200);\n\n // Set the cursor to crosshairs: +\n cursor(CROSS);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A gray square divided into quadrants. The cursor image changes when the mouse moves to each quadrant.');\n}\n\nfunction draw() {\n background(200);\n\n // Divide the canvas into quadrants.\n line(50, 0, 50, 100);\n line(0, 50, 100, 50);\n\n // Change cursor based on mouse position.\n if (mouseX < 50 && mouseY < 50) {\n cursor(CROSS);\n } else if (mouseX > 50 && mouseY < 50) {\n cursor('progress');\n } else if (mouseX > 50 && mouseY > 50) {\n cursor('https://avatars0.githubusercontent.com/u/1617169?s=16');\n } else {\n cursor('grab');\n }\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('An image of three purple curves follows the mouse. The image shifts when the mouse is pressed.');\n}\n\nfunction draw() {\n background(200);\n\n // Change the cursor's active spot\n // when the mouse is pressed.\n if (mouseIsPressed === true) {\n cursor('https://avatars0.githubusercontent.com/u/1617169?s=16', 8, 8);\n } else {\n cursor('https://avatars0.githubusercontent.com/u/1617169?s=16');\n }\n}\n
\n마지막 프레임을 그리는 데 걸린 시간을 밀리초 단위로 추적하는 Number
변수입니다.
deltaTime
은 이전 프레임 동안 draw()를 실행하는 데 걸린 시간을 갖는 값입니다. 물리학을 시뮬레이션하는 데 유용합니다.
\nlet x = 0;\nlet speed = 0.05;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Set the frameRate to 30.\n frameRate(30);\n\n describe('A white circle moves from left to right on a gray background. It reappears on the left side when it reaches the right side.');\n}\n\nfunction draw() {\n background(200);\n\n // Use deltaTime to calculate\n // a change in position.\n let deltaX = speed * deltaTime;\n\n // Update the x variable.\n x += deltaX;\n\n // Reset x to 0 if it's\n // greater than 100.\n if (x > 100) {\n x = 0;\n }\n\n // Use x to set the circle's\n // position.\n circle(x, 50, 20);\n}\n
\n스크린 리더가 읽을 수 있는 캔버스에 대한 설명을 생성합니다.
\n첫번째 매개변수인 text
는 캔버스에 대한 설명입니다.
두번째 매개변수인 display
는 선택 사항이며, 어떻게 설명이 표시될지 결정합니다. 만약 describe('A description.', LABEL)
의 LABEL
이 전달된다면, 이 설명은 캔버스 옆 div 요소에서 보일 것입니다. 만약 describe('A description.', FALLBACK)
의 FALLBACK
이 전달된다면, 이 설명은 스크린 리더에 의해서만 보여집니다. 이 상태가 기본 상태입니다.
스케치에 접근할 수 있도록 하는 방법에 대해 자세히 알아보려면, 접근 가능한 캔버스 설명 작성을 읽어보세요.
\n"],"line":[0,18],"params":[1,[[0,{"name":[0,"text"],"description":[0,"캔버스에 대한 설명
\n"],"type":[0,"String"]}],[0,{"name":[0,"display"],"description":[0,"LABEL 또는 FALLBACK
\n"],"type":[0,"Constant"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n background('pink');\n\n // Draw a heart.\n fill('red');\n noStroke();\n circle(67, 67, 20);\n circle(83, 67, 20);\n triangle(91, 73, 75, 95, 59, 73);\n\n // Add a general description of the canvas.\n describe('A pink square with a red heart in the bottom-right corner.');\n}\n
\n\nfunction setup() {\n background('pink');\n\n // Draw a heart.\n fill('red');\n noStroke();\n circle(67, 67, 20);\n circle(83, 67, 20);\n triangle(91, 73, 75, 95, 59, 73);\n\n // Add a general description of the canvas\n // and display it for debugging.\n describe('A pink square with a red heart in the bottom-right corner.', LABEL);\n}\n
\n\nfunction draw() {\n background(200);\n\n // The expression\n // frameCount % 100\n // causes x to increase from 0\n // to 99, then restart from 0.\n let x = frameCount % 100;\n\n // Draw the circle.\n fill(0, 255, 0);\n circle(x, 50, 40);\n\n // Add a general description of the canvas.\n describe(`A green circle at (${x}, 50) moves from left to right on a gray square.`);\n}\n
\n\nfunction draw() {\n background(200);\n\n // The expression\n // frameCount % 100\n // causes x to increase from 0\n // to 99, then restart from 0.\n let x = frameCount % 100;\n\n // Draw the circle.\n fill(0, 255, 0);\n circle(x, 50, 40);\n\n // Add a general description of the canvas\n // and display it for debugging.\n describe(`A green circle at (${x}, 50) moves from left to right on a gray square.`, LABEL);\n}\n
\n스크린 리더가 읽을 수 있는 캔버스 위의 각 요소에 대한 설명을 생성합니다.
\n요소(Element)란 같이 있을 때 의미를 갖는 모양, 혹은 모양의 그룹입니다. 예를 들어, 몇 개의 서로 겹쳐지는 원이 \"눈\"이라는 요소를 만들어낼 수 있습니다.
\n첫번째 매개변수인 name
은 요소의 이름입니다.
두번째 매개변수인 text
는 요소에 대한 설명입니다.
세번째 매개변수인 display
는 선택 사항이며, 어떻게 설명이 표시될지 결정합니다. 만약 describe('A description.', LABEL)
의 LABEL
이 전달된다면, 이 설명은 캔버스 옆 div 요소에서 보일 것입니다. 만약 describe('A description.', FALLBACK)
의 FALLBACK
이 전달된다면, 이 설명은 스크린 리더에 의해서만 보여집니다. 이 상태가 기본 상태입니다.
스케치에 접근할 수 있도록 하는 방법에 대해 자세히 알아보려면, 접근 가능한 캔버스 설명 작성을 읽어보세요.
\n"],"line":[0,162],"params":[1,[[0,{"name":[0,"name"],"description":[0,"요소의 이름
\n"],"type":[0,"String"]}],[0,{"name":[0,"text"],"description":[0,"요소에 대한 설명
\n"],"type":[0,"String"]}],[0,{"name":[0,"display"],"description":[0,"LABEL 또는 FALLBACK
\n"],"type":[0,"Constant"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n background('pink');\n\n // Describe the first element\n // and draw it.\n describeElement('Circle', 'A yellow circle in the top-left corner.');\n noStroke();\n fill('yellow');\n circle(25, 25, 40);\n\n // Describe the second element\n // and draw it.\n describeElement('Heart', 'A red heart in the bottom-right corner.');\n fill('red');\n circle(66.6, 66.6, 20);\n circle(83.2, 66.6, 20);\n triangle(91.2, 72.6, 75, 95, 58.6, 72.6);\n\n // Add a general description of the canvas.\n describe('A red heart and yellow circle over a pink background.');\n}\n
\n\nfunction setup() {\n background('pink');\n\n // Describe the first element\n // and draw it. Display the\n // description for debugging.\n describeElement('Circle', 'A yellow circle in the top-left corner.', LABEL);\n noStroke();\n fill('yellow');\n circle(25, 25, 40);\n\n // Describe the second element\n // and draw it. Display the\n // description for debugging.\n describeElement('Heart', 'A red heart in the bottom-right corner.', LABEL);\n fill('red');\n circle(66.6, 66.6, 20);\n circle(83.2, 66.6, 20);\n triangle(91.2, 72.6, 75, 95, 58.6, 72.6);\n\n // Add a general description of the canvas.\n describe('A red heart and yellow circle over a pink background.');\n}\n
\n디스플레이의 현재 픽셀 밀도를 반환합니다.
\n"],"line":[0,1069],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"디스플레이의 현재 픽셀 밀도"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n // Set the pixel density to 1.\n pixelDensity(1);\n\n // Create a canvas and draw\n // a circle.\n createCanvas(100, 100);\n background(200);\n circle(50, 50, 70);\n\n describe('A fuzzy white circle drawn on a gray background. The circle becomes sharper when the mouse is pressed.');\n}\n\nfunction mousePressed() {\n // Get the current display density.\n let d = displayDensity();\n\n // Use the display density to set\n // the sketch's pixel density.\n pixelDensity(d);\n\n // Paint the background and\n // draw a circle.\n background(200);\n circle(50, 50, 70);\n}\n
\n화면 디스플레이의 높이가 저장된 Number
변수입니다.
displayHeight
는 전체 화면 프로그램을 실행하는 데 유용합니다. 이 값은 현재의 pixelDensity()에 따라 달라집니다.
참고: 실제 화면 높이를 계산하려면 displayHeight * pixelDensity()
를 이용하세요.
\nfunction setup() {\n // Set the canvas' width and height\n // using the display's dimensions.\n createCanvas(displayWidth, displayHeight);\n\n background(200);\n\n describe('A gray canvas that is the same size as the display.');\n}\n
\n화면 디스플레이의 너비가 저장된 Number
변수입니다.
displayWidth
는 전체 화면 프로그램을 실행하는 데 유용합니다. 이 값은 현재의 pixelDensity()에 따라 달라집니다.
참고: 실제 화면 너비를 계산하려면 displayWidth * pixelDensity()
를 이용하세요.
\nfunction setup() {\n // Set the canvas' width and height\n // using the display's dimensions.\n createCanvas(displayWidth, displayHeight);\n\n background(200);\n\n describe('A gray canvas that is the same size as the display.');\n}\n
\n브라우저에 초점(focus)이 맞춰지면 true
, 그렇지 않으면 false
의 값을 가지는 Boolean
변수입니다.
참고: 브라우저 창은 초점이 맞춰진 경우에만 입력을 받을 수 있습니다.
\n"],"line":[0,174],"itemtype":[0,"method"],"class":[0,"p5"],"example":[1,[[0,"\n\n// Open this example in two separate browser\n// windows placed side-by-side to demonstrate.\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A square changes color from green to red when the browser window is out of focus.');\n}\n\nfunction draw() {\n // Change the background color\n // when the browser window\n // goes in/out of focus.\n if (focused === true) {\n background(0, 255, 0);\n } else {\n background(255, 0, 0);\n }\n}\n
\n스케치가 시작된 이후 그려진 프레임의 수를 추적하는 Number
변수입니다.
setup()에서 frameCount
의 값은 0입니다. 이 값은 draw()의 코드 실행이 끝날 때마다 1씩 증가합니다.
\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Display the value of\n // frameCount.\n textSize(30);\n textAlign(CENTER, CENTER);\n text(frameCount, 50, 50);\n\n describe('The number 0 written in black in the middle of a gray square.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Set the frameRate to 30.\n frameRate(30);\n\n textSize(30);\n textAlign(CENTER, CENTER);\n\n describe('A number written in black in the middle of a gray square. Its value increases rapidly.');\n}\n\nfunction draw() {\n background(200);\n\n // Display the value of\n // frameCount.\n text(frameCount, 50, 50);\n}\n
\n초당 그려지는 프레임 수를 설정합니다.
\nframeRate(30)
에서와 같이, 하나의 숫자 인수로 frameRate()
를 호출하면 초당 30프레임(frame per second, FPS)을 목표로 그려집니다. 스케치가 얼마나 처리할 양이 많은지에 따라 목표 프레임 속도가 달성되지 않을 수도 있습니다. 대부분의 컴퓨터는 60FPS를 기본 프레임 속도로 설정합니다. 24FPS 이상의 프레임 속도면 부드러운 애니메이션을 만들기에 충분히 빠릅니다.
인수 없이 frameRate()
를 호출하면 현재 프레임 속도를 반환합니다. 이 값은 근사치입니다.
초당 그려지는 프레임 수
\n"],"type":[0,"Number"]}]]]}],[0,{"params":[1,[]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A white circle on a gray background. The circle moves from left to right in a loop. It slows down when the mouse is pressed.');\n}\n\nfunction draw() {\n background(200);\n\n // Set the x variable based\n // on the current frameCount.\n let x = frameCount % 100;\n\n // If the mouse is pressed,\n // decrease the frame rate.\n if (mouseIsPressed === true) {\n frameRate(10);\n } else {\n frameRate(60);\n }\n\n // Use x to set the circle's\n // position.\n circle(x, 50, 20);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A number written in black on a gray background. The number decreases when the mouse is pressed.');\n}\n\nfunction draw() {\n background(200);\n\n // If the mouse is pressed, do lots\n // of math to slow down drawing.\n if (mouseIsPressed === true) {\n for (let i = 0; i < 1000000; i += 1) {\n random();\n }\n }\n\n // Get the current frame rate\n // and display it.\n let fps = frameRate();\n text(fps, 50, 50);\n}\n
\nToggles full-screen mode or returns the current mode.
\n\nCalling fullscreen(true)
makes the sketch full-screen. Calling\n\nfullscreen(false)
makes the sketch its original size.
Calling fullscreen()
without an argument returns true
if the sketch\n\nis in full-screen mode and false
if not.
Note: Due to browser restrictions, fullscreen()
can only be called with\n\nuser input such as a mouse press.
스케치가 전체 화면모드여야 하는지에 대한 여부
\n"],"type":[0,"Boolean"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"현재의 전체 화면 상태"],"type":[0,"Boolean"]}],"example":[1,[[0,"\n\nfunction setup() {\n background(200);\n\n describe('A gray canvas that switches between default and full-screen display when clicked.');\n}\n\n// If the mouse is pressed,\n// toggle full-screen mode.\nfunction mousePressed() {\n if (mouseX > 0 && mouseX < width && mouseY > 0 && mouseY < height) {\n let fs = fullscreen();\n fullscreen(!fs);\n }\n}\n
\n목표 프레임 속도를 반환합니다.
\n이 값은 시스템의 프레임 속도거나, 가장 최근에 frameRate()에 전달한 값입니다.
\n"],"line":[0,447],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"_targetFrameRate"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('The number 20 written in black on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Set the frame rate to 20.\n frameRate(20);\n\n // Get the target frame rate and\n // display it.\n let fps = getTargetFrameRate();\n text(fps, 43, 54);\n}\n
\n스케치의 현재 URL을 String
타입으로 반환합니다.
\nfunction setup() {\n background(200);\n\n // Get the sketch's URL\n // and display it.\n let url = getURL();\n textWrap(CHAR);\n text(url, 0, 40, 100);\n\n describe('The URL \"https://p5js.org/reference/p5/getURL\" written in black on a gray background.');\n}\n
\n현재 URL 매개변수들을 Object
타입으로 반환합니다.
예를 들어, http:\"//p5js.org?year=2014&month=May&day=15
라는 URL에서 호스팅되는 스케치에서 getURLParams()
를 호출하면 { year: 2014, month: 'May', day: 15 }
가 반환됩니다.
\n// Imagine this sketch is hosted at the following URL:\n// https://p5js.org?year=2014&month=May&day=15\n\nfunction setup() {\n background(200);\n\n // Get the sketch's URL\n // parameters and display\n // them.\n let params = getURLParams();\n text(params.day, 10, 20);\n text(params.month, 10, 40);\n text(params.year, 10, 60);\n\n describe('The text \"15\", \"May\", and \"2014\" written in black on separate lines.');\n}\n
\n현재 URL 경로를 String
이 담긴 Array
타입으로 반환합니다.
예를 들어, https:\"//example.com/sketchbook
이라는 URL에서 호스팅되는 스케치가 있다고 하면 getURLPath()
를 호출했을 때 ['sketchbook']
이 반환됩니다.https://example.com/sketchbook/monday
라는 URL에서 호스팅되는 스케치가 있다고 하면, getURLPath()
는 ['sketchbook', 'monday']
를 반환합니다.
\nfunction setup() {\n background(200);\n\n // Get the sketch's URL path\n // and display the first\n // part.\n let path = getURLPath();\n text(path[0], 25, 54);\n\n describe('The word \"reference\" written in black on a gray background.');\n}\n
\n스크린 리더가 읽을 수 있는 캔버스 위의 모양에 대한 설명을 생성합니다.
\ngridOutput()
은 일반적인 설명, 도형 목록, 도형 도표를 웹페이지에 추가합니다. 일반적인 설명은 캔버스 크기, 캔버스 색상, 그리고 도형의 수에 대한 정보를 담고 있습니다. 예를 들면, 회색 캔버스, 100x100 픽셀, 2개의 도형을 포함: 원 1개, 정사각형 1개
와 같은 형태입니다.
gridOutput()
는 도형 도표를 격자(grid) 형태로 사용합니다. 격자에 있는 각 도형은 칸(cell)에 배치되는데, 칸의 행과 열은 캔버스 위 도형의 위치에 해당합니다. 이 격자 칸은 그 위치에 있는 도형의 색상과 도형의 종류에 대한 정보를 담고 있습니다. 예를 들면 빨간 원
과 같은 형태입니다. 이것은 도표를 목록(list) 형태로 사용하는 textOutput()와는 차이가 있습니다.
이 도표 다음에는 도형 목록이 있습니다. 도형 목록은 각 도형의 색상, 종류, 위치 및 면적에 대한 정보를 담고 있습니다. 예를 들면 빨간 원, 위치 = 가운데, 면적 = 3%
와 같습니다.
매개변수 display
는 선택 사항이며, 어떻게 설명이 표시될지 결정합니다. 만약 gridOutput(LABEL)
의 LABEL
이 전달된다면, 이 설명은 캔버스 옆 div 요소에서 보일 것입니다. LABEL
을 사용하면 스크린 리더에 도움이 되지 않는, 중복되는 설명이 생깁니다. 만약 gridOutput(FALLBACK)
의 FALLBACK
이 전달된다면, 이 설명은 스크린 리더에 의해서만 보여집니다. 이 상태가 기본 상태입니다.
스케치에 접근할 수 있도록 하는 방법에 대해 자세히 알아보려면, 접근 가능한 캔버스 설명 작성을 읽어보세요.
\n"],"line":[0,144],"params":[1,[[0,{"name":[0,"display"],"description":[0,"LABEL 또는 FALLBACK
\n"],"type":[0,"Constant"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n // Add the grid description.\n gridOutput();\n\n // Draw a couple of shapes.\n background(200);\n fill(255, 0, 0);\n circle(20, 20, 20);\n fill(0, 0, 255);\n square(50, 50, 50);\n\n // Add a general description of the canvas.\n describe('A red circle and a blue square on a gray background.');\n}\n
\n\nfunction setup() {\n // Add the grid description and\n // display it for debugging.\n gridOutput(LABEL);\n\n // Draw a couple of shapes.\n background(200);\n fill(255, 0, 0);\n circle(20, 20, 20);\n fill(0, 0, 255);\n square(50, 50, 50);\n\n // Add a general description of the canvas.\n describe('A red circle and a blue square on a gray background.');\n}\n
\n\nfunction draw() {\n // Add the grid description.\n gridOutput();\n\n // Draw a moving circle.\n background(200);\n let x = frameCount * 0.1;\n fill(255, 0, 0);\n circle(x, 20, 20);\n fill(0, 0, 255);\n square(50, 50, 50);\n\n // Add a general description of the canvas.\n describe('A red circle moves from left to right above a blue square.');\n}\n
\n\nfunction draw() {\n // Add the grid description and\n // display it for debugging.\n gridOutput(LABEL);\n\n // Draw a moving circle.\n background(200);\n let x = frameCount * 0.1;\n fill(255, 0, 0);\n circle(x, 20, 20);\n fill(0, 0, 255);\n square(50, 50, 50);\n\n // Add a general description of the canvas.\n describe('A red circle moves from left to right above a blue square.');\n}\n
\n캔버스의 높이가 픽셀 단위로 저장된 Number
변수입니다.
height
의 기본값은 100입니다. createCanvas()나 resizeCanvas()를 호출하면 height
의 값이 변경됩니다. noCanvas()를 호출하면 height
의 값이 0이 됩니다.
\nfunction setup() {\n background(200);\n\n // Display the canvas' height.\n text(height, 42, 54);\n\n describe('The number 100 written in black on a gray square.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 50);\n\n background(200);\n\n // Display the canvas' height.\n text(height, 42, 27);\n\n describe('The number 50 written in black on a gray rectangle.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Display the canvas' height.\n text(height, 42, 54);\n\n describe('The number 100 written in black on a gray square. When the mouse is pressed, the square becomes a rectangle and the number becomes 50.');\n}\n\n// If the mouse is pressed, reisze\n// the canvas and display its new\n// height.\nfunction mousePressed() {\n if (mouseX > 0 && mouseX < width && mouseY > 0 && mouseY < height) {\n resizeCanvas(100, 50);\n background(200);\n text(height, 42, 27);\n }\n}\n
\n뷰에서 커서를 숨깁니다.
\n"],"line":[0,482],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n // Hide the cursor.\n noCursor();\n}\n\nfunction draw() {\n background(200);\n\n circle(mouseX, mouseY, 10);\n\n describe('A white circle on a gray background. The circle follows the mouse as it moves. The cursor is hidden.');\n}\n
\n픽셀 밀도를 설정하거나 현재의 밀도를 반환합니다.
컴퓨터의 디스플레이는 픽셀이라고 불리는 작은 빛으로 이루어진 격자입니다. 디스플레이의 픽셀 밀도는 한 영역에 얼마나 많은 픽셀이 뭉쳐 있는지에 대한 정보를 가지고 있습니다. 더 작은 픽셀로 이루어진 디스플레이는 더 높은 픽셀 밀도를 가졌으며 더 선명한 이미지를 만들 수 있습니다.
\npixelDensity()
는 고밀도 디스플레이의 픽셀 스케일링을 설정합니다. 기본적으로 픽셀 밀도는 디스플레이의 밀도와 일치하도록 설정됩니다. pixelDensity(1)
를 호출하면 이러한 설정이 해제됩니다.
인수 없이 pixelDensity()
를 호출하면 현재의 픽셀 밀도가 반환됩니다.
변경하고 싶은 픽셀 밀도
\n"],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\nfunction setup() {\n // Set the pixel density to 1.\n pixelDensity(1);\n\n // Create a canvas and draw\n // a circle.\n createCanvas(100, 100);\n background(200);\n circle(50, 50, 70);\n\n describe('A fuzzy white circle on a gray canvas.');\n}\n
\n\nfunction setup() {\n // Set the pixel density to 3.\n pixelDensity(3);\n\n // Create a canvas, paint the\n // background, and draw a\n // circle.\n createCanvas(100, 100);\n background(200);\n circle(50, 50, 70);\n\n describe('A sharp white circle on a gray canvas.');\n}\n
\n웹 브라우저의 콘솔에 글자를 표시합니다.
\nprint()
는 디버깅할 때 값을 출력하는 데에 유용하게 사용할 수 있습니다. print()
를 호출할 때마다 새 줄이 생성됩니다.
참고: \"빈 줄을 출력하려면 print('\\n')
를 호출하세요. 아무 인수 없이 print()
를 호출하면 문서를 출력하기 위한 브라우저의 대화 상자(dialog)가 열립니다.
콘솔에 출력할 내용
\n"],"type":[0,"Any"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n // Prints \"hello, world\" to the console.\n print('hello, world');\n}\n
\n\nfunction setup() {\n let name = 'ada';\n // Prints \"hello, ada\" to the console.\n print(`hello, ${name}`);\n}\n
\n스크린 리더가 읽을 수 있는 캔버스 위의 모양에 대한 설명을 생성합니다.
\ntextOutput()
은 일반적인 설명, 도형 목록, 도형 도표를 웹페이지에 추가합니다. 일반적인 설명은 캔버스 크기, 캔버스 색상, 그리고 도형의 수에 대한 정보를 담고 있습니다. 예를 들면, 프로그램의 출력은 100x100 픽셀의, 다음과 같은 2개의 도형을 포함하는 회색의 캔버스입니다.
와 같은 형태입니다.
도형 목록은 일반적인 설명을 따릅니다. 이 목록은 각 도형의 색상, 위치 및 면적에 대한 정보를 담고 있습니다. 예를 들면, 가운데 있는 빨간 원이 캔버스의 3%를 차지하고 있습니다.
와 같은 형태입니다.
textOutput()
는 도형 도표를 목록(list) 형태로 사용합니다. 이 도표는 도형의 모양, 색상, 위치, 좌표 및 면적에 대한 정보를 담고 있습니다. 예를 들면, 빨간 원, 위치 = 가운데, 면적 = 3%
와 같은 형태입니다. 이것은 도표를 격자(grid) 형태로 사용하는 gridOutput()와는 차이가 있습니다.
매개변수 display
는 선택 사항이며, 어떻게 설명이 표시될지 결정합니다. 만약 textOutput(LABEL)
의 LABEL
이 전달된다면, 이 설명은 캔버스 옆 div 요소에서 보일 것입니다. LABEL
을 사용하면 스크린 리더에 도움이 되지 않는, 중복되는 설명이 생깁니다. 만약 textOutput(FALLBACK)
의 FALLBACK
이 전달된다면, 이 설명은 스크린 리더에 의해서만 보여집니다. 이 상태가 기본 상태입니다.
스케치에 접근할 수 있도록 하는 방법에 대해 자세히 알아보려면, 접근 가능한 캔버스 설명 작성을 읽어보세요.
\n"],"line":[0,10],"params":[1,[[0,{"name":[0,"display"],"description":[0,"LABEL 또는 FALLBACK
\n"],"type":[0,"Constant"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n // Add the text description.\n textOutput();\n\n // Draw a couple of shapes.\n background(200);\n fill(255, 0, 0);\n circle(20, 20, 20);\n fill(0, 0, 255);\n square(50, 50, 50);\n\n // Add a general description of the canvas.\n describe('A red circle and a blue square on a gray background.');\n}\n
\n\nfunction setup() {\n // Add the text description and\n // display it for debugging.\n textOutput(LABEL);\n\n // Draw a couple of shapes.\n background(200);\n fill(255, 0, 0);\n circle(20, 20, 20);\n fill(0, 0, 255);\n square(50, 50, 50);\n\n // Add a general description of the canvas.\n describe('A red circle and a blue square on a gray background.');\n}\n
\n\nfunction draw() {\n // Add the text description.\n textOutput();\n\n // Draw a moving circle.\n background(200);\n let x = frameCount * 0.1;\n fill(255, 0, 0);\n circle(x, 20, 20);\n fill(0, 0, 255);\n square(50, 50, 50);\n\n // Add a general description of the canvas.\n describe('A red circle moves from left to right above a blue square.');\n}\n
\n\nfunction draw() {\n // Add the text description and\n // display it for debugging.\n textOutput(LABEL);\n\n // Draw a moving circle.\n background(200);\n let x = frameCount * 0.1;\n fill(255, 0, 0);\n circle(x, 20, 20);\n fill(0, 0, 255);\n square(50, 50, 50);\n\n // Add a general description of the canvas.\n describe('A red circle moves from left to right above a blue square.');\n}\n
\n사용 중인 WebGL 버전의 값을 가지는 String
변수입니다.
webglVersion
은 다음 문자열(string) 상수 중 하나의 값을 갖습니다.
'webgl2'
의 값을 가진 WEBGL2
'webgl'
의 값을 가진 WEBGL
'p2d'
의 값을 가진 P2D
- 2D 스케치에서의 기본값WebGL 버전을 설정하는 방법을 알아보려면 setAttributes()를 확인하세요.
\n"],"line":[0,508],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\nfunction setup() {\n background(200);\n\n // Display the current WebGL version.\n text(webglVersion, 42, 54);\n\n describe('The text \"p2d\" written in black on a gray background.');\n}\n
\n\nlet font;\n\nfunction preload() {\n // Load a font to use.\n font = loadFont('/assets/inconsolata.otf');\n}\n\nfunction setup() {\n // Create a canvas using WEBGL mode.\n createCanvas(100, 50, WEBGL);\n background(200);\n\n // Display the current WebGL version.\n fill(0);\n textFont(font);\n text(webglVersion, -15, 5);\n\n describe('The text \"webgl2\" written in black on a gray background.');\n}\n
\n\nlet font;\n\nfunction preload() {\n // Load a font to use.\n font = loadFont('/assets/inconsolata.otf');\n}\n\nfunction setup() {\n // Create a canvas using WEBGL mode.\n createCanvas(100, 50, WEBGL);\n\n // Set WebGL to version 1.\n setAttributes({ version: 1 });\n\n background(200);\n\n // Display the current WebGL version.\n fill(0);\n textFont(font);\n text(webglVersion, -14, 5);\n\n describe('The text \"webgl\" written in black on a gray background.');\n}\n
\n캔버스의 너비가 픽셀 단위로 저장된 Number
변수입니다.
width
의 기본값은 100입니다. createCanvas()나 resizeCanvas()를 호출하면 width
의 값이 변경됩니다. noCanvas()를 호출하면 width
의 값이 0이 됩니다.
\nfunction setup() {\n background(200);\n\n // Display the canvas' width.\n text(width, 42, 54);\n\n describe('The number 100 written in black on a gray square.');\n}\n
\n\nfunction setup() {\n createCanvas(50, 100);\n\n background(200);\n\n // Display the canvas' width.\n text(width, 21, 54);\n\n describe('The number 50 written in black on a gray rectangle.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Display the canvas' width.\n text(width, 42, 54);\n\n describe('The number 100 written in black on a gray square. When the mouse is pressed, the square becomes a rectangle and the number becomes 50.');\n}\n\n// If the mouse is pressed, reisze\n// the canvas and display its new\n// width.\nfunction mousePressed() {\n if (mouseX > 0 && mouseX < width && mouseY > 0 && mouseY < height) {\n resizeCanvas(50, 100);\n background(200);\n text(width, 21, 54);\n }\n}\n
\n브라우저 뷰포트의 높이가 저장된 Number
변수입니다.
레이아웃 뷰포트란 그릴 수 있는 브라우저 내 영역을 의미합니다.
\n"],"line":[0,680],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\nfunction setup() {\n // Set the canvas' width and height\n // using the browser's dimensions.\n createCanvas(windowWidth, windowHeight);\n\n background(200);\n\n describe('A gray canvas that takes up the entire browser window.');\n}\n
\n브라우저 창의 크기를 조절할 때 호출되는 함수입니다.
\nwindowResized()
내의 코드는 브라우저 창의 크기가 변경될 때 실행됩니다. 새로운 창의 크기에 맞게 resizeCanvas()를 호출하거나 기타 다른 조절이 필요할 때 사용하기 적합합니다.
매개변수 event
는 선택 사항입니다. 이 값이 함수를 선언할 때 추가되면, 디버깅 등 다양한 용도로 사용할 수 있습니다.
크기 조절 이벤트 (선택 사항)/p>\n"],"type":[0,"UIEvent"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n
\nfunction setup() {\n createCanvas(windowWidth, windowHeight);\n\n describe('A gray canvas with a white circle at its center. The canvas takes up the entire browser window. It changes size to match the browser window.');\n}\n\nfunction draw() {\n background(200);\n\n // Draw a circle at the center.\n circle(width / 2, height / 2, 50);\n}\n\n// Resize the canvas when the\n// browser's size changes.\nfunction windowResized() {\n resizeCanvas(windowWidth, windowHeight);\n}\n
\n브라우저 뷰포트의 너비가 저장된 Number
변수입니다.
레이아웃 뷰포트란 그릴 수 있는 브라우저 내 영역을 의미합니다.
\n"],"line":[0,652],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\nfunction setup() {\n // Set the canvas' width and height\n // using the browser's dimensions.\n createCanvas(windowWidth, windowHeight);\n\n background(200);\n\n describe('A gray canvas that takes up the entire browser window.');\n}\n
\nA class to describe a camera for viewing a 3D sketch.
\nEach p5.Camera
object represents a camera that views a section of 3D\nspace. It stores information about the camera’s position, orientation, and\nprojection.
In WebGL mode, the default camera is a p5.Camera
object that can be\ncontrolled with the camera(),\nperspective(),\northo(), and\nfrustum() functions. Additional cameras can be\ncreated with createCamera() and activated\nwith setCamera().
Note: p5.Camera
’s methods operate in two coordinate systems:
myCamera.setPosition()
places the camera in 3D space using\n\"world\" coordinates.myCamera.move()
moves the camera along its own axes.빛의 반사색을 설정합니다.
\nspecularColor()
함수는 표면에서 선호하는 방향으로 반사되는 빛에 영향을 미칩니다. 이러한 빛에는 directionalLight(),\npointLight(),\nspotLight()가 포함됩니다.\n이 함수는 specularMaterial()로 스타일링된 \np5.Geometry 객체에 하이라이트를 만드는 데 도움을 줍니다. \n만약 기하학적 객체가 specularMaterial()을 사용하지 않는다면,\nspecularColor()
는 효과가 없습니다.
참고: specularColor()
는 ambientLight()와 imageLight()처럼 모든 방향으로 반사되는 빛에는 영향을 미치지 않습니다.
specularColor()
를 호출하는 방법은 총 세 가지입니다. 이들 모두 선택적 매개변수를 사용하여 반사 하이라이트 색상을 설정합니다.
첫 번째 방법은 선택적 매개변수 gray
와 alpha
를 가집니다. 0에서 255 사이의 회색조(gray) 값 및 투명도(alpha) 값을 specularColor(50)
또는 specularColor(50, 80)
과 같이 전달하여 반사 하이라이트 색상을 설정할 수 있습니다.
두 번째 방법은 specularColor()
가 선택적 매개변수 color
을 가집니다. p5.Color 객체, 색상값 배열, 또는 CSS 색상 문자열을 전달하여 반사 하이라이트 색상을 설정할 수 있습니다.
세 번째 방법은 specularColor()
가 선택적 매개변수 v1
, v2
, v3
, alpha
를 가집니다. specularColor(255, 0, 0, 80)
과 같이 RGBA, HSBA, 또는 HSLA 값이 전달되어 반사 하이라이트 색상을 설정할 수 있습니다. 색상값은 현재 colorMode()를 사용하여 해석됩니다.
현재colorMode()에서의 빨간색 또는 색조값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,"현재colorMode()에서의 초록색 또는 채도값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,"현재colorMode()에서의 파란색, 밝기 또는 명도값
\n"],"type":[0,"Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"gray"],"description":[0,"0에서 255 사이의 회색조값
\n"],"type":[0,"Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"value"],"description":[0,"CSS 문자열로 표현된 색상
\n"],"type":[0,"String"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"values"],"description":[0,"RGBA, HSBA, 또는 HSLA 값의 배열로 표현된 색상
\n"],"type":[0,"Number[]"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,"p5.Color 객체로 표현된 색상
\n"],"type":[0,"p5.Color"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A white sphere drawn on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // No specular color.\n // Draw the sphere.\n sphere(30);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n// Double-click the canvas to add a point light.\n\nlet isLit = false;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A sphere drawn on a gray background. A spotlight starts shining when the user double-clicks.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Style the sphere.\n noStroke();\n specularColor(100);\n specularMaterial(255, 255, 255);\n\n // Control the light.\n if (isLit === true) {\n // Add a white point light from the top-right.\n pointLight(255, 255, 255, 30, -20, 40);\n }\n\n // Draw the sphere.\n sphere(30);\n}\n\n// Turn on the point light when the user double-clicks.\nfunction doubleClicked() {\n isLit = true;\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A black sphere drawn on a gray background. An area on the surface of the sphere is highlighted in blue.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Add a specular highlight.\n // Use a p5.Color object.\n let c = color('dodgerblue');\n specularColor(c);\n\n // Add a white point light from the top-right.\n pointLight(255, 255, 255, 30, -20, 40);\n\n // Style the sphere.\n noStroke();\n\n // Add a white specular material.\n specularMaterial(255, 255, 255);\n\n // Draw the sphere.\n sphere(30);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A black sphere drawn on a gray background. An area on the surface of the sphere is highlighted in blue.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Add a specular highlight.\n // Use a CSS color string.\n specularColor('#1E90FF');\n\n // Add a white point light from the top-right.\n pointLight(255, 255, 255, 30, -20, 40);\n\n // Style the sphere.\n noStroke();\n\n // Add a white specular material.\n specularMaterial(255, 255, 255);\n\n // Draw the sphere.\n sphere(30);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A black sphere drawn on a gray background. An area on the surface of the sphere is highlighted in blue.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Add a specular highlight.\n // Use RGB values.\n specularColor(30, 144, 255);\n\n // Add a white point light from the top-right.\n pointLight(255, 255, 255, 30, -20, 40);\n\n // Style the sphere.\n noStroke();\n\n // Add a white specular material.\n specularMaterial(255, 255, 255);\n\n // Draw the sphere.\n sphere(30);\n}\n
\nGet the shader used when no lights or materials are applied.
\nYou can call baseColorShader().modify()
\nand change any of the following hooks:
Hook | \nDescription | \n
---|---|
void beforeVertex | \nCalled at the start of the vertex shader. | \n
vec3 getLocalPosition | \nUpdate the position of vertices before transforms are applied. It takes in vec3 position and must return a modified version. | \n
vec3 getWorldPosition | \nUpdate the position of vertices after transforms are applied. It takes in vec3 position and pust return a modified version. | \n
vec3 getLocalNormal | \nUpdate the normal before transforms are applied. It takes in vec3 normal and must return a modified version. | \n
vec3 getWorldNormal | \nUpdate the normal after transforms are applied. It takes in vec3 normal and must return a modified version. | \n
vec2 getUV | \nUpdate the texture coordinates. It takes in vec2 uv and must return a modified version. | \n
vec4 getVertexColor | \nUpdate the color of each vertex. It takes in a vec4 color and must return a modified version. | \n
void afterVertex | \nCalled at the end of the vertex shader. | \n
void beforeFragment | \nCalled at the start of the fragment shader. | \n
vec4 getFinalColor | \nUpdate the final color after mixing. It takes in a vec4 color and must return a modified version. | \n
void afterFragment | \nCalled at the end of the fragment shader. | \n
Most of the time, you will need to write your hooks in GLSL ES version 300. If you\nare using WebGL 1 instead of 2, write your hooks in GLSL ES 100 instead.
\nCall baseColorShader().inspectHooks()
to see all the possible hooks and\ntheir default implementations.
\nlet myShader;\n\nfunction setup() {\n createCanvas(200, 200, WEBGL);\n myShader = baseColorShader().modify({\n uniforms: {\n 'float time': () => millis()\n },\n 'vec3 getWorldPosition': `(vec3 pos) {\n pos.y += 20. * sin(time * 0.001 + pos.x * 0.05);\n return pos;\n }`\n });\n}\n\nfunction draw() {\n background(255);\n shader(myShader);\n noStroke();\n fill('red');\n circle(0, 0, 50);\n}\n
\nGet the default shader used with lights, materials,\nand textures.
\nYou can call baseMaterialShader().modify()
\nand change any of the following hooks:
Hook | Description |
---|---|
\n\n
| \n\n Called at the start of the vertex shader. \n |
\n\n
| \n\n Update the position of vertices before transforms are applied. It takes in |
\n\n
| \n\n Update the position of vertices after transforms are applied. It takes in |
\n\n
| \n\n Update the normal before transforms are applied. It takes in |
\n\n
| \n\n Update the normal after transforms are applied. It takes in |
\n\n
| \n\n Update the texture coordinates. It takes in |
\n\n
| \n\n Update the color of each vertex. It takes in a |
\n\n
| \n\n Called at the end of the vertex shader. \n |
\n\n
| \n\n Called at the start of the fragment shader. \n |
\n\n
| \n\n Update the per-pixel inputs of the material. It takes in an
|
\n\n
| \n\n Take in a
|
\n\n
| \n\n Update the final color after mixing. It takes in a |
\n\n
| \n\n Called at the end of the fragment shader. \n |
Most of the time, you will need to write your hooks in GLSL ES version 300. If you\nare using WebGL 1 instead of 2, write your hooks in GLSL ES 100 instead.
\nCall baseMaterialShader().inspectHooks()
to see all the possible hooks and\ntheir default implementations.
\nlet myShader;\n\nfunction setup() {\n createCanvas(200, 200, WEBGL);\n myShader = baseMaterialShader().modify({\n uniforms: {\n 'float time': () => millis()\n },\n 'vec3 getWorldPosition': `(vec3 pos) {\n pos.y += 20.0 * sin(time * 0.001 + pos.x * 0.05);\n return pos;\n }`\n });\n}\n\nfunction draw() {\n background(255);\n shader(myShader);\n lights();\n noStroke();\n fill('red');\n sphere(50);\n}\n
\n\nlet myShader;\n\nfunction setup() {\n createCanvas(200, 200, WEBGL);\n myShader = baseMaterialShader().modify({\n declarations: 'vec3 myNormal;',\n 'Inputs getPixelInputs': `(Inputs inputs) {\n myNormal = inputs.normal;\n return inputs;\n }`,\n 'vec4 getFinalColor': `(vec4 color) {\n return mix(\n vec4(1.0, 1.0, 1.0, 1.0),\n color,\n abs(dot(myNormal, vec3(0.0, 0.0, 1.0)))\n );\n }`\n });\n}\n\nfunction draw() {\n background(255);\n rotateY(millis() * 0.001);\n shader(myShader);\n lights();\n noStroke();\n fill('red');\n torus(30);\n}\n
\n\nlet myShader;\nlet environment;\n\nfunction preload() {\n environment = loadImage('/assets/outdoor_spheremap.jpg');\n}\n\nfunction setup() {\n createCanvas(200, 200, WEBGL);\n myShader = baseMaterialShader().modify({\n 'Inputs getPixelInputs': `(Inputs inputs) {\n float factor =\n sin(\n inputs.texCoord.x * ${TWO_PI} +\n inputs.texCoord.y * ${TWO_PI}\n ) * 0.4 + 0.5;\n inputs.shininess = mix(1., 100., factor);\n inputs.metalness = factor;\n return inputs;\n }`\n });\n}\n\nfunction draw() {\n panorama(environment);\n ambientLight(100);\n imageLight(environment);\n rotateY(millis() * 0.001);\n shader(myShader);\n noStroke();\n fill(255);\n specularMaterial(150);\n sphere(50);\n}\n
\n\nlet myShader;\n\nfunction setup() {\n createCanvas(200, 200, WEBGL);\n myShader = baseMaterialShader().modify({\n 'Inputs getPixelInputs': `(Inputs inputs) {\n vec3 newNormal = inputs.normal;\n // Simple bump mapping: adjust the normal based on position\n newNormal.x += 0.2 * sin(\n sin(\n inputs.texCoord.y * ${TWO_PI} * 10.0 +\n inputs.texCoord.x * ${TWO_PI} * 25.0\n )\n );\n newNormal.y += 0.2 * sin(\n sin(\n inputs.texCoord.x * ${TWO_PI} * 10.0 +\n inputs.texCoord.y * ${TWO_PI} * 25.0\n )\n );\n inputs.normal = normalize(newNormal);\n return inputs;\n }`\n });\n}\n\nfunction draw() {\n background(255);\n shader(myShader);\n ambientLight(150);\n pointLight(\n 255, 255, 255,\n 100*cos(frameCount*0.04), -50, 100*sin(frameCount*0.04)\n );\n noStroke();\n fill('red');\n shininess(200);\n specularMaterial(255);\n sphere(50);\n}\n
\nGet the shader used by normalMaterial()
.
You can call baseNormalShader().modify()
\nand change any of the following hooks:
Hook | \nDescription | \n
---|---|
void beforeVertex | \nCalled at the start of the vertex shader. | \n
vec3 getLocalPosition | \nUpdate the position of vertices before transforms are applied. It takes in vec3 position and must return a modified version. | \n
vec3 getWorldPosition | \nUpdate the position of vertices after transforms are applied. It takes in vec3 position and pust return a modified version. | \n
vec3 getLocalNormal | \nUpdate the normal before transforms are applied. It takes in vec3 normal and must return a modified version. | \n
vec3 getWorldNormal | \nUpdate the normal after transforms are applied. It takes in vec3 normal and must return a modified version. | \n
vec2 getUV | \nUpdate the texture coordinates. It takes in vec2 uv and must return a modified version. | \n
vec4 getVertexColor | \nUpdate the color of each vertex. It takes in a vec4 color and must return a modified version. | \n
void afterVertex | \nCalled at the end of the vertex shader. | \n
void beforeFragment | \nCalled at the start of the fragment shader. | \n
vec4 getFinalColor | \nUpdate the final color after mixing. It takes in a vec4 color and must return a modified version. | \n
void afterFragment | \nCalled at the end of the fragment shader. | \n
Most of the time, you will need to write your hooks in GLSL ES version 300. If you\nare using WebGL 1 instead of 2, write your hooks in GLSL ES 100 instead.
\nCall baseNormalShader().inspectHooks()
to see all the possible hooks and\ntheir default implementations.
\nlet myShader;\n\nfunction setup() {\n createCanvas(200, 200, WEBGL);\n myShader = baseNormalShader().modify({\n uniforms: {\n 'float time': () => millis()\n },\n 'vec3 getWorldPosition': `(vec3 pos) {\n pos.y += 20. * sin(time * 0.001 + pos.x * 0.05);\n return pos;\n }`\n });\n}\n\nfunction draw() {\n background(255);\n shader(myShader);\n noStroke();\n sphere(50);\n}\n
\n\nlet myShader;\n\nfunction setup() {\n createCanvas(200, 200, WEBGL);\n myShader = baseNormalShader().modify({\n 'vec3 getWorldNormal': '(vec3 normal) { return abs(normal); }',\n 'vec4 getFinalColor': `(vec4 color) {\n // Map the r, g, and b values of the old normal to new colors\n // instead of just red, green, and blue:\n vec3 newColor =\n color.r * vec3(89.0, 240.0, 232.0) / 255.0 +\n color.g * vec3(240.0, 237.0, 89.0) / 255.0 +\n color.b * vec3(205.0, 55.0, 222.0) / 255.0;\n newColor = newColor / (color.r + color.g + color.b);\n return vec4(newColor, 1.0) * color.a;\n }`\n });\n}\n\nfunction draw() {\n background(255);\n shader(myShader);\n noStroke();\n rotateX(frameCount * 0.01);\n rotateY(frameCount * 0.015);\n box(100);\n}\n
\nGet the shader used when drawing the strokes of shapes.
\nYou can call baseStrokeShader().modify()
\nand change any of the following hooks:
Hook | Description |
---|---|
\n\n
| \n\n Called at the start of the vertex shader. \n |
\n\n
| \n\n Update the position of vertices before transforms are applied. It takes in |
\n\n
| \n\n Update the position of vertices after transforms are applied. It takes in |
\n\n
| \n\n Update the stroke weight. It takes in |
\n\n
| \n\n Update the center of the line. It takes in |
\n\n
| \n\n Update the position of each vertex on the edge of the line. It takes in |
\n\n
| \n\n Update the color of each vertex. It takes in a |
\n\n
| \n\n Called at the end of the vertex shader. \n |
\n\n
| \n\n Called at the start of the fragment shader. \n |
\n\n
| \n\n Update the inputs to the shader. It takes in a struct
|
\n\n
| \n\n Caps and joins are made by discarded pixels in the fragment shader to carve away unwanted areas. Use this to change this logic. It takes in a |
\n\n
| \n\n Update the final color after mixing. It takes in a |
\n\n
| \n\n Called at the end of the fragment shader. \n |
Most of the time, you will need to write your hooks in GLSL ES version 300. If you\nare using WebGL 1 instead of 2, write your hooks in GLSL ES 100 instead.
\nCall baseStrokeShader().inspectHooks()
to see all the possible hooks and\ntheir default implementations.
\nlet myShader;\n\nfunction setup() {\n createCanvas(200, 200, WEBGL);\n myShader = baseStrokeShader().modify({\n 'Inputs getPixelInputs': `(Inputs inputs) {\n float opacity = 1.0 - smoothstep(\n 0.0,\n 15.0,\n length(inputs.position - inputs.center)\n );\n inputs.color *= opacity;\n return inputs;\n }`\n });\n}\n\nfunction draw() {\n background(255);\n shader(myShader);\n strokeWeight(30);\n line(\n -width/3,\n sin(millis()*0.001) * height/4,\n width/3,\n sin(millis()*0.001 + 1) * height/4\n );\n}\n
\n\nlet myShader;\n\nfunction setup() {\n createCanvas(200, 200, WEBGL);\n myShader = baseStrokeShader().modify({\n uniforms: {\n 'float time': () => millis()\n },\n declarations: 'vec3 myPosition;',\n 'vec3 getWorldPosition': `(vec3 pos) {\n myPosition = pos;\n return pos;\n }`,\n 'float getStrokeWeight': `(float w) {\n // Add a somewhat random offset to the weight\n // that varies based on position and time\n float scale = 0.8 + 0.2*sin(10.0 * sin(\n floor(time/250.) +\n myPosition.x*0.01 +\n myPosition.y*0.01\n ));\n return w * scale;\n }`\n });\n}\n\nfunction draw() {\n background(255);\n shader(myShader);\n myShader.setUniform('time', millis());\n strokeWeight(10);\n beginShape();\n for (let i = 0; i <= 50; i++) {\n let r = map(i, 0, 50, 0, width/3);\n let x = r*cos(i*0.2);\n let y = r*sin(i*0.2);\n vertex(x, y);\n }\n endShape();\n}\n
\n\nlet myShader;\n\nfunction setup() {\n createCanvas(200, 200, WEBGL);\n myShader = baseStrokeShader().modify({\n 'float random': `(vec2 p) {\n vec3 p3 = fract(vec3(p.xyx) * .1031);\n p3 += dot(p3, p3.yzx + 33.33);\n return fract((p3.x + p3.y) * p3.z);\n }`,\n 'Inputs getPixelInputs': `(Inputs inputs) {\n // Replace alpha in the color with dithering by\n // randomly setting pixel colors to 0 based on opacity\n float a = inputs.color.a;\n inputs.color.a = 1.0;\n inputs.color *= random(inputs.position.xy) > a ? 0.0 : 1.0;\n return inputs;\n }`\n });\n}\n\nfunction draw() {\n background(255);\n shader(myShader);\n strokeWeight(10);\n beginShape();\n for (let i = 0; i <= 50; i++) {\n stroke(\n 0,\n 255\n * map(i, 0, 20, 0, 1, true)\n * map(i, 30, 50, 1, 0, true)\n );\n vertex(\n map(i, 0, 50, -1, 1) * width/3,\n 50 * sin(i/10 + frameCount/100)\n );\n }\n endShape();\n}\n
\n3D 스케치에서 방향성을 명확히 하기 위해 그리드와 축 아이콘을 추가합니다.
\ndebugMode()
는 스케치에서 \"바닥\"이 어디인지 보여주는 그리드를 추가합니다.\n기본적으로, 이 그리드는 스케치의 원점 (0, 0, 0)
을 통과하며 XZ 평면을 따라 설정됩니다.\ndebugMode()
는 또한 x, y, z의 양의 방향을 가리키는 축 아이콘을 추가합니다. \ndebugMode()
를 호출하면 기본 크기와 위치를 갖는 그리드와 축 아이콘이 표시됩니다.
디버깅 환경을 사용자 정의할 수 있는 선택적 매개변수를 사용하여,\ndebugMode()
를 호출하는 네 가지 방법이 있습니다.
첫 번째 방법으로 debugMode()
를 호출할 때, mode
라는 매개변수를 사용하는 방법이 있습니다. \ndebugMode(GRID)
와 같이 시스템 상수 GRID
를 전달하면, 그리드가 표시되고 축 아이콘이 숨겨집니다.\ndebugMode(AXES)
와 같이 시스템 상수 AXES
를 전달하면, 축 아이콘이 표시되고 그리드가 숨겨집니다.
debugMode()
를 호출하는 두 번째 방법은 여섯 개의 매개변수를 사용합니다. 첫 번째 매개변수인 mode
는 GRID
또는 AXES
를 선택합니다.\n다음 다섯 개의 매개변수인 gridSize
, gridDivisions
, xOff
, yOff
, zOff
는 선택 사항입니다.\n이들은 그리드의 모양(gridSize
와 gridDivisions
)과 축 아이콘의 위치(xOff
, \nyOff
, zOff
)를 설정하는 숫자입니다.\n예를 들어, debugMode(20, 5, 10, 10, 10)
를 호출하면 gridSize
를 20 픽셀로 설정하고,\ngridDivisions
의 수를 5로 설정하며, 축 아이콘을 x, y, z축을 따라 각각 10 픽셀씩 위치를 조정합니다.
debugMode()
를 호출하는 세 번째 방법은 다섯 개의 매개변수를 사용합니다. 첫 번째 매개변수인 mode
는 GRID
또는 AXES
를 선택합니다.\n다음 네 개의 매개변수인 axesSize
, xOff
, yOff
, zOff
는 선택 사항입니다.\n이들은 축 아이콘의 크기(axesSize
)와 위치(xOff
, yOff
, zOff
)를 설정하는 숫자입니다.
debugMode()
를 호출하는 네 번째 방법은 아홉 개의 선택적 매개변수를 사용합니다. \n첫 다섯 개의 매개변수인 gridSize
, gridDivisions
, gridXOff
, \ngridYOff
, gridZOff
는 그리드의 모양을 설정하는 숫자입니다.\n예를 들어, debugMode(100, 5, 0, 0, 0)
를 호출하면 gridSize
를 100 픽셀로 설정하고,\ngridDivisions
의 수를 5로 설정하며, 모든 위치를 0으로 설정하여 그리드가 원점에 중앙에 위치하도록 합니다.\n다음 네 개의 매개변수인 axesSize
, xOff
, yOff
, zOff
는 \n축 아이콘의 모양(axesSize
)과 위치(axesXOff
, axesYOff
, axesZOff
)를 설정하는 숫자입니다.\n예를 들어, debugMode(100, 5, 0, 0, 0, 50, 10, 10, 10)
를 호출하면 gridSize
를 100으로 설정하고,\ngridDivisions
의 수를 5로 설정하며, 모든 위치를 0으로 설정하여 그리드가 원점에 중앙에 위치하도록 합니다.\n그리고 axesSize
를 50으로 설정하고, 축 아이콘을 x, y, z축을 따라 각각 10 픽셀씩 위치를 조정합니다.
GRID 혹은 AXES 중 하나를 선택
\n"],"type":[0,"Constant"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"mode"],"description":[0,""],"type":[0,"Constant"]}],[0,{"name":[0,"gridSize"],"description":[0,"그리드의 한 변의 길이
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"gridDivisions"],"description":[0,"그리드의 분할 수
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"xOff"],"description":[0,"원점으로부터 x축에 따른 위치
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"yOff"],"description":[0,"원점으로부터 y축에 따른 위치
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"zOff"],"description":[0,"원점으로부터 z축에 따른 위치
\n"],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"mode"],"description":[0,""],"type":[0,"Constant"]}],[0,{"name":[0,"axesSize"],"description":[0,"축 아이콘의 크기
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"xOff"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"yOff"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"zOff"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"gridSize"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"gridDivisions"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"gridXOff"],"description":[0,"원점으로부터 x축에 따른 위치
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"gridYOff"],"description":[0,"원점으로부터 y축에 따른 위치
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"gridZOff"],"description":[0,"원점으로부터 z축에 따른 위치
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"axesSize"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"axesXOff"],"description":[0,"원점으로부터 x축에 따른 위치
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"axesYOff"],"description":[0,"원점으로부터 y축에 따른 위치
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"axesZOff"],"description":[0,"원점으로부터 z축에 따른 위치
\n"],"type":[0,"Number"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Enable debug mode.\n debugMode();\n\n describe('A multicolor box on a gray background. A grid and axes icon are displayed near the box.');\n}\n\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Style the box.\n normalMaterial();\n\n // Draw the box.\n box(20, 40);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Enable debug mode.\n // Only display the axes icon.\n debugMode(AXES);\n\n describe('A multicolor box on a gray background. A grid and axes icon are displayed near the box.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Style the box.\n normalMaterial();\n\n // Draw the box.\n box(20, 40);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Enable debug mode.\n // Only display the grid and customize it:\n // - size: 50\n // - divisions: 10\n // - offsets: 0, 20, 0\n debugMode(GRID, 50, 10, 0, 20, 0);\n\n describe('A multicolor box on a gray background. A grid is displayed below the box.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Style the box.\n normalMaterial();\n\n // Draw the box.\n box(20, 40);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Enable debug mode.\n // Display the grid and axes icon and customize them:\n // Grid\n // ----\n // - size: 50\n // - divisions: 10\n // - offsets: 0, 20, 0\n // Axes\n // ----\n // - size: 50\n // - offsets: 0, 0, 0\n debugMode(50, 10, 0, 20, 0, 50, 0, 0, 0);\n\n describe('A multicolor box on a gray background. A grid is displayed below the box. An axes icon is displayed at the center of the box.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Style the box.\n normalMaterial();\n\n // Draw the box.\n box(20, 40);\n}\n
\n3D 스케치에서 debugMode()를 끕니다.
\n"],"line":[0,725],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Enable debug mode.\n debugMode();\n\n describe('A multicolor box on a gray background. A grid and axes icon are displayed near the box. They disappear when the user double-clicks.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Style the box.\n normalMaterial();\n\n // Draw the box. box(20, 40);\n}\n\n// Disable debug mode when the user double-clicks.\nfunction doubleClicked() {\n noDebugMode();\n}\n
\n마우스, 트랙패드, 또는 터치스크린을 사용하여 3D 스케치 주위를 회전할 수 있게 해줍니다.
\n3D 스케치는 가상의 카메라를 통해 보여집니다. draw() 함수 내에서 \norbitControl()
을 호출하면 사용자가 카메라의 위치를 변경할 수 있습니다:
\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.
\n orbitControl(); \n // Rest of sketch.
\n}\n
\n마우스 좌클릭 상태에서 드래그, 또는 스와이프 동작은 스케치 중심을 기준으로 카메라 위치를 회전시킵니다.\n마우스 우클릭 상태에서 드래그, 또는 멀티 스와이프 동작은 회전 없이 카메라 위치를 이동시킵니다. \n마우스 휠 사용(스크롤), 또는 핀치 인/아웃 동작은 카메라를 스케치의 중심에서 더 가깝게 하거나 멀어지게 합니다.
\n첫 세 매개변수 sensitivityX
, sensitivityY
, sensitivityZ
는 선택 사항입니다. 이들은 각 축에 따른 스케치의 움직임 감도를 설정하는 숫자입니다. 예를 들어, orbitControl(1, 2, -1)
을 호출하면 x축의 움직임은 기본값을 유지하고, y축의 움직임에 대해 두 배 더 민감하게 하며, z축의 움직임은 반대 방향이 됩니다. 기본적으로 모든 감도값은 1입니다.
네 번째 매개변수 options
도 선택 사항입니다. 이는 회전의 행동을 변경하는 객체입니다. 예를 들어, orbitControl(1, 1, 1, options)
을 호출하면 기본 감도 값을 유지하면서 options
로 설정된 행동들을 변경합니다. 객체는 다음 속성을 가질 수 있습니다:
\nlet options = {\n // Setting this to false makes mobile interactions smoother by\n // preventing accidental interactions with the page while orbiting.\n // By default, it's true.\n disableTouchActions: true,\n\n // Setting this to true makes the camera always rotate in the\n // direction the mouse/touch is moving.\n // By default, it's false.\n freeRotation: false\n};
\norbitControl(1, 1, 1, options);\n
\n"],"line":[0,11],"params":[1,[[0,{"name":[0,"sensitivityX"],"description":[0,"x축을 따라 움직임에 대한 감도. 기본값은 1입니다.
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"sensitivityY"],"description":[0,"y축을 따라 움직임에 대한 감도. 기본값은 1입니다.
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"sensitivityZ"],"description":[0,"z축을 따라 움직임에 대한 감도. 기본값은 1입니다.
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"options"],"description":[0,"disableTouchActions
와 freeRotation
두 가지 선택 사항 속성을 가진 객체입니다. 둘 다 Boolean
입니다. disableTouchActions
는 기본값이 true
이고, freeRotation
은 기본값이 false
입니다.
\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A multicolor box on a gray background. The camera angle changes when the user interacts using a mouse, trackpad, or touchscreen.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Style the box.\n normalMaterial();\n\n // Draw the box.\n box(30, 50);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A multicolor box on a gray background. The camera angle changes when the user interacts using a mouse, trackpad, or touchscreen.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n // Make the interactions 3X sensitive.\n orbitControl(3, 3, 3);\n\n // Style the box.\n normalMaterial();\n\n // Draw the box.\n box(30, 50);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A multicolor box on a gray background. The camera angle changes when the user interacts using a mouse, trackpad, or touchscreen.');\n}\n\nfunction draw() {\n background(200);\n\n // Create an options object.\n let options = {\n disableTouchActions: false,\n freeRotation: true\n };\n\n // Enable orbiting with the mouse.\n // Prevent accidental touch actions on touchscreen devices\n // and enable free rotation.\n orbitControl(1, 1, 1, options);\n\n // Style the box.\n normalMaterial();\n\n // Draw the box.\n box(30, 50);\n}\n
\n도형의 표면 재질의 주변색을 설정합니다.
ambientMaterial()
색상은 도형이 반사할 ambientLight() 색상의 구성 요소를 설정합니다. 예를 들어, ambientMaterial(255, 255, 0)
를 호출하면 도형이 빨간색과 초록색 빛을 반사하지만 파란색 빛은 반사하지 않습니다.
재질의 색상을 설정하기 위해 ambientMaterial()
은 세 가지의 다른 방법과 그에 맞는 매개 변수로 호출될 수 있습니다.
ambientMaterial()
을 호출하는 첫번째 방법은 하나의 매개 변수를 갖는데, 바로 gray
입니다. ambientMaterial(50)
에서와 같이 0에서 255 사이의 회색조 값을 전달해 재질의 색상을 설정하는 것입니다. 회색조 값이 높을수록 더 밝게 보입니다.
ambientMaterial()
을 호출하는 두번째 방법은 하나의 매개 변수를 갖는데, 바로 color
입니다. p5.Color 객체, 색상 값 배열이나 ambientMaterial('magenta')
에서와 같이 CSS 색상 문자열을 전달해 재질의 색상을 설정하는 것입니다.
ambientMaterial()
을 호출하는 세번째 방법은 세 개의 매개 변수를 갖는데, 바로 v1
, v2
, v3
입니다. ambientMaterial(255, 0, 0)
에서와 같이 RGB, HSB, 또는 HSL 값을 전달해 재질의 색상을 설정하는 것입니다. 색상 값은 현재의 colorMode()를 통해 해석됩니다.
참고: ambientMaterial()
은 WebGL 모드에서만 사용할 수 있습니다.
현재 colorMode()의 빨강값 또는 색조값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,"현재 colorMode()의 초록값 또는 채도값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,"현재 colorMode()의 파란값 또는 밝기값
\n"],"type":[0,"Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"gray"],"description":[0,"0(검은색)과 255(흰색) 사이의 회색조 값
\n"],"type":[0,"Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,"p5.Color 객체로서의 색상, 색상 값 배열, 또는 CSS 문자열
\n"],"type":[0,"p5.Color|Number[]|String"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A magenta cube drawn on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on a magenta ambient light.\n ambientLight(255, 0, 255);\n\n // Draw the box.\n box();\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A purple cube drawn on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on a magenta ambient light.\n ambientLight(255, 0, 255);\n\n // Add a dark gray ambient material.\n ambientMaterial(150);\n\n // Draw the box.\n box();\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A red cube drawn on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on a magenta ambient light.\n ambientLight(255, 0, 255);\n\n // Add a yellow ambient material using RGB values.\n ambientMaterial(255, 255, 0);\n\n // Draw the box.\n box();\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A red cube drawn on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on a magenta ambient light.\n ambientLight(255, 0, 255);\n\n // Add a yellow ambient material using a p5.Color object.\n let c = color(255, 255, 0);\n ambientMaterial(c);\n\n // Draw the box.\n box();\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A red cube drawn on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on a magenta ambient light.\n ambientLight(255, 0, 255);\n\n // Add a yellow ambient material using a color string.\n ambientMaterial('yellow');\n\n // Draw the box.\n box();\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A yellow cube drawn on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on a white ambient light.\n ambientLight(255, 255, 255);\n\n // Add a yellow ambient material using a color string.\n ambientMaterial('yellow');\n\n // Draw the box.\n box();\n}\n
\np5.Shader 객체를 생성하여 \nfilter() 함수와 함께 사용합니다.
\ncreateFilterShader()
함수는 createShader() 처럼 \n동작하지만 기본 정점 셰이더(vertex shader)가 포함되어 있습니다. createFilterShader()
함수는 캔버스의 내용을 필터링하기 위해 \nfilter() 함수와 함께 사용하도록 의도되었습니다.\n필터 셰이더는 p5.Geometry 객체뿐만 아니라 전체 캔버스에 적용됩니다.
매개변수인 fragSrc
는 프래그먼트 셰이더(fragment shader)를 설정합니다. \n이것은 GLSL로 작성된 프래그먼트 셰이더 프로그램이 포함된 문자열입니다.
p5.Shader 객체에는 다음과 같은 유니폼(uniform)이 설정됩니다:
\nsampler2D tex0
는 텍스처로 캔버스 내용을 포함합니다.vec2 canvasSize
는 캔버스의 너비와 높이(height)를 포함하며 픽셀 밀도(density)를 포함하지 않습니다.vec2 texelSize
는 픽셀 밀도를 포함한 물리적 픽셀의 크기입니다. 이것은 픽셀 너비(width)에 대해 1.0 / (width * density)
로 계산되며 픽셀 높이에 대해 1.0 / (height * density)
로 계산됩니다.생성된 p5.Shader는 또한 0과 1 사이의 값을 가진 좌표인 varying vec2 vTexCoord
를 제공합니다.\nvTexCoord
는 픽셀이 그려질 캔버스의 위치를 설명합니다.
필터와 셰이더에 대한 자세한 정보는 Adam Ferriss의 셰이더 예제 저장소나 셰이더 소개 튜토리얼을 참조하십시오.
\n"],"line":[0,429],"params":[1,[[0,{"name":[0,"fragSrc"],"description":[0,"프래그먼트 셰이더의 소스 코드
\n"],"type":[0,"String"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"프래그먼트 셰이더에서 생성된 새 셰이더 객체를 반환합니다."],"type":[0,"p5.Shader"]}],"example":[1,[[0,"\n\nfunction setup() {\n let fragSrc = `precision highp float;\n void main() {\n gl_FragColor = vec4(1.0, 1.0, 0.0, 1.0);\n }`;\n\n createCanvas(100, 100, WEBGL);\n let s = createFilterShader(fragSrc);\n filter(s);\n describe('a yellow canvas');\n}\n
\n\nlet img, s;\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\nfunction setup() {\n let fragSrc = `precision highp float;\n\n // x,y coordinates, given from the vertex shader\n varying vec2 vTexCoord;\n\n // the canvas contents, given from filter()\n uniform sampler2D tex0;\n // other useful information from the canvas\n uniform vec2 texelSize;\n uniform vec2 canvasSize;\n // a custom variable from this sketch\n uniform float darkness;\n\n void main() {\n // get the color at current pixel\n vec4 color = texture2D(tex0, vTexCoord);\n // set the output color\n color.b = 1.0;\n color *= darkness;\n gl_FragColor = vec4(color.rgb, 1.0);\n }`;\n\n createCanvas(100, 100, WEBGL);\n s = createFilterShader(fragSrc);\n}\nfunction draw() {\n image(img, -50, -50);\n s.setUniform('darkness', 0.5);\n filter(s);\n describe('a image of bricks tinted dark blue');\n}\n
\n새로운 p5.Shader 객체를 생성합니다.
\n셰이더는 그래픽 처리 장치(GPU)에서 실행되는 프로그램입니다. 동시에 많은 픽셀을 처리할 수 있어, 빠른 그래픽 작업에 유용합니다. 셰이더는 GLSL이라는 언어로 작성되고 스케치의 나머지 코드와 함께 실행됩니다.
\np5.Shader 객체가 생성되면 shader() 함수와 함께 사용될 수 있습니다. \n예를 들어, shader(myShader)
처럼 사용됩니다. 셰이더 프로그램은 정점(vertex) 셰이더와 프래그먼트(fragment) 셰이더 두 부분으로 구성됩니다. 정점 셰이더는 3D 기하학이 화면에 그려지는 위치에 영향을 주고, 프래그먼트 셰이더는 색상에 영향을 줍니다. \n첫 번째 매개변수인 vertSrc
는 정점 셰이더를 설정합니다. 이는 GLSL로 작성된 정점 셰이더 프로그램을 포함하는 문자열입니다.\n두 번째 매개변수인 fragSrc
는 프래그먼트 셰이더를 설정합니다. 이는 GLSL로 작성된 프래그먼트 세이더 프로그램을 포함하는 문자열입니다.
참고: 2D 모드에서는 필터 셰이더만 사용할 수 있습니다. 모든 셰이더는 WebGL 모드에서 사용할 수 있습니다.
\n"],"line":[0,173],"params":[1,[[0,{"name":[0,"vertSrc"],"description":[0,"정점 셰이더의 소스 코드
\n"],"type":[0,"String"]}],[0,{"name":[0,"fragSrc"],"description":[0,"프래그먼트 셰이더의 소스 코드
\n"],"type":[0,"String"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"정점 셰이더와 프래그먼트 셰이더로부터 생성된 새로운 셰이더 객체"],"type":[0,"p5.Shader"]}],"example":[1,[[0,"\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\n// Create a string with the vertex shader program.\n// The vertex shader is called for each vertex.\nlet vertSrc = `\nprecision highp float;\nuniform mat4 uModelViewMatrix;\nuniform mat4 uProjectionMatrix;\nattribute vec3 aPosition;\nattribute vec2 aTexCoord;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vTexCoord = aTexCoord;\n vec4 positionVec4 = vec4(aPosition, 1.0);\n gl_Position = uProjectionMatrix * uModelViewMatrix * positionVec4;\n}\n`;\n\n// Create a string with the fragment shader program.\n// The fragment shader is called for each pixel.\nlet fragSrc = `\nprecision highp float;\n\nvoid main() {\n // Set each pixel's RGBA value to yellow.\n gl_FragColor = vec4(1.0, 1.0, 0.0, 1.0);\n}\n`;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Shader object.\n let shaderProgram = createShader(vertSrc, fragSrc);\n\n // Compile and apply the p5.Shader object.\n shader(shaderProgram);\n\n // Style the drawing surface.\n noStroke();\n\n // Add a plane as a drawing surface.\n plane(100, 100);\n\n describe('A yellow square.');\n}\n
\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\n// Create a string with the vertex shader program.\n// The vertex shader is called for each vertex.\nlet vertSrc = `\nprecision highp float;\nuniform mat4 uModelViewMatrix;\nuniform mat4 uProjectionMatrix;\nattribute vec3 aPosition;\nattribute vec2 aTexCoord;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vTexCoord = aTexCoord;\n vec4 positionVec4 = vec4(aPosition, 1.0);\n gl_Position = uProjectionMatrix * uModelViewMatrix * positionVec4;\n}\n`;\n\n// Create a string with the fragment shader program.\n// The fragment shader is called for each pixel.\nlet fragSrc = `\nprecision highp float;\nuniform vec2 p;\nuniform float r;\nconst int numIterations = 500;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vec2 c = p + gl_FragCoord.xy * r;\n vec2 z = c;\n float n = 0.0;\n\n for (int i = numIterations; i > 0; i--) {\n if (z.x * z.x + z.y * z.y > 4.0) {\n n = float(i) / float(numIterations);\n break;\n }\n z = vec2(z.x * z.x - z.y * z.y, 2.0 * z.x * z.y) + c;\n }\n\n gl_FragColor = vec4(\n 0.5 - cos(n * 17.0) / 2.0,\n 0.5 - cos(n * 13.0) / 2.0,\n 0.5 - cos(n * 23.0) / 2.0,\n 1.0\n );\n}\n`;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Shader object.\n let mandelbrot = createShader(vertSrc, fragSrc);\n\n // Compile and apply the p5.Shader object.\n shader(mandelbrot);\n\n // Set the shader uniform p to an array.\n // p is the center point of the Mandelbrot image.\n mandelbrot.setUniform('p', [-0.74364388703, 0.13182590421]);\n\n // Set the shader uniform r to 0.005.\n // r is the size of the image in Mandelbrot-space.\n mandelbrot.setUniform('r', 0.005);\n\n // Style the drawing surface.\n noStroke();\n\n // Add a plane as a drawing surface.\n plane(100, 100);\n\n describe('A black fractal image on a magenta background.');\n}\n
\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\n// Create a string with the vertex shader program.\n// The vertex shader is called for each vertex.\nlet vertSrc = `\nprecision highp float;\nuniform mat4 uModelViewMatrix;\nuniform mat4 uProjectionMatrix;\n\nattribute vec3 aPosition;\nattribute vec2 aTexCoord;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vTexCoord = aTexCoord;\n vec4 positionVec4 = vec4(aPosition, 1.0);\n gl_Position = uProjectionMatrix * uModelViewMatrix * positionVec4;\n}\n`;\n\n// Create a string with the fragment shader program.\n// The fragment shader is called for each pixel.\nlet fragSrc = `\nprecision highp float;\nuniform vec2 p;\nuniform float r;\nconst int numIterations = 500;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vec2 c = p + gl_FragCoord.xy * r;\n vec2 z = c;\n float n = 0.0;\n\n for (int i = numIterations; i > 0; i--) {\n if (z.x * z.x + z.y * z.y > 4.0) {\n n = float(i) / float(numIterations);\n break;\n }\n\n z = vec2(z.x * z.x - z.y * z.y, 2.0 * z.x * z.y) + c;\n }\n\n gl_FragColor = vec4(\n 0.5 - cos(n * 17.0) / 2.0,\n 0.5 - cos(n * 13.0) / 2.0,\n 0.5 - cos(n * 23.0) / 2.0,\n 1.0\n );\n}\n`;\n\nlet mandelbrot;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Shader object.\n mandelbrot = createShader(vertSrc, fragSrc);\n\n // Apply the p5.Shader object.\n shader(mandelbrot);\n\n // Set the shader uniform p to an array.\n // p is the center point of the Mandelbrot image.\n mandelbrot.setUniform('p', [-0.74364388703, 0.13182590421]);\n\n describe('A fractal image zooms in and out of focus.');\n}\n\nfunction draw() {\n // Set the shader uniform r to a value that oscillates\n // between 0 and 0.005.\n // r is the size of the image in Mandelbrot-space.\n let radius = 0.005 * (sin(frameCount * 0.01) + 1);\n mandelbrot.setUniform('r', radius);\n\n // Style the drawing surface.\n noStroke();\n\n // Add a plane as a drawing surface.\n plane(100, 100);\n}\n
\n도형의 표면 재질의 발광색을 설정합니다.
emissiveMaterial()
색상은 조명에 관계 없이 색상을 최대한 강하게 표시합니다. 이렇게 하면 모양이 빛나는 것처럼 보입니다. 그러나 발광 재질은 실제로 주변 물체에 영향을 줄 수 있는 빛을 방출하지 않습니다.
재질의 색상을 설정하기 위해 emissiveMaterial()
은 세 가지의 다른 방법과 그에 맞는 매개 변수로 호출될 수 있습니다.
emissiveMaterial()
을 호출하는 첫번째 방법은 하나의 매개 변수를 갖는데, 바로 gray
입니다. ambientMaterial(50)
에서와 같이 0에서 255 사이의 회색조 값을 전달해 재질의 색상을 설정할 수 있습니다. 회색조 값이 높을수록 더 밝게 보입니다.
emissiveMaterial()
을 호출하는 두번째 방법은 하나의 매개 변수를 갖는데, 바로 color
입니다. p5.Color 객체, 색상 값 배열이나 emissiveMaterial('magenta')
에서와 같이 CSS 색상 문자열을 전달해 재질의 색상을 설정할 수 있습니다.
emissiveMaterial()
을 호출하는 세번째 방법은 네 개의 매개 변수를 갖는데, 바로 v1
, v2
, v3
, 그리고 alpha
입니다. emissiveMaterial(255, 0, 0, 30)
에서와 같이 RGBA, HSBA, 또는 HSLA 값을 전달해 재질의 색상을 설정할 수 있습니다. 색상 값은 현재의 colorMode()를 통해 해석됩니다.
참고: emissiveMaterial()
은 WebGL 모드에서만 사용할 수 있습니다.
현재 colorMode()의 빨간색이나 색조 값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,"현재 colorMode()의 초록색이나 채도 값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,"현재 colorMode()의 파란색이나 밝기 값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"alpha"],"description":[0,"현재 colorMode()의 투명도 값
\n"],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"gray"],"description":[0,"0(검은색)과 255(흰색) 사이의 회색조 값
\n"],"type":[0,"Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,"p5.Color 객체로서의 색상, 색상 값 배열, 또는 CSS 문자열
\n"],"type":[0,"p5.Color|Number[]|String"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A red cube drawn on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on a white ambient light.\n ambientLight(255, 255, 255);\n\n // Add a red emissive material using RGB values.\n emissiveMaterial(255, 0, 0);\n\n // Draw the box.\n box();\n}\n
\n정점(vertex)과 프래그먼트(fragment) 셰이더를 로드하여 p5.Shader 객체를 생성합니다.
\n셰이더는 그래픽 처리 장치(GPU)에서 실행되는 프로그램입니다. 많은 픽셀을 동시에 처리할 수 있어 빠른 그래픽 작업에 유용합니다. 셰이더는 GLSL이라는 언어로 작성되며 스케치의 나머지 코드와 함께 실행됩니다.
\np5.Shader 객체가 생성되면, shader() 함수와 함께 사용할 수 있습니다. 예를 들어, shader(myShader)
를 호출하면 됩니다. 셰이더 프로그램은 두 개의 파일, 정점과 프래그먼트 셰이더로 구성됩니다. 정점 셰이더는 3D 기하학이 화면에 그려지는 위치에 영향을 주고, 프래그먼트 셰이더는 색상에 영향을 줍니다.
loadShader()
는 .vert
파일과 .frag
파일에서 정점과 프래그먼트 셰이더를 로드합니다. 예를 들어, loadShader('/assets/shader.vert', '/assets/shader.frag')
를 호출하면 필요한 두 셰이더를 로드하고 p5.Shader 객체를 반환합니다.\n세 번째 매개변수인 successCallback
은 선택 사항입니다. 함수가 전달되면 셰이더가 로드된 후에 호출됩니다. 콜백 함수는 새로운 p5.Shader 객체를 매개변수로 사용할 수 있습니다.
네 번째 매개변수인 failureCallback
은 선택 사항입니다. 함수가 전달되면 셰이더 로드에 실패할 경우 호출됩니다. 콜백 함수는 이벤트 오류를 매개변수로 사용할 수 있습니다. 셰이더는 로드하는 데 시간이 걸릴 수 있습니다. preload() 에서 loadShader()
를 호출하면 setup() 또는 draw()에서 사용하기 전에 셰이더가 로드됩니다.
참고: 셰이더는 WebGL 모드에서만 사용할 수 있습니다.
\n"],"line":[0,12],"params":[1,[[0,{"name":[0,"vertFilename"],"description":[0,"로드할 정점 셰이더의 경로
\n"],"type":[0,"String"]}],[0,{"name":[0,"fragFilename"],"description":[0,"로드할 프래그먼트 셰이더의 경로
\n"],"type":[0,"String"]}],[0,{"name":[0,"successCallback"],"description":[0,"셰이더가 로드되면 호출할 함수. p5.Shader 객체를 전달받을 수 있습니다.
\n"],"type":[0,"Function"],"optional":[0,true]}],[0,{"name":[0,"failureCallback"],"description":[0,"셰이더 로드에 실패했을 때 호출할 함수.Error
이벤트 객체를 전달받을 수 있습니다.
\n// Note: A \"uniform\" is a global variable within a shader program.\n\nlet mandelbrot;\n\n// Load the shader and create a p5.Shader object.\nfunction preload() {\n mandelbrot = loadShader('/assets/shader.vert', '/assets/shader.frag');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Compile and apply the p5.Shader object.\n shader(mandelbrot);\n\n // Set the shader uniform p to an array.\n mandelbrot.setUniform('p', [-0.74364388703, 0.13182590421]);\n\n // Set the shader uniform r to the value 1.5.\n mandelbrot.setUniform('r', 1.5);\n\n // Add a quad as a display surface for the shader.\n quad(-1, -1, 1, -1, 1, 1, -1, 1);\n\n describe('A black fractal image on a magenta background.');\n}\n
\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\nlet mandelbrot;\n\n// Load the shader and create a p5.Shader object.\nfunction preload() {\n mandelbrot = loadShader('/assets/shader.vert', '/assets/shader.frag');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Use the p5.Shader object.\n shader(mandelbrot);\n\n // Set the shader uniform p to an array.\n mandelbrot.setUniform('p', [-0.74364388703, 0.13182590421]);\n\n describe('A fractal image zooms in and out of focus.');\n}\n\nfunction draw() {\n // Set the shader uniform r to a value that oscillates between 0 and 2.\n mandelbrot.setUniform('r', sin(frameCount * 0.01) + 1);\n\n // Add a quad as a display surface for the shader.\n quad(-1, -1, 1, -1, 1, 1, -1, 1);\n}\n
\nspecularMaterial()의 금속성 양을 설정합니다.
metalness()
는 재질을 더 금속처럼 보이게 할 수 있습니다. directionalLight(), pointLight(), spotLight(), 그리고 imageLight()를 포함한 광원을 반사하는 방식에 영향을 줍니다.
매개 변수 metallic
은 금속성의 양을 설정하는 숫자입니다. metallic
은 기본값인 1보다 커야 합니다. metalness(100)
과 같이 값이 높으면 표면 재질이 더 금속처럼 보입니다.
금속성의 양
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe(\n 'Two blue spheres drawn on a gray background. White light reflects from their surfaces as the mouse moves. The right sphere is more metallic than the left sphere.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Turn on an ambient light.\n ambientLight(200);\n\n // Get the mouse's coordinates.\n let mx = mouseX - 50;\n let my = mouseY - 50;\n\n // Turn on a white point light that follows the mouse.\n pointLight(255, 255, 255, mx, my, 50);\n\n // Style the spheres.\n noStroke();\n fill(30, 30, 255);\n specularMaterial(255);\n shininess(20);\n\n // Draw the left sphere with low metalness.\n translate(-25, 0, 0);\n metalness(1);\n sphere(20);\n\n // Draw the right sphere with high metalness.\n translate(50, 0, 0);\n metalness(50);\n sphere(20);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nlet img;\n\nfunction preload() {\n img = loadImage('/assets/outdoor_spheremap.jpg');\n}\n\nfunction setup() {\n createCanvas(100 ,100 ,WEBGL);\n\n describe(\n 'Two spheres floating above a landscape. The surface of the spheres reflect the landscape. The right sphere is more reflective than the left sphere.'\n );\n}\n\nfunction draw() {\n // Add the panorama.\n panorama(img);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Use the image as a light source.\n imageLight(img);\n\n // Style the spheres.\n noStroke();\n specularMaterial(50);\n shininess(200);\n\n // Draw the left sphere with low metalness.\n translate(-25, 0, 0);\n metalness(1);\n sphere(20);\n\n // Draw the right sphere with high metalness.\n translate(50, 0, 0);\n metalness(50);\n sphere(20);\n}\n
\n현재 재질을 일반(Normal) 재질로 설정합니다.
일반 재질은 x축을 향하는 면을 빨간색으로, y축을 향하는 면을 초록색으로, z축을 향하는 면을 파란색으로 설정합니다. 일반 재질은 빛의 영향을 받지 않습니다. 디버깅할 때 자리 표시자(placeholder) 재질로 종종 사용됩니다.
참고: normalMaterial()
은 WebGL 모드에서만 사용할 수 있습니다.
\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A multicolor torus drawn on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Style the torus.\n normalMaterial();\n\n // Draw the torus.\n torus(30);\n}\n
\n기본 셰이더로 복원합니다.
\nresetShader()
는 이전에 shader()로 적용된 셰이더를 비활성화합니다.
참고: 셰이더는 WebGL 모드에서만 사용할 수 있습니다.
\n"],"line":[0,773],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\n// Create a string with the vertex shader program.\n// The vertex shader is called for each vertex.\nlet vertSrc = `\nattribute vec3 aPosition;\nattribute vec2 aTexCoord;\nuniform mat4 uProjectionMatrix;\nuniform mat4 uModelViewMatrix;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vTexCoord = aTexCoord;\n vec4 position = vec4(aPosition, 1.0);\n gl_Position = uProjectionMatrix * uModelViewMatrix * position;\n}\n`;\n\n// Create a string with the fragment shader program.\n// The fragment shader is called for each pixel.\nlet fragSrc = `\nprecision mediump float;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vec2 uv = vTexCoord;\n vec3 color = vec3(uv.x, uv.y, min(uv.x + uv.y, 1.0));\n gl_FragColor = vec4(color, 1.0);\n}\n`;\n\nlet myShader;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Shader object.\n myShader = createShader(vertSrc, fragSrc);\n\n describe(\n 'Two rotating cubes on a gray background. The left one has a blue-purple gradient on each face. The right one is red.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Draw a box using the p5.Shader.\n // shader() sets the active shader to myShader.\n shader(myShader);\n push();\n translate(-25, 0, 0);\n rotateX(frameCount * 0.01);\n rotateY(frameCount * 0.01);\n box(width / 4);\n pop();\n\n // Draw a box using the default fill shader.\n // resetShader() restores the default fill shader.\n resetShader();\n fill(255, 0, 0);\n push();\n translate(25, 0, 0);\n rotateX(frameCount * 0.01);\n rotateY(frameCount * 0.01);\n box(width / 4);\n pop();\n}\n
\n화면을 그리는 도중에 적용할 p5.Shader 객체를 설정합니다.
\n셰이더는 그래픽 처리 장치(GPU)에서 실행되는 프로그램입니다. \n많은 픽셀이나 정점(vertex)을 동시에 처리할 수 있어 빠른 그래픽 작업에 유용합니다. \n셰이더는 GLSL이라는 언어로 작성되며 스케치의 나머지 코드와 함께 실행됩니다.\np5.Shader 객체는 createShader()와 loadShader() 함수를 사용하여 생성할 수 있습니다.
\n매개변수 s
는 각 픽셀을 처리하는 데 사용할 p5.Shader 객체입니다.\n예를 들어, shader(myShader)
를 호출하면 myShader
가 적용되어 캔버스의 각 픽셀을 처리합니다.\n셰이더는 다음과 같은 경우에 사용됩니다:
sampler2D
유니폼을 포함하는 경우.aNormal
속성이 포함되어 있거나 다음과 같은 유니폼 중 하나가 있는 경우:\nuUseLighting
, uAmbientLightCount
, uDirectionalLightCount
, uPointLightCount
, uAmbientColor
, uDirectionalDiffuseColors
, uDirectionalSpecularColors
, uPointLightLocation
, uPointLightDiffuseColors
, uPointLightSpecularColors
, uLightingDirection
, 또는 uSpecular
.uStrokeWeight
유니폼을 포함하는 경우 획을 그립니다. p5.Shader 객체의 프래그먼트 셰이더(fragment shader) 및 정점 셰이더(vertex shader) 소스 코드는 처음 shader()
에 전달될 때 컴파일됩니다.\n셰이더를 컴파일하는 것에 대한 자세한 내용은 MDN을 참조하십시오.
resetShader()를 호출하여 스케치의 기본 셰이더로 복원할 수 있습니다.
\n참고: 셰이더는 WebGL 모드에서만 사용할 수 있습니다.
\n"],"line":[0,571],"params":[1,[[0,{"name":[0,"s"],"description":[0,"적용할 p5.Shader 객체
\n"],"type":[0,"p5.Shader"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\n// Create a string with the vertex shader program.\n// The vertex shader is called for each vertex.\nlet vertSrc = `\nprecision highp float;\nuniform mat4 uModelViewMatrix;\nuniform mat4 uProjectionMatrix;\n\nattribute vec3 aPosition;\nattribute vec2 aTexCoord;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vTexCoord = aTexCoord;\n vec4 positionVec4 = vec4(aPosition, 1.0);\n gl_Position = uProjectionMatrix * uModelViewMatrix * positionVec4;\n}\n`;\n\n// Create a string with the fragment shader program.\n// The fragment shader is called for each pixel.\nlet fragSrc = `\nprecision highp float;\n\nvoid main() {\n // Set each pixel's RGBA value to yellow.\n gl_FragColor = vec4(1.0, 1.0, 0.0, 1.0);\n}\n`;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Shader object.\n let shaderProgram = createShader(vertSrc, fragSrc);\n\n // Apply the p5.Shader object.\n shader(shaderProgram);\n\n // Style the drawing surface.\n noStroke();\n\n // Add a plane as a drawing surface.\n plane(100, 100);\n\n describe('A yellow square.');\n}\n
\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\nlet mandelbrot;\n\n// Load the shader and create a p5.Shader object.\nfunction preload() {\n mandelbrot = loadShader('/assets/shader.vert', '/assets/shader.frag');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Use the p5.Shader object.\n shader(mandelbrot);\n\n // Set the shader uniform p to an array.\n mandelbrot.setUniform('p', [-0.74364388703, 0.13182590421]);\n\n describe('A fractal image zooms in and out of focus.');\n}\n\nfunction draw() {\n // Set the shader uniform r to a value that oscillates between 0 and 2.\n mandelbrot.setUniform('r', sin(frameCount * 0.01) + 1);\n\n // Add a quad as a display surface for the shader.\n quad(-1, -1, 1, -1, 1, 1, -1, 1);\n}\n
\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\nlet redGreen;\nlet orangeBlue;\nlet showRedGreen = false;\n\n// Load the shader and create two separate p5.Shader objects.\nfunction preload() {\n redGreen = loadShader('/assets/shader.vert', '/assets/shader-gradient.frag');\n orangeBlue = loadShader('/assets/shader.vert', '/assets/shader-gradient.frag');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Initialize the redGreen shader.\n shader(redGreen);\n\n // Set the redGreen shader's center and background color.\n redGreen.setUniform('colorCenter', [1.0, 0.0, 0.0]);\n redGreen.setUniform('colorBackground', [0.0, 1.0, 0.0]);\n\n // Initialize the orangeBlue shader.\n shader(orangeBlue);\n\n // Set the orangeBlue shader's center and background color.\n orangeBlue.setUniform('colorCenter', [1.0, 0.5, 0.0]);\n orangeBlue.setUniform('colorBackground', [0.226, 0.0, 0.615]);\n\n describe(\n 'The scene toggles between two circular gradients when the user double-clicks. An orange and blue gradient vertically, and red and green gradient moves horizontally.'\n );\n}\n\nfunction draw() {\n // Update the offset values for each shader.\n // Move orangeBlue vertically.\n // Move redGreen horizontally.\n orangeBlue.setUniform('offset', [0, sin(frameCount * 0.01) + 1]);\n redGreen.setUniform('offset', [sin(frameCount * 0.01), 1]);\n\n if (showRedGreen === true) {\n shader(redGreen);\n } else {\n shader(orangeBlue);\n }\n\n // Style the drawing surface.\n noStroke();\n\n // Add a quad as a drawing surface.\n quad(-1, -1, 1, -1, 1, 1, -1, 1);\n}\n\n// Toggle between shaders when the user double-clicks.\nfunction doubleClicked() {\n showRedGreen = !showRedGreen;\n}\n
\nspecularMaterial()의 광택 양을 설정합니다.
반짝이는 물질은 칙칙한 물질보다 반사된 빛을 더 집중시킵니다. shininess()
는 directionalLight(), pointLight(), 그리고 spotLight()을 포함한 광원을 반사하는 방식에 영향을 줍니다.
매개 변수 shine
은 광택의 양을 설정하는 숫자입니다. shine
은 기본값인 1보다 커야 합니다.
광택의 양
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe(\n 'Two red spheres drawn on a gray background. White light reflects from their surfaces as the mouse moves. The right sphere is shinier than the left sphere.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Turn on a red ambient light.\n ambientLight(255, 0, 0);\n\n // Get the mouse's coordinates.\n let mx = mouseX - 50;\n let my = mouseY - 50;\n\n // Turn on a white point light that follows the mouse.\n pointLight(255, 255, 255, mx, my, 50);\n\n // Style the sphere.\n noStroke();\n\n // Add a specular material with a grayscale value.\n specularMaterial(255);\n\n // Draw the left sphere with low shininess.\n translate(-25, 0, 0);\n shininess(10);\n sphere(20);\n\n // Draw the right sphere with high shininess.\n translate(50, 0, 0);\n shininess(100);\n sphere(20);\n}\n
\n도형의 표면 재질의 반사색을 설정합니다.
specularMaterial()
색상은 도형의 광택 코팅이 반사할 밝은 색상의 구성 요소를 설정합니다. 예를 들어, specularMaterial(255, 255, 0)
를 호출하면 도형이 빨간색과 초록색 빛을 반사하지만 파란색 빛은 반사하지 않습니다.
ambientMaterial()과 다르게,specularMaterial()
은 directionalLight(), pointLight(), 그리고 spotLight()
재질의 색상을 설정하기 위해 specularMaterial()
은 세 가지의 다른 방법과 그에 맞는 매개 변수로 호출될 수 있습니다.
specularMaterial()
을 호출하는 첫번째 방법은 하나의 매개 변수를 갖는데, 바로 gray
입니다. specularMaterial(50)
에서와 같이 0에서 255 사이의 회색조 값을 전달해 재질의 색상을 설정할 수 있습니다. 회색조 값이 높을수록 더 밝게 보입니다.
specularMaterial()
을 호출하는 두번째 방법은 하나의 매개 변수를 갖는데, 바로 color
입니다. p5.Color 객체, 색상 값 배열이나 specularMaterial('magenta')
에서와 같이 CSS 색상 문자열을 전달해 재질의 색상을 설정할 수 있습니다.
specularMaterial()
을 호출하는 세번째 방법은 네 개의 매개 변수를 갖는데, 바로 v1
, v2
, v3
, 그리고 alpha
입니다. specularMaterial(255, 0, 0, 30)
에서와 같이 RGBA, HSBA, 또는 HSLA 값을 전달해 재질의 색상을 설정할 수 있습니다. 색상 값은 현재의 colorMode()를 통해 해석됩니다.
0(검은색)과 255(흰색) 사이의 회색조 값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"alpha"],"description":[0,"현재 colorMode()의 투명도 값
\n"],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"v1"],"description":[0,"현재 colorMode()의 빨간색이나 색조 값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,"현재 colorMode()의 초록색이나 채도 값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,"현재 colorMode()의 파란색이나 밝기 값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"alpha"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,"p5.Color 객체로서의 색상, 색상 값 배열, 또는 CSS 문자열
\n"],"type":[0,"p5.Color|Number[]|String"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\n// Click and drag the mouse to view the scene from different angles.\n// Double-click the canvas to apply a specular material.\n\nlet isGlossy = false;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A red torus drawn on a gray background. It becomes glossy when the user double-clicks.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on a white point light at the top-right.\n pointLight(255, 255, 255, 30, -40, 30);\n\n // Add a glossy coat if the user has double-clicked.\n if (isGlossy === true) {\n specularMaterial(255);\n shininess(50);\n }\n\n // Style the torus.\n noStroke();\n fill(255, 0, 0);\n\n // Draw the torus.\n torus(30);\n}\n\n// Make the torus glossy when the user double-clicks.\nfunction doubleClicked() {\n isGlossy = true;\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n// Double-click the canvas to apply a specular material.\n\nlet isGlossy = false;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe(\n 'A red torus drawn on a gray background. It becomes glossy and reflects green light when the user double-clicks.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on a white point light at the top-right.\n pointLight(255, 255, 255, 30, -40, 30);\n\n // Add a glossy green coat if the user has double-clicked.\n if (isGlossy === true) {\n specularMaterial(0, 255, 0);\n shininess(50);\n }\n\n // Style the torus.\n noStroke();\n fill(255, 0, 0);\n\n // Draw the torus.\n torus(30);\n}\n\n// Make the torus glossy when the user double-clicks.\nfunction doubleClicked() {\n isGlossy = true;\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n// Double-click the canvas to apply a specular material.\n\nlet isGlossy = false;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe(\n 'A red torus drawn on a gray background. It becomes glossy and reflects green light when the user double-clicks.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on a white point light at the top-right.\n pointLight(255, 255, 255, 30, -40, 30);\n\n // Add a glossy green coat if the user has double-clicked.\n if (isGlossy === true) {\n // Create a p5.Color object.\n let c = color('green');\n specularMaterial(c);\n shininess(50);\n }\n\n // Style the torus.\n noStroke();\n fill(255, 0, 0);\n\n // Draw the torus.\n torus(30);\n}\n\n// Make the torus glossy when the user double-clicks.\nfunction doubleClicked() {\n isGlossy = true;\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n// Double-click the canvas to apply a specular material.\n\nlet isGlossy = false;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe(\n 'A red torus drawn on a gray background. It becomes glossy and reflects green light when the user double-clicks.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on a white point light at the top-right.\n pointLight(255, 255, 255, 30, -40, 30);\n\n // Add a glossy green coat if the user has double-clicked.\n if (isGlossy === true) {\n specularMaterial('#00FF00');\n shininess(50);\n }\n\n // Style the torus.\n noStroke();\n fill(255, 0, 0);\n\n // Draw the torus.\n torus(30);\n}\n\n// Make the torus glossy when the user double-clicks.\nfunction doubleClicked() {\n isGlossy = true;\n}\n
\n도형에 사용할 텍스처를 설정합니다.
\n텍스처는 도형을 감싸는 피부와 같은 역할을 합니다. texture()
는\n내장된 square()나 sphere()와 같은\n도형과, buildGeometry()와 같은 함수로 생성된 사용자 정의 도형에서 작동합니다.\nbeginShape()로 생성된 기하에 텍스처를 입히려면\n각 vertex() 호출에 uv 좌표를 전달해야 합니다.
tex
는 텍스처를 적용할 매개변수입니다.\ntexture()
는 이미지, 비디오, p5.Graphics와\np5.Framebuffer 객체와 같은\n화면 밖 렌더러를 포함한 다양한 소스를 사용할 수 있습니다.
beginShape()로 생성된 기하학에 텍스처를 적용하려면\nvertex()에서 uv 좌표를 지정해야 합니다.
\n참고: texture()
는 WebGL 모드에서만 사용할 수 있습니다.
텍스처로 사용할 미디어.
\n"],"type":[0,"p5.Image|p5.MediaElement|p5.Graphics|p5.Texture|p5.Framebuffer|p5.FramebufferTexture"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\nlet img;\n\n// Load an image and create a p5.Image object.\nfunction preload() {\n img = loadImage('/assets/laDefense.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A spinning cube with an image of a ceiling on each face.');\n}\n\nfunction draw() {\n background(0);\n\n // Rotate around the x-, y-, and z-axes.\n rotateZ(frameCount * 0.01);\n rotateX(frameCount * 0.01);\n rotateY(frameCount * 0.01);\n\n // Apply the image as a texture.\n texture(img);\n\n // Draw the box.\n box(50);\n}\n
\n\nlet pg;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Graphics object.\n pg = createGraphics(100, 100);\n\n // Draw a circle to the p5.Graphics object.\n pg.background(200);\n pg.circle(50, 50, 30);\n\n describe('A spinning cube with circle at the center of each face.');\n}\n\nfunction draw() {\n background(0);\n\n // Rotate around the x-, y-, and z-axes.\n rotateZ(frameCount * 0.01);\n rotateX(frameCount * 0.01);\n rotateY(frameCount * 0.01);\n\n // Apply the p5.Graphics object as a texture.\n texture(pg);\n\n // Draw the box.\n box(50);\n}\n
\n\nlet vid;\n\n// Load a video and create a p5.MediaElement object.\nfunction preload() {\n vid = createVideo('/assets/fingers.mov');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Hide the video.\n vid.hide();\n\n // Set the video to loop.\n vid.loop();\n\n describe('A rectangle with video as texture');\n}\n\nfunction draw() {\n background(0);\n\n // Rotate around the y-axis.\n rotateY(frameCount * 0.01);\n\n // Apply the video as a texture.\n texture(vid);\n\n // Draw the rectangle.\n rect(-40, -40, 80, 80);\n}\n
\n\nlet vid;\n\n// Load a video and create a p5.MediaElement object.\nfunction preload() {\n vid = createVideo('/assets/fingers.mov');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Hide the video.\n vid.hide();\n\n // Set the video to loop.\n vid.loop();\n\n describe('A rectangle with video as texture');\n}\n\nfunction draw() {\n background(0);\n\n // Rotate around the y-axis.\n rotateY(frameCount * 0.01);\n\n // Set the texture mode.\n textureMode(NORMAL);\n\n // Apply the video as a texture.\n texture(vid);\n\n // Draw a custom shape using uv coordinates.\n beginShape();\n vertex(-40, -40, 0, 0);\n vertex(40, -40, 1, 0);\n vertex(40, 40, 1, 1);\n vertex(-40, 40, 0, 1);\n endShape();\n}\n
\n사용자 지정 도형에 적용되는 텍스처의 좌표계를 변경합니다.
\ntexture()가 작동하려면 해당 도형은\n표면의 점을 이미지의 픽셀에 매핑해야 합니다. \nrect()와 box()와 같은 내장된 도형은 이미 그들의 꼭짓점에 기반한 텍스처 매핑을 가지고 있습니다.\nvertex()로 생성된 사용자 지정 도형은 uv 좌표로 전달되어야 합니다.
\n각 vertex() 호출은 5개의 인수를 포함해야 합니다.\n예를 들어 vertex(x, y, z, u, v)
는 좌표 (x, y, z)
에 있는 꼭짓점을\n이미지의 좌표 (u, v)
에 매핑합니다. 예를 들어, 기본적으로 직사각형의 모서리는 다음과 같이 매핑됩니다:
\n// Apply the image as a texture.\ntexture(img);\n\n// Draw the rectangle.\nrect(0, 0, 30, 50);\n
\n위의 코드 스니펫의 이미지가 300 x 500 픽셀의 크기를 가진다면,\n동일한 결과는 다음과 같이 얻을 수 있습니다:
\n\n// Apply the image as a texture.\ntexture(img);\n\n// Draw the rectangle.\nbeginShape();
\n// Top-left.\n// u: 0, v: 0\nvertex(0, 0, 0, 0, 0);
\n// Top-right.\n// u: 300, v: 0\nvertex(30, 0, 0, 300, 0);
\n// Bottom-right.\n// u: 300, v: 500\nvertex(30, 50, 0, 300, 500);
\n// Bottom-left.\n// u: 0, v: 500\nvertex(0, 50, 0, 0, 500);
\nendShape();\n
\ntextureMode()
는 uv 좌표계를 변경합니다.
매개변수인 mode
는 두 가지 상수를 받습니다. NORMAL
이 전달되면\ntextureMode(NORMAL)
처럼, 텍스처의 uv 좌표는 이미지의 크기 대신 0에서 1의 범위로 제공될 수 있습니다.\n이는 다른 크기의 여러 이미지에 대해 동일한 코드를 사용하는 데 도움이 될 수 있습니다.\n예를 들어, 위의 코드 스니펫은 다음과 같이 다시 작성할 수 있습니다:
\n// Set the texture mode to use normalized coordinates.\ntextureMode(NORMAL);\n\n// Apply the image as a texture.\ntexture(img);
\n// Draw the rectangle.\nbeginShape();
\n// Top-left.\n// u: 0, v: 0\nvertex(0, 0, 0, 0, 0);
\n// Top-right.\n// u: 1, v: 0\nvertex(30, 0, 0, 1, 0);
\n// Bottom-right.\n// u: 1, v: 1\nvertex(30, 50, 0, 1, 1);
\n// Bottom-left.\n// u: 0, v: 1\nvertex(0, 50, 0, 0, 1);
\nendShape();\n
\n기본적으로 mode
는 IMAGE
이며, uv 좌표를 이미지의 크기로 조정합니다.\ntextureMode(IMAGE)
를 호출하면 기본값이 적용됩니다.
참고: textureMode()
는 WebGL 모드에서만 사용할 수 있습니다.
IMAGE 혹은 NORMAL 중 하나.
\n"],"type":[0,"Constant"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nlet img;\n\n// Load an image and create a p5.Image object.\nfunction preload() {\n img = loadImage('/assets/laDefense.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('An image of a ceiling against a black background.');\n}\n\nfunction draw() {\n background(0);\n\n // Apply the image as a texture.\n texture(img);\n\n // Draw the custom shape.\n // Use the image's width and height as uv coordinates.\n beginShape();\n vertex(-30, -30, 0, 0);\n vertex(30, -30, img.width, 0);\n vertex(30, 30, img.width, img.height);\n vertex(-30, 30, 0, img.height);\n endShape();\n}\n
\n\nlet img;\n\n// Load an image and create a p5.Image object.\nfunction preload() {\n img = loadImage('/assets/laDefense.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('An image of a ceiling against a black background.');\n}\n\nfunction draw() {\n background(0);\n\n // Set the texture mode.\n textureMode(NORMAL);\n\n // Apply the image as a texture.\n texture(img);\n\n // Draw the custom shape.\n // Use normalized uv coordinates.\n beginShape();\n vertex(-30, -30, 0, 0);\n vertex(30, -30, 1, 0);\n vertex(30, 30, 1, 1);\n vertex(-30, 30, 0, 1);\n endShape();\n}\n
\n도형의 uv 좌표가 질감의 범위를 벗어날 때 질감의 동작 방식을 변경합니다.
texture()가 작동하기 위해서는 도형 표면에 있는 점을 이미지의 픽셀에 매핑하는 방법이 필요합니다. rect() 및 box()와 같은 내장된 도형은 이미 각 정점을 기반으로 이러한 질감 매핑을 가지고 있습니다. vertex()로 만든 사용자 지정 도형은 질감 매핑을 UV 좌표로 전달해야 합니다.
vertex()를 호출할 때는 vertex(x, y, z, u, v)
에서와 같이 5개의 매개 변수를 포함해야 이미지 내 좌표 (u, v)
에 있는 픽셀에 좌표 (x, y, z)
의 정점을 매핑할 수 있습니다. 예를 들어, 직사각형 이미지의 모서리는 기본적으로 직사각형의 모서리에 매핑됩니다.
\n// Apply the image as a texture.\ntexture(img);\n\n\n // Draw the rectangle.\n\nrect(0, 0, 30, 50);\n\n
\n\n위 코드 스니펫의 이미지 크기가 300 x 500 픽셀 이상인 경우 다음과 같은 결과를 얻을 수 있습니다.
\n\n\n\n// Apply the image as a texture.\ntexture(img);\n\n\n // Draw the rectangle.\n\nbeginShape();
\n\n // Top-left.\n\n// u: 0, v: 0\nvertex(0, 0, 0, 0, 0);
\n\n // Top-right.\n\n// u: 300, v: 0\nvertex(30, 0, 0, 300, 0);
\n\n // Bottom-right.\n\n// u: 300, v: 500\nvertex(30, 50, 0, 300, 500);
\n\n // Bottom-left.\n\n// u: 0, v: 500\nvertex(0, 50, 0, 0, 500);
\n\n endShape();\n\n
\n\ntextureWrap()
은 uv 좌표가 질감의 범위를 넘어설 때 질감이 어떻게 작동하는지를 제어합니다. 그렇게 하면 타일링과 같은 흥미로운 시각적 효과를 얻을 수 있습니다. 예를 들어, 위의 사용자 지정 모양은 u 좌표가 이미지의 너비보다 클 수 있습니다.
\n\n// Apply the image as a texture.\ntexture(img);\n\n\n // Draw the rectangle.\n\nbeginShape();\nvertex(0, 0, 0, 0, 0);
\n\n // Top-right.\n\n// u: 600\nvertex(30, 0, 0, 600, 0);
\n\n // Bottom-right.\n\n// u: 600\nvertex(30, 50, 0, 600, 500);
\n\n vertex(0, 50, 0, 0, 500);\n\nendShape();\n\n
\n\nu 좌표인 600은 질감 이미지의 너비인 300보다 큽니다. 이것은 흥미로운 가능성을 만들어냅니다.
첫번째 매개 변수인 wrapX
에는 세 종류의 상수를 넣을 수 있습니다. 만약 textureWrap(CLAMP)
에서와 같이 CLAMP
가 전달되면 질감의 가장자리에 있는 픽셀이 도형의 가장자리로 확장됩니다. 만약 textureWrap(REPEAT)
에서와 같이 REPEAT
가 전달되면 질감이 도형의 가장자리에 도달할 때까지 반복적으로 타일링됩니다. 만약 textureWrap(MIRROR)
에서와 같이 MIRROR
가 전달되면 질감이 도형의 가장자리에 도달할 때까지 타일 간 방향이 전환되며 반복적으로 타일링됩니다. CLAMP
가 기본 동작 값입니다.
두번째 매개 변수인 wrapY
는 선택 사항이며 앞과 동일한 세 종류의 상수인 CLAMP
, REPEAT
, MIRROR
를 넣을 수 있습니다. 만약 textureWRAP(MIRROR, REPEAT)
에서와 같이 이 중 하나가 전달되면, 질감은 수평으로는 MIRROR
, 수직으로는 REPEAT
으로 동작합니다. 기본적으로는 wrapY
는 wrapX
와 같은 값을 가집니다.
참고: textureWrap()
은 WebGL 모드에서만 사용할 수 있습니다.
CLAMP, REPEAT, MIRROR 중 하나
\n"],"type":[0,"Constant"]}],[0,{"name":[0,"wrapY"],"description":[0,"CLAMP, REPEAT, MIRROR 중 하나
\n"],"type":[0,"Constant"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nlet img;\n\nfunction preload() {\n img = loadImage('/assets/rockies128.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe(\n 'An image of a landscape occupies the top-left corner of a square. Its edge colors smear to cover the other thre quarters of the square.'\n );\n}\n\nfunction draw() {\n background(0);\n\n // Set the texture mode.\n textureMode(NORMAL);\n\n // Set the texture wrapping.\n // Note: CLAMP is the default mode.\n textureWrap(CLAMP);\n\n // Apply the image as a texture.\n texture(img);\n\n // Style the shape.\n noStroke();\n\n // Draw the shape.\n // Use uv coordinates > 1.\n beginShape();\n vertex(-30, -30, 0, 0, 0);\n vertex(30, -30, 0, 2, 0);\n vertex(30, 30, 0, 2, 2);\n vertex(-30, 30, 0, 0, 2);\n endShape();\n}\n
\n\nlet img;\n\nfunction preload() {\n img = loadImage('/assets/rockies128.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('Four identical images of a landscape arranged in a grid.');\n}\n\nfunction draw() {\n background(0);\n\n // Set the texture mode.\n textureMode(NORMAL);\n\n // Set the texture wrapping.\n textureWrap(REPEAT);\n\n // Apply the image as a texture.\n texture(img);\n\n // Style the shape.\n noStroke();\n\n // Draw the shape.\n // Use uv coordinates > 1.\n beginShape();\n vertex(-30, -30, 0, 0, 0);\n vertex(30, -30, 0, 2, 0);\n vertex(30, 30, 0, 2, 2);\n vertex(-30, 30, 0, 0, 2);\n endShape();\n}\n
\n\nlet img;\n\nfunction preload() {\n img = loadImage('/assets/rockies128.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe(\n 'Four identical images of a landscape arranged in a grid. The images are reflected horizontally and vertically, creating a kaleidoscope effect.'\n );\n}\n\nfunction draw() {\n background(0);\n\n // Set the texture mode.\n textureMode(NORMAL);\n\n // Set the texture wrapping.\n textureWrap(MIRROR);\n\n // Apply the image as a texture.\n texture(img);\n\n // Style the shape.\n noStroke();\n\n // Draw the shape.\n // Use uv coordinates > 1.\n beginShape();\n vertex(-30, -30, 0, 0, 0);\n vertex(30, -30, 0, 2, 0);\n vertex(30, 30, 0, 2, 2);\n vertex(-30, 30, 0, 0, 2);\n endShape();\n}\n
\n\nlet img;\n\nfunction preload() {\n img = loadImage('/assets/rockies128.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe(\n 'Four identical images of a landscape arranged in a grid. The top row and bottom row are reflections of each other.'\n );\n}\n\nfunction draw() {\n background(0);\n\n // Set the texture mode.\n textureMode(NORMAL);\n\n // Set the texture wrapping.\n textureWrap(REPEAT, MIRROR);\n\n // Apply the image as a texture.\n texture(img);\n\n // Style the shape.\n noStroke();\n\n // Draw the shape.\n // Use uv coordinates > 1.\n beginShape();\n vertex(-30, -30, 0, 0, 0);\n vertex(30, -30, 0, 2, 0);\n vertex(30, 30, 0, 2, 2);\n vertex(-30, 30, 0, 0, 2);\n endShape();\n}\n
\n모든 방향에서 비추는 빛을 생성합니다.
\n주변광(ambient light)은 한 방향에서 오지 않습니다. 대신, 3D 형태는 모든 면에서 균등하게 비춰집니다. 주변광은 거의 대부분 다른 유형의 조명과 함께 사용됩니다. ambientLight()
를 호출하는 세 가지 방법이 있으며, 이들은 모두 선택적 매개변수를 사용하여 빛의 색상을 설정합니다.
ambientLight()
는 두 개의 매개변수인 gray
와 alpha
를 가집니다.\nalpha
는 선택 사항입니다. 0과 255 사이의 회색조(gray) 값과 투명도(alpha) 값이 ambientLight(50)
또는 ambientLight(50, 30)
과 같이 주변광의 색상을 설정하는 데 전달될 수 있습니다.
두 번째 방법은 하나의 매개변수인 색상을 가집니다. p5.Color 객체, 색상값의 배열, 또는 CSS 색상 문자열을 ambientLight('magenta')
와 같이 전달하여 주변광의 색상을 설정할 수 있습니다.
세 번째 방법은 네 개의 매개변수인 v1
, v2
, v3
, alpha
를 가집니다. alpha
는 선택 사항입니다. RGBA, HSBA, 또는 HSLA 값이 ambientLight(255, 0, 0)
또는 ambientLight(255, 0, 0, 30)
과 같이 주변광의 색상을 설정하는 데 전달될 수 있습니다. 색상값은 현재 colorMode()를 사용하여 해석됩니다.
colorMode()에서의 빨강 또는 색조값입니다.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,"colorMode()에서의 초록 또는 채도값입니다.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,"colorMode()에서의 파랑 또는 밝기값입니다.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"alpha"],"description":[0,"현재 colorMode()에서의 알파(투명도)값입니다.
\n"],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"gray"],"description":[0,"0에서 255 사이의 회색조값입니다.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"alpha"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"value"],"description":[0,"CSS 문자열로 표현된 색상입니다.
\n"],"type":[0,"String"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"values"],"description":[0,"RGBA, HSBA, HSLA 값의 배열로 표현된 색상입니다.
\n"],"type":[0,"Number[]"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,"p5.Color 객체로 표현된 색상입니다.
\n"],"type":[0,"p5.Color"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\n// Click and drag the mouse to view the scene from different angles.\n// Double-click the canvas to turn on the light.\n\nlet isLit = false;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A sphere drawn against a gray background. The sphere appears to change color when the user double-clicks.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Control the light.\n if (isLit === true) {\n // Use a grayscale value of 80.\n ambientLight(80);\n }\n\n // Draw the sphere.\n sphere(30);\n}\n\n// Turn on the ambient light when the user double-clicks.\nfunction doubleClicked() {\n isLit = true;\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A faded magenta sphere drawn against a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on the lights.\n // Use a p5.Color object.\n let c = color('orchid');\n ambientLight(c);\n\n // Draw the sphere.\n sphere();\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A faded magenta sphere drawn against a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on the lights.\n // Use a CSS color string.\n ambientLight('#DA70D6');\n\n // Draw the sphere.\n sphere(30);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A faded magenta sphere drawn against a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on the lights.\n // Use RGB values\n ambientLight(218, 112, 214);\n\n // Draw the sphere.\n sphere(30);\n}\n
\n한 방향으로 빛을 내는 빛을 생성합니다.
\n방향성 광원(directional light)는 특정 지점에서 빛나지 않습니다. 이는 마치 화면 밖 어딘가에서 빛나는 태양과도 같습니다. 빛의 방향은 -1에서 1사이의 세개의 (x, y, z)
값으로 설정됩니다. 예를 들어, 빛의 방향을 (1, 0, 0)
으로 설정하면 빛이 직접 오른쪽을 향하므로 p5.Geometry 객체는 왼쪽에서 비춰집니다.
조명의 색상과 방향을 설정하기 위한 매개 변수를 사용하여 directionalLight()
를 호출하는 방법은 네 가지가 있습니다.
첫 번째 방법은 여섯 개의 매개변수를 가집니다. 처음 세 개의 매개변수인 v1
, v2
, v3
는 현재 colorMode()를 사용하여 빛의 색상을 설정합니다.\n마지막 세 개의 매개변수인 x
, y
, z
는 빛의 방향을 설정합니다. 예를 들어, directionalLight(255, 0, 0, 1, 0, 0)
은 오른쪽을 향해 빛나는 빨간색 (255, 0, 0)
빛을 생성합니다.
두 번째 방법은 네 개의 매개변수를 가집니다. 처음 세 개의 매개변수인 v1
, v2
, v3
는 현재 colorMode()를 사용하여 빛의 색상을 설정합니다. 마지막 매개변수인 direction
은 p5.Geometry 객체를 사용하여 빛의 방향을 설정합니다. 예를 들어, directionalLight(255, 0, 0, lightDir)
은 lightDir
벡터가 가리키는 방향으로 빛나는 빨간색 (255, 0, 0)
빛을 생성합니다.
세 번째 방법은 네 개의 매개변수를 가집니다. 첫 번째 매개변수인 color
는 p5.Color 객체나 색상값 배열을 사용하여 빛의 색상을 설정합니다. 마지막 세개의 매개변수인 x
, y
, z
는 빛의 방향을 설정합니다. 예를 들어, directionalLight(myColor, 1, 0, 0)
은 myColor
의 색상값을 가지고 오른쪽으로 빛나는 빛을 생성합니다.\n네 번째 방법은 두 개의 매개변수를 가집니다. 첫 번째 매개변수인 color
는 p5.Color 객체나 색상값 배열을 사용하여 빛의 색상을 설정합니다. 두 번째 매개변수인 direction
은 p5.Color 객체를 사용하여 빛의 방향을 설정합니다. \n예를 들어, directionalLight(myColor, lightDir)
은 lightDir
벡터가 가리키는 방향으로 빛나는 myColor
의 색상값을 가진 빛을 생성합니다.
현재colorMode()에서의 빨간색 또는 색조값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,"현재colorMode()에서의 초록색 또는 채도값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,"현재colorMode()에서의 파란색, 밝기 또는 명도값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"x"],"description":[0,"빛의 방향의 x 성분은 -1과 1 사이입니다.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,"빛의 방향의 y 성분은 -1과 1 사이입니다..
\n"],"type":[0,"Number"]}],[0,{"name":[0,"z"],"description":[0,"빛의 방향의 z 성분은 -1과 1 사이입니다.
\n"],"type":[0,"Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"v1"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"direction"],"description":[0,"p5.Vector 객체로 표현된 빛의 방향
\n"],"type":[0,"p5.Vector"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,"p5.Color 객체, 색상값 배열, 또는 CSS 문자열로 표현된 색상
\n"],"type":[0,"p5.Color|Number[]|String"]}],[0,{"name":[0,"x"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"z"],"description":[0,""],"type":[0,"Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,""],"type":[0,"p5.Color|Number[]|String"]}],[0,{"name":[0,"direction"],"description":[0,""],"type":[0,"p5.Vector"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\n// Click and drag the mouse to view the scene from different angles.\n// Double-click to turn on the directional light.\n\nlet isLit = false;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A sphere drawn on a gray background. A red light starts shining from above when the user double-clicks.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Control the light.\n if (isLit === true) {\n // Add a red directional light from above.\n // Use RGB values and XYZ directions.\n directionalLight(255, 0, 0, 0, 1, 0);\n }\n\n // Style the sphere.\n noStroke();\n\n // Draw the sphere.\n sphere(30);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A sphere drawn on a gray background. The top of the sphere appears bright red. The color gets darker toward the bottom.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Add a red directional light from above.\n // Use a p5.Color object and XYZ directions.\n let c = color(255, 0, 0);\n directionalLight(c, 0, 1, 0);\n\n // Style the sphere.\n noStroke();\n\n // Draw the sphere.\n sphere(30);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A sphere drawn on a gray background. The top of the sphere appears bright red. The color gets darker toward the bottom.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Add a red directional light from above.\n // Use a p5.Color object and a p5.Vector object.\n let c = color(255, 0, 0);\n let lightDir = createVector(0, 1, 0);\n directionalLight(c, lightDir);\n\n // Style the sphere.\n noStroke();\n\n // Draw the sphere.\n sphere(30);\n}\n
\n이미지에서 주변광을 생성합니다.
\nimageLight()
는 모든 방향에서 빛을 내는 것을 시뮬레이션합니다. 이 효과는 이미지를 텍스처로 사용하는 거대한 구의 중심에 스케치를 배치하는 것과 같습니다. \n이미지의 분산광은 fill()에 의해 영향을 받고, \n반사광은 specularMaterial()과 shininess()에 의해 영향을 받습니다.
매개변수 img
는 빛의 원천으로 사용할 p5.Image의 객체입니다.
빛의 원천으로 사용할 이미지
\n"],"type":[0,"p5.image"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n// Click and drag the mouse to view the scene from different angles.\n\nlet img;\n\n// Load an image and create a p5.Image object.\nfunction preload() {\n img = loadImage('/assets/outdoor_spheremap.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A sphere floating above a landscape. The surface of the sphere reflects the landscape.');\n}\n\nfunction draw() {\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Draw the image as a panorama (360˚ background).\n panorama(img);\n\n // Add a soft ambient light.\n ambientLight(50);\n\n // Add light from the image.\n imageLight(img);\n\n // Style the sphere.\n specularMaterial(20);\n shininess(100);\n noStroke();\n\n // Draw the sphere.\n sphere(30);\n}\n
\npointLight() 및\nspotLight()의 감쇠율을 설정합니다.
\n빛의 감쇠율은 거리에 따른 빛의 강도를 설명합니다. 예를 들어, 랜턴은 느린 감쇠율, 손전등은 중간 감쇠율, 레이저 포인터는 급격한 감쇠율을 가집니다.
\nlightFalloff()
은 세 개의 매개변수, constant
, linear
, 그리고 quadratic
를 가집니다. 이들은 거리 d
에서의 감쇠율을 계산하는 데 사용되는 숫자입니다:
falloff = 1 / (constant + d * linear + (d * d) * quadratic)
참고: constant
, linear
, quadratic
는 항상 0보다 큰 값으로 설정되어야 합니다.
감쇠율 계산을 위한 상수값.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"linear"],"description":[0,"감쇠율 계산을 위한 선형값.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"quadratic"],"description":[0,"감쇠율 계산을 위한 2차(quadratic) 값.
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\n// Click and drag the mouse to view the scene from different angles.\n// Double-click to change the falloff rate.\n\nlet useFalloff = false;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A sphere drawn against a gray background. The intensity of the light changes when the user double-clicks.');\n}\n\nfunction draw() {\n background(50);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Set the light falloff.\n if (useFalloff === true) {\n lightFalloff(2, 0, 0);\n }\n\n // Add a white point light from the front.\n pointLight(255, 255, 255, 0, 0, 100);\n\n // Style the sphere.\n noStroke();\n\n // Draw the sphere.\n sphere(30);\n}\n\n// Change the falloff value when the user double-clicks.\nfunction doubleClicked() {\n useFalloff = true;\n}\n
\n장면에 주변광(ambientLight)과 방향성 광원(directionalLight)을 배치합니다.\n빛은 ambientLight(128, 128, 128) 및 directionalLight(128, 128, 128, 0, 0, -1)로 설정됩니다.
\n참고 : 빛은 반복(looping) 프로그램에서 지속되려면 draw()내에서 (직접적이든 간접적이든) 호출되어야 합니다. \nsetup() 안에 배치하면 루프를 처음 실행할 때만 효과가 발생합니다.
\n"],"line":[0,1076],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\n// Click and drag the mouse to view the scene from different angles.\n// Double-click to turn on the lights.\n\nlet isLit = false;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A white box drawn against a gray background. The quality of the light changes when the user double-clicks.');\n}\n\nfunction draw() {\n background(50);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Control the lights.\n if (isLit === true) {\n lights();\n }\n\n // Draw the box.\n box();\n}\n\n// Turn on the lights when the user double-clicks.\nfunction doubleClicked() {\n isLit = true;\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A white box drawn against a gray background.');\n}\n\nfunction draw() {\n background(50);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on the lights.\n ambientLight(128, 128, 128);\n directionalLight(128, 128, 128, 0, 0, -1);\n\n // Draw the box.\n box();\n}\n
\n스케치에서 모든 빛을 제거합니다.
\nnoLights()
를 호출하면lights(),\nambientLight(),\ndirectionalLight(),\npointLight(),\nspotLight() 등으로 생성된 모든 빛을 제거합니다. 이 함수들은 noLights()
이후에 호출되어 새로운 조명 구성을 만들 수 있습니다.
\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('Two spheres drawn against a gray background. The top sphere is white and the bottom sphere is red.');\n}\n\nfunction draw() {\n background(50);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on the lights.\n lights();\n\n // Style the spheres.\n noStroke();\n\n // Draw the top sphere.\n push();\n translate(0, -25, 0);\n sphere(20);\n pop();\n\n // Turn off the lights.\n noLights();\n\n // Add a red directional light that points into the screen.\n directionalLight(255, 0, 0, 0, 0, -1);\n\n // Draw the bottom sphere.\n push();\n translate(0, 25, 0);\n sphere(20);\n pop();\n}\n
\n몰입감 있는 3D 배경을 생성합니다.
\npanorama()
는 지도나 HDRI처럼 360˚ 콘텐츠를 포함하는 이미지를 사용하여, 스케치를 둘러싼 몰입감 있는 3D 배경으로 변환합니다. 이 배경 공간을 탐험하기 위해서는 orbitControl()이나 camera()와 같은 함수를 사용하여, 카메라의 시점을 변경해야 합니다.
배경이 될 360˚ 이미지
\n"],"type":[0,"p5.Image"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n// Click and drag the mouse to view the scene from different angles.\n\nlet img;\n\n// Load an image and create a p5.Image object.\nfunction preload() {\n img = loadImage('/assets/outdoor_spheremap.jpg');\n}\n\nfunction setup() {\n createCanvas(100 ,100 ,WEBGL);\n\n describe('A sphere floating above a landscape. The surface of the sphere reflects the landscape. The full landscape is viewable in 3D as the user drags the mouse.');\n}\n\nfunction draw() {\n // Add the panorama.\n panorama(img);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Use the image as a light source.\n imageLight(img);\n\n // Style the sphere.\n noStroke();\n specularMaterial(50);\n shininess(200);\n metalness(100);\n\n // Draw the sphere.\n sphere(30);\n}\n
\n지정된 점에서 모든 방향으로 빛을 발하는 조명을 생성합니다.
\n점 광원은 모든 방향으로 빛을 발하는 전구와 같습니다. 다양한 조명 효과를\n얻기 위해 다른 위치에 배치할 수 있습니다. 한 번에 최대 5개의 점 광원이 활성화될 수 있습니다.
\npointLight()
를 호출하는 방법은 총 4가지이며, 이는 빛의 색상과 위치를 설정하는 매개변수들을 포함합니다.
pointLight()
를 호출하는 첫 번째 방법은 6개의 매개변수를 갖습니다. 이 중, 처음 3개의\n매개변수인 v1
, v2
, v3
를 사용하고 현재\ncolorMode()를 사용하여 빛의 색상을 설정합니다. 마지막 매개변수 3개인\nx
, y
, z
는 빛의 위치를 설정합니다. 예를 들어,\npointLight(255, 0, 0, 50, 0, 0)
은 (50, 0, 0)
좌표에서 빛이\n발하는 빨간색 (255, 0, 0)
빛을 생성합니다.
pointLight()
를 호출하는 두 번째 방법은 4개의 매개변수를 사용합니다. 첫 번째 3개의\n매개변수인 v1
, v2
, v3
를 사용하고 현재\ncolorMode()를 사용하여 빛의 색상을 설정합니다. 마지막 매개변수인\nposition은 p5.Vector 객체를 사용하여 빛의 위치를 설정합니다.\n\n예를 들어, pointLight(255, 0, 0, lightPos)
는 lightPos
벡터로 설정된 위치에서\n빛이 발하는 빨간색 (255, 0, 0)
빛을 생성합니다.
pointLight()
를 호출하는 세 번째 방법은 4개의 매개변수를 사용합니다. 첫 번째\n매개변수인 color
는 p5.Color 객체나 색상\n값 배열을 사용하여 빛의 색상을 설정합니다. 마지막 3개의 매개변수인 x
, y
, z
는\n빛의 위치를 설정합니다. 예를 들어, directionalLight(myColor, 50, 0, 0)
은\n(50, 0, 0)
좌표에서 빛이 발하는 myColor
색상의 빛을 생성합니다.
pointLight()
를 호출하는 네 번째 방법은 2개의 매개변수를 사용합니다. 첫 번째\n매개변수인 color
는 p5.Color 객체나 색상\n값 배열을 사용하여 빛의 색상을 설정합니다. 두 번째 매개변수인 position
은\np5.Vector 객체를 사용하여 빛의 위치를 설정합니다. 예를 들어,\ndirectionalLight(myColor, lightPos)
는 lightPos
벡터로 설정된 위치에서\n빛이 발하는 myColor
색상의 빛을 생성합니다.
현재 colorMode()에서의 빨간색 또는 색조값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,"현재 colorMode()에서의 녹색 또는 채도값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,"현재 colorMode()에서의 파란색, 밝기 또는 명도값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"x"],"description":[0,"x-coordinate of the light.
\n빛의 x 좌표
\n"],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,"빛의 y 좌표
\n"],"type":[0,"Number"]}],[0,{"name":[0,"z"],"description":[0,"빛의 z 좌표
\n"],"type":[0,"Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"v1"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"position"],"description":[0,"빛의 위치입니다. p5.Vector 객체로 설정합니다.
\n"],"type":[0,"p5.Vector"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,"p5.Color 객체, 색상 값 배열 또는 CSS 문자열로 설정된 색상
\n"],"type":[0,"p5.Color|Number[]|String"]}],[0,{"name":[0,"x"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"z"],"description":[0,""],"type":[0,"Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,""],"type":[0,"p5.Color|Number[]|String"]}],[0,{"name":[0,"position"],"description":[0,""],"type":[0,"p5.Vector"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\n\n// Click and drag the mouse to view the scene from different angles.\n// Double-click to turn on the point light.\n\nlet isLit = false;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A sphere drawn on a gray background. A red light starts shining from above when the user double-clicks.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Control the light.\n if (isLit === true) {\n // Add a red point light from above.\n // Use RGB values and XYZ coordinates.\n pointLight(255, 0, 0, 0, -150, 0);\n }\n\n // Style the sphere.\n noStroke();\n\n // Draw the sphere.\n sphere(30);\n}\n\n// Turn on the point light when the user double-clicks.\nfunction doubleClicked() {\n isLit = true;\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A sphere drawn on a gray background. The top of the sphere appears bright red. The color gets darker toward the bottom.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Add a red point light from above.\n // Use a p5.Color object and XYZ directions.\n let c = color(255, 0, 0);\n pointLight(c, 0, -150, 0);\n\n // Style the sphere.\n noStroke();\n\n // Draw the sphere.\n sphere(30);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A sphere drawn on a gray background. The top of the sphere appears bright red. The color gets darker toward the bottom.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Add a red point light from above.\n // Use a p5.Color object and a p5.Vector object.\n let c = color(255, 0, 0);\n let lightPos = createVector(0, -150, 0);\n pointLight(c, lightPos);\n\n // Style the sphere.\n noStroke();\n\n // Draw the sphere.\n sphere(30);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('Four spheres arranged in a square and drawn on a gray background. The spheres appear bright red toward the center of the square. The color gets darker toward the corners of the square.');\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Add a red point light that points to the center of the scene.\n // Use a p5.Color object and a p5.Vector object.\n let c = color(255, 0, 0);\n let lightPos = createVector(0, 0, 65);\n pointLight(c, lightPos);\n\n // Style the spheres.\n noStroke();\n\n // Draw a sphere up and to the left.\n push();\n translate(-25, -25, 25);\n sphere(10);\n pop();\n\n // Draw a box up and to the right.\n push();\n translate(25, -25, 25);\n sphere(10);\n pop();\n\n // Draw a sphere down and to the left.\n push();\n translate(-25, 25, 25);\n sphere(10);\n pop();\n\n // Draw a box down and to the right.\n push();\n translate(25, 25, 25);\n sphere(10);\n pop();\n}\n
\n한 지점에서 한 방향으로 빛을 내는 조명을 생성합니다.
\n집중 광원(spot light)은 한 방향으로 빛을 내는 손전등과 같으며, 빛의 원뿔을 생성합니다. 원뿔의 모양은 각도와 집중도 매개변수를 사용하여 조절할 수 있습니다. 한 번에 최대 5개의 집중 광원이 활성화될 수 있습니다.
\nspotLight()
을 호출하는 방법은 총 8가지이며, 이를 통해 빛의 색상, 위치, 방향을 설정할 수 있습니다. 예를 들어, spotLight(255, 0, 0, 0, 0, 0, 1, 0, 0)
은 원점 (0, 0, 0)
에서 오른쪽 (1, 0,0)
을 향하는 빨간색 (255, 0, 0)
빛을 생성합니다.
angle
매개변수는 선택적입니다. 이는 빛 원뿔의 반지름을 설정합니다. 예를 들어, spotLight(255, 0, 0, 0, 0, 0, 1, 0, 0, PI / 16)
은 원점 (0, 0, 0)
에서 오른쪽 (1, 0, 0)
을 향하며 PI / 16
라디안인 빨간색 (255, 0, 0)
빛을 생성합니다. 기본적으로 angle
은 PI / 3
라디안입니다.
concentration
매개변수는 선택적입니다. 이는 빛을 원뿔의 중심에 집중시킵니다. 예를 들어, spotLight(255, 0, 0, 0, 0, 0, 1, 0, 0, PI / 16, 50)
는 원점 (0, 0, 0)
에서 오른쪽 (1, 0, 0)
을 향하며 각도가 PI / 16
라디안이고 집중도가 50인 빨간색 (255, 0, 0)
빛을 생성합니다. 기본적으로 concentration
는 100입니다.
현재 colorMode()에서의 빨간색 또는 색조값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,"현재 colorMode()에서의 초록색 또는 채도값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,"현재 colorMode()에서의 파란색, 밝기 또는 명도값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"x"],"description":[0,"빛의 x좌표
\n"],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,"빛의 y좌표
\n"],"type":[0,"Number"]}],[0,{"name":[0,"z"],"description":[0,"빛의 z좌표
\n"],"type":[0,"Number"]}],[0,{"name":[0,"rx"],"description":[0,"빛의 방향의 x성분은 -1과 1사이입니다.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"ry"],"description":[0,"빛의 방향의 y성분은 -1과 1사이입니다.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"rz"],"description":[0,"빛의 방향의 z성분은 -1과 1사이입니다.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"angle"],"description":[0,"빛 원뿔의 각도. 기본값은 PI / 3
입니다.
빛의 집중도. 기본값은 100입니다.
\n"],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,"현재 p5.Color 객체로, 색상 값 배열이나 CSS 문자열로 색상을 설정
\n"],"type":[0,"p5.Color|Number[]|String"]}],[0,{"name":[0,"position"],"description":[0,"빛의 위치를 p5.Vector 객체로 설정
\n"],"type":[0,"p5.Vector"]}],[0,{"name":[0,"direction"],"description":[0,"빛의 방향을 p5.Vector 객체로 설정
\n"],"type":[0,"p5.Vector"]}],[0,{"name":[0,"angle"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"concentration"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"v1"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"position"],"description":[0,""],"type":[0,"p5.Vector"]}],[0,{"name":[0,"direction"],"description":[0,""],"type":[0,"p5.Vector"]}],[0,{"name":[0,"angle"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"concentration"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,""],"type":[0,"p5.Color|Number[]|String"]}],[0,{"name":[0,"x"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"z"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"direction"],"description":[0,""],"type":[0,"p5.Vector"]}],[0,{"name":[0,"angle"],"description":[0,""],"type":[0,"숫자"],"optional":[0,true]}],[0,{"name":[0,"concentration"],"description":[0,""],"type":[0,"숫자"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,""],"type":[0,"p5.Color|Number[]|String"]}],[0,{"name":[0,"position"],"description":[0,""],"type":[0,"p5.Vector"]}],[0,{"name":[0,"rx"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"ry"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"rz"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"angle"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"concentration"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"v1"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"x"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"z"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"direction"],"description":[0,""],"type":[0,"p5.Vector"]}],[0,{"name":[0,"angle"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"concentration"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"v1"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"v2"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"v3"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"position"],"description":[0,""],"type":[0,"p5.Vector"]}],[0,{"name":[0,"rx"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"ry"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"rz"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"angle"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"concentration"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"color"],"description":[0,""],"type":[0,"p5.Color|Number[]|String"]}],[0,{"name":[0,"x"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"z"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"rx"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"ry"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"rz"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"angle"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"concentration"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\n// Click and drag the mouse to view the scene from different angles.\n// Double-click to adjust the spotlight.\n\nlet isLit = false;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A white sphere drawn on a gray background. A red spotlight starts shining when the user double-clicks.');\n}\n\nfunction draw() {\n background(50);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on the lights.\n lights();\n\n // Control the spotlight.\n if (isLit === true) {\n // Add a red spot light that shines into the screen.\n // Set its angle to PI / 32 radians.\n spotLight(255, 0, 0, 0, 0, 100, 0, 0, -1, PI / 32);\n }\n\n // Draw the sphere.\n sphere(30);\n}\n\n// Turn on the spotlight when the user double-clicks.\nfunction doubleClicked() {\n isLit = true;\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n// Double-click to adjust the spotlight.\n\nlet isLit = false;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A white sphere drawn on a gray background. A red spotlight starts shining when the user double-clicks.');\n}\n\nfunction draw() {\n background(50);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Turn on the lights.\n lights();\n\n // Control the spotlight.\n if (isLit === true) {\n // Add a red spot light that shines into the screen.\n // Set its angle to PI / 3 radians (default).\n // Set its concentration to 1000.\n let c = color(255, 0, 0);\n let position = createVector(0, 0, 100);\n let direction = createVector(0, 0, -1);\n spotLight(c, position, direction, PI / 3, 1000);\n }\n\n // Draw the sphere.\n sphere(30);\n}\n\n// Turn on the spotlight when the user double-clicks.\nfunction doubleClicked() {\n isLit = true;\n}\n
\n3D 스케치에서 현재 카메라의 위치와 방향을 설정합니다.
camera()
는 객체를 다른 각도에서 볼 수 있게 해 줍니다. 이 함수는 9개의 매개 변수를 가지고 있으며, 모두 선택 사항입니다.
처음 세 개의 매개 변수인 x
, y
, z
는 카메라 위치의 좌표입니다. 예를 들어, camera(0, 0, 0)
를 호출하면 카메라가 원점인 (0, 0, 0)
에 있게 됩니다. 기본적으로, 카메라는 (0, 0, 800)
에 위치해 있습니다.
다음 세 개의 매개 변수 centerX
, centerY
, centerZ
는 카메라가 향하는 지점의 좌표입니다. 예를 들어, camera(0, 0, 0, 10, 20, 30)
를 호출하면 카메라가 원점인 (0, 0, 0)
에 있고 (10, 20, 30)
를 향하고 있게 됩니다. 기본적으로, 카메라는 원점 (0, 0, 0)
을 향해 있습니다.
마지막 세 개의 매개 변수 upX
, upY
, upZ
는 \"상향\" 벡터의 구성 요소입니다. \"상향\" 벡터는 카메라의 y축을 향합니다. 예를 들어, camera(0, 0, 0, 10, 20, 30, 0, -1, 0)
를 호출하면 카메라가 원점인 (0, 0, 0)
에 있고 (10, 20, 30)
를 향하고 있으며 \"상향\" 벡터를 (0, -1, 0)
로 설정하는, 다시 말해 거꾸로 있도록 합니다. 기본적으로 \"상향\" 벡터는 (0, 1, 0)
입니다.
참고: camera()
는 WebGL 모드에서만 사용할 수 있습니다.
카메라의 x 좌표. 기본값 0
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"y"],"description":[0,"카메라의 y 좌표. 기본값 0
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"z"],"description":[0,"카메라의 z 좌표. 기본값 800
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"centerX"],"description":[0,"카메라가 향하는 지점의 x 좌표. 기본값 0
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"centerY"],"description":[0,"카메라가 향하는 지점의 y 좌표. 기본값 0
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"centerZ"],"description":[0,"카메라가 향하는 지점의 z 좌표. 기본값 0
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"upX"],"description":[0,"카메라의 \"상향\" 벡터의 x 성분. 기본값 0
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"upY"],"description":[0,"카메라의 \"상향\" 벡터의 y 성분. 기본값 1
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"upZ"],"description":[0,"카메라의 \"상향\" 벡터의 z 성분. 기본값 0
\n"],"type":[0,"Number"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,true],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A white cube on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Move the camera to the top-right.\n camera(200, -400, 800);\n\n // Draw the box.\n box();\n}\n
\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A white cube apperas to sway left and right on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Calculate the camera's x-coordinate.\n let x = 400 * cos(frameCount * 0.01);\n\n // Orbit the camera around the box.\n camera(x, -400, 800);\n\n // Draw the box.\n box();\n}\n
\n\n// Adjust the range sliders to change the camera's position.\n\nlet xSlider;\nlet ySlider;\nlet zSlider;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create slider objects to set the camera's coordinates.\n xSlider = createSlider(-400, 400, 400);\n xSlider.position(0, 100);\n xSlider.size(100);\n ySlider = createSlider(-400, 400, -200);\n ySlider.position(0, 120);\n ySlider.size(100);\n zSlider = createSlider(0, 1600, 800);\n zSlider.position(0, 140);\n zSlider.size(100);\n\n describe(\n 'A white cube drawn against a gray background. Three range sliders appear beneath the image. The camera position changes when the user moves the sliders.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Get the camera's coordinates from the sliders.\n let x = xSlider.value();\n let y = ySlider.value();\n let z = zSlider.value();\n\n // Move the camera.\n camera(x, y, z);\n\n // Draw the box.\n box();\n}\n
\n새 p5.Camera 객체를 만들고 현재(활성) 카메라로 설정합니다.
새 카메라는 기본 위치 (0, 0, 800)
와 기본 원근 투영으로 초기화됩니다. 이것의 구성은 myCamera.lookAt(0, 0, 0)
과 같은 p5.Camera의 메서드로 제어할 수 있습니다.
참고: 모든 3D 스케치는 초기화된 기본 카메라로 시작됩니다. 이 카메라가 장면에 있는 유일한 카메라인 경우 camera(), perspective(), ortho(), frustum() 함수로 제어할 수 있습니다.
참고: createCamera()
는 WebGL 모드에서만 사용할 수 있습니다.
\n// Double-click to toggle between cameras.\n\nlet cam1;\nlet cam2;\nlet usingCam1 = true;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create the first camera.\n // Keep its default settings.\n cam1 = createCamera();\n\n // Create the second camera.\n // Place it at the top-left.\n // Point it at the origin.\n cam2 = createCamera();\n cam2.setPosition(400, -400, 800);\n cam2.lookAt(0, 0, 0);\n\n // Set the current camera to cam1.\n setCamera(cam1);\n\n describe('A white cube on a gray background. The camera toggles between frontal and aerial views when the user double-clicks.');\n}\n\nfunction draw() {\n background(200);\n\n // Draw the box.\n box();\n}\n\n// Toggle the current camera when the user double-clicks.\nfunction doubleClicked() {\n if (usingCam1 === true) {\n setCamera(cam2);\n usingCam1 = false;\n } else {\n setCamera(cam1);\n usingCam1 = true;\n }\n}\n
\n3D 스케치에서 현재 카메라의 절두체(frustum)를 설정합니다.
절두체 투영에서, 카메라로부터 멀리 떨어진 도형은 카메라 근처에 있는 도형보다 더 작게 나타납니다. 단축법(foreshortening)이라고 불리는 이 기술은 사실적인 3D 장면을 만듭니다.
frustum()
은 뷰 절두체(viewing frustum)를 변경함으로써 카메라의 원근법을 변경합니다. 절두체는 카메라가 볼 수 있는 공간의 크기입니다. 이것의 모양은 꼭대기가 잘린 피라미드입니다. 카메라는 피라미드의 꼭대기가 있어야 하는 곳에 위치하고 피라미드의 바닥을 향합니다. 그것은 절두체 내의 모든 것을 담습니다.
처음 네 개의 매개 변수인 left
, right
, bottom
, top
은 절두체의 측면, 아래, 위의 좌표를 설정합니다. 예를 들어, frustum(-100, 100, 200, -200)
를 호출하면 너비 200 픽셀, 높이 400 픽셀의 절두체가 생성됩니다. 기본적으로 frustum(-width / 2, width / 2, -height / 2, height / 2)
에서와 같이 스케치의 너비와 높이를 기반으로 설정됩니다.
마지막 두 개의 매개 변수인 near
, far
는 카메라로부터 절두체의 가까운, 그리고 먼 평면의 거리를 설정합니다. 예를 들어, frustum(-100, 100, 200, 200, 50, 1000)
는 너비 200 픽셀, 높이 400 픽셀이고 카메라로부터 50 픽셀만큼 떨어진 곳에서 시작해 1,000 픽셀만큼 떨어진 곳에서 끝나는 절두체가 생성됩니다. 기본적으로 near
는 카메라와 원점 사이의 기본 거리의 1/10인 0.1 * 800
로 설정됩니다. far
는 카메라와 원점 사이의 기본 거리의 10배인 10 * 800
로 설정됩니다.
참고: frustum()
은 WebGL 모드에서만 사용할 수 있습니다.
절두체의 왼쪽 평면의 x 좌표. 기본값 -width / 2
절두체의 오른쪽 평면의 x 좌표. 기본값 width / 2
절두체의 아래 평면의 y 좌표. 기본값 height / 2
절두체의 위 평면의 y 좌표. 기본값 -height / 2
절두체의 가까운 평면의 z 좌표. 기본값 0.1 * 800
절두체의 먼 평면의 z 좌표. 기본값 10 * 800
\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A row of white cubes on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Apply the default frustum projection.\n frustum();\n\n // Translate the origin toward the camera.\n translate(-10, 10, 600);\n\n // Rotate the coordinate system.\n rotateY(-0.1);\n rotateX(-0.1);\n\n // Draw the row of boxes.\n for (let i = 0; i < 6; i += 1) {\n translate(0, 0, -40);\n box(10);\n }\n}\n
\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n describe('A white cube on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Adjust the frustum.\n // Center it.\n // Set its width and height to 20 pixels.\n // Place its near plane 300 pixels from the camera.\n // Place its far plane 350 pixels from the camera.\n frustum(-10, 10, -10, 10, 300, 350);\n\n // Translate the origin toward the camera.\n translate(-10, 10, 600);\n\n // Rotate the coordinate system.\n rotateY(-0.1);\n rotateX(-0.1);\n\n // Draw the row of boxes.\n for (let i = 0; i < 6; i += 1) {\n translate(0, 0, -40);\n box(10);\n }\n}\n
\n3D 스케치에서 선에 대해 원근감을 활성화하거나 비활성화합니다.
WebGL 모드에서, 선은 카메라로부터 멀리 떨어져 있을 때 더 얇게 그려질 수 있습니다. 이렇게 하면 선이 더 현실적으로 보여집니다.
기본적으로 사용하는 원근법 유형에 따라 선이 다르게 그려집니다.
perspective()
와 frustum()
는 현실적인 원근법을 시뮬레이션합니다. 이 모드에서, 선 두께는 카메라로부터 선의 거리에 영향을 받습니다. 이렇게 하면 더 자연스러운 모습을 볼 수 있습니다. 3D 스케치에서 perspective()
가 기본 모드입니다.ortho()
는 현실적인 원근법을 시뮬레이션하지 않습니다. 이 모드에서 선 두께는 카메라로부터 선의 거리와 관계없이 일관성을 갖습니다. 이렇게 하면 더 예측 가능하고 일관된 모습을 볼 수 있습니다.linePerspective()
는 선 그리기 기본값을 재정의할 수 있습니다.
매개 변수 enable
은 선택 사항으로, 선을 그리는 방법을 설정하는 Boolean
값입니다. 만약 linePerspective(true)
에서와 같이 true
가 전달되면, 카메라에서 멀리 떨어져 있을 때 선이 더 가늘게 나타납니다. linePerspective(false)
에서와 같이 false
가 전달되면, 선은 카메라와의 거리에 관계없이 일관된 선 두께를 갖게 됩니다. 기본적으로 linePerspective()
가 활성화됩니다.
아무 인수 없이 linePerspective()
를 호출하면 활성화된 경우 true
를, 그렇지 않은 경우 false
를 반환합니다.
참고: linePerspective()
는 WebGL 모드에서만 사용할 수 있습니다.
선 원근법를 활성화할지에 대한 여부
\n"],"type":[0,"Boolean"]}]]]}],[0,{"params":[1,[]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n// Double-click the canvas to toggle the line perspective.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe(\n 'A white cube with black edges on a gray background. Its edges toggle between thick and thin when the user double-clicks.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Translate the origin toward the camera.\n translate(-10, 10, 600);\n\n // Rotate the coordinate system.\n rotateY(-0.1);\n rotateX(-0.1);\n\n // Draw the row of boxes.\n for (let i = 0; i < 6; i += 1) {\n translate(0, 0, -40);\n box(10);\n }\n}\n\n// Toggle the line perspective when the user double-clicks.\nfunction doubleClicked() {\n let isEnabled = linePerspective();\n linePerspective(!isEnabled);\n}\n
\n\n// Double-click the canvas to toggle the line perspective.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe(\n 'A row of cubes with black edges on a gray background. Their edges toggle between thick and thin when the user double-clicks.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Use an orthographic projection.\n ortho();\n\n // Translate the origin toward the camera.\n translate(-10, 10, 600);\n\n // Rotate the coordinate system.\n rotateY(-0.1);\n rotateX(-0.1);\n\n // Draw the row of boxes.\n for (let i = 0; i < 6; i += 1) {\n translate(0, 0, -40);\n box(10);\n }\n}\n\n// Toggle the line perspective when the user double-clicks.\nfunction doubleClicked() {\n let isEnabled = linePerspective();\n linePerspective(!isEnabled);\n}\n
\n3D 스케치에서 현재 카메라에 대한 정사영을 설정합니다.
정사영에서 크기가 같은 도형은 카메라 근처에 있든 멀리 있든 항상 같은 크기로 나타납니다.
ortho()
는 뷰 절두체(viewing frustum)를 잘린 피라미드에서 직사각형 프리즘으로 바꿈으로써 카메라의 원근법을 바꿉니다. 카메라는 절두체 앞에 배치되고 절두체의 가까운 평면과 먼 평면 사이의 모든 것을 담습니다. ortho()
는 절두체를 정의하기 위한 6개의 매개 변수를 가지고 있으며 선택 사항입니다.
처음 네 개의 매개 변수인 left
, right
, bottom
, top
은 절두체의 측면, 아래, 위의 좌표를 설정합니다. 예를 들어, ortho(-100, 100, 200, -200)
를 호출하면 너비 200 픽셀, 높이 400 픽셀의 절두체가 생성됩니다. 기본적으로 ortho(-width / 2, width / 2, -height / 2, height / 2)
에서와 같이 스케치의 너비와 높이를 기반으로 설정됩니다.
마지막 두 개의 매개 변수인 near
, far
는 카메라로부터 절두체의 가까운, 그리고 먼 평면의 거리를 설정합니다. 예를 들어, ortho(-100, 100, 200, 200, 50, 1000)
는 너비 200 픽셀, 높이 400 픽셀이고 카메라로부터 50 픽셀만큼 떨어진 곳에서 시작해 1,000 픽셀만큼 떨어진 곳에서 끝나는 절두체가 생성됩니다. 기본적으로 near
는 0, far
는 max(width, height) + 800
으로 설정됩니다.
참고: ortho()
는 WebGL 모드에서만 사용할 수 있습니다.
절두체의 왼쪽 평면의 x 좌표. 기본값 -width / 2
절두체의 오른쪽 평면의 x 좌표. 기본값 width / 2
절두체의 아래 평면의 y 좌표. 기본값 height / 2
절두체의 위 평면의 y 좌표. 기본값 -height / 2
절두체의 가까운 평면의 z 좌표. 기본값 0
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"far"],"description":[0,"절두체의 먼 평면의 z 좌표. 기본값 max(width, height) + 800
\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A row of tiny, white cubes on a gray background. All the cubes appear the same size.');\n}\n\nfunction draw() {\n background(200);\n\n // Apply an orthographic projection.\n ortho();\n\n // Translate the origin toward the camera.\n translate(-10, 10, 600);\n\n // Rotate the coordinate system.\n rotateY(-0.1);\n rotateX(-0.1);\n\n // Draw the row of boxes.\n for (let i = 0; i < 6; i += 1) {\n translate(0, 0, -40);\n box(10);\n }\n}\n
\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A white cube on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Apply an orthographic projection.\n // Center the frustum.\n // Set its width and height to 20.\n // Place its near plane 300 pixels from the camera.\n // Place its far plane 350 pixels from the camera.\n ortho(-10, 10, -10, 10, 300, 350);\n\n // Translate the origin toward the camera.\n translate(-10, 10, 600);\n\n // Rotate the coordinate system.\n rotateY(-0.1);\n rotateX(-0.1);\n\n // Draw the row of boxes.\n for (let i = 0; i < 6; i += 1) {\n translate(0, 0, -40);\n box(10);\n }\n}\n
\n3D 스케치에서 현재 카메라의 원근 투영을 설정합니다.
원근 투영에서, 카메라로부터 멀리 떨어진 도형은 카메라 근처에 있는 도형보다 더 작게 나타납니다. 단축법(foreshortening)이라고 불리는 이 기술은 사실적인 3D 장면을 만들며, WebGL 모드에서 기본적으로 사용됩니다.
perspective()
는 뷰 절두체(viewing frustum)를 변경함으로써 카메라의 원근법을 변경합니다. 절두체는 카메라가 볼 수 있는 공간의 크기입니다. 이것의 모양은 꼭대기가 잘린 피라미드입니다. 카메라는 피라미드의 꼭대기가 있어야 하는 곳에 위치하고, 절두체의 꼭대기 (근처) 평면과 바닥 (멀리 떨어진) 평면 사이의 모든 것을 담습니다.
첫번째 매개 변수인 fovy
는 카메라의 수직 시야입니다. 카메라의 시야가 얼마나 높거나 좁은지를 설명하는 각도입니다. 예를 들어, perspective(0.5)
를 호출하면 카메라의 수직 시야가 0.5 라디안으로 설정됩니다. 기본적으로 fovy
는 스케치의 높이와 카메라의 기본 z 좌표값인 800을 기반으로 계산됩니다. fovy
의 기본값을 계산하는 공식은 2 * atan(height / 2 / 800)
입니다.
두번째 매개 변수인 aspect
는 카메라의 종횡비입니다. 이것은 맨 위 평면의 가로와 세로의 비율을 설명하는 숫자입니다. 예를 들어, perspective(0.5, 1.5)
를 호출하면 카메라의 시야를 0.5 라디안으로 설정하고 종횡비를 1.5로 설정하여 정사각형 캔버스에서 도형을 더 얇아 보이게 합니다. 기본적으로, aspect는 width / height
로 설정됩니다.
세번째 매개 변수인 near
는 카메라에서 가까운 평면까지의 거리입니다. 예를 들어, perspective(0.5, 1.5, 100)
를 호출하면 카메라의 시야를 0.5 라디안으로 설정하고, 종횡비를 1.5로 설정하고, 카메라에서 가까운 평면을 100 픽셀로 배치합니다. 카메라에서 100 픽셀 미만으로 그려진 어떤 모양도 볼 수 없습니다. 기본적으로 near는 카메라와 원점 사이의 기본 거리의 1/10인 0.1 * 800
로 설정됩니다.
네번째 매개 변수인 far
는 카메라에서 먼 평면까지의 거리입니다. 예를 들어, perspective(0.5, 1.5, 100, 10000)
를 호출하면 카메라의 시야를 0.5 라디안으로 설정하고 , 종횡비를 1.5로 설정하고, 카메라에서 가까운 평면을 100 픽셀로 배치하고, 카메라에서 먼 평면을 10,000 픽셀로 배치합니다. 카메라에서 10,000 픽셀 이상 그려진 어떤 모양도 볼 수 없습니다. 기본적으로 far는 카메라와 원점 사이의 기본 거리의 10배인 10 * 800
로 설정됩니다.
참고: perspective()
는 WebGL 모드에서만 사용할 수 있습니다.
카메라 절두체 수직 시야. 기본값 2 * atan(height / 2 / 800)
카메라 절두체 종횡비. 기본값 width / height
카메라에서 가까운, 잘린(clipping) 평면까지의 거리. 기본값 0.1 * 800
카메라에서 먼, 잘린 평면까지의 거리. 기본값 10 * 800
\n// Double-click to squeeze the box.\n\nlet isSqueezed = false;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A white rectangular prism on a gray background. The box appears to become thinner when the user double-clicks.');\n}\n\nfunction draw() {\n background(200);\n\n // Place the camera at the top-right.\n camera(400, -400, 800);\n\n if (isSqueezed === true) {\n // Set fovy to 0.2.\n // Set aspect to 1.5.\n perspective(0.2, 1.5);\n }\n\n // Draw the box.\n box();\n}\n\n// Change the camera's perspective when the user double-clicks.\nfunction doubleClicked() {\n isSqueezed = true;\n}\n
\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe('A white rectangular prism on a gray background. The prism moves away from the camera until it disappears.');\n}\n\nfunction draw() {\n background(200);\n\n // Place the camera at the top-right.\n camera(400, -400, 800);\n\n // Set fovy to 0.2.\n // Set aspect to 1.5.\n // Set near to 600.\n // Set far to 1200.\n perspective(0.2, 1.5, 600, 1200);\n\n // Move the origin away from the camera.\n let x = -frameCount;\n let y = frameCount;\n let z = -2 * frameCount;\n translate(x, y, z);\n\n // Draw the box.\n box();\n}\n
\n3D 스케치의 현재(활성) 카메라를 설정합니다.
setCamera()
를 사용하면 createCamera()로 생성된 여러 카메라 간 전환이 가능합니다.
참고: setCamera()
는 WebGL 모드에서만 사용할 수 있습니다.
활성화할 카메라
\n"],"type":[0,"p5.Camera"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n// Double-click to toggle between cameras.\n\nlet cam1;\nlet cam2;\nlet usingCam1 = true;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create the first camera.\n // Keep its default settings.\n cam1 = createCamera();\n\n // Create the second camera.\n // Place it at the top-left.\n // Point it at the origin.\n cam2 = createCamera();\n cam2.setPosition(400, -400, 800);\n cam2.lookAt(0, 0, 0);\n\n // Set the current camera to cam1.\n setCamera(cam1);\n\n describe('A white cube on a gray background. The camera toggles between frontal and aerial views when the user double-clicks.');\n}\n\nfunction draw() {\n background(200);\n\n // Draw the box.\n box();\n}\n\n// Toggle the current camera when the user double-clicks.\nfunction doubleClicked() {\n if (usingCam1 === true) {\n setCamera(cam2);\n usingCam1 = false;\n } else {\n setCamera(cam1);\n usingCam1 = true;\n }\n}\n
\nA class to describe a shader program.
\nEach p5.Shader
object contains a shader program that runs on the graphics\nprocessing unit (GPU). Shaders can process many pixels or vertices at the\nsame time, making them fast for many graphics tasks. They’re written in a\nlanguage called\nGLSL\nand run along with the rest of the code in a sketch.
A shader program consists of two files, a vertex shader and a fragment\nshader. The vertex shader affects where 3D geometry is drawn on the screen\nand the fragment shader affects color. Once the p5.Shader
object is\ncreated, it can be used with the shader()\nfunction, as in shader(myShader)
.
Note: createShader(),\ncreateFilterShader(), and\nloadShader() are the recommended ways to\ncreate an instance of this class.
\n"],"line":[0,11],"params":[1,[[0,{"name":[0,"renderer"],"description":[0,"WebGL context for this shader.
\n"],"type":[0,"p5.RendererGL"]}],[0,{"name":[0,"vertSrc"],"description":[0,"source code for the vertex shader program.
\n"],"type":[0,"String"]}],[0,{"name":[0,"fragSrc"],"description":[0,"source code for the fragment shader program.
\n"],"type":[0,"String"]}]]],"chainable":[0,false],"example":[1,[[0,"\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\n// Create a string with the vertex shader program.\n// The vertex shader is called for each vertex.\nlet vertSrc = `\nprecision highp float;\nuniform mat4 uModelViewMatrix;\nuniform mat4 uProjectionMatrix;\n\nattribute vec3 aPosition;\nattribute vec2 aTexCoord;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vTexCoord = aTexCoord;\n vec4 positionVec4 = vec4(aPosition, 1.0);\n gl_Position = uProjectionMatrix * uModelViewMatrix * positionVec4;\n}\n`;\n\n// Create a string with the fragment shader program.\n// The fragment shader is called for each pixel.\nlet fragSrc = `\nprecision highp float;\n\nvoid main() {\n // Set each pixel's RGBA value to yellow.\n gl_FragColor = vec4(1.0, 1.0, 0.0, 1.0);\n}\n`;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Shader object.\n let myShader = createShader(vertSrc, fragSrc);\n\n // Apply the p5.Shader object.\n shader(myShader);\n\n // Style the drawing surface.\n noStroke();\n\n // Add a plane as a drawing surface.\n plane(100, 100);\n\n describe('A yellow square.');\n}\n
\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\nlet mandelbrot;\n\n// Load the shader and create a p5.Shader object.\nfunction preload() {\n mandelbrot = loadShader('/assets/shader.vert', '/assets/shader.frag');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Use the p5.Shader object.\n shader(mandelbrot);\n\n // Set the shader uniform p to an array.\n mandelbrot.setUniform('p', [-0.74364388703, 0.13182590421]);\n\n describe('A fractal image zooms in and out of focus.');\n}\n\nfunction draw() {\n // Set the shader uniform r to a value that oscillates between 0 and 2.\n mandelbrot.setUniform('r', sin(frameCount * 0.01) + 1);\n\n // Add a quad as a display surface for the shader.\n quad(-1, -1, 1, -1, 1, 1, -1, 1);\n}\n
\nCopies the shader from one drawing context to another.
\nEach p5.Shader
object must be compiled by calling\nshader() before it can run. Compilation happens\nin a drawing context which is usually the main canvas or an instance of\np5.Graphics. A shader can only be used in the\ncontext where it was compiled. The copyToContext()
method compiles the\nshader again and copies it to another drawing context where it can be\nreused.
The parameter, context
, is the drawing context where the shader will be\nused. The shader can be copied to an instance of\np5.Graphics, as in\nmyShader.copyToContext(pg)
. The shader can also be copied from a\np5.Graphics object to the main canvas using\nthe window
variable, as in myShader.copyToContext(window)
.
Note: A p5.Shader object created with\ncreateShader(),\ncreateFilterShader(), or\nloadShader()\ncan be used directly with a p5.Framebuffer\nobject created with\ncreateFramebuffer(). Both objects\nhave the same context as the main canvas.
\n"],"path":[0,"p5.Shader/copyToContext"]}],"setUniform":[0,{"description":[0,"Sets the shader’s uniform (global) variables.
\nShader programs run on the computer’s graphics processing unit (GPU).\nThey live in part of the computer’s memory that’s completely separate\nfrom the sketch that runs them. Uniforms are global variables within a\nshader program. They provide a way to pass values from a sketch running\non the CPU to a shader program running on the GPU.
\nThe first parameter, uniformName
, is a string with the uniform’s name.\nFor the shader above, uniformName
would be 'r'
.
The second parameter, data
, is the value that should be used to set the\nuniform. For example, calling myShader.setUniform('r', 0.5)
would set\nthe r
uniform in the shader above to 0.5
. data should match the\nuniform’s type. Numbers, strings, booleans, arrays, and many types of\nimages can all be passed to a shader with setUniform()
.
셰이더를 하나의 드로잉 콘텍스트에서 다른 드로잉 콘텍스트로 복사합니다.
각 p5.Shader
객체는 실행하기 전에 shader()를 호출하여 컴파일해야 합니다. 컴파일은 보통 p5.Graphics의 메인 캔버스 또는 인스턴스인 드로잉 콘텍스트에서 일어납니다. 셰이더는 컴파일된 콘텍스트에서만 사용될 수 있습니다. copyToContext()
메서드는 셰이더를 다시 컴파일하고 재사용할 수 있는 다른 드로잉 콘텍스트로 복사합니다.
매개 변수 context
는 셰이더를 사용할 드로잉 콘텍스트입니다. 셰이더는 myShader.copyToContext(pg)
에서와 같이 p5.Graphics의 인스턴스로 복사할 수 있습니다. 셰이더는 myShader.copyToContext(window)
에서와 같이 window
변수를 사용하여 p5.Graphics 객체에서 메인 캔버스로 복사할 수도 있습니다.
참고: createShader(), createFilterShader(), 또는 loadShader()로 생성된 p5.Shader 객체는 createFramebuffer()로 생성한 p5.Framebuffer와 함께 직접 사용될 수 있습니다. 두 객체 모두 메인 캔버스와 동일한 콘텍스트를 가집니다.
\n"],"line":[0,211],"params":[1,[[0,{"name":[0,"context"],"description":[0,"복사된 셰이더를 위한 WebGL 콘텍스트
\n"],"type":[0,"p5|p5.Graphics"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Shader"],"chainable":[0,false],"return":[0,{"description":[0,"목표 콘텍스트를 위해 컴파일된 새로운 셰이더"],"type":[0,"p5.Shader"]}],"example":[1,[[0,"\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\n// Create a string with the vertex shader program.\n// The vertex shader is called for each vertex.\nlet vertSrc = `\nprecision highp float;\nuniform mat4 uModelViewMatrix;\nuniform mat4 uProjectionMatrix;\n\nattribute vec3 aPosition;\nattribute vec2 aTexCoord;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vTexCoord = aTexCoord;\n vec4 positionVec4 = vec4(aPosition, 1.0);\n gl_Position = uProjectionMatrix * uModelViewMatrix * positionVec4;\n}\n`;\n\n// Create a string with the fragment shader program.\n// The fragment shader is called for each pixel.\nlet fragSrc = `\nprecision mediump float;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vec2 uv = vTexCoord;\n vec3 color = vec3(uv.x, uv.y, min(uv.x + uv.y, 1.0));\n gl_FragColor = vec4(color, 1.0);\\\n}\n`;\n\nlet pg;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n background(200);\n\n // Create a p5.Shader object.\n let original = createShader(vertSrc, fragSrc);\n\n // Compile the p5.Shader object.\n shader(original);\n\n // Create a p5.Graphics object.\n pg = createGraphics(50, 50, WEBGL);\n\n // Copy the original shader to the p5.Graphics object.\n let copied = original.copyToContext(pg);\n\n // Apply the copied shader to the p5.Graphics object.\n pg.shader(copied);\n\n // Style the display surface.\n pg.noStroke();\n\n // Add a display surface for the shader.\n pg.plane(50, 50);\n\n describe('A square with purple-blue gradient on its surface drawn against a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Draw the p5.Graphics object to the main canvas.\n image(pg, -25, -25);\n}\n
\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\n// Create a string with the vertex shader program.\n// The vertex shader is called for each vertex.\nlet vertSrc = `\nprecision highp float;\nuniform mat4 uModelViewMatrix;\nuniform mat4 uProjectionMatrix;\n\nattribute vec3 aPosition;\nattribute vec2 aTexCoord;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vTexCoord = aTexCoord;\n vec4 positionVec4 = vec4(aPosition, 1.0);\n gl_Position = uProjectionMatrix * uModelViewMatrix * positionVec4;\n}\n`;\n\n// Create a string with the fragment shader program.\n// The fragment shader is called for each pixel.\nlet fragSrc = `\nprecision mediump float;\n\nvarying vec2 vTexCoord;\n\nvoid main() {\n vec2 uv = vTexCoord;\n vec3 color = vec3(uv.x, uv.y, min(uv.x + uv.y, 1.0));\n gl_FragColor = vec4(color, 1.0);\n}\n`;\n\nlet copied;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Graphics object.\n let pg = createGraphics(25, 25, WEBGL);\n\n // Create a p5.Shader object.\n let original = pg.createShader(vertSrc, fragSrc);\n\n // Compile the p5.Shader object.\n pg.shader(original);\n\n // Copy the original shader to the main canvas.\n copied = original.copyToContext(window);\n\n // Apply the copied shader to the main canvas.\n shader(copied);\n\n describe('A rotating cube with a purple-blue gradient on its surface drawn against a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Rotate around the x-, y-, and z-axes.\n rotateX(frameCount * 0.01);\n rotateY(frameCount * 0.01);\n rotateZ(frameCount * 0.01);\n\n // Draw the box.\n box(50);\n}\n
\n셰이더의 유니폼 (전역) 변수를 설정합니다.
셰이더 프로그램은 컴퓨터의 그래픽 처리 장치(GPU)에서 실행됩니다. 이들을 실행하는 스케치와는 완전히 분리된 컴퓨터 메모리의 일부에서 상주하고 있습니다. 유니폼은 셰이더 프로그램 내의 전역 변수입니다. 이들은 CPU에서 실행되는 스케치로부터 GPU에서 실행되는 셰이더 프로그램으로 값을 전달하는 방법을 제공합니다.
첫번째 매개 변수인 uniformName
은 유니폼의 이름을 가진 문자열입니다. 위 셰이더의 경우 uniformName
은 'r'
이 됩니다.
두번째 매개 변수인 data
는 유니폼을 설정하는 데 사용되어야 하는 값입니다. 예를 들어, myShader.setUniform('r', 0.5)
를 호출하면 위 셰이더의 r
유니폼을 0.5로 설정됩니다. 데이터는 유니폼의 종류와 일치해야 합니다. Numbers, strings, booleans, arrays, 그리고 여러 종류의 이미지가 setUniform()
으로 셰이더에 전달될 수 있습니다.
유니폼의 이름. 정점과 프래그먼트 셰이더(fragment shader)에 사용되는 이름과 일치해야 합니다.
\n"],"type":[0,"String"]}],[0,{"name":[0,"data"],"description":[0,"유니폼에 할당할 값. 유니폼의 데이터 유형과 일치해야 합니다.
\n"],"type":[0,"Boolean|Number|Number[]|p5.Image|p5.Graphics|p5.MediaElement|p5.Texture"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Shader"],"chainable":[0,true],"example":[1,[[0,"\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\n// Create a string with the vertex shader program.\n// The vertex shader is called for each vertex.\nlet vertSrc = `\nprecision highp float;\nuniform mat4 uModelViewMatrix;\nuniform mat4 uProjectionMatrix;\n\nattribute vec3 aPosition;\nattribute vec2 aTexCoord;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vTexCoord = aTexCoord;\n vec4 positionVec4 = vec4(aPosition, 1.0);\n gl_Position = uProjectionMatrix * uModelViewMatrix * positionVec4;\n}\n`;\n\n// Create a string with the fragment shader program.\n// The fragment shader is called for each pixel.\nlet fragSrc = `\nprecision mediump float;\n\nuniform float r;\n\nvoid main() {\n gl_FragColor = vec4(r, 1.0, 1.0, 1.0);\n}\n`;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Shader object.\n let myShader = createShader(vertSrc, fragSrc);\n\n // Apply the p5.Shader object.\n shader(myShader);\n\n // Set the r uniform to 0.5.\n myShader.setUniform('r', 0.5);\n\n // Style the drawing surface.\n noStroke();\n\n // Add a plane as a drawing surface for the shader.\n plane(100, 100);\n\n describe('A cyan square.');\n}\n
\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\n// Create a string with the vertex shader program.\n// The vertex shader is called for each vertex.\nlet vertSrc = `\nprecision highp float;\nuniform mat4 uModelViewMatrix;\nuniform mat4 uProjectionMatrix;\n\nattribute vec3 aPosition;\nattribute vec2 aTexCoord;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vTexCoord = aTexCoord;\n vec4 positionVec4 = vec4(aPosition, 1.0);\n gl_Position = uProjectionMatrix * uModelViewMatrix * positionVec4;\n}\n`;\n\n// Create a string with the fragment shader program.\n// The fragment shader is called for each pixel.\nlet fragSrc = `\nprecision mediump float;\n\nuniform float r;\n\nvoid main() {\n gl_FragColor = vec4(r, 1.0, 1.0, 1.0);\n}\n`;\n\nlet myShader;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Shader object.\n myShader = createShader(vertSrc, fragSrc);\n\n // Compile and apply the p5.Shader object.\n shader(myShader);\n\n describe('A square oscillates color between cyan and white.');\n}\n\nfunction draw() {\n background(200);\n\n // Style the drawing surface.\n noStroke();\n\n // Update the r uniform.\n let nextR = 0.5 * (sin(frameCount * 0.01) + 1);\n myShader.setUniform('r', nextR);\n\n // Add a plane as a drawing surface.\n plane(100, 100);\n}\n
\n\n// Note: A \"uniform\" is a global variable within a shader program.\n\n// Create a string with the vertex shader program.\n// The vertex shader is called for each vertex.\nlet vertSrc = `\nprecision highp float;\nuniform mat4 uModelViewMatrix;\nuniform mat4 uProjectionMatrix;\n\nattribute vec3 aPosition;\nattribute vec2 aTexCoord;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vTexCoord = aTexCoord;\n vec4 positionVec4 = vec4(aPosition, 1.0);\n gl_Position = uProjectionMatrix * uModelViewMatrix * positionVec4;\n}\n`;\n\n// Create a string with the fragment shader program.\n// The fragment shader is called for each pixel.\nlet fragSrc = `\nprecision highp float;\nuniform vec2 p;\nuniform float r;\nconst int numIterations = 500;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vec2 c = p + gl_FragCoord.xy * r;\n vec2 z = c;\n float n = 0.0;\n\n for (int i = numIterations; i > 0; i--) {\n if (z.x * z.x + z.y * z.y > 4.0) {\n n = float(i) / float(numIterations);\n break;\n }\n\n z = vec2(z.x * z.x - z.y * z.y, 2.0 * z.x * z.y) + c;\n }\n\n gl_FragColor = vec4(\n 0.5 - cos(n * 17.0) / 2.0,\n 0.5 - cos(n * 13.0) / 2.0,\n 0.5 - cos(n * 23.0) / 2.0,\n 1.0\n );\n}\n`;\n\nlet mandelbrot;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Shader object.\n mandelbrot = createShader(vertSrc, fragSrc);\n\n // Compile and apply the p5.Shader object.\n shader(mandelbrot);\n\n // Set the shader uniform p to an array.\n // p is the center point of the Mandelbrot image.\n mandelbrot.setUniform('p', [-0.74364388703, 0.13182590421]);\n\n describe('A fractal image zooms in and out of focus.');\n}\n\nfunction draw() {\n // Set the shader uniform r to a value that oscillates\n // between 0 and 0.005.\n // r is the size of the image in Mandelbrot-space.\n let radius = 0.005 * (sin(frameCount * 0.01) + 1);\n mandelbrot.setUniform('r', radius);\n\n // Style the drawing surface.\n noStroke();\n\n // Add a plane as a drawing surface.\n plane(100, 100);\n}\n
\nLogs the hooks available in this shader, and their current implementation.
\nEach shader may let you override bits of its behavior. Each bit is called\na hook. A hook is either for the vertex shader, if it affects the\nposition of vertices, or in the fragment shader, if it affects the pixel\ncolor. This method logs those values to the console, letting you know what\nyou are able to use in a call to\nmodify()
.
For example, this shader will produce the following output:
\nmyShader = baseMaterialShader().modify({\n declarations: 'uniform float time;',\n 'vec3 getWorldPosition': `(vec3 pos) {\n pos.y += 20. * sin(time * 0.001 + pos.x * 0.05);\n return pos;\n }`\n});\nmyShader.inspectHooks();\n
\n==== Vertex shader hooks: ====\nvoid beforeVertex() {}\nvec3 getLocalPosition(vec3 position) { return position; }\n[MODIFIED] vec3 getWorldPosition(vec3 pos) {\n pos.y += 20. * sin(time * 0.001 + pos.x * 0.05);\n return pos;\n }\nvec3 getLocalNormal(vec3 normal) { return normal; }\nvec3 getWorldNormal(vec3 normal) { return normal; }\nvec2 getUV(vec2 uv) { return uv; }\nvec4 getVertexColor(vec4 color) { return color; }\nvoid afterVertex() {}\n\n==== Fragment shader hooks: ====\nvoid beforeFragment() {}\nInputs getPixelInputs(Inputs inputs) { return inputs; }\nvec4 combineColors(ColorComponents components) {\n vec4 color = vec4(0.);\n color.rgb += components.diffuse * components.baseColor;\n color.rgb += components.ambient * components.ambientColor;\n color.rgb += components.specular * components.specularColor;\n color.rgb += components.emissive;\n color.a = components.opacity;\n return color;\n }\nvec4 getFinalColor(vec4 color) { return color; }\nvoid afterFragment() {}\n
\n"],"line":[0,259],"itemtype":[0,"method"],"class":[0,"p5.Shader"],"chainable":[0,false],"beta":[0,true],"isConstructor":[0,false],"path":[0,"p5.Shader/inspectHooks"]}],"render":[0,null]}],[0,{"id":[0,"en/p5.Shader/modify.mdx"],"slug":[0,"en/p5shader/modify"],"body":[0,"\n\n# modify\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"modify()"],"module":[0,"3D"],"submodule":[0,"Material"],"file":[0,"src/webgl/p5.Shader.js"],"description":[0,"Returns a new shader, based on the original, but with custom snippets\nof shader code replacing default behaviour.
\nEach shader may let you override bits of its behavior. Each bit is called\na hook. A hook is either for the vertex shader, if it affects the\nposition of vertices, or in the fragment shader, if it affects the pixel\ncolor. You can inspect the different hooks available by calling\nyourShader.inspectHooks()
. You can\nalso read the reference for the default material, normal material, color, line, and point shaders to\nsee what hooks they have available.
modify()
takes one parameter, hooks
, an object with the hooks you want\nto override. Each key of the hooks
object is the name\nof a hook, and the value is a string with the GLSL code for your hook.
If you supply functions that aren't existing hooks, they will get added at the start of\nthe shader as helper functions so that you can use them in your hooks.
\nTo add new uniforms to your shader, you can pass in a uniforms
object containing\nthe type and name of the uniform as the key, and a default value or function returning\na default value as its value. These will be automatically set when the shader is set\nwith shader(yourShader)
.
You can also add a declarations
key, where the value is a GLSL string declaring\ncustom uniform variables, globals, and functions shared\nbetween hooks. To add declarations just in a vertex or fragment shader, add\nvertexDeclarations
and fragmentDeclarations
keys.
The hooks in the shader to replace.
\n"],"type":[0,"Object"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.Shader"],"chainable":[0,false],"beta":[0,true],"return":[0,{"description":[0,""],"type":[0,"p5.Shader"]}],"example":[1,[[0,"\n\nlet myShader;\n\nfunction setup() {\n createCanvas(200, 200, WEBGL);\n myShader = baseMaterialShader().modify({\n uniforms: {\n 'float time': () => millis()\n },\n 'vec3 getWorldPosition': `(vec3 pos) {\n pos.y += 20. * sin(time * 0.001 + pos.x * 0.05);\n return pos;\n }`\n });\n}\n\nfunction draw() {\n background(255);\n shader(myShader);\n lights();\n noStroke();\n fill('red');\n sphere(50);\n}\n
\n\nlet myShader;\n\nfunction setup() {\n createCanvas(200, 200, WEBGL);\n myShader = baseMaterialShader().modify({\n // Manually specifying a uniform\n declarations: 'uniform float time;',\n 'vec3 getWorldPosition': `(vec3 pos) {\n pos.y += 20. * sin(time * 0.001 + pos.x * 0.05);\n return pos;\n }`\n });\n}\n\nfunction draw() {\n background(255);\n shader(myShader);\n myShader.setUniform('time', millis());\n lights();\n noStroke();\n fill('red');\n sphere(50);\n}\n
\nSets the way colors blend when added to the canvas.
\nBy default, drawing with a solid color paints over the current pixel values\non the canvas. blendMode()
offers many options for blending colors.
Shapes, images, and text can be used as sources for drawing to the canvas.\nA source pixel changes the color of the canvas pixel where it's drawn. The\nfinal color results from blending the source pixel's color with the canvas\npixel's color. RGB color values from the source and canvas pixels are\ncompared, added, subtracted, multiplied, and divided to create different\neffects. Red values with red values, greens with greens, and blues with\nblues.
\nThe parameter, mode
, sets the blend mode. For example, calling\nblendMode(ADD)
sets the blend mode to ADD
. The following blend modes\nare available in both 2D and WebGL mode:
BLEND
: color values from the source overwrite the canvas. This is the default mode.ADD
: color values from the source are added to values from the canvas.DARKEST
: keeps the darkest color value.LIGHTEST
: keeps the lightest color value.EXCLUSION
: similar to DIFFERENCE
but with less contrast.MULTIPLY
: color values from the source are multiplied with values from the canvas. The result is always darker.SCREEN
: all color values are inverted, then multiplied, then inverted again. The result is always lighter. (Opposite of MULTIPLY
)REPLACE
: the last source drawn completely replaces the rest of the canvas.REMOVE
: overlapping pixels are removed by making them completely transparent.The following blend modes are only available in 2D mode:
\nDIFFERENCE
: color values from the source are subtracted from the values from the canvas. If the difference is a negative number, it's made positive.OVERLAY
: combines MULTIPLY
and SCREEN
. Dark values in the canvas get darker and light values get lighter.HARD_LIGHT
: combines MULTIPLY
and SCREEN
. Dark values in the source get darker and light values get lighter.SOFT_LIGHT
: a softer version of HARD_LIGHT
.DODGE
: lightens light tones and increases contrast. Divides the canvas color values by the inverted color values from the source.BURN
: darkens dark tones and increases contrast. Divides the source color values by the inverted color values from the canvas, then inverts the result.The following blend modes are only available in WebGL mode:
\nSUBTRACT
: RGB values from the source are subtracted from the values from the canvas. If the difference is a negative number, it's made positive. Alpha (transparency) values from the source and canvas are added.blend mode to set.\n either BLEND, DARKEST, LIGHTEST, DIFFERENCE, MULTIPLY,\n EXCLUSION, SCREEN, REPLACE, OVERLAY, HARD_LIGHT,\n SOFT_LIGHT, DODGE, BURN, ADD, REMOVE or SUBTRACT
\n"],"type":[0,"Constant"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Use the default blend mode.\n blendMode(BLEND);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('A Sky Blue line and a Deep Rose line form an X on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(HARD_LIGHT);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('An ocean blue line and a hot pink line form an X on a gray background. The area where they overlap is Magenta purple.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(ADD);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('An icy blue line and a light lavender line form an X on a gray background. The area where they overlap is white.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(DARKEST);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('A steel blue line and a cranberry line form an X on a gray background. The area where they overlap is deep purple.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(BURN);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('A cobalt blue line and a burgundy line form an X on a gray background. The area where they overlap is black.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(LIGHTEST);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('A pale lavender line and a soft beige line form an X on a gray background. The area where they overlap is pale lilac.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(EXCLUSION);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('An earthy brown line and a muted sage line form an X on a gray background. The area where they overlap is sage green.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(MULTIPLY);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('A slate blue line and a plum line form an X on a gray background. The area where they overlap is dark Indigo.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(SCREEN);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('A baby blue line and a peach pink line form an X on a gray background. The area where they overlap is misty lilac.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(REPLACE);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('A diagonal deep rose line.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(REMOVE);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('The silhouette of an X is missing from a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(DIFFERENCE);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('A light burgundy line and a forest green line form an X on a gray background. The area where they overlap is dark cocoa.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(OVERLAY);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('A cornflower blue line and a light rose line form an X on a gray background. The area where they overlap is violet.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(SOFT_LIGHT);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('A pale sky line and a rose blush line form an X on a gray background. The area where they overlap is lavender.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Set the blend mode.\n blendMode(DODGE);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the first line.\n stroke('#1a85ff');\n line(25, 25, 75, 75);\n\n // Draw the second line.\n stroke('#d41159');\n line(75, 25, 25, 75);\n\n describe('An aqua blue line and a light pink line form an X on a gray background. The area where they overlap is white.');\n}\n
\n\nfunction setup() {\n // Create a canvas with WEBGL mode.\n createCanvas(100, 100, WEBGL);\n\n // Set the background color.\n background(180);\n\n // Set the blend mode to SUBTRACT.\n blendMode(SUBTRACT);\n\n // Style the lines.\n strokeWeight(30);\n\n // Draw the blue line.\n stroke('#1a85ff');\n line(-25, -25, 25, 25);\n\n // Draw the red line.\n stroke('#d41159');\n line(25, -25, -25, 25);\n\n describe('A burnt orange and a sea green line form an X on a gray background. The area where they overlap is forest green.');\n}\n
\nClears the depth buffer in WebGL mode.
\nclearDepth()
clears information about how far objects are from the camera\nin 3D space. This information is stored in an object called the\ndepth buffer. Clearing the depth buffer ensures new objects aren't drawn\nbehind old ones. Doing so can be useful for feedback effects in which the\nprevious frame serves as the background for the current frame.
The parameter, depth
, is optional. If a number is passed, as in\nclearDepth(0.5)
, it determines the range of objects to clear from the\ndepth buffer. 0 doesn't clear any depth information, 0.5 clears depth\ninformation halfway between the near and far clipping planes, and 1 clears\ndepth information all the way to the far clipping plane. By default,\ndepth
is 1.
Note: clearDepth()
can only be used in WebGL mode.
amount of the depth buffer to clear between 0\n (none) and 1 (far clipping plane). Defaults to 1.
\n"],"type":[0,"Number"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nlet previous;\nlet current;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create the p5.Framebuffer objects.\n previous = createFramebuffer({ format: FLOAT });\n current = createFramebuffer({ format: FLOAT });\n\n describe(\n 'A multicolor box drifts from side to side on a white background. It leaves a trail that fades over time.'\n );\n}\n\nfunction draw() {\n // Swap the previous p5.Framebuffer and the\n // current one so it can be used as a texture.\n [previous, current] = [current, previous];\n\n // Start drawing to the current p5.Framebuffer.\n current.begin();\n\n // Paint the background.\n background(255);\n\n // Draw the previous p5.Framebuffer.\n // Clear the depth buffer so the previous\n // frame doesn't block the current one.\n push();\n tint(255, 250);\n image(previous, -50, -50);\n clearDepth();\n pop();\n\n // Draw the box on top of the previous frame.\n push();\n let x = 25 * sin(frameCount * 0.01);\n let y = 25 * sin(frameCount * 0.02);\n translate(x, y, 0);\n rotateX(frameCount * 0.01);\n rotateY(frameCount * 0.01);\n normalMaterial();\n box(12);\n pop();\n\n // Stop drawing to the current p5.Framebuffer.\n current.end();\n\n // Display the current p5.Framebuffer.\n image(current, -50, -50);\n}\n
\nCreates a canvas element on the web page.
\ncreateCanvas()
creates the main drawing canvas for a sketch. It should\nonly be called once at the beginning of setup().\nCalling createCanvas()
more than once causes unpredictable behavior.
The first two parameters, width
and height
, are optional. They set the\ndimensions of the canvas and the values of the\nwidth and height system\nvariables. For example, calling createCanvas(900, 500)
creates a canvas\nthat's 900×500 pixels. By default, width
and height
are both 100.
The third parameter is also optional. If either of the constants P2D
or\nWEBGL
is passed, as in createCanvas(900, 500, WEBGL)
, then it will set\nthe sketch's rendering mode. If an existing\nHTMLCanvasElement\nis passed, as in createCanvas(900, 500, myCanvas)
, then it will be used\nby the sketch.
The fourth parameter is also optional. If an existing\nHTMLCanvasElement\nis passed, as in createCanvas(900, 500, WEBGL, myCanvas)
, then it will be\nused by the sketch.
Note: In WebGL mode, the canvas will use a WebGL2 context if it's supported\nby the browser. Check the webglVersion\nsystem variable to check what version is being used, or call\nsetAttributes({ version: 1 })
to create a WebGL1 context.
width of the canvas. Defaults to 100.
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"height"],"description":[0,"height of the canvas. Defaults to 100.
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"renderer"],"description":[0,"either P2D or WEBGL. Defaults to P2D
.
existing canvas element that should be used for the sketch.
\n"],"type":[0,"HTMLCanvasElement"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"width"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"height"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"canvas"],"description":[0,""],"type":[0,"HTMLCanvasElement"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"new `p5.Renderer` that holds the canvas."],"type":[0,"p5.Renderer"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Draw a diagonal line.\n line(0, 0, width, height);\n\n describe('A diagonal line drawn from top-left to bottom-right on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 50);\n\n background(180);\n\n // Draw a diagonal line.\n line(0, 0, width, height);\n\n describe('A diagonal line drawn from top-left to bottom-right on a gray background.');\n}\n
\n\n// Use WebGL mode.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n background(180);\n\n // Draw a diagonal line.\n line(-width / 2, -height / 2, width / 2, height / 2);\n\n describe('A diagonal line drawn from top-left to bottom-right on a gray background.');\n}\n
\n\nfunction setup() {\n // Create a p5.Render object.\n let cnv = createCanvas(50, 50);\n\n // Position the canvas.\n cnv.position(10, 20);\n\n background(180);\n\n // Draw a diagonal line.\n line(0, 0, width, height);\n\n describe('A diagonal line drawn from top-left to bottom-right on a gray background.');\n}\n
\nCreates and a new p5.Framebuffer object.
\np5.Framebuffer objects are separate drawing\nsurfaces that can be used as textures in WebGL mode. They're similar to\np5.Graphics objects and generally run much\nfaster when used as textures.
\nThe parameter, options
, is optional. An object can be passed to configure\nthe p5.Framebuffer object. The available\nproperties are:
format
: data format of the texture, either UNSIGNED_BYTE
, FLOAT
, or HALF_FLOAT
. Default is UNSIGNED_BYTE
.channels
: whether to store RGB
or RGBA
color channels. Default is to match the main canvas which is RGBA
.depth
: whether to include a depth buffer. Default is true
.depthFormat
: data format of depth information, either UNSIGNED_INT
or FLOAT
. Default is FLOAT
.stencil
: whether to include a stencil buffer for masking. depth
must be true
for this feature to work. Defaults to the value of depth
which is true
.antialias
: whether to perform anti-aliasing. If set to true
, as in { antialias: true }
, 2 samples will be used by default. The number of samples can also be set, as in { antialias: 4 }
. Default is to match setAttributes() which is false
(true
in Safari).width
: width of the p5.Framebuffer object. Default is to always match the main canvas width.height
: height of the p5.Framebuffer object. Default is to always match the main canvas height.density
: pixel density of the p5.Framebuffer object. Default is to always match the main canvas pixel density.textureFiltering
: how to read values from the p5.Framebuffer object. Either LINEAR
(nearby pixels will be interpolated) or NEAREST
(no interpolation). Generally, use LINEAR
when using the texture as an image and NEAREST
if reading the texture as data. Default is LINEAR
.If the width
, height
, or density
attributes are set, they won't automatically match the main canvas and must be changed manually.
Note: createFramebuffer()
can only be used in WebGL mode.
configuration options.
\n"],"type":[0,"Object"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"new framebuffer."],"type":[0,"p5.Framebuffer"]}],"example":[1,[[0,"\n\nlet myBuffer;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Framebuffer object.\n myBuffer = createFramebuffer();\n\n describe('A grid of white toruses rotating against a dark gray background.');\n}\n\nfunction draw() {\n background(50);\n\n // Start drawing to the p5.Framebuffer object.\n myBuffer.begin();\n\n // Clear the drawing surface.\n clear();\n\n // Turn on the lights.\n lights();\n\n // Rotate the coordinate system.\n rotateX(frameCount * 0.01);\n rotateY(frameCount * 0.01);\n\n // Style the torus.\n noStroke();\n\n // Draw the torus.\n torus(20);\n\n // Stop drawing to the p5.Framebuffer object.\n myBuffer.end();\n\n // Iterate from left to right.\n for (let x = -50; x < 50; x += 25) {\n // Iterate from top to bottom.\n for (let y = -50; y < 50; y += 25) {\n // Draw the p5.Framebuffer object to the canvas.\n image(myBuffer, x, y, 25, 25);\n }\n }\n}\n
\n\nlet myBuffer;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create an options object.\n let options = { width: 25, height: 25 };\n\n // Create a p5.Framebuffer object.\n // Use options for configuration.\n myBuffer = createFramebuffer(options);\n\n describe('A grid of white toruses rotating against a dark gray background.');\n}\n\nfunction draw() {\n background(50);\n\n // Start drawing to the p5.Framebuffer object.\n myBuffer.begin();\n\n // Clear the drawing surface.\n clear();\n\n // Turn on the lights.\n lights();\n\n // Rotate the coordinate system.\n rotateX(frameCount * 0.01);\n rotateY(frameCount * 0.01);\n\n // Style the torus.\n noStroke();\n\n // Draw the torus.\n torus(5, 2.5);\n\n // Stop drawing to the p5.Framebuffer object.\n myBuffer.end();\n\n // Iterate from left to right.\n for (let x = -50; x < 50; x += 25) {\n // Iterate from top to bottom.\n for (let y = -50; y < 50; y += 25) {\n // Draw the p5.Framebuffer object to the canvas.\n image(myBuffer, x, y);\n }\n }\n}\n
\nCreates a p5.Graphics object.
\ncreateGraphics()
creates an offscreen drawing canvas (graphics buffer)\nand returns it as a p5.Graphics object. Drawing\nto a separate graphics buffer can be helpful for performance and for\norganizing code.
The first two parameters, width
and height
, are optional. They set the\ndimensions of the p5.Graphics object. For\nexample, calling createGraphics(900, 500)
creates a graphics buffer\nthat's 900×500 pixels.
The third parameter is also optional. If either of the constants P2D
or\nWEBGL
is passed, as in createGraphics(900, 500, WEBGL)
, then it will set\nthe p5.Graphics object's rendering mode. If an\nexisting\nHTMLCanvasElement\nis passed, as in createGraphics(900, 500, myCanvas)
, then it will be used\nby the graphics buffer.
The fourth parameter is also optional. If an existing\nHTMLCanvasElement\nis passed, as in createGraphics(900, 500, WEBGL, myCanvas)
, then it will be\nused by the graphics buffer.
Note: In WebGL mode, the p5.Graphics object\nwill use a WebGL2 context if it's supported by the browser. Check the\nwebglVersion system variable to check what\nversion is being used, or call setAttributes({ version: 1 })
to create a\nWebGL1 context.
width of the graphics buffer.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"height"],"description":[0,"height of the graphics buffer.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"renderer"],"description":[0,"either P2D or WEBGL. Defaults to P2D.
\n"],"type":[0,"Constant"],"optional":[0,true]}],[0,{"name":[0,"canvas"],"description":[0,"existing canvas element that should be\n used for the graphics buffer..
\n"],"type":[0,"HTMLCanvasElement"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"width"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"height"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"canvas"],"description":[0,""],"type":[0,"HTMLCanvasElement"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"new graphics buffer."],"type":[0,"p5.Graphics"]}],"example":[1,[[0,"\n\n// Double-click to draw the contents of the graphics buffer.\n\nlet pg;\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Create the p5.Graphics object.\n pg = createGraphics(50, 50);\n\n // Draw to the graphics buffer.\n pg.background(100);\n pg.circle(pg.width / 2, pg.height / 2, 20);\n\n describe('A gray square. A smaller, darker square with a white circle at its center appears when the user double-clicks.');\n}\n\n// Display the graphics buffer when the user double-clicks.\nfunction doubleClicked() {\n if (mouseX > 0 && mouseX < 100 && mouseY > 0 && mouseY < 100) {\n image(pg, 25, 25);\n }\n}\n
\n\n// Double-click to draw the contents of the graphics buffer.\n\nlet pg;\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Create the p5.Graphics object in WebGL mode.\n pg = createGraphics(50, 50, WEBGL);\n\n // Draw to the graphics buffer.\n pg.background(100);\n pg.lights();\n pg.noStroke();\n pg.rotateX(QUARTER_PI);\n pg.rotateY(QUARTER_PI);\n pg.torus(15, 5);\n\n describe('A gray square. A smaller, darker square with a white torus at its center appears when the user double-clicks.');\n}\n\n// Display the graphics buffer when the user double-clicks.\nfunction doubleClicked() {\n if (mouseX > 0 && mouseX < 100 && mouseY > 0 && mouseY < 100) {\n image(pg, 25, 25);\n }\n}\n
\nA system variable that provides direct access to the sketch's\n element.
The element provides many specialized features that aren't\nincluded in the p5.js library. The
drawingContext
system variable\nprovides access to these features by exposing the sketch's\nCanvasRenderingContext2D\nobject.
\nfunction setup() {\n createCanvas(100, 100);\n\n background(180);\n\n // Style the circle using shadows.\n drawingContext.shadowOffsetX = 5;\n drawingContext.shadowOffsetY = -5;\n drawingContext.shadowBlur = 10;\n drawingContext.shadowColor = 'black';\n\n // Draw the circle.\n circle(50, 50, 40);\n\n describe(\"A white circle on a gray background. The circle's edges are shadowy.\");\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background('skyblue');\n\n // Style the circle using a color gradient.\n let myGradient = drawingContext.createRadialGradient(50, 50, 3, 50, 50, 40);\n myGradient.addColorStop(0, 'yellow');\n myGradient.addColorStop(0.6, 'orangered');\n myGradient.addColorStop(1, 'yellow');\n drawingContext.fillStyle = myGradient;\n drawingContext.strokeStyle = 'rgba(0, 0, 0, 0)';\n\n // Draw the circle.\n circle(50, 50, 40);\n\n describe('A fiery sun drawn on a light blue background.');\n}\n
\nRemoves the default canvas.
\nBy default, a 100×100 pixels canvas is created without needing to call\ncreateCanvas(). noCanvas()
removes the\ndefault canvas for sketches that don't need it.
\nfunction setup() {\n noCanvas();\n}\n
\nResizes the canvas to a given width and height.
\nresizeCanvas()
immediately clears the canvas and calls\nredraw(). It's common to call resizeCanvas()
\nwithin the body of windowResized() like\nso:
function windowResized() {\n resizeCanvas(windowWidth, windowHeight);\n}\n
\nThe first two parameters, width
and height
, set the dimensions of the\ncanvas. They also the values of the width and\nheight system variables. For example, calling\nresizeCanvas(300, 500)
resizes the canvas to 300×500 pixels, then sets\nwidth to 300 and\nheight 500.
The third parameter, noRedraw
, is optional. If true
is passed, as in\nresizeCanvas(300, 500, true)
, then the canvas will be canvas to 300×500\npixels but the redraw() function won't be called\nimmediately. By default, redraw() is called\nimmediately when resizeCanvas()
finishes executing.
width of the canvas.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"height"],"description":[0,"height of the canvas.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"noRedraw"],"description":[0,"whether to delay calling\n redraw(). Defaults\n to false
.
\n// Double-click to resize the canvas.\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe(\n 'A white circle drawn on a gray background. The canvas shrinks by half the first time the user double-clicks.'\n );\n}\n\nfunction draw() {\n background(180);\n\n // Draw a circle at the center of the canvas.\n circle(width / 2, height / 2, 20);\n}\n\n// Resize the canvas when the user double-clicks.\nfunction doubleClicked() {\n resizeCanvas(50, 50);\n}\n
\n\n// Resize the web browser to change the canvas size.\n\nfunction setup() {\n createCanvas(windowWidth, windowHeight);\n\n describe('A white circle drawn on a gray background.');\n}\n\nfunction draw() {\n background(180);\n\n // Draw a circle at the center of the canvas.\n circle(width / 2, height / 2, 20);\n}\n\n// Always resize the canvas to fill the browser window.\nfunction windowResized() {\n resizeCanvas(windowWidth, windowHeight);\n}\n
\nSet attributes for the WebGL Drawing context.\nThis is a way of adjusting how the WebGL\nrenderer works to fine-tune the display and performance.
\nNote that this will reinitialize the drawing context\nif called after the WebGL canvas is made.
\nIf an object is passed as the parameter, all attributes\nnot declared in the object will be set to defaults.
\nThe available attributes are:\n
\nalpha - indicates if the canvas contains an alpha buffer\ndefault is true
depth - indicates whether the drawing buffer has a depth buffer\nof at least 16 bits - default is true
\nstencil - indicates whether the drawing buffer has a stencil buffer\nof at least 8 bits
\nantialias - indicates whether or not to perform anti-aliasing\ndefault is false (true in Safari)
\npremultipliedAlpha - indicates that the page compositor will assume\nthe drawing buffer contains colors with pre-multiplied alpha\ndefault is true
\npreserveDrawingBuffer - if true the buffers will not be cleared and\nand will preserve their values until cleared or overwritten by author\n(note that p5 clears automatically on draw loop)\ndefault is true
\nperPixelLighting - if true, per-pixel lighting will be used in the\nlighting shader otherwise per-vertex lighting is used.\ndefault is true.
\nversion - either 1 or 2, to specify which WebGL version to ask for. By\ndefault, WebGL 2 will be requested. If WebGL2 is not available, it will\nfall back to WebGL 1. You can check what version is used with by looking at\nthe global webglVersion
property.
Name of attribute
\n"],"type":[0,"String"]}],[0,{"name":[0,"value"],"description":[0,"New value of named attribute
\n"],"type":[0,"Boolean"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"obj"],"description":[0,"object with key-value pairs
\n"],"type":[0,"Object"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n}\n\nfunction draw() {\n background(255);\n push();\n rotateZ(frameCount * 0.02);\n rotateX(frameCount * 0.02);\n rotateY(frameCount * 0.02);\n fill(0, 0, 0);\n box(50);\n pop();\n}\n
\n\nfunction setup() {\n setAttributes('antialias', true);\n createCanvas(100, 100, WEBGL);\n}\n\nfunction draw() {\n background(255);\n push();\n rotateZ(frameCount * 0.02);\n rotateX(frameCount * 0.02);\n rotateY(frameCount * 0.02);\n fill(0, 0, 0);\n box(50);\n pop();\n}\n
\n\n// press the mouse button to disable perPixelLighting\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n noStroke();\n fill(255);\n}\n\nlet lights = [\n { c: '#f00', t: 1.12, p: 1.91, r: 0.2 },\n { c: '#0f0', t: 1.21, p: 1.31, r: 0.2 },\n { c: '#00f', t: 1.37, p: 1.57, r: 0.2 },\n { c: '#ff0', t: 1.12, p: 1.91, r: 0.7 },\n { c: '#0ff', t: 1.21, p: 1.31, r: 0.7 },\n { c: '#f0f', t: 1.37, p: 1.57, r: 0.7 }\n];\n\nfunction draw() {\n let t = millis() / 1000 + 1000;\n background(0);\n directionalLight(color('#222'), 1, 1, 1);\n\n for (let i = 0; i < lights.length; i++) {\n let light = lights[i];\n pointLight(\n color(light.c),\n p5.Vector.fromAngles(t * light.t, t * light.p, width * light.r)\n );\n }\n\n specularMaterial(255);\n sphere(width * 0.1);\n\n rotateX(t * 0.77);\n rotateY(t * 0.83);\n rotateZ(t * 0.91);\n torus(width * 0.3, width * 0.07, 24, 10);\n}\n\nfunction mousePressed() {\n setAttributes('perPixelLighting', false);\n noStroke();\n fill(255);\n}\nfunction mouseReleased() {\n setAttributes('perPixelLighting', true);\n noStroke();\n fill(255);\n}\n
\nA class to describe a high-performance drawing surface for textures.
\nEach p5.Framebuffer
object provides a dedicated drawing surface called\na framebuffer. They're similar to\np5.Graphics objects but can run much faster.\nPerformance is improved because the framebuffer shares the same WebGL\ncontext as the canvas used to create it.
p5.Framebuffer
objects have all the drawing features of the main\ncanvas. Drawing instructions meant for the framebuffer must be placed\nbetween calls to\nmyBuffer.begin() and\nmyBuffer.end(). The resulting image\ncan be applied as a texture by passing the p5.Framebuffer
object to the\ntexture() function, as in texture(myBuffer)
.\nIt can also be displayed on the main canvas by passing it to the\nimage() function, as in image(myBuffer, 0, 0)
.
Note: createFramebuffer() is the\nrecommended way to create an instance of this class.
\n"],"line":[0,76],"params":[1,[[0,{"name":[0,"target"],"description":[0,"sketch instance or\n p5.Graphics\n object.
\n"],"type":[0,"p5.Graphics|p5"]}],[0,{"name":[0,"settings"],"description":[0,"configuration options.
\n"],"type":[0,"Object"],"optional":[0,true]}]]],"chainable":[0,false],"methods":[0,{"resize":[0,{"description":[0,"Resizes the framebuffer to a given width and height.
\nThe parameters, width
and height
, set the dimensions of the\nframebuffer. For example, calling myBuffer.resize(300, 500)
resizes\nthe framebuffer to 300×500 pixels, then sets myBuffer.width
to 300\nand myBuffer.height
500.
Sets the framebuffer's pixel density or returns its current density.
\nComputer displays are grids of little lights called pixels. A display's\npixel density describes how many pixels it packs into an area. Displays\nwith smaller pixels have a higher pixel density and create sharper\nimages.
\nThe parameter, density
, is optional. If a number is passed, as in\nmyBuffer.pixelDensity(1)
, it sets the framebuffer's pixel density. By\ndefault, the framebuffer's pixel density will match that of the canvas\nwhere it was created. All canvases default to match the display's pixel\ndensity.
Calling myBuffer.pixelDensity()
without an argument returns its current\npixel density.
Toggles the framebuffer's autosizing mode or returns the current mode.
\nBy default, the framebuffer automatically resizes to match the canvas\nthat created it. Calling myBuffer.autoSized(false)
disables this\nbehavior and calling myBuffer.autoSized(true)
re-enables it.
Calling myBuffer.autoSized()
without an argument returns true
if\nthe framebuffer automatically resizes and false
if not.
Creates a new\np5.Camera object to use with the framebuffer.
\nThe new camera is initialized with a default position (0, 0, 800)
and a\ndefault perspective projection. Its properties can be controlled with\np5.Camera methods such as myCamera.lookAt(0, 0, 0)
.
Framebuffer cameras should be created between calls to\nmyBuffer.begin() and\nmyBuffer.end() like so:
\nlet myCamera;\n\nmyBuffer.begin();\n\n// Create the camera for the framebuffer.\nmyCamera = myBuffer.createCamera();\n\nmyBuffer.end();\n
\nCalling setCamera() updates the\nframebuffer's projection using the camera.\nresetMatrix() must also be called for the\nview to change properly:
\nmyBuffer.begin();\n\n// Set the camera for the framebuffer.\nsetCamera(myCamera);\n\n// Reset all transformations.\nresetMatrix();\n\n// Draw stuff...\n\nmyBuffer.end();\n
\n"],"path":[0,"p5.Framebuffer/createCamera"]}],"remove":[0,{"description":[0,"Deletes the framebuffer from GPU memory.
\nCalling myBuffer.remove()
frees the GPU memory used by the framebuffer.\nThe framebuffer also uses a bit of memory on the CPU which can be freed\nlike so:
// Delete the framebuffer from GPU memory.\nmyBuffer.remove();\n\n// Delete the framebuffer from CPU memory.\nmyBuffer = undefined;\n
\nNote: All variables that reference the framebuffer must be assigned\nthe value undefined
to delete the framebuffer from CPU memory. If any\nvariable still refers to the framebuffer, then it won't be garbage\ncollected.
Begins drawing shapes to the framebuffer.
\nmyBuffer.begin()
and myBuffer.end()\nallow shapes to be drawn to the framebuffer. myBuffer.begin()
begins\ndrawing to the framebuffer and\nmyBuffer.end() stops drawing to the\nframebuffer. Changes won't be visible until the framebuffer is displayed\nas an image or texture.
Stops drawing shapes to the framebuffer.
\nmyBuffer.begin() and myBuffer.end()
\nallow shapes to be drawn to the framebuffer.\nmyBuffer.begin() begins drawing to\nthe framebuffer and myBuffer.end()
stops drawing to the framebuffer.\nChanges won't be visible until the framebuffer is displayed as an image\nor texture.
Draws to the framebuffer by calling a function that contains drawing\ninstructions.
\nThe parameter, callback
, is a function with the drawing instructions\nfor the framebuffer. For example, calling myBuffer.draw(myFunction)
\nwill call a function named myFunction()
to draw to the framebuffer.\nDoing so has the same effect as the following:
myBuffer.begin();\nmyFunction();\nmyBuffer.end();\n
\n"],"path":[0,"p5.Framebuffer/draw"]}],"loadPixels":[0,{"description":[0,"Loads the current value of each pixel in the framebuffer into its\npixels array.
\nmyBuffer.loadPixels()
must be called before reading from or writing to\nmyBuffer.pixels.
Gets a pixel or a region of pixels from the framebuffer.
\nmyBuffer.get()
is easy to use but it's not as fast as\nmyBuffer.pixels. Use\nmyBuffer.pixels to read many pixel\nvalues.
The version of myBuffer.get()
with no parameters returns the entire\nframebuffer as a a p5.Image object.
The version of myBuffer.get()
with two parameters interprets them as\ncoordinates. It returns an array with the [R, G, B, A]
values of the\npixel at the given point.
The version of myBuffer.get()
with four parameters interprets them as\ncoordinates and dimensions. It returns a subsection of the framebuffer as\na p5.Image object. The first two parameters are\nthe coordinates for the upper-left corner of the subsection. The last two\nparameters are the width and height of the subsection.
Updates the framebuffer with the RGBA values in the\npixels array.
\nmyBuffer.updatePixels()
only needs to be called after changing values\nin the myBuffer.pixels array. Such\nchanges can be made directly after calling\nmyBuffer.loadPixels().
An array containing the color of each pixel in the framebuffer.
\nmyBuffer.loadPixels() must be\ncalled before accessing the myBuffer.pixels
array.\nmyBuffer.updatePixels()\nmust be called after any changes are made.
Note: Updating pixels via this property is slower than drawing to the\nframebuffer directly. Consider using a\np5.Shader object instead of looping over\nmyBuffer.pixels
.
An object that stores the framebuffer's color data.
\nEach framebuffer uses a\nWebGLTexture\nobject internally to store its color data. The myBuffer.color
property\nmakes it possible to pass this data directly to other functions. For\nexample, calling texture(myBuffer.color)
or\nmyShader.setUniform('colorTexture', myBuffer.color)
may be helpful for\nadvanced use cases.
Note: By default, a framebuffer's y-coordinates are flipped compared to\nimages and videos. It's easy to flip a framebuffer's y-coordinates as\nneeded when applying it as a texture. For example, calling\nplane(myBuffer.width, -myBuffer.height)
will flip the framebuffer.
An object that stores the framebuffer's depth data.
\nEach framebuffer uses a\nWebGLTexture\nobject internally to store its depth data. The myBuffer.depth
property\nmakes it possible to pass this data directly to other functions. For\nexample, calling texture(myBuffer.depth)
or\nmyShader.setUniform('depthTexture', myBuffer.depth)
may be helpful for\nadvanced use cases.
Note: By default, a framebuffer's y-coordinates are flipped compared to\nimages and videos. It's easy to flip a framebuffer's y-coordinates as\nneeded when applying it as a texture. For example, calling\nplane(myBuffer.width, -myBuffer.height)
will flip the framebuffer.
Toggles the framebuffer's autosizing mode or returns the current mode.
\nBy default, the framebuffer automatically resizes to match the canvas\nthat created it. Calling myBuffer.autoSized(false)
disables this\nbehavior and calling myBuffer.autoSized(true)
re-enables it.
Calling myBuffer.autoSized()
without an argument returns true
if\nthe framebuffer automatically resizes and false
if not.
whether to automatically resize the framebuffer to match the canvas.
\n"],"type":[0,"Boolean"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.Framebuffer"],"chainable":[0,false],"return":[0,{"description":[0,"current autosize setting."],"type":[0,"Boolean"]}],"example":[1,[[0,"\n\n// Double-click to toggle the autosizing mode.\n\nlet myBuffer;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Framebuffer object.\n myBuffer = createFramebuffer();\n\n describe('A multicolor sphere on a gray background. The image resizes when the user moves the mouse.');\n}\n\nfunction draw() {\n background(50);\n\n // Draw to the p5.Framebuffer object.\n myBuffer.begin();\n background(200);\n normalMaterial();\n sphere(width / 4);\n myBuffer.end();\n\n // Display the p5.Framebuffer object.\n image(myBuffer, -width / 2, -height / 2);\n}\n\n// Resize the canvas when the user moves the mouse.\nfunction mouseMoved() {\n let w = constrain(mouseX, 0, 100);\n let h = constrain(mouseY, 0, 100);\n resizeCanvas(w, h);\n}\n\n// Toggle autoSizing when the user double-clicks.\n// Note: opened an issue to fix(?) this.\nfunction doubleClicked() {\n let isAuto = myBuffer.autoSized();\n myBuffer.autoSized(!isAuto);\n}\n
\nBegins drawing shapes to the framebuffer.
\nmyBuffer.begin()
and myBuffer.end()\nallow shapes to be drawn to the framebuffer. myBuffer.begin()
begins\ndrawing to the framebuffer and\nmyBuffer.end() stops drawing to the\nframebuffer. Changes won't be visible until the framebuffer is displayed\nas an image or texture.
\nlet myBuffer;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Framebuffer object.\n myBuffer = createFramebuffer();\n\n describe('An empty gray canvas. The canvas gets darker and a rotating, multicolor torus appears while the user presses and holds the mouse.');\n}\n\nfunction draw() {\n background(200);\n\n // Start drawing to the p5.Framebuffer object.\n myBuffer.begin();\n\n background(50);\n rotateY(frameCount * 0.01);\n normalMaterial();\n torus(30);\n\n // Stop drawing to the p5.Framebuffer object.\n myBuffer.end();\n\n // Display the p5.Framebuffer object while\n // the user presses the mouse.\n if (mouseIsPressed === true) {\n image(myBuffer, -50, -50);\n }\n}\n
\nAn object that stores the framebuffer's color data.
\nEach framebuffer uses a\nWebGLTexture\nobject internally to store its color data. The myBuffer.color
property\nmakes it possible to pass this data directly to other functions. For\nexample, calling texture(myBuffer.color)
or\nmyShader.setUniform('colorTexture', myBuffer.color)
may be helpful for\nadvanced use cases.
Note: By default, a framebuffer's y-coordinates are flipped compared to\nimages and videos. It's easy to flip a framebuffer's y-coordinates as\nneeded when applying it as a texture. For example, calling\nplane(myBuffer.width, -myBuffer.height)
will flip the framebuffer.
\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n background(200);\n\n // Create a p5.Framebuffer object.\n let myBuffer = createFramebuffer();\n\n // Start drawing to the p5.Framebuffer object.\n myBuffer.begin();\n\n triangle(-25, 25, 0, -25, 25, 25);\n\n // Stop drawing to the p5.Framebuffer object.\n myBuffer.end();\n\n // Use the p5.Framebuffer object's WebGLTexture.\n texture(myBuffer.color);\n\n // Style the plane.\n noStroke();\n\n // Draw the plane.\n plane(myBuffer.width, myBuffer.height);\n\n describe('A white triangle on a gray background.');\n}\n
\nCreates a new\np5.Camera object to use with the framebuffer.
\nThe new camera is initialized with a default position (0, 0, 800)
and a\ndefault perspective projection. Its properties can be controlled with\np5.Camera methods such as myCamera.lookAt(0, 0, 0)
.
Framebuffer cameras should be created between calls to\nmyBuffer.begin() and\nmyBuffer.end() like so:
\nlet myCamera;\n\nmyBuffer.begin();\n\n// Create the camera for the framebuffer.\nmyCamera = myBuffer.createCamera();\n\nmyBuffer.end();\n
\nCalling setCamera() updates the\nframebuffer's projection using the camera.\nresetMatrix() must also be called for the\nview to change properly:
\nmyBuffer.begin();\n\n// Set the camera for the framebuffer.\nsetCamera(myCamera);\n\n// Reset all transformations.\nresetMatrix();\n\n// Draw stuff...\n\nmyBuffer.end();\n
\n"],"line":[0,892],"itemtype":[0,"method"],"class":[0,"p5.Framebuffer"],"chainable":[0,false],"return":[0,{"description":[0,"new camera."],"type":[0,"p5.Camera"]}],"example":[1,[[0,"\n\n// Double-click to toggle between cameras.\n\nlet myBuffer;\nlet cam1;\nlet cam2;\nlet usingCam1 = true;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Framebuffer object.\n myBuffer = createFramebuffer();\n\n // Create the cameras between begin() and end().\n myBuffer.begin();\n\n // Create the first camera.\n // Keep its default settings.\n cam1 = myBuffer.createCamera();\n\n // Create the second camera.\n // Place it at the top-left.\n // Point it at the origin.\n cam2 = myBuffer.createCamera();\n cam2.setPosition(400, -400, 800);\n cam2.lookAt(0, 0, 0);\n\n myBuffer.end();\n\n describe(\n 'A white cube on a gray background. The camera toggles between frontal and aerial views when the user double-clicks.'\n );\n}\n\nfunction draw() {\n // Draw to the p5.Framebuffer object.\n myBuffer.begin();\n background(200);\n\n // Set the camera.\n if (usingCam1 === true) {\n setCamera(cam1);\n } else {\n setCamera(cam2);\n }\n\n // Reset all transformations.\n resetMatrix();\n\n // Draw the box.\n box();\n\n myBuffer.end();\n\n // Display the p5.Framebuffer object.\n image(myBuffer, -50, -50);\n}\n\n// Toggle the current camera when the user double-clicks.\nfunction doubleClicked() {\n if (usingCam1 === true) {\n usingCam1 = false;\n } else {\n usingCam1 = true;\n }\n}\n
\nAn object that stores the framebuffer's depth data.
\nEach framebuffer uses a\nWebGLTexture\nobject internally to store its depth data. The myBuffer.depth
property\nmakes it possible to pass this data directly to other functions. For\nexample, calling texture(myBuffer.depth)
or\nmyShader.setUniform('depthTexture', myBuffer.depth)
may be helpful for\nadvanced use cases.
Note: By default, a framebuffer's y-coordinates are flipped compared to\nimages and videos. It's easy to flip a framebuffer's y-coordinates as\nneeded when applying it as a texture. For example, calling\nplane(myBuffer.width, -myBuffer.height)
will flip the framebuffer.
\n// Note: A \"uniform\" is a global variable within a shader program.\n\n// Create a string with the vertex shader program.\n// The vertex shader is called for each vertex.\nlet vertSrc = `\nprecision highp float;\nattribute vec3 aPosition;\nattribute vec2 aTexCoord;\nuniform mat4 uModelViewMatrix;\nuniform mat4 uProjectionMatrix;\nvarying vec2 vTexCoord;\n\nvoid main() {\n vec4 viewModelPosition = uModelViewMatrix * vec4(aPosition, 1.0);\n gl_Position = uProjectionMatrix * viewModelPosition;\n vTexCoord = aTexCoord;\n}\n`;\n\n// Create a string with the fragment shader program.\n// The fragment shader is called for each pixel.\nlet fragSrc = `\nprecision highp float;\nvarying vec2 vTexCoord;\nuniform sampler2D depth;\n\nvoid main() {\n // Get the pixel's depth value.\n float depthVal = texture2D(depth, vTexCoord).r;\n\n // Set the pixel's color based on its depth.\n gl_FragColor = mix(\n vec4(0., 0., 0., 1.),\n vec4(1., 0., 1., 1.),\n depthVal);\n}\n`;\n\nlet myBuffer;\nlet myShader;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Framebuffer object.\n myBuffer = createFramebuffer();\n\n // Create a p5.Shader object.\n myShader = createShader(vertSrc, fragSrc);\n\n // Compile and apply the shader.\n shader(myShader);\n\n describe('The shadow of a box rotates slowly against a magenta background.');\n}\n\nfunction draw() {\n // Draw to the p5.Framebuffer object.\n myBuffer.begin();\n background(255);\n rotateX(frameCount * 0.01);\n box(20, 20, 80);\n myBuffer.end();\n\n // Set the shader's depth uniform using\n // the framebuffer's depth texture.\n myShader.setUniform('depth', myBuffer.depth);\n\n // Style the plane.\n noStroke();\n\n // Draw the plane.\n plane(myBuffer.width, myBuffer.height);\n}\n
\nDraws to the framebuffer by calling a function that contains drawing\ninstructions.
\nThe parameter, callback
, is a function with the drawing instructions\nfor the framebuffer. For example, calling myBuffer.draw(myFunction)
\nwill call a function named myFunction()
to draw to the framebuffer.\nDoing so has the same effect as the following:
myBuffer.begin();\nmyFunction();\nmyBuffer.end();\n
\n"],"line":[0,1323],"params":[1,[[0,{"name":[0,"callback"],"description":[0,"function that draws to the framebuffer.
\n"],"type":[0,"Function"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Framebuffer"],"chainable":[0,false],"example":[1,[[0,"\n\n// Click the canvas to display the framebuffer.\n\nlet myBuffer;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Framebuffer object.\n myBuffer = createFramebuffer();\n\n describe('An empty gray canvas. The canvas gets darker and a rotating, multicolor torus appears while the user presses and holds the mouse.');\n}\n\nfunction draw() {\n background(200);\n\n // Draw to the p5.Framebuffer object.\n myBuffer.draw(bagel);\n\n // Display the p5.Framebuffer object while\n // the user presses the mouse.\n if (mouseIsPressed === true) {\n image(myBuffer, -50, -50);\n }\n}\n\n// Draw a rotating, multicolor torus.\nfunction bagel() {\n background(50);\n rotateY(frameCount * 0.01);\n normalMaterial();\n torus(30);\n}\n
\nStops drawing shapes to the framebuffer.
\nmyBuffer.begin() and myBuffer.end()
\nallow shapes to be drawn to the framebuffer.\nmyBuffer.begin() begins drawing to\nthe framebuffer and myBuffer.end()
stops drawing to the framebuffer.\nChanges won't be visible until the framebuffer is displayed as an image\nor texture.
\nlet myBuffer;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Framebuffer object.\n myBuffer = createFramebuffer();\n\n describe('An empty gray canvas. The canvas gets darker and a rotating, multicolor torus appears while the user presses and holds the mouse.');\n}\n\nfunction draw() {\n background(200);\n\n // Start drawing to the p5.Framebuffer object.\n myBuffer.begin();\n\n background(50);\n rotateY(frameCount * 0.01);\n normalMaterial();\n torus(30);\n\n // Stop drawing to the p5.Framebuffer object.\n myBuffer.end();\n\n // Display the p5.Framebuffer object while\n // the user presses the mouse.\n if (mouseIsPressed === true) {\n image(myBuffer, -50, -50);\n }\n}\n
\nGets a pixel or a region of pixels from the framebuffer.
\nmyBuffer.get()
is easy to use but it's not as fast as\nmyBuffer.pixels. Use\nmyBuffer.pixels to read many pixel\nvalues.
The version of myBuffer.get()
with no parameters returns the entire\nframebuffer as a a p5.Image object.
The version of myBuffer.get()
with two parameters interprets them as\ncoordinates. It returns an array with the [R, G, B, A]
values of the\npixel at the given point.
The version of myBuffer.get()
with four parameters interprets them as\ncoordinates and dimensions. It returns a subsection of the framebuffer as\na p5.Image object. The first two parameters are\nthe coordinates for the upper-left corner of the subsection. The last two\nparameters are the width and height of the subsection.
x-coordinate of the pixel. Defaults to 0.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,"y-coordinate of the pixel. Defaults to 0.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"w"],"description":[0,"width of the subsection to be returned.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"h"],"description":[0,"height of the subsection to be returned.
\n"],"type":[0,"Number"]}]]]}],[0,{"params":[1,[]]}],[0,{"params":[1,[[0,{"name":[0,"x"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,""],"type":[0,"Number"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5.Framebuffer"],"chainable":[0,false],"return":[0,{"description":[0,"subsection as a p5.Image object."],"type":[0,"p5.Image"]}],"isConstructor":[0,false],"path":[0,"p5.Framebuffer/get"]}],"render":[0,null]}],[0,{"id":[0,"en/p5.Framebuffer/loadPixels.mdx"],"slug":[0,"en/p5framebuffer/loadpixels"],"body":[0,"\n\n# loadPixels\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"loadPixels()"],"module":[0,"Rendering"],"submodule":[0,""],"file":[0,"src/webgl/p5.Framebuffer.js"],"description":[0,"Loads the current value of each pixel in the framebuffer into its\npixels array.
\nmyBuffer.loadPixels()
must be called before reading from or writing to\nmyBuffer.pixels.
\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n background(200);\n\n // Create a p5.Framebuffer object.\n let myBuffer = createFramebuffer();\n\n // Load the pixels array.\n myBuffer.loadPixels();\n\n // Get the number of pixels in the\n // top half of the framebuffer.\n let numPixels = myBuffer.pixels.length / 2;\n\n // Set the framebuffer's top half to pink.\n for (let i = 0; i < numPixels; i += 4) {\n myBuffer.pixels[i] = 255;\n myBuffer.pixels[i + 1] = 102;\n myBuffer.pixels[i + 2] = 204;\n myBuffer.pixels[i + 3] = 255;\n }\n\n // Update the pixels array.\n myBuffer.updatePixels();\n\n // Draw the p5.Framebuffer object to the canvas.\n image(myBuffer, -50, -50);\n\n describe('A pink rectangle above a gray rectangle.');\n}\n
\nSets the framebuffer's pixel density or returns its current density.
\nComputer displays are grids of little lights called pixels. A display's\npixel density describes how many pixels it packs into an area. Displays\nwith smaller pixels have a higher pixel density and create sharper\nimages.
\nThe parameter, density
, is optional. If a number is passed, as in\nmyBuffer.pixelDensity(1)
, it sets the framebuffer's pixel density. By\ndefault, the framebuffer's pixel density will match that of the canvas\nwhere it was created. All canvases default to match the display's pixel\ndensity.
Calling myBuffer.pixelDensity()
without an argument returns its current\npixel density.
pixel density to set.
\n"],"type":[0,"Number"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.Framebuffer"],"chainable":[0,false],"return":[0,{"description":[0,"current pixel density."],"type":[0,"Number"]}],"example":[1,[[0,"\n\nlet myBuffer;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Framebuffer object.\n myBuffer = createFramebuffer();\n\n describe(\"A white circle on a gray canvas. The circle's edge become fuzzy while the user presses and holds the mouse.\");\n}\n\nfunction draw() {\n // Draw to the p5.Framebuffer object.\n myBuffer.begin();\n background(200);\n circle(0, 0, 40);\n myBuffer.end();\n\n // Display the p5.Framebuffer object.\n image(myBuffer, -50, -50);\n}\n\n// Decrease the pixel density when the user\n// presses the mouse.\nfunction mousePressed() {\n myBuffer.pixelDensity(1);\n}\n\n// Increase the pixel density when the user\n// releases the mouse.\nfunction mouseReleased() {\n myBuffer.pixelDensity(2);\n}\n
\n\nlet myBuffer;\nlet myFont;\n\n// Load a font and create a p5.Font object.\nfunction preload() {\n myFont = loadFont('/assets/inconsolata.otf');\n}\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n background(200);\n\n // Create a p5.Framebuffer object.\n myBuffer = createFramebuffer();\n\n // Get the p5.Framebuffer object's pixel density.\n let d = myBuffer.pixelDensity();\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont(myFont);\n textSize(16);\n fill(0);\n\n // Display the pixel density.\n text(`Density: ${d}`, 0, 0);\n\n describe(`The text \"Density: ${d}\" written in black on a gray background.`);\n}\n
\nAn array containing the color of each pixel in the framebuffer.
\nmyBuffer.loadPixels() must be\ncalled before accessing the myBuffer.pixels
array.\nmyBuffer.updatePixels()\nmust be called after any changes are made.
Note: Updating pixels via this property is slower than drawing to the\nframebuffer directly. Consider using a\np5.Shader object instead of looping over\nmyBuffer.pixels
.
\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n background(200);\n\n // Create a p5.Framebuffer object.\n let myBuffer = createFramebuffer();\n\n // Load the pixels array.\n myBuffer.loadPixels();\n\n // Get the number of pixels in the\n // top half of the framebuffer.\n let numPixels = myBuffer.pixels.length / 2;\n\n // Set the framebuffer's top half to pink.\n for (let i = 0; i < numPixels; i += 4) {\n myBuffer.pixels[i] = 255;\n myBuffer.pixels[i + 1] = 102;\n myBuffer.pixels[i + 2] = 204;\n myBuffer.pixels[i + 3] = 255;\n }\n\n // Update the pixels array.\n myBuffer.updatePixels();\n\n // Draw the p5.Framebuffer object to the canvas.\n image(myBuffer, -50, -50);\n\n describe('A pink rectangle above a gray rectangle.');\n}\n
\nDeletes the framebuffer from GPU memory.
\nCalling myBuffer.remove()
frees the GPU memory used by the framebuffer.\nThe framebuffer also uses a bit of memory on the CPU which can be freed\nlike so:
// Delete the framebuffer from GPU memory.\nmyBuffer.remove();\n\n// Delete the framebuffer from CPU memory.\nmyBuffer = undefined;\n
\nNote: All variables that reference the framebuffer must be assigned\nthe value undefined
to delete the framebuffer from CPU memory. If any\nvariable still refers to the framebuffer, then it won't be garbage\ncollected.
\n// Double-click to remove the p5.Framebuffer object.\n\nlet myBuffer;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create an options object.\n let options = { width: 60, height: 60 };\n\n // Create a p5.Framebuffer object and\n // configure it using options.\n myBuffer = createFramebuffer(options);\n\n describe('A white circle at the center of a dark gray square disappears when the user double-clicks.');\n}\n\nfunction draw() {\n background(200);\n\n // Display the p5.Framebuffer object if\n // it's available.\n if (myBuffer) {\n // Draw to the p5.Framebuffer object.\n myBuffer.begin();\n background(100);\n circle(0, 0, 20);\n myBuffer.end();\n\n image(myBuffer, -30, -30);\n }\n}\n\n// Remove the p5.Framebuffer object when the\n// the user double-clicks.\nfunction doubleClicked() {\n // Delete the framebuffer from GPU memory.\n myBuffer.remove();\n\n // Delete the framebuffer from CPU memory.\n myBuffer = undefined;\n}\n
\nResizes the framebuffer to a given width and height.
\nThe parameters, width
and height
, set the dimensions of the\nframebuffer. For example, calling myBuffer.resize(300, 500)
resizes\nthe framebuffer to 300×500 pixels, then sets myBuffer.width
to 300\nand myBuffer.height
500.
width of the framebuffer.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"height"],"description":[0,"height of the framebuffer.
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Framebuffer"],"chainable":[0,false],"example":[1,[[0,"\n\nlet myBuffer;\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n // Create a p5.Framebuffer object.\n myBuffer = createFramebuffer();\n\n describe('A multicolor sphere on a white surface. The image grows larger or smaller when the user moves the mouse, revealing a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Draw to the p5.Framebuffer object.\n myBuffer.begin();\n background(255);\n normalMaterial();\n sphere(20);\n myBuffer.end();\n\n // Display the p5.Framebuffer object.\n image(myBuffer, -50, -50);\n}\n\n// Resize the p5.Framebuffer object when the\n// user moves the mouse.\nfunction mouseMoved() {\n myBuffer.resize(mouseX, mouseY);\n}\n
\nUpdates the framebuffer with the RGBA values in the\npixels array.
\nmyBuffer.updatePixels()
only needs to be called after changing values\nin the myBuffer.pixels array. Such\nchanges can be made directly after calling\nmyBuffer.loadPixels().
\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n background(200);\n\n // Create a p5.Framebuffer object.\n let myBuffer = createFramebuffer();\n\n // Load the pixels array.\n myBuffer.loadPixels();\n\n // Get the number of pixels in the\n // top half of the framebuffer.\n let numPixels = myBuffer.pixels.length / 2;\n\n // Set the framebuffer's top half to pink.\n for (let i = 0; i < numPixels; i += 4) {\n myBuffer.pixels[i] = 255;\n myBuffer.pixels[i + 1] = 102;\n myBuffer.pixels[i + 2] = 204;\n myBuffer.pixels[i + 3] = 255;\n }\n\n // Update the pixels array.\n myBuffer.updatePixels();\n\n // Draw the p5.Framebuffer object to the canvas.\n image(myBuffer, -50, -50);\n\n describe('A pink rectangle above a gray rectangle.');\n}\n
\nA class to describe a drawing surface that's separate from the main canvas.
\nEach p5.Graphics
object provides a dedicated drawing surface called a\ngraphics buffer. Graphics buffers are helpful when drawing should happen\noffscreen. For example, separate scenes can be drawn offscreen and\ndisplayed only when needed.
p5.Graphics
objects have nearly all the drawing features of the main\ncanvas. For example, calling the method myGraphics.circle(50, 50, 20)
\ndraws to the graphics buffer. The resulting image can be displayed on the\nmain canvas by passing the p5.Graphics
object to the\nimage() function, as in image(myGraphics, 0, 0)
.
Note: createGraphics() is the recommended\nway to create an instance of this class.
\n"],"line":[0,10],"params":[1,[[0,{"name":[0,"width"],"description":[0,"width of the graphics buffer in pixels.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"height"],"description":[0,"height of the graphics buffer in pixels.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"renderer"],"description":[0,"renderer to use, either P2D or WEBGL.
\n"],"type":[0,"Constant"]}],[0,{"name":[0,"pInst"],"description":[0,"sketch instance.
\n"],"type":[0,"P5"],"optional":[0,true]}],[0,{"name":[0,"canvas"],"description":[0,"existing <canvas>
element to use.
\nlet pg;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a p5.Graphics object.\n pg = createGraphics(50, 50);\n\n // Draw to the p5.Graphics object.\n pg.background(100);\n pg.circle(25, 25, 20);\n\n describe('A dark gray square with a white circle at its center drawn on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Display the p5.Graphics object.\n image(pg, 25, 25);\n}\n
\n\n// Click the canvas to display the graphics buffer.\n\nlet pg;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a p5.Graphics object.\n pg = createGraphics(50, 50);\n\n describe('A square appears on a gray background when the user presses the mouse. The square cycles between white and black.');\n}\n\nfunction draw() {\n background(200);\n\n // Calculate the background color.\n let bg = frameCount % 255;\n\n // Draw to the p5.Graphics object.\n pg.background(bg);\n\n // Display the p5.Graphics object while\n // the user presses the mouse.\n if (mouseIsPressed === true) {\n image(pg, 25, 25);\n }\n}\n
\nResets the graphics buffer's transformations and lighting.
\nBy default, the main canvas resets certain transformation and lighting\nvalues each time draw() executes. p5.Graphics
\nobjects must reset these values manually by calling myGraphics.reset()
.
Removes the graphics buffer from the web page.
\nCalling myGraphics.remove()
removes the graphics buffer's\n element from the web page. The graphics buffer also uses\na bit of memory on the CPU that can be freed like so:
// Remove the graphics buffer from the web page.\nmyGraphics.remove();\n\n// Delete the graphics buffer from CPU memory.\nmyGraphics = undefined;\n
\nNote: All variables that reference the graphics buffer must be assigned\nthe value undefined
to delete the graphics buffer from CPU memory. If any\nvariable still refers to the graphics buffer, then it won't be garbage\ncollected.
Creates a new p5.Framebuffer object with\nthe same WebGL context as the graphics buffer.
\np5.Framebuffer objects are separate drawing\nsurfaces that can be used as textures in WebGL mode. They're similar to\np5.Graphics objects and generally run much\nfaster when used as textures. Creating a\np5.Framebuffer object in the same context\nas the graphics buffer makes this speedup possible.
\nThe parameter, options
, is optional. An object can be passed to configure\nthe p5.Framebuffer object. The available\nproperties are:
format
: data format of the texture, either UNSIGNED_BYTE
, FLOAT
, or HALF_FLOAT
. Default is UNSIGNED_BYTE
.channels
: whether to store RGB
or RGBA
color channels. Default is to match the graphics buffer which is RGBA
.depth
: whether to include a depth buffer. Default is true
.depthFormat
: data format of depth information, either UNSIGNED_INT
or FLOAT
. Default is FLOAT
.stencil
: whether to include a stencil buffer for masking. depth
must be true
for this feature to work. Defaults to the value of depth
which is true
.antialias
: whether to perform anti-aliasing. If set to true
, as in { antialias: true }
, 2 samples will be used by default. The number of samples can also be set, as in { antialias: 4 }
. Default is to match setAttributes() which is false
(true
in Safari).width
: width of the p5.Framebuffer object. Default is to always match the graphics buffer width.height
: height of the p5.Framebuffer object. Default is to always match the graphics buffer height.density
: pixel density of the p5.Framebuffer object. Default is to always match the graphics buffer pixel density.textureFiltering
: how to read values from the p5.Framebuffer object. Either LINEAR
(nearby pixels will be interpolated) or NEAREST
(no interpolation). Generally, use LINEAR
when using the texture as an image and NEAREST
if reading the texture as data. Default is LINEAR
.If the width
, height
, or density
attributes are set, they won't\nautomatically match the graphics buffer and must be changed manually.
Creates a new p5.Framebuffer object with\nthe same WebGL context as the graphics buffer.
\np5.Framebuffer objects are separate drawing\nsurfaces that can be used as textures in WebGL mode. They're similar to\np5.Graphics objects and generally run much\nfaster when used as textures. Creating a\np5.Framebuffer object in the same context\nas the graphics buffer makes this speedup possible.
\nThe parameter, options
, is optional. An object can be passed to configure\nthe p5.Framebuffer object. The available\nproperties are:
format
: data format of the texture, either UNSIGNED_BYTE
, FLOAT
, or HALF_FLOAT
. Default is UNSIGNED_BYTE
.channels
: whether to store RGB
or RGBA
color channels. Default is to match the graphics buffer which is RGBA
.depth
: whether to include a depth buffer. Default is true
.depthFormat
: data format of depth information, either UNSIGNED_INT
or FLOAT
. Default is FLOAT
.stencil
: whether to include a stencil buffer for masking. depth
must be true
for this feature to work. Defaults to the value of depth
which is true
.antialias
: whether to perform anti-aliasing. If set to true
, as in { antialias: true }
, 2 samples will be used by default. The number of samples can also be set, as in { antialias: 4 }
. Default is to match setAttributes() which is false
(true
in Safari).width
: width of the p5.Framebuffer object. Default is to always match the graphics buffer width.height
: height of the p5.Framebuffer object. Default is to always match the graphics buffer height.density
: pixel density of the p5.Framebuffer object. Default is to always match the graphics buffer pixel density.textureFiltering
: how to read values from the p5.Framebuffer object. Either LINEAR
(nearby pixels will be interpolated) or NEAREST
(no interpolation). Generally, use LINEAR
when using the texture as an image and NEAREST
if reading the texture as data. Default is LINEAR
.If the width
, height
, or density
attributes are set, they won't\nautomatically match the graphics buffer and must be changed manually.
configuration options.
\n"],"type":[0,"Object"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.Graphics"],"chainable":[0,false],"return":[0,{"description":[0,"new framebuffer."],"type":[0,"p5.Framebuffer"]}],"example":[1,[[0,"\n\n// Click and hold a mouse button to change shapes.\n\nlet pg;\nlet torusLayer;\nlet boxLayer;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a p5.Graphics object using WebGL mode.\n pg = createGraphics(100, 100, WEBGL);\n\n // Create the p5.Framebuffer objects.\n torusLayer = pg.createFramebuffer();\n boxLayer = pg.createFramebuffer();\n\n describe('A grid of white toruses rotating against a dark gray background. The shapes become boxes while the user holds a mouse button.');\n}\n\nfunction draw() {\n // Update and draw the layers offscreen.\n drawTorus();\n drawBox();\n\n // Choose the layer to display.\n let layer;\n if (mouseIsPressed === true) {\n layer = boxLayer;\n } else {\n layer = torusLayer;\n }\n\n // Draw to the p5.Graphics object.\n pg.background(50);\n\n // Iterate from left to right.\n for (let x = -50; x < 50; x += 25) {\n // Iterate from top to bottom.\n for (let y = -50; y < 50; y += 25) {\n // Draw the layer to the p5.Graphics object\n pg.image(layer, x, y, 25, 25);\n }\n }\n\n // Display the p5.Graphics object.\n image(pg, 0, 0);\n}\n\n// Update and draw the torus layer offscreen.\nfunction drawTorus() {\n // Start drawing to the torus p5.Framebuffer.\n torusLayer.begin();\n\n // Clear the drawing surface.\n pg.clear();\n\n // Turn on the lights.\n pg.lights();\n\n // Rotate the coordinate system.\n pg.rotateX(frameCount * 0.01);\n pg.rotateY(frameCount * 0.01);\n\n // Style the torus.\n pg.noStroke();\n\n // Draw the torus.\n pg.torus(20);\n\n // Start drawing to the torus p5.Framebuffer.\n torusLayer.end();\n}\n\n// Update and draw the box layer offscreen.\nfunction drawBox() {\n // Start drawing to the box p5.Framebuffer.\n boxLayer.begin();\n\n // Clear the drawing surface.\n pg.clear();\n\n // Turn on the lights.\n pg.lights();\n\n // Rotate the coordinate system.\n pg.rotateX(frameCount * 0.01);\n pg.rotateY(frameCount * 0.01);\n\n // Style the box.\n pg.noStroke();\n\n // Draw the box.\n pg.box(30);\n\n // Start drawing to the box p5.Framebuffer.\n boxLayer.end();\n}\n
\n\n// Click and hold a mouse button to change shapes.\n\nlet pg;\nlet torusLayer;\nlet boxLayer;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create an options object.\n let options = { width: 25, height: 25 };\n\n // Create a p5.Graphics object using WebGL mode.\n pg = createGraphics(100, 100, WEBGL);\n\n // Create the p5.Framebuffer objects.\n // Use options for configuration.\n torusLayer = pg.createFramebuffer(options);\n boxLayer = pg.createFramebuffer(options);\n\n describe('A grid of white toruses rotating against a dark gray background. The shapes become boxes while the user holds a mouse button.');\n}\n\nfunction draw() {\n // Update and draw the layers offscreen.\n drawTorus();\n drawBox();\n\n // Choose the layer to display.\n let layer;\n if (mouseIsPressed === true) {\n layer = boxLayer;\n } else {\n layer = torusLayer;\n }\n\n // Draw to the p5.Graphics object.\n pg.background(50);\n\n // Iterate from left to right.\n for (let x = -50; x < 50; x += 25) {\n // Iterate from top to bottom.\n for (let y = -50; y < 50; y += 25) {\n // Draw the layer to the p5.Graphics object\n pg.image(layer, x, y);\n }\n }\n\n // Display the p5.Graphics object.\n image(pg, 0, 0);\n}\n\n// Update and draw the torus layer offscreen.\nfunction drawTorus() {\n // Start drawing to the torus p5.Framebuffer.\n torusLayer.begin();\n\n // Clear the drawing surface.\n pg.clear();\n\n // Turn on the lights.\n pg.lights();\n\n // Rotate the coordinate system.\n pg.rotateX(frameCount * 0.01);\n pg.rotateY(frameCount * 0.01);\n\n // Style the torus.\n pg.noStroke();\n\n // Draw the torus.\n pg.torus(5, 2.5);\n\n // Start drawing to the torus p5.Framebuffer.\n torusLayer.end();\n}\n\n// Update and draw the box layer offscreen.\nfunction drawBox() {\n // Start drawing to the box p5.Framebuffer.\n boxLayer.begin();\n\n // Clear the drawing surface.\n pg.clear();\n\n // Turn on the lights.\n pg.lights();\n\n // Rotate the coordinate system.\n pg.rotateX(frameCount * 0.01);\n pg.rotateY(frameCount * 0.01);\n\n // Style the box.\n pg.noStroke();\n\n // Draw the box.\n pg.box(7.5);\n\n // Start drawing to the box p5.Framebuffer.\n boxLayer.end();\n}\n
\nRemoves the graphics buffer from the web page.
\nCalling myGraphics.remove()
removes the graphics buffer's\n element from the web page. The graphics buffer also uses\na bit of memory on the CPU that can be freed like so:
// Remove the graphics buffer from the web page.\nmyGraphics.remove();\n\n// Delete the graphics buffer from CPU memory.\nmyGraphics = undefined;\n
\nNote: All variables that reference the graphics buffer must be assigned\nthe value undefined
to delete the graphics buffer from CPU memory. If any\nvariable still refers to the graphics buffer, then it won't be garbage\ncollected.
\n// Double-click to remove the p5.Graphics object.\n\nlet pg;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a p5.Graphics object.\n pg = createGraphics(60, 60);\n\n // Draw to the p5.Graphics object.\n pg.background(100);\n pg.circle(30, 30, 20);\n\n describe('A white circle at the center of a dark gray square disappears when the user double-clicks.');\n}\n\nfunction draw() {\n background(200);\n\n // Display the p5.Graphics object if\n // it's available.\n if (pg) {\n image(pg, 20, 20);\n }\n}\n\n// Remove the p5.Graphics object when the\n// the user double-clicks.\nfunction doubleClicked() {\n // Remove the p5.Graphics object from the web page.\n pg.remove();\n pg = undefined;\n}\n
\nResets the graphics buffer's transformations and lighting.
\nBy default, the main canvas resets certain transformation and lighting\nvalues each time draw() executes. p5.Graphics
\nobjects must reset these values manually by calling myGraphics.reset()
.
\nlet pg;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a p5.Graphics object.\n pg = createGraphics(60, 60);\n\n describe('A white circle moves downward slowly within a dark square. The circle resets at the top of the dark square when the user presses the mouse.');\n}\n\nfunction draw() {\n background(200);\n\n // Translate the p5.Graphics object's coordinate system.\n // The translation accumulates; the white circle moves.\n pg.translate(0, 0.1);\n\n // Draw to the p5.Graphics object.\n pg.background(100);\n pg.circle(30, 0, 10);\n\n // Display the p5.Graphics object.\n image(pg, 20, 20);\n\n // Translate the main canvas' coordinate system.\n // The translation doesn't accumulate; the dark\n // square is always in the same place.\n translate(0, 0.1);\n\n // Reset the p5.Graphics object when the\n // user presses the mouse.\n if (mouseIsPressed === true) {\n pg.reset();\n }\n}\n
\n\nlet pg;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a p5.Graphics object.\n pg = createGraphics(60, 60);\n\n describe('A white circle at the center of a dark gray square. The image is drawn on a light gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Translate the p5.Graphics object's coordinate system.\n pg.translate(30, 30);\n\n // Draw to the p5.Graphics object.\n pg.background(100);\n pg.circle(0, 0, 10);\n\n // Display the p5.Graphics object.\n image(pg, 20, 20);\n\n // Reset the p5.Graphics object automatically.\n pg.reset();\n}\n
\n\nlet pg;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a p5.Graphics object using WebGL mode.\n pg = createGraphics(100, 100, WEBGL);\n\n describe(\"A sphere lit from above with a red light. The sphere's surface becomes glossy while the user clicks and holds the mouse.\");\n}\n\nfunction draw() {\n background(200);\n\n // Add a red point light from the top-right.\n pg.pointLight(255, 0, 0, 50, -100, 50);\n\n // Style the sphere.\n // It should appear glossy when the\n // lighting values are reset.\n pg.noStroke();\n pg.specularMaterial(255);\n pg.shininess(100);\n\n // Draw the sphere.\n pg.sphere(30);\n\n // Display the p5.Graphics object.\n image(pg, -50, -50);\n\n // Reset the p5.Graphics object when\n // the user presses the mouse.\n if (mouseIsPressed === true) {\n pg.reset();\n }\n}\n
\n\nlet pg;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a p5.Graphics object using WebGL mode.\n pg = createGraphics(100, 100, WEBGL);\n\n describe('A sphere with a glossy surface is lit from the top-right by a red light.');\n}\n\nfunction draw() {\n background(200);\n\n // Add a red point light from the top-right.\n pg.pointLight(255, 0, 0, 50, -100, 50);\n\n // Style the sphere.\n pg.noStroke();\n pg.specularMaterial(255);\n pg.shininess(100);\n\n // Draw the sphere.\n pg.sphere(30);\n\n // Display the p5.Graphics object.\n image(pg, 0, 0);\n\n // Reset the p5.Graphics object automatically.\n pg.reset();\n}\n
\nMain graphics and rendering context, as well as the base API\nimplementation for p5.js \"core\". To be used as the superclass for\nRenderer2D and Renderer3D classes, respectively.
\n"],"line":[0,10],"params":[1,[[0,{"name":[0,"elt"],"description":[0,"DOM node that is wrapped
\n"],"type":[0,"HTMLElement"]}],[0,{"name":[0,"pInst"],"description":[0,"pointer to p5 instance
\n"],"type":[0,"P5"],"optional":[0,true]}],[0,{"name":[0,"isMainCanvas"],"description":[0,"whether we're using it as main canvas
\n"],"type":[0,"Boolean"],"optional":[0,true]}]]],"chainable":[0,false],"isConstructor":[0,true],"path":[0,"p5/p5.Renderer"]}],"render":[0,null]}],"entries":[1,[]]}]]]}],[0,{"name":[0,"수학"],"subcats":[1,[[0,{"name":[0],"entry":[0],"entries":[1,[]]}],[0,{"name":[0,"계산"],"entry":[0],"entries":[1,[[0,{"id":[0,"ko/p5/abs.mdx"],"slug":[0,"ko/p5/abs"],"body":[0,"\n# abs\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"abs()"],"module":[0,"수학"],"submodule":[0,"계산"],"file":[0,"src/math/calculation.js"],"description":[0,"숫자의 절댓값을 계산합니다.
\n어떤 숫자의 절댓값이란 수직선 위에서 0으로부터의 거리를 의미합니다. -5와 5는 둘 다 0으로부터 5만큼 떨어져 있으므로, abs(-5)
와 abs(5)
는 모두 5를 반환합니다. 어떤 숫자의 절댓값은 항상 양수입니다.
계산할 숫자
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"주어진 숫자의 절댓값"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A gray square with a vertical black line that divides it in half. A white rectangle gets taller when the user moves the mouse away from the line.');\n}\n\nfunction draw() {\n background(200);\n\n // Divide the canvas.\n line(50, 0, 50, 100);\n\n // Calculate the mouse's distance from the middle.\n let h = abs(mouseX - 50);\n\n // Draw a rectangle based on the mouse's distance\n // from the middle.\n rect(0, 100 - h, 100, h);\n}\n
\n어떤 숫자에 가장 가까우면서 그 숫자보다 크거나 같은 정수 값을 계산합니다.
\n예를 들어, ceil(9.03)
과 ceil(9.97)
을 호출하면 둘 다 10이라는 값을 반환합니다.
올림할 숫자
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"올림된 숫자"],"type":[0,"Integer"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Use RGB color with values from 0 to 1.\n colorMode(RGB, 1);\n\n noStroke();\n\n // Draw the left rectangle.\n let r = 0.3;\n fill(r, 0, 0);\n rect(0, 0, 50, 100);\n\n // Round r up to 1.\n r = ceil(r);\n\n // Draw the right rectangle.\n fill(r, 0, 0);\n rect(50, 0, 50, 100);\n\n describe('Two rectangles. The one on the left is dark red and the one on the right is bright red.');\n}\n
\n최솟값과 최댓값 사이로 숫자를 제한합니다.
\n"],"line":[0,91],"params":[1,[[0,{"name":[0,"n"],"description":[0,"제한할 숫자
\n"],"type":[0,"Number"]}],[0,{"name":[0,"low"],"description":[0,"최소 한도
\n"],"type":[0,"Number"]}],[0,{"name":[0,"high"],"description":[0,"최대 한도
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"제한한 숫자"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A black dot drawn on a gray square follows the mouse from left to right. Its movement is constrained to the middle third of the square.');\n}\n\nfunction draw() {\n background(200);\n\n let x = constrain(mouseX, 33, 67);\n let y = 50;\n\n strokeWeight(5);\n point(x, y);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('Two vertical lines. Two circles move horizontally with the mouse. One circle stops at the vertical lines.');\n}\n\nfunction draw() {\n background(200);\n\n // Set boundaries and draw them.\n let leftWall = 25;\n let rightWall = 75;\n line(leftWall, 0, leftWall, 100);\n line(rightWall, 0, rightWall, 100);\n\n // Draw a circle that follows the mouse freely.\n fill(255);\n circle(mouseX, 33, 9);\n\n // Draw a circle that's constrained.\n let xc = constrain(mouseX, leftWall, rightWall);\n fill(0);\n circle(xc, 67, 9);\n}\n
\n두 점 사이의 거리를 계산합니다.
4개의 매개변수가 있는 dist()
는 2차원에서의 거리를 계산합니다.
6개의 매개변수가 있는 dist()
는 3차원에서의 거리를 계산합니다.
p5.Vector.dist()를 사용하면 두 p5.Vector 객체 사이의 거리를 계산할 수 있습니다.
\n"],"line":[0,155],"overloads":[1,[[0,{"params":[1,[[0,{"name":[0,"x1"],"description":[0,"첫번째 점의 x 좌표
\n"],"type":[0,"Number"]}],[0,{"name":[0,"y1"],"description":[0,"첫번째 점의 y 좌표
\n"],"type":[0,"Number"]}],[0,{"name":[0,"x2"],"description":[0,"두번째 점의 x 좌표
"],"type":[0,"Number"]}],[0,{"name":[0,"y2"],"description":[0,"두번째 점의 y 좌표
"],"type":[0,"Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"x1"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"y1"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"z1"],"description":[0,"첫번째 점의 z 좌표
"],"type":[0,"Number"]}],[0,{"name":[0,"x2"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"y2"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"z2"],"description":[0,"두번째 점의 z 좌표
"],"type":[0,"Number"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"두 점 사이의 거리"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Set the coordinates.\n let x1 = 10;\n let y1 = 50;\n let x2 = 90;\n let y2 = 50;\n\n // Draw the points and a line connecting them.\n line(x1, y1, x2, y2);\n strokeWeight(5);\n point(x1, y1);\n point(x2, y2);\n\n // Calculate the distance.\n let d = dist(x1, y1, x2, y2);\n\n // Style the text.\n textAlign(CENTER);\n textSize(16);\n\n // Display the distance.\n text(d, 43, 40);\n\n describe('Two dots connected by a horizontal line. The number 80 is written above the center of the line.');\n}\n
\n오일러 수 e(2.71828...)를 어떤 수만큼 곱한 거듭제곱을 계산합니다.
"],"line":[0,230],"params":[1,[[0,{"name":[0,"n"],"description":[0,"지수
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"e^n"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Top-left.\n let d = exp(1);\n circle(10, 10, d);\n\n // Left-center.\n d = exp(2);\n circle(20, 20, d);\n\n // Right-center.\n d = exp(3);\n circle(40, 40, d);\n\n // Bottom-right.\n d = exp(4);\n circle(80, 80, d);\n\n describe('A series of circles that grow exponentially from top left to bottom right.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n describe('A series of black dots that grow exponentially from left to right.');\n}\n\nfunction draw() {\n // Invert the y-axis.\n scale(1, -1);\n translate(0, -100);\n\n // Calculate the coordinates.\n let x = frameCount;\n let y = 0.005 * exp(x * 0.1);\n\n // Draw a point.\n point(x, y);\n}\n
\n어떤 숫자에 가장 가까우면서 그 숫자보다 작거나 같은 정수 값을 계산합니다.
"],"line":[0,294],"params":[1,[[0,{"name":[0,"n"],"description":[0,"\n내림할 숫자
"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"내림된 숫자"],"type":[0,"Integer"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Use RGB color with values from 0 to 1.\n colorMode(RGB, 1);\n\n noStroke();\n\n // Draw the left rectangle.\n let r = 0.8;\n fill(r, 0, 0);\n rect(0, 0, 50, 100);\n\n // Round r down to 0.\n r = floor(r);\n\n // Draw the right rectangle.\n fill(r, 0, 0);\n rect(50, 0, 50, 100);\n\n describe('Two rectangles. The one on the left is bright red and the one on the right is black.');\n}\n
\n어떤 숫자의 분수 부분을 계산합니다.
\n어떤 숫자의 분수 부분은 소수점을 포함합니다. 예를 들어, fract(12.34)
는 0.34를 반환합니다.
분수 부분을 찾을 수 있는 숫자
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"n의 분수 부분"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(CENTER);\n textSize(16);\n\n // Original number.\n let n = 56.78;\n text(n, 50, 33);\n\n // Fractional part.\n let f = fract(n);\n text(f, 50, 67);\n\n describe('The number 56.78 written above the number 0.78.');\n}\n
\n특정한 증가에 대하여 두 숫자 사이의 숫자를 계산합니다.
\namt
매개변수는 두 숫자 사이를 보간하는 양입니다. 0.0은 첫번째 숫자와 같고, 0.1은 첫번째 숫자와 매우 가까우며, 0.5는 그 사이의 중간이고, 1.0은 두번째 숫자와 같습니다. lerp()
함수는 곧은 경로를 따라 움직임을 생성하고 점선을 그릴 때 편리합니다.
만약 amt
의 값이 0보다 작거나 1보다 크다면, lerp()
는 원래의 간격을 벗어난 숫자를 반환합니다. 예를 들어 lerp(0, 10, 1.5)
를 호출하면 15가 반환됩니다.
첫번째 값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"stop"],"description":[0,"두번째 값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"amt"],"description":[0,"숫자
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"선형 보간된 값"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Declare variables for coordinates.\n let a = 20;\n let b = 80;\n let c = lerp(a, b, 0.2);\n let d = lerp(a, b, 0.5);\n let e = lerp(a, b, 0.8);\n\n strokeWeight(5);\n\n // Draw the original points in black.\n stroke(0);\n point(a, 50);\n point(b, 50);\n\n // Draw the lerped points in gray.\n stroke(100);\n point(c, 50);\n point(d, 50);\n point(e, 50);\n\n describe('Five points in a horizontal line. The outer points are black and the inner points are gray.');\n}\n
\n\nlet x = 50;\nlet y = 50;\nlet targetX = 50;\nlet targetY = 50;\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n describe('A white circle at the center of a gray canvas. The circle moves to where the user clicks, then moves smoothly back to the center.');\n}\n\nfunction draw() {\n background(220);\n\n // Move x and y toward the target.\n x = lerp(x, targetX, 0.05);\n y = lerp(y, targetY, 0.05);\n\n // Draw the circle.\n circle(x, y, 20);\n}\n\n// Set x and y when the user clicks the mouse.\nfunction mouseClicked() {\n x = mouseX;\n y = mouseY;\n}\n
\n어떤 숫자의 자연 로그(밑이 e인 로그)를 계산합니다.
\n매개변수 n
은 log()
에서 자연 로그의 정의에 의해 0보다 항상 큰 값을 가져야 합니다.
0보다 큰 숫자
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"n의 자연 로그 값"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Top-left.\n let d = log(50);\n circle(33, 33, d);\n\n // Bottom-right.\n d = log(500000000);\n circle(67, 67, d);\n\n describe('Two white circles. The circle at the top-left is small. The circle at the bottom-right is about five times larger.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n describe('A series of black dots that get higher slowly from left to right.');\n}\n\nfunction draw() {\n // Invert the y-axis.\n scale(1, -1);\n translate(0, -100);\n\n // Calculate coordinates.\n let x = frameCount;\n let y = 15 * log(x);\n\n // Draw a point.\n point(x, y);\n}\n
\n벡터의 크기, 또는 길이를 계산합니다.
벡터는 여러 가지 방법으로 생각할 수 있습니다. 한 관점에서 벡터는 공간에 있는 한 점입니다. 벡터의 성분 x
와 y
는 그 점의 좌표 (x, y)
입니다. 벡터의 크기는 (0, 0)
에서 (x, y)
사이의 거리입니다. 말하자면 mag(x, y)
는 dist(0, 0, x, y)
를 호출하는 단축키라고 할 수 있습니다.
또한 벡터는 공간을 가리키는 화살표로도 생각할 수 있습니다. 이 관점은 움직임을 프로그래밍하는 데 도움이 됩니다. 자세한 내용은 p5.Vector를 확인하세요.
p5.Vector.mag()를 사용하여 p5.Vector 개체의 크기를 계산하세요.
"],"line":[0,481],"params":[1,[[0,{"name":[0,"x"],"description":[0,"첫번째 매개변수
\n"],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,"두번째 매개변수
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"벡터의 크기"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Set the vector's components.\n let x = 30;\n let y = 40;\n\n // Calculate the magnitude.\n let m = mag(x, y);\n\n // Style the text.\n textSize(16);\n\n // Display the vector and its magnitude.\n line(0, 0, x, y);\n text(m, x, y);\n\n describe('A diagonal line is drawn from the top left of the canvas. The number 50 is written at the end of the line.');\n}\n
\n한 범위에서 다른 범위로 숫자를 다시 매핑합니다.
\n예를 들어, map(2, 0, 10, 0, 100)
를 호출하면 20을 반환합니다. 처음 세 매개변수는 원래 값을 2로, 원래의 범위를 0에서 10으로 설정합니다. 마지막 두 매개변수는 목표 범위를 0에서 100으로 설정합니다. 목표 범위인 [0, 100]에서 20의 위치는 원래의 범위인 [0, 10]에서 2의 위치에 비례합니다.
여섯번째 매개변수인 withinBounds
는 선택 사항입니다. 기본적으로 map()
은 목표 범위를 벗어난 값을 반환할 수 있습니다. 예를 들어, map(11, 0, 10, 0, 100)
는 110을 반환합니다. true
를 여섯번째 매개변수에 전달하면 목표 범위로 다시 매핑된 값을 제한할 수 있습니다. 예를 들어, map(11, 0, 10, 0, 100, true)
는 100을 반환합니다.
다시 매핑될 값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"start1"],"description":[0,"현재 범위의 하계 (lower bound)
\n"],"type":[0,"Number"]}],[0,{"name":[0,"stop1"],"description":[0,"현재 범위의 상계 (upper bound)
\n"],"type":[0,"Number"]}],[0,{"name":[0,"start2"],"description":[0,"목표 범위의 하계 (lower bound)
\n"],"type":[0,"Number"]}],[0,{"name":[0,"stop2"],"description":[0,"목표 범위의 상계 (upper bound)
\n"],"type":[0,"Number"]}],[0,{"name":[0,"withinBounds"],"description":[0,"새롭게 매핑된 범위에서의 값 제한
\n"],"type":[0,"Boolean"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"다시 매핑된 숫자"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('Two horizontal lines. The top line grows horizontally as the mouse moves to the right. The bottom line also grows horizontally but is scaled to stay on the left half of the canvas.');\n}\n\nfunction draw() {\n background(200);\n\n // Draw the top line.\n line(0, 25, mouseX, 25);\n\n // Remap mouseX from [0, 100] to [0, 50].\n let x = map(mouseX, 0, 100, 0, 50);\n\n // Draw the bottom line.\n line(0, 75, 0, x);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A circle changes color from black to white as the mouse moves from left to right.');\n}\n\nfunction draw() {\n background(200);\n\n // Remap mouseX from [0, 100] to [0, 255]\n let c = map(mouseX, 0, 100, 0, 255);\n\n // Style the circle.\n fill(c);\n\n // Draw the circle.\n circle(50, 50, 20);\n}\n
\n여러 개의 숫자 중 가장 큰 값을 반환합니다.
하나의 매개변수가 있는 max()
는 이를 숫자의 배열로 해석하고 가장 큰 숫자를 반환합니다.
두 개 이상의 매개변수가 있는 max()
는 이를 개별 숫자로 해석하고 가장 큰 숫자를 반환합니다.
비교할 첫번째 숫자
\n"],"type":[0,"Number"]}],[0,{"name":[0,"n1"],"description":[0,"비교할 두번째 숫자
\n"],"type":[0,"Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"nums"],"description":[0,"비교할 여러 개의 숫자
\n"],"type":[0,"Number[]"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"가장 큰 숫자"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Calculate the maximum of 10, 5, and 20.\n let m = max(10, 5, 20);\n\n // Style the text.\n textAlign(CENTER);\n textSize(16);\n\n // Display the max.\n text(m, 50, 50);\n\n describe('The number 20 written in the middle of a gray square.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of numbers.\n let numbers = [10, 5, 20];\n\n // Calculate the maximum of the array.\n let m = max(numbers);\n\n // Style the text.\n textAlign(CENTER);\n textSize(16);\n\n // Display the max.\n text(m, 50, 50);\n\n describe('The number 20 written in the middle of a gray square.');\n}\n
\n여러 개의 숫자 중 가장 작은 값을 반환합니다.
하나의 매개변수가 있는 min()
는 이를 숫자의 배열로 해석하고 가장 작은 숫자를 반환합니다.
두 개 이상의 매개변수가 있는 min()
는 이를 개별 숫자로 해석하고 가장 작은 숫자를 반환합니다.
비교할 첫번째 숫자
\n"],"type":[0,"Number"]}],[0,{"name":[0,"n1"],"description":[0,"비교할 두번째 숫자
\n"],"type":[0,"Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"nums"],"description":[0,"비교할 여러 개의 숫자
\n"],"type":[0,"Number[]"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"가장 작은 숫자"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Calculate the minimum of 10, 5, and 20.\n let m = min(10, 5, 20);\n\n // Style the text.\n textAlign(CENTER);\n textSize(16);\n\n // Display the min.\n text(m, 50, 50);\n\n describe('The number 5 written in the middle of a gray square.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of numbers.\n let numbers = [10, 5, 20];\n\n // Calculate the minimum of the array.\n let m = min(numbers);\n\n // Style the text.\n textAlign(CENTER);\n textSize(16);\n\n // Display the min.\n text(m, 50, 50);\n\n describe('The number 5 written in the middle of a gray square.');\n}\n
\n한 범위의 어떤 숫자를 0과 1 사이의 값으로 매핑합니다.
\n예를 들어, norm(2, 0, 10)
는 0.2를 반환합니다. 원래의 범위인 [0, 10]에서 2의 위치는 [0, 1]에서 0.2의 위치에 비례합니다. 이것은 map(2, 0, 10, 0, 1)
를 호출한 것과 동일하게 동작합니다.
원래 범위를 벗어난 숫자는 0과 1 사이에 제한되지 않습니다. 범위를 벗어난 값은 의도적이고 유용한 경우가 많습니다.
\n"],"line":[0,772],"params":[1,[[0,{"name":[0,"value"],"description":[0,"정규화하기 위해 들어오는 값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"start"],"description":[0,"현재 범위의 하계 (lower bound)
\n"],"type":[0,"Number"]}],[0,{"name":[0,"stop"],"description":[0,"현재 범위의 상계 (upper bound)
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"정규화된 숫자"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Use RGB color with values from 0 to 1.\n colorMode(RGB, 1);\n\n describe('A square changes color from black to red as the mouse moves from left to right.');\n}\n\nfunction draw() {\n // Calculate the redValue.\n let redValue = norm(mouseX, 0, 100);\n\n // Paint the background.\n background(redValue, 0, 0);\n}\n
\n23과 같은 지수 식을 계산합니다.
\n예를 들어,pow(2, 3)
는 2 × 2 × 2의 값을 구합니다. pow(2, -3)
는 1 ÷ (2 × 2 × 2)의 값을 구합니다.
지수 식의 밑
\n"],"type":[0,"Number"]}],[0,{"name":[0,"e"],"description":[0,"지수 식의 지수
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"n^e."],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Set the base of the exponent.\n let base = 3;\n\n // Top-left.\n let d = pow(base, 1);\n circle(10, 10, d);\n\n // Left-center.\n d = pow(base, 2);\n circle(20, 20, d);\n\n // Right-center.\n d = pow(base, 3);\n circle(40, 40, d);\n\n // Bottom-right.\n d = pow(base, 4);\n circle(80, 80, d);\n\n describe('A series of circles that grow exponentially from top left to bottom right.');\n}\n
\n어떤 숫자에 가장 가까운 정수를 계산합니다.
\n예를 들어, round(133.8)
는 134라는 값을 반환합니다.
두번째 매개변수인 decimals
은 선택 사항입니다. 반올림할 때 사용할 소수점의 자리 수를 설정합니다. 예를 들어, round(12.34, 1)
은 12.3을 반환합니다. decimals
의 기본값은 입니다.
반올림할 숫자
\n"],"type":[0,"Number"]}],[0,{"name":[0,"decimals"],"description":[0,"반올림할 소수점 자리 수 (기본값 0)
\n"],"type":[0,"Number"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"반올림된 숫자"],"type":[0,"Integer"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Round a number.\n let x = round(4.2);\n\n // Style the text.\n textAlign(CENTER);\n textSize(16);\n\n // Display the rounded number.\n text(x, 50, 50);\n\n describe('The number 4 written in middle of the canvas.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Round a number to 2 decimal places.\n let x = round(12.782383, 2);\n\n // Style the text.\n textAlign(CENTER);\n textSize(16);\n\n // Display the rounded number.\n text(x, 50, 50);\n\n describe('The number 12.78 written in middle of canvas.');\n}\n
\n어떤 숫자의 제곱을 계산합니다.
\n어떤 숫자의 제곱은 그 숫자에 같은 값을 한 번 더 곱하는 것을 의미합니다. 예를 들어, sq(3)
은 3 × 3의 값을 구하고, 그 값은 9입니다. sq(-3)
은 -3 × -3의 값을 구하고, 그 값도 역시 9입니다. 두 음수를 곱하면 양수가 나옵니다. sq()
에 의해 반환되는 값은 항상 양수입니다.
제곱할 숫자
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"제곱된 숫자"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Top-left.\n let d = sq(3);\n circle(33, 33, d);\n\n // Bottom-right.\n d = sq(6);\n circle(67, 67, d);\n\n describe('Two white circles. The circle at the top-left is small. The circle at the bottom-right is four times larger.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n describe('A series of black dots that get higher quickly from left to right.');\n}\n\nfunction draw() {\n // Invert the y-axis.\n scale(1, -1);\n translate(0, -100);\n\n // Calculate the coordinates.\n let x = frameCount;\n let y = 0.01 * sq(x);\n\n // Draw the point.\n point(x, y);\n}\n
\n어떤 숫자의 제곱근을 계산합니다.
\n어떤 숫자의 제곱근은 그 숫자에 같은 값을 한 번 더 곱하여 원래의 숫자를 만들 수 있습니다. 예를 들어, sqrt(9)
는 3 × 3 = 9이기 때문에 3을 반환합니다. sqrt()
는 항상 양수를 반환합니다. sqrt()
는 sqrt(-9)
와 같은 음수인 매개변수로는 작동하지 않습니다.
제곱근을 취하기 위한 음이 아닌 숫자
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"숫자의 제곱근"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Top-left.\n let d = sqrt(16);\n circle(33, 33, d);\n\n // Bottom-right.\n d = sqrt(1600);\n circle(67, 67, d);\n\n describe('Two white circles. The circle at the top-left is small. The circle at the bottom-right is ten times larger.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n describe('A series of black dots that get higher slowly from left to right.');\n}\n\nfunction draw() {\n // Invert the y-axis.\n scale(1, -1);\n translate(0, -100);\n\n // Calculate the coordinates.\n let x = frameCount;\n let y = 5 * sqrt(x);\n\n // Draw the point.\n point(x, y);\n}\n
\n조정이 가능하며 자연스러운 느낌을 줄 수 있는 임의의 숫자를 반환합니다.
\nrandom()과\nrandomGaussian()에 의해 반환된 값들은 함수 호출 사이에 큰 폭으로 변할 수 있습니다. 이와 대조적으로, noise()
에 의해 변환된 값들은 '부드럽게' 만들 수 있습니다. \n비슷한 입력에 대한 noise()
호출은 비슷한 출력을 생성할 것입니다.\nnoise()
는 텍스쳐, 움직임, 형태, 지형 등을 생성하는 데 사용합니다.\nKen Perlin은 1980년대 Tron 영화를 애니메이션하는 동안 noise()
를 발명했습니다.\n
noise()
는 항상 0과 1 사이의 값으로 반환합니다. 스케치가 실행되는 동안 주어진 입력에 대해 동일한 값을 반환합니다. noise()
는 실행될 때마다 다른 결과를 생성할 수 있습니다. noiseSeed() 함수를 사용하여 스케치를 실행할 때마다 동일한 시퀀스의 Perlin 노이즈 값을 생성할 수 있습니다.
노이즈의 특성은 두 가지 방법으로 조정될 수 있습니다. 첫 번째 방법은 입력의 크기를 조절하는 것입니다. noise()
는 입력을 좌표로 이해합니다. \n입력 좌표가 더 가까울 때 노이즈 값의 시퀀스는 더 부드러울 것입니다. 두 번째 방법은 noiseDetail() 함수를 사용하는 것입니다.
한 개의 매개변수를 가진 noise()
버전은 한 차원에서 노이즈 값을 계산합니다.\n 이 차원은 공간으로 생각할 수 있으며, 예를 들어 noise(x)
, 또는 시간으로 생각할 수 있으며,\n 예를 들어 noise(t)
입니다.\n
두 개의 매개변수를 가진 noise()
버전은 두 차원에서 노이즈 값을 계산합니다. 예를 들어 noise(x, y)
는 공간으로 생각할 수 있으며, noise(x, t)
는 공간과 시간으로 생각할 수 있습니다. \n
세 개의 매개변수를 가진 noise()
버전은 세 차원에서 노이즈 값을 계산합니다. 예를 들어, noise(x, y, z)
는 공간으로 생각할 수 있으며, noise(x, y, t)
는 공간과 시간으로 생각할 수 있습니다.
노이즈 공간에서의 x좌표
\n"],"type":[0,"Number"]}],[0,{"name":[0,"y"],"description":[0,"노이즈 공간에서의 y좌표
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"z"],"description":[0,"노이즈 공간에서의 z좌표
\n"],"type":[0,"Number"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"지정된 좌표에서의 Perlin 노이즈 값"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A black dot moves randomly on a gray square.');\n}\n\nfunction draw() {\n background(200);\n\n // Calculate the coordinates.\n let x = 100 * noise(0.005 * frameCount);\n let y = 100 * noise(0.005 * frameCount + 10000);\n\n // Draw the point.\n strokeWeight(5);\n point(x, y);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A black dot moves randomly on a gray square.');\n}\n\nfunction draw() {\n background(200);\n\n // Set the noise level and scale.\n let noiseLevel = 100;\n let noiseScale = 0.005;\n\n // Scale the input coordinate.\n let nt = noiseScale * frameCount;\n\n // Compute the noise values.\n let x = noiseLevel * noise(nt);\n let y = noiseLevel * noise(nt + 10000);\n\n // Draw the point.\n strokeWeight(5);\n point(x, y);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A hilly terrain drawn in gray against a black sky.');\n}\n\nfunction draw() {\n // Set the noise level and scale.\n let noiseLevel = 100;\n let noiseScale = 0.02;\n\n // Scale the input coordinate.\n let x = frameCount;\n let nx = noiseScale * x;\n\n // Compute the noise value.\n let y = noiseLevel * noise(nx);\n\n // Draw the line.\n line(x, 0, x, y);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A calm sea drawn in gray against a black sky.');\n}\n\nfunction draw() {\n background(200);\n\n // Set the noise level and scale.\n let noiseLevel = 100;\n let noiseScale = 0.002;\n\n // Iterate from left to right.\n for (let x = 0; x < 100; x += 1) {\n // Scale the input coordinates.\n let nx = noiseScale * x;\n let nt = noiseScale * frameCount;\n\n // Compute the noise value.\n let y = noiseLevel * noise(nx, nt);\n\n // Draw the line.\n line(x, 0, x, y);\n }\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Set the noise level and scale.\n let noiseLevel = 255;\n let noiseScale = 0.01;\n\n // Iterate from top to bottom.\n for (let y = 0; y < 100; y += 1) {\n // Iterate from left to right.\n for (let x = 0; x < 100; x += 1) {\n // Scale the input coordinates.\n let nx = noiseScale * x;\n let ny = noiseScale * y;\n\n // Compute the noise value.\n let c = noiseLevel * noise(nx, ny);\n\n // Draw the point.\n stroke(c);\n point(x, y);\n }\n }\n\n describe('A gray cloudy pattern.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A gray cloudy pattern that changes.');\n}\n\nfunction draw() {\n // Set the noise level and scale.\n let noiseLevel = 255;\n let noiseScale = 0.009;\n\n // Iterate from top to bottom.\n for (let y = 0; y < 100; y += 1) {\n // Iterate from left to right.\n for (let x = 0; x < width; x += 1) {\n // Scale the input coordinates.\n let nx = noiseScale * x;\n let ny = noiseScale * y;\n let nt = noiseScale * frameCount;\n\n // Compute the noise value.\n let c = noiseLevel * noise(nx, ny, nt);\n\n // Draw the point.\n stroke(c);\n point(x, y);\n }\n }\n}\n
\nnoise() 함수에 의해 생성된 노이즈의 특성을 조정합니다.
\nPerlin 노이즈 값은 노이즈의 여러 층을 더함으로써 생성됩니다. 노이즈 층, 옥타브라고 불리는 것은 음악에서의 하모닉스 주법(Harmonics)와 유사합니다. 낮은 옥타브는 출력 신호에 더 많이 기여합니다. 이들은 노이즈의 전반적인 강도를 정의합니다. 높은 옥타브는 더 세밀한 디테일을 만들어 냅니다.
\n기본적으로, 노이즈 값은 네 개의 옥타브를 결합하여 생성됩니다. 각각의 더 높은 옥타브는 그 전의 옥타브에 비해 절반만큼(50%만큼 덜) 기여합니다. \nnoiseDetail()
은 옥타브의 수와 감쇠량을 변경합니다. 예를 들어, noiseDetail(6, 0.25)
를 호출하면\nnoise()는 여섯 개의 옥타브를 사용하게 됩니다. 각각의 더 높은 옥타브는 그 전의 옥타브에 비해 25%만큼(75% 덜) 기여할 것입니다. 0과 1 사이의 감쇠값이 유효합니다. 하지만, 0.5보다 큰 감쇠값은 1보다 큰 노이즈 값을 만들어 낼 수 있습니다.
노이즈에 사용될 옥타브의 수
\n"],"type":[0,"Number"]}],[0,{"name":[0,"falloff"],"description":[0,"각 옥타브의 감쇠 계수
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Set the noise level and scale.\n let noiseLevel = 255;\n let noiseScale = 0.02;\n\n // Iterate from top to bottom.\n for (let y = 0; y < 100; y += 1) {\n // Iterate from left to right.\n for (let x = 0; x < 50; x += 1) {\n // Scale the input coordinates.\n let nx = noiseScale * x;\n let ny = noiseScale * y;\n\n // Compute the noise value with six octaves\n // and a low falloff factor.\n noiseDetail(6, 0.25);\n let c = noiseLevel * noise(nx, ny);\n\n // Draw the left side.\n stroke(c);\n point(x, y);\n\n // Compute the noise value with four octaves\n // and a high falloff factor.\n noiseDetail(4, 0.5);\n c = noiseLevel * noise(nx, ny);\n\n // Draw the right side.\n stroke(c);\n point(x + 50, y);\n }\n }\n\n describe('Two gray cloudy patterns. The pattern on the right is cloudier than the pattern on the left.');\n}\n
\nnoise() 함수의 시드 값을 결정합니다.
\n기본적으로, noise() 는 스케치가 실행될 때마다 다른 결과를 생성합니다. 상수 인수를 사용하여 noiseSeed()
를 호출하는 것, 예를 들어, noiseSeed(99)
는 noise() 가 스케치가 실행될 때마다 동일한 결과를 생성하도록 만듭니다.
시드(seed) 값
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Set the noise seed for consistent results.\n noiseSeed(99);\n\n describe('A black rectangle that grows randomly, first to the right and then to the left.');\n}\n\nfunction draw() {\n // Set the noise level and scale.\n let noiseLevel = 100;\n let noiseScale = 0.005;\n\n // Scale the input coordinate.\n let nt = noiseScale * frameCount;\n\n // Compute the noise value.\n let x = noiseLevel * noise(nt);\n\n // Draw the line.\n line(x, 0, x, height);\n}\n
\n배열에서 임의의 숫자나 임의의 요소를 반환합니다.
\nrandom()
은 균등 분포를 따르며 모든 결과가 동등한 가능성을 가집니다. random()
이 숫자를 생성하는 데 사용될 때, 출력 범위 내의 모든 숫자는 반환될 확률이 동등합니다.\nrandom()
이 배열에서 요소를 선택하는 데 사용될 때, 모든 요소는 선택될 확률이 동등합니다.
기본적으로, random()
은 스케치가 실행될 때마다 다른 결과를 생성합니다.\n randomSeed() 함수를 사용하여 스케치가 실행될 때마다 동일한 숫자 또는 선택 시퀀스를 생성할 수 있습니다.
매개변수가 없는 random()
버전은 0부터 1미만까지의 임의의 숫자를 반환합니다.
하나의 매개변수를 가진random()
버전은 두 가지 방식 중 하나로 작 동합니다. 전달된 인수가 숫자인 경우, random()
은 0부터 해당 숫자 미만까지의 임의의 숫자를 반환합니다. 예를 들어, random(5)
를 호출하면 0과 5사이의 값이 반환됩니다. 인 수가 배열인 경우, random()
은 해당 배열에서의 임의의 요소로 반환합니다. 예를 들어, random(['🦁', '🐯', '🐻'])
를 호출하면 사자, 호랑이, 곰 이모지 중 하나를 반환합니다.
두 개의 매개변수를 가진 random()
버전은 주어진 범위에서 임의의 숫자를 반환합니다. 전달된 인수는 범위 안에서 하한과 상한을 결정합니다.\n 예를 들 어, random(-5, 10.2)
은 -5부터 10.2 미만까지의 값을 반환합니다.
하한 (범위 설정 숫자 포함).
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"max"],"description":[0,"상한 (범위 설정 숫자 배제).
\n"],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"choices"],"description":[0,"선택한 배열
\n"],"type":[0,"Array"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"랜덤 숫자."],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get random coordinates between 0 and 100.\n let x = random(0, 100);\n let y = random(0, 100);\n\n // Draw a point.\n strokeWeight(5);\n point(x, y);\n\n describe('A black dot appears in a random position on a gray square.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get random coordinates between 0 and 100.\n let x = random(100);\n let y = random(100);\n\n // Draw the point.\n strokeWeight(5);\n point(x, y);\n\n describe('A black dot appears in a random position on a gray square.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of emoji strings.\n let animals = ['🦁', '🐯', '🐻'];\n\n // Choose a random element from the array.\n let choice = random(animals);\n\n // Style the text.\n textAlign(CENTER);\n textSize(20);\n\n // Display the emoji.\n text(choice, 50, 50);\n\n describe('An animal face is displayed at random. Either a lion, tiger, or bear.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Slow the frame rate.\n frameRate(5);\n\n describe('A black dot moves around randomly on a gray square.');\n}\n\nfunction draw() {\n background(200);\n\n // Get random coordinates between 0 and 100.\n let x = random(100);\n let y = random(100);\n\n // Draw the point.\n strokeWeight(5);\n point(x, y);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Slow the frame rate.\n frameRate(5);\n\n describe('A black dot moves around randomly in the middle of a gray square.');\n}\n\nfunction draw() {\n background(200);\n\n // Get random coordinates between 45 and 55.\n let x = random(45, 55);\n let y = random(45, 55);\n\n // Draw the point.\n strokeWeight(5);\n point(x, y);\n}\n
\n\nlet x = 50;\nlet y = 50;\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n describe('A black dot moves around randomly leaving a trail.');\n}\n\nfunction draw() {\n // Update x and y randomly.\n x += random(-1, 1);\n y += random(-1, 1);\n\n // Draw the point.\n point(x, y);\n}\n
\n가우시안 또는 정규 분포에 맞는 임의의 숫자를 반환합니다.
\n정규 분포는 그래프에 표시될 때 종 모양 곡선처럼 보입니다. 정규 분포에서 값들은 평균이라고 불리는 중앙값 인근에 집중하게 됩니다.\n집단의 표준 편차는 분포의 폭을 나타냅니다.
\n기본적으로, randomGaussian()
은 스케치가 실행될 때마다 다른 결과를 생성합니다. randomSeed() 함수는 스케치가 실행될 때마다 동일한 숫자 시퀀스를 생성하는 데 사용할 수 있습니다.
randomGaussian()
이 반환할 수 있는 최소값이나 최대값은 없습니다.\n평균에서 멀리 떨어진 값들은 매우 드물고 평균 근처의 값들로 반환될 가능성이 매우 높습니다.
매개변수가 없는 randomGaussian()
은 평균이 0이고 표준 편파가 1인 값을 반환합니다.
하나의 매개변수를 가진 randomGaussian()
는 전달된 인수를 평균으로 해석합니다. 표준 편차는 1입니다.
두 개의 매개변수를 가진 randomGaussian()
는 첫 번쨰 전달된 인수를 평균으로, 두 번째로 전달된 인수는 표준 편차로 해석합니다.
평균
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"sd"],"description":[0,"표준 편차
\n"],"type":[0,"Number"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"랜덤 숫자"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n describe('Three horizontal black lines are filled in randomly. The top line spans entire canvas. The middle line is very short. The bottom line spans two-thirds of the canvas.');\n}\n\nfunction draw() {\n // Style the circles.\n noStroke();\n fill(0, 10);\n\n // Uniform distribution between 0 and 100.\n let x = random(100);\n let y = 25;\n circle(x, y, 5);\n\n // Gaussian distribution with a mean of 50 and sd of 1.\n x = randomGaussian(50);\n y = 50;\n circle(x, y, 5);\n\n // Gaussian distribution with a mean of 50 and sd of 10.\n x = randomGaussian(50, 10);\n y = 75;\n circle(x, y, 5);\n}\n
\nrandom() 과\nrandomGaussian() 함수로 시드 값을 설정합니다.
\n기본적으로, random() 과\nrandomGaussian() 는 스케치가 실행될 때마다 다른 결과를 생성합니다. 상수 인자를 사용하여 randomSeed()
를 호출하는 것, 예를 들어 randomSeed(99)
는 스케치가 실행될 때마다 동일한 결과를 생성하도록 만듭니다.
시드(seed) 값
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get random coordinates.\n let x = random(0, 100);\n let y = random(0, 100);\n\n // Draw the white circle.\n circle(x, y, 10);\n\n // Set a random seed for consistency.\n randomSeed(99);\n\n // Get random coordinates.\n x = random(0, 100);\n y = random(0, 100);\n\n // Draw the black circle.\n fill(0);\n circle(x, y, 10);\n\n describe('A white circle appears at a random position. A black circle appears at (27.4, 25.8).');\n}\n
\n새로운 p5.Vector 객체를 생성합니다.
벡터는 여러 가지 방식으로 생각할 수 있습니다. 하나의 관점에서 벡터는 공간을 가리키는 화살표와 같습니다. 벡터는 크기(길이)와 방향을 모두 가집니다. 이 관점은 운동 프로그래밍에 유용합니다.
벡터의 구성 요소는 그 크기와 방향을 결정합니다. 예를 들어, createVector(3, 4)
를 호출하면 x-구성 요소가 3이고 y-구성 요소가 4인 새로운 p5.Vector 객체를 생성합니다. 원점에서 이 벡터의 끝은 오른쪽으로 3단위, 아래로 4단위입니다.
p5.Vector 객체는 수학을 단순화하기 때문에 운동 프로그래밍에 자주 사용됩니다. 예를 들어, 움직이는 공은 위치와 속도를 가집니다. 위치는 공이 공간에서 어디에 있는지를 설명합니다. 공의 위치 벡터는 원점에서 공의 중심까지 확장됩니다. 속도는 공이 움직이는 속도와 방향을 설명합니다. 공이 직선으로 위로 움직이면, 그 속도 벡터는 바로 위를 가리킵니다. 공의 속도 벡터를 그 위치 벡터에 더하면 pos.add(vel)
과 같이 이동합니다. 벡터 수학은 p5.Vector 클래스 내부의 메서드에 의존합니다.
벡터의 x 구성요소입니다.
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"y"],"description":[0,"벡터의 y 구성요소입니다.
\n"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"z"],"description":[0,"벡터의 z 구성요소입니다.
\n"],"type":[0,"Number"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"새로운 p5.Vector 객체입니다."],"type":[0,"p5.Vector"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create p5.Vector objects.\n let p1 = createVector(25, 25);\n let p2 = createVector(50, 50);\n let p3 = createVector(75, 75);\n\n // Draw the dots.\n strokeWeight(5);\n point(p1);\n point(p2);\n point(p3);\n\n describe('Three black dots form a diagonal line from top left to bottom right.');\n}\n
\n\nlet pos;\nlet vel;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create p5.Vector objects.\n pos = createVector(50, 100);\n vel = createVector(0, -1);\n\n describe('A black dot moves from bottom to top on a gray square. The dot reappears at the bottom when it reaches the top.');\n}\n\nfunction draw() {\n background(200);\n\n // Add velocity to position.\n pos.add(vel);\n\n // If the dot reaches the top of the canvas,\n // restart from the bottom.\n if (pos.y < 0) {\n pos.y = 100;\n }\n\n // Draw the dot.\n strokeWeight(5);\n point(pos);\n}\n
\n각도 측정에 사용되는 단위 체계를 변경합니다.
\n도(degrees)와 라디안(radians)은 모두 각도를 측정하는 단위입니다. 한 바퀴 회전은 360˚입니다.\n 전체 회전은 2 × π (약 6.28) 라디안입니다.
\n\nrotate()와\nsin() 같은 함수들은 기본적으로 라디안 단위로 측정된 각도로 보여집니다. angleMode(DEGREES)
를 호출하면 도 단위로 변환합니다. angleMode(RADIANS)
를 호출하면 라디안 단위로 다시 전환합니다.
인수 없이 angleMode()
를 호출하면 현재 각도 모드, 즉 RADIANS
혹은 DEGREES
중 하나를 반환합니다.
라디안 혹은 각도
\n"],"type":[0,"Constant"]}]]]}],[0,{"params":[1,[]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Rotate 1/8 turn.\n rotate(QUARTER_PI);\n\n // Draw a line.\n line(0, 0, 80, 0);\n\n describe('A diagonal line radiating from the top-left corner of a square.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Use degrees.\n angleMode(DEGREES);\n\n // Rotate 1/8 turn.\n rotate(45);\n\n // Draw a line.\n line(0, 0, 80, 0);\n\n describe('A diagonal line radiating from the top-left corner of a square.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(50);\n\n // Calculate the angle to rotate.\n let angle = TWO_PI / 7;\n\n // Move the origin to the center.\n translate(50, 50);\n\n // Style the flower.\n noStroke();\n fill(255, 50);\n\n // Draw the flower.\n for (let i = 0; i < 7; i += 1) {\n ellipse(0, 0, 80, 20);\n rotate(angle);\n }\n\n describe('A translucent white flower on a dark background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(50);\n\n // Use degrees.\n angleMode(DEGREES);\n\n // Calculate the angle to rotate.\n let angle = 360 / 7;\n\n // Move the origin to the center.\n translate(50, 50);\n\n // Style the flower.\n noStroke();\n fill(255, 50);\n\n // Draw the flower.\n for (let i = 0; i < 7; i += 1) {\n ellipse(0, 0, 80, 20);\n rotate(angle);\n }\n\n describe('A translucent white flower on a dark background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A white ball on a string oscillates left and right.');\n}\n\nfunction draw() {\n background(200);\n\n // Calculate the coordinates.\n let x = 30 * cos(frameCount * 0.05) + 50;\n let y = 50;\n\n // Draw the oscillator.\n line(50, y, x, y);\n circle(x, y, 20);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Use degrees.\n angleMode(DEGREES);\n\n describe('A white ball on a string oscillates left and right.');\n}\n\nfunction draw() {\n background(200);\n\n // Calculate the coordinates.\n let x = 30 * cos(frameCount * 2.86) + 50;\n let y = 50;\n\n // Draw the oscillator.\n line(50, y, x, y);\n circle(x, y, 20);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Draw the upper line.\n rotate(PI / 6);\n line(0, 0, 80, 0);\n\n // Use degrees.\n angleMode(DEGREES);\n\n // Draw the lower line.\n rotate(30);\n line(0, 0, 80, 0);\n\n describe('Two diagonal lines radiating from the top-left corner of a square. The lines are oriented 30 degrees from the edges of the square and 30 degrees apart from each other.');\n}\n
\n숫자의 아크 사인 값을 계산합니다.
\nasin()
은 sin()의 역함수입니다. 이 함수는 -1에서 1사이의 입력 값을 기대합니다. 기본적으로, asin()
은 -π ÷ 2 (약 -1.57) 부터 π ÷ 2 (약 1.57) 사이의 값을 반환합니다. 만약, angleMode()이 DEGREES
로 설정되어 있다면, 값은 -90부터 90 사이로 반환됩니다.
아크 사인이 반환될 값
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"주어진 값의 아크 사인"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Calculate sin() and asin() values.\n let a = PI / 3;\n let s = sin(a);\n let as = asin(s);\n\n // Display the values.\n text(`${round(a, 3)}`, 35, 25);\n text(`${round(s, 3)}`, 35, 50);\n text(`${round(as, 3)}`, 35, 75);\n\n describe('The numbers 1.047, 0.866, and 1.047 written on separate rows.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Calculate sin() and asin() values.\n let a = PI + PI / 3;\n let s = sin(a);\n let as = asin(s);\n\n // Display the values.\n text(`${round(a, 3)}`, 35, 25);\n text(`${round(s, 3)}`, 35, 50);\n text(`${round(as, 3)}`, 35, 75);\n\n describe('The numbers 4.189, -0.866, and -1.047 written on separate rows.');\n}\n
\n숫자의 아크 탄젠트 값을 계산합니다.
\natan()
는 tan()의 역함수입니다. -무한대에서 무한대 사이의 입력값을 기대합니다. 기본적으로, atan()
은 -π ÷ 2 (약 -1.57)에서 π ÷ 2 (약 1.57) 사이의 값을 가집니다. angleMode()가 DEGREES
일때는, -90부터 90 사이의 값으로 반환됩니다.
아크 탄젠트로 반환될 값
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"주어진 값의 아크 탄젠트"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Calculate tan() and atan() values.\n let a = PI / 3;\n let t = tan(a);\n let at = atan(t);\n\n // Display the values.\n text(`${round(a, 3)}`, 35, 25);\n text(`${round(t, 3)}`, 35, 50);\n text(`${round(at, 3)}`, 35, 75);\n\n describe('The numbers 1.047, 1.732, and 1.047 written on separate rows.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Calculate tan() and atan() values.\n let a = PI + PI / 3;\n let t = tan(a);\n let at = atan(t);\n\n // Display the values.\n text(`${round(a, 3)}`, 35, 25);\n text(`${round(t, 3)}`, 35, 50);\n text(`${round(at, 3)}`, 35, 75);\n\n describe('The numbers 4.189, 1.732, and 1.047 written on separate rows.');\n}\n
\n점, 원점, 그리고 양의 x축에 의해 형성된 각도를 계산합니다.
\natan2()
은 atan2(mouseY, mouseX)
처럼 주로 도형을 마우스의 위치에 맞추기 위해 사용됩니다. 첫 번째 매개변수는 점의 y좌표이고 두 번째 매개변수는 x좌표입니다.
기본적으로, atan2()
는\n-π (약 -3.14) to π (약 3.14)까지의 값을 반환합니다.\nangleMode()가 DEGREES
로 설정되었다면, 값은 -180부터 180 사이로 반환됩니다.
y좌표의 값
\n"],"type":[0,"Number"]}],[0,{"name":[0,"x"],"description":[0,"x좌표의 값
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"좌표의 아크 탄젠트 값"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A rectangle at the top-left of the canvas rotates with mouse movements.');\n}\n\nfunction draw() {\n background(200);\n\n // Calculate the angle between the mouse\n // and the origin.\n let a = atan2(mouseY, mouseX);\n\n // Rotate.\n rotate(a);\n\n // Draw the shape.\n rect(0, 0, 60, 10);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A rectangle at the center of the canvas rotates with mouse movements.');\n}\n\nfunction draw() {\n background(200);\n\n // Translate the origin to the center.\n translate(50, 50);\n\n // Get the mouse's coordinates relative to the origin.\n let x = mouseX - 50;\n let y = mouseY - 50;\n\n // Calculate the angle between the mouse and the origin.\n let a = atan2(y, x);\n\n // Rotate.\n rotate(a);\n\n // Draw the shape.\n rect(-30, -5, 60, 10);\n}\n
\n각도의 코사인을 계산합니다.
\ncos()
는 창의적 코딩에서 많은 기하학 작업에 사용됩니다. 반환되는 값은 입력 각도가 증가함에 따라 -1과 1사이에서 진동합니다. cos()
는 현재 angleMode()를 고려하여 계산합니다.\n"],"line":[0,281],"params":[1,[[0,{"name":[0,"angle"],"description":[0,"
각도
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"각도의 코사인 값"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A white ball on a string oscillates left and right.');\n}\n\nfunction draw() {\n background(200);\n\n // Calculate the coordinates.\n let x = 30 * cos(frameCount * 0.05) + 50;\n let y = 50;\n\n // Draw the oscillator.\n line(50, y, x, y);\n circle(x, y, 20);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n describe('A series of black dots form a wave pattern.');\n}\n\nfunction draw() {\n // Calculate the coordinates.\n let x = frameCount;\n let y = 30 * cos(x * 0.1) + 50;\n\n // Draw the point.\n point(x, y);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n describe('A series of black dots form an infinity symbol.');\n}\n\nfunction draw() {\n // Calculate the coordinates.\n let x = 30 * cos(frameCount * 0.1) + 50;\n let y = 10 * sin(frameCount * 0.2) + 50;\n\n // Draw the point.\n point(x, y);\n}\n
\n라디안으로 측정된 각도를 각도(degree) 단위로 변환합니다.
\n각도(degree)와 라디안 모두 각도를 측정하는 단위입니다. 한 번의 회전에는 360개의 ˚가 있습니다. 한 회전은 2 × π (약 6.28) 라디안입니다.
\n같은 각도는 어느 단위로도 표현할 수 있습니다. 예를 들어, 90°는 1회전의 4분의 1입니다.\n같은 각도는 2 × π ÷ 4\n(약 1.57) 라디안입니다.
\n"],"line":[0,479],"params":[1,[[0,{"name":[0,"radians"],"description":[0,"각도로 변환하려는 라디안 값
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"변환된 각도(degree) 값"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Calculate the angle conversion.\n let rad = QUARTER_PI;\n let deg = degrees(rad);\n\n // Display the conversion.\n text(`${round(rad, 2)} rad = ${deg}˚`, 10, 50);\n\n describe('The text \"0.79 rad = 45˚\".');\n}\n
\n도로 측정된 각도를 라디안 값으로 변환합니다.
도와 라디안은 모두 각도를 측정하기 위한 단위입니다. \n한 바퀴 회전에는 360˚가 있습니다. 한 바퀴 회전은 2 × π (약 6.28) 라디안입니다.
\n같은 각도를 두 단위 중 어느 것으로든 표현할 수 있습니다. 예를 들어, 90°는 한 바퀴 회전의 4분의 1입니다. 같은 각도는 2 × π ÷ 4 (약 1.57) 라디안입니다.
\n"],"line":[0,515],"params":[1,[[0,{"name":[0,"degrees"],"description":[0,"도 단위 값을 라디안으로 변환합니다.
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"변환된 각도."],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Caclulate the angle conversion.\n let deg = 45;\n let rad = radians(deg);\n\n // Display the angle conversion.\n text(`${deg}˚ = ${round(rad, 3)} rad`, 10, 50);\n\n describe('The text \"45˚ = 0.785 rad\".');\n}\n
\n각도의 사인값을 계산합니다.
\nsin()
은 창의적 코딩에서 많은 기하학 작업에 사용됩니다. 반환되는 값은 입력 각도가 증가함에 따라 -1과 1 사이에서 진동합니다. sin()
은 현재 angleMode()를 고려하여 계산합니다.
각도
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"각도의 사인값"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A white ball on a string oscillates up and down.');\n}\n\nfunction draw() {\n background(200);\n\n // Calculate the coordinates.\n let x = 50;\n let y = 30 * sin(frameCount * 0.05) + 50;\n\n // Draw the oscillator.\n line(50, y, x, y);\n circle(x, y, 20);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n describe('A series of black dots form a wave pattern.');\n}\n\nfunction draw() {\n // Calculate the coordinates.\n let x = frameCount;\n let y = 30 * sin(x * 0.1) + 50;\n\n // Draw the point.\n point(x, y);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n describe('A series of black dots form an infinity symbol.');\n}\n\nfunction draw() {\n // Calculate the coordinates.\n let x = 30 * cos(frameCount * 0.1) + 50;\n let y = 10 * sin(frameCount * 0.2) + 50;\n\n // Draw the point.\n point(x, y);\n}\n
\n각도의 탄젠트 값을 계산합니다
\ntan()
은 창의적 코딩에서 많은 기하학 작업에 사용됩니다.\n \n반환되는 값의 범위는 -무한대에서 무한대까지이며 입력 각도가 증가함에 따라 주기적으로 반복됩니다. tan()
은\nangleMode()를 고려하여 계산합니다.
각도
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"각도의 탄젠트 값"],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n describe('A series of identical curves drawn with black dots. Each curve starts from the top of the canvas, continues down at a slight angle, flattens out at the middle of the canvas, then continues to the bottom.');\n}\n\nfunction draw() {\n // Calculate the coordinates.\n let x = frameCount;\n let y = 5 * tan(x * 0.1) + 50;\n\n // Draw the point.\n point(x, y);\n}\n
\nMethod for executing an HTTP request. If data type is not specified,\np5 will try to guess based on the URL, defaulting to text.
\nFor more advanced use, you may also pass in the path as the first argument\nand a object as the second argument, the signature follows the one specified\nin the Fetch API specification.\nThis method is suitable for fetching files up to size of 64MB when \"GET\" is used.
name of the file or url to load
\n"],"type":[0,"String"]}],[0,{"name":[0,"method"],"description":[0,"either \"GET\", \"POST\", or \"PUT\",\n defaults to \"GET\"
\n"],"type":[0,"String"],"optional":[0,true]}],[0,{"name":[0,"datatype"],"description":[0,"\"json\", \"jsonp\", \"xml\", or \"text\"
\n"],"type":[0,"String"],"optional":[0,true]}],[0,{"name":[0,"data"],"description":[0,"param data passed sent with request
\n"],"type":[0,"Object"],"optional":[0,true]}],[0,{"name":[0,"callback"],"description":[0,"function to be executed after\n httpGet() completes, data is passed in\n as first argument
\n"],"type":[0,"Function"],"optional":[0,true]}],[0,{"name":[0,"errorCallback"],"description":[0,"function to be executed if\n there is an error, response is passed\n in as first argument
\n"],"type":[0,"Function"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"path"],"description":[0,""],"type":[0,"String"]}],[0,{"name":[0,"options"],"description":[0,"Request object options as documented in the\n \"fetch\" API\nreference
\n"],"type":[0,"Object"]}],[0,{"name":[0,"callback"],"description":[0,""],"type":[0,"Function"],"optional":[0,true]}],[0,{"name":[0,"errorCallback"],"description":[0,""],"type":[0,"Function"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"A promise that resolves with the data when the operation\n completes successfully or rejects with the error after\n one occurs."],"type":[0,"Promise"]}],"example":[1,[[0,"\n\n// Examples use USGS Earthquake API:\n// https://earthquake.usgs.gov/fdsnws/event/1/#methods\n\n// displays an animation of all USGS earthquakes\nlet earthquakes;\nlet eqFeatureIndex = 0;\n\nfunction preload() {\n let url = 'https://earthquake.usgs.gov/fdsnws/event/1/query?format=geojson';\n httpDo(\n url,\n {\n method: 'GET',\n // Other Request options, like special headers for apis\n headers: { authorization: 'Bearer secretKey' }\n },\n function(res) {\n earthquakes = res;\n }\n );\n}\n\nfunction draw() {\n // wait until the data is loaded\n if (!earthquakes || !earthquakes.features[eqFeatureIndex]) {\n return;\n }\n clear();\n\n let feature = earthquakes.features[eqFeatureIndex];\n let mag = feature.properties.mag;\n let rad = mag / 11 * ((width + height) / 2);\n fill(255, 0, 0, 100);\n ellipse(width / 2 + random(-2, 2), height / 2 + random(-2, 2), rad, rad);\n\n if (eqFeatureIndex >= earthquakes.features.length) {\n eqFeatureIndex = 0;\n } else {\n eqFeatureIndex += 1;\n }\n}\n
\nMethod for executing an HTTP GET request. If data type is not specified,\np5 will try to guess based on the URL, defaulting to text. This is equivalent to\ncalling httpDo(path, 'GET')
. The 'binary' datatype will return\na Blob object, and the 'arrayBuffer' datatype will return an ArrayBuffer\nwhich can be used to initialize typed arrays (such as Uint8Array).
name of the file or url to load
\n"],"type":[0,"String"]}],[0,{"name":[0,"datatype"],"description":[0,"\"json\", \"jsonp\", \"binary\", \"arrayBuffer\",\n \"xml\", or \"text\"
\n"],"type":[0,"String"],"optional":[0,true]}],[0,{"name":[0,"data"],"description":[0,"param data passed sent with request
\n"],"type":[0,"Object|Boolean"],"optional":[0,true]}],[0,{"name":[0,"callback"],"description":[0,"function to be executed after\n httpGet() completes, data is passed in\n as first argument
\n"],"type":[0,"Function"],"optional":[0,true]}],[0,{"name":[0,"errorCallback"],"description":[0,"function to be executed if\n there is an error, response is passed\n in as first argument
\n"],"type":[0,"Function"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"path"],"description":[0,""],"type":[0,"String"]}],[0,{"name":[0,"data"],"description":[0,""],"type":[0,"Object|Boolean"]}],[0,{"name":[0,"callback"],"description":[0,""],"type":[0,"Function"],"optional":[0,true]}],[0,{"name":[0,"errorCallback"],"description":[0,""],"type":[0,"Function"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"path"],"description":[0,""],"type":[0,"String"]}],[0,{"name":[0,"callback"],"description":[0,""],"type":[0,"Function"]}],[0,{"name":[0,"errorCallback"],"description":[0,""],"type":[0,"Function"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"A promise that resolves with the data when the operation\n completes successfully or rejects with the error after\n one occurs."],"type":[0,"Promise"]}],"example":[1,[[0,"\n\n// Examples use USGS Earthquake API:\n// https://earthquake.usgs.gov/fdsnws/event/1/#methods\nlet earthquakes;\nfunction preload() {\n // Get the most recent earthquake in the database\n let url =\n 'https://earthquake.usgs.gov/fdsnws/event/1/query?' +\n 'format=geojson&limit=1&orderby=time';\n httpGet(url, 'jsonp', false, function(response) {\n // when the HTTP request completes, populate the variable that holds the\n // earthquake data used in the visualization.\n earthquakes = response;\n });\n}\n\nfunction draw() {\n if (!earthquakes) {\n // Wait until the earthquake data has loaded before drawing.\n return;\n }\n background(200);\n // Get the magnitude and name of the earthquake out of the loaded JSON\n let earthquakeMag = earthquakes.features[0].properties.mag;\n let earthquakeName = earthquakes.features[0].properties.place;\n ellipse(width / 2, height / 2, earthquakeMag * 10, earthquakeMag * 10);\n textAlign(CENTER);\n text(earthquakeName, 0, height - 30, width, 30);\n noLoop();\n}\n
Method for executing an HTTP POST request. If data type is not specified,\np5 will try to guess based on the URL, defaulting to text. This is equivalent to\ncalling httpDo(path, 'POST')
.
name of the file or url to load
\n"],"type":[0,"String"]}],[0,{"name":[0,"datatype"],"description":[0,"\"json\", \"jsonp\", \"xml\", or \"text\".\n If omitted, httpPost() will guess.
\n"],"type":[0,"String"],"optional":[0,true]}],[0,{"name":[0,"data"],"description":[0,"param data passed sent with request
\n"],"type":[0,"Object|Boolean"],"optional":[0,true]}],[0,{"name":[0,"callback"],"description":[0,"function to be executed after\n httpPost() completes, data is passed in\n as first argument
\n"],"type":[0,"Function"],"optional":[0,true]}],[0,{"name":[0,"errorCallback"],"description":[0,"function to be executed if\n there is an error, response is passed\n in as first argument
\n"],"type":[0,"Function"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"path"],"description":[0,""],"type":[0,"String"]}],[0,{"name":[0,"data"],"description":[0,""],"type":[0,"Object|Boolean"]}],[0,{"name":[0,"callback"],"description":[0,""],"type":[0,"Function"],"optional":[0,true]}],[0,{"name":[0,"errorCallback"],"description":[0,""],"type":[0,"Function"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"path"],"description":[0,""],"type":[0,"String"]}],[0,{"name":[0,"callback"],"description":[0,""],"type":[0,"Function"]}],[0,{"name":[0,"errorCallback"],"description":[0,""],"type":[0,"Function"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"A promise that resolves with the data when the operation\n completes successfully or rejects with the error after\n one occurs."],"type":[0,"Promise"]}],"example":[1,[[0,"\n\n// Examples use jsonplaceholder.typicode.com for a Mock Data API\n\nlet url = 'https://jsonplaceholder.typicode.com/posts';\nlet postData = { userId: 1, title: 'p5 Clicked!', body: 'p5.js is very cool.' };\n\nfunction setup() {\n createCanvas(100, 100);\n background(200);\n}\n\nfunction mousePressed() {\n httpPost(url, 'json', postData, function(result) {\n strokeWeight(2);\n text(result.body, mouseX, mouseY);\n });\n}\n
\n\nlet url = 'ttps://invalidURL'; // A bad URL that will cause errors\nlet postData = { title: 'p5 Clicked!', body: 'p5.js is very cool.' };\n\nfunction setup() {\n createCanvas(100, 100);\n background(200);\n}\n\nfunction mousePressed() {\n httpPost(\n url,\n 'json',\n postData,\n function(result) {\n // ... won't be called\n },\n function(error) {\n strokeWeight(2);\n text(error.toString(), mouseX, mouseY);\n }\n );\n}\n
This method is suitable for fetching files up to size of 64MB.
\n"],"line":[0,986],"params":[1,[[0,{"name":[0,"file"],"description":[0,"name of the file or URL to load
\n"],"type":[0,"String"]}],[0,{"name":[0,"callback"],"description":[0,"function to be executed after loadBytes()\n completes
\n"],"type":[0,"Function"],"optional":[0,true]}],[0,{"name":[0,"errorCallback"],"description":[0,"function to be executed if there\n is an error
\n"],"type":[0,"Function"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"an object whose 'bytes' property will be the loaded buffer"],"type":[0,"Object"]}],"example":[1,[[0,"\n\nlet data;\n\nfunction preload() {\n data = loadBytes('/assets/mammals.xml');\n}\n\nfunction setup() {\n for (let i = 0; i < 5; i++) {\n console.log(data.bytes[i].toString(16));\n }\n describe('no image displayed');\n}\n
Loads a JSON file to create an Object
.
JavaScript Object Notation\n(JSON)\nis a standard format for sending data between applications. The format is\nbased on JavaScript objects which have keys and values. JSON files store\ndata in an object with strings as keys. Values can be strings, numbers,\nBooleans, arrays, null
, or other objects.
The first parameter, path
, is always a string with the path to the file.\nPaths to local files should be relative, as in\nloadJSON('/assets/data.json')
. URLs such as\n'https://example.com/data.json'
may be blocked due to browser security.
The second parameter, successCallback
, is optional. If a function is\npassed, as in loadJSON('/assets/data.json', handleData)
, then the\nhandleData()
function will be called once the data loads. The object\ncreated from the JSON data will be passed to handleData()
as its only argument.
The third parameter, failureCallback
, is also optional. If a function is\npassed, as in loadJSON('/assets/data.json', handleData, handleFailure)
,\nthen the handleFailure()
function will be called if an error occurs while\nloading. The Error
object will be passed to handleFailure()
as its only\nargument.
Note: Data can take time to load. Calling loadJSON()
within\npreload() ensures data loads before it's used in\nsetup() or draw().
path of the JSON file to be loaded.
\n"],"type":[0,"String"]}],[0,{"name":[0,"successCallback"],"description":[0,"function to call once the data is loaded. Will be passed the object.
\n"],"type":[0,"Function"],"optional":[0,true]}],[0,{"name":[0,"errorCallback"],"description":[0,"function to call if the data fails to load. Will be passed an Error
event object.
\nlet myData;\n\n// Load the JSON and create an object.\nfunction preload() {\n myData = loadJSON('/assets/data.json');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the circle.\n fill(myData.color);\n noStroke();\n\n // Draw the circle.\n circle(myData.x, myData.y, myData.d);\n\n describe('A pink circle on a gray background.');\n}\n
\n\nlet myData;\n\n// Load the JSON and create an object.\nfunction preload() {\n myData = loadJSON('/assets/data.json');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a p5.Color object and make it transparent.\n let c = color(myData.color);\n c.setAlpha(80);\n\n // Style the circles.\n fill(c);\n noStroke();\n\n // Iterate over the myData.bubbles array.\n for (let b of myData.bubbles) {\n // Draw a circle for each bubble.\n circle(b.x, b.y, b.d);\n }\n\n describe('Several pink bubbles floating in a blue sky.');\n}\n
\n\nlet myData;\n\n// Load the GeoJSON and create an object.\nfunction preload() {\n myData = loadJSON('https://earthquake.usgs.gov/earthquakes/feed/v1.0/summary/all_day.geojson');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get data about the most recent earthquake.\n let quake = myData.features[0].properties;\n\n // Draw a circle based on the earthquake's magnitude.\n circle(50, 50, quake.mag * 10);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(11);\n\n // Display the earthquake's location.\n text(quake.place, 5, 80, 100);\n\n describe(`A white circle on a gray background. The text \"${quake.place}\" is written beneath the circle.`);\n}\n
\n\nlet bigQuake;\n\n// Load the GeoJSON and preprocess it.\nfunction preload() {\n loadJSON(\n 'https://earthquake.usgs.gov/earthquakes/feed/v1.0/summary/all_day.geojson',\n handleData\n );\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Draw a circle based on the earthquake's magnitude.\n circle(50, 50, bigQuake.mag * 10);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(11);\n\n // Display the earthquake's location.\n text(bigQuake.place, 5, 80, 100);\n\n describe(`A white circle on a gray background. The text \"${bigQuake.place}\" is written beneath the circle.`);\n}\n\n// Find the biggest recent earthquake.\nfunction handleData(data) {\n let maxMag = 0;\n // Iterate over the earthquakes array.\n for (let quake of data.features) {\n // Reassign bigQuake if a larger\n // magnitude quake is found.\n if (quake.properties.mag > maxMag) {\n bigQuake = quake.properties;\n }\n }\n}\n
\n\nlet bigQuake;\n\n// Load the GeoJSON and preprocess it.\nfunction preload() {\n loadJSON(\n 'https://earthquake.usgs.gov/earthquakes/feed/v1.0/summary/all_day.geojson',\n handleData,\n handleError\n );\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Draw a circle based on the earthquake's magnitude.\n circle(50, 50, bigQuake.mag * 10);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(11);\n\n // Display the earthquake's location.\n text(bigQuake.place, 5, 80, 100);\n\n describe(`A white circle on a gray background. The text \"${bigQuake.place}\" is written beneath the circle.`);\n}\n\n// Find the biggest recent earthquake.\nfunction handleData(data) {\n let maxMag = 0;\n // Iterate over the earthquakes array.\n for (let quake of data.features) {\n // Reassign bigQuake if a larger\n // magnitude quake is found.\n if (quake.properties.mag > maxMag) {\n bigQuake = quake.properties;\n }\n }\n}\n\n// Log any errors to the console.\nfunction handleError(error) {\n console.log('Oops!', error);\n}\n
\nLoads a text file to create an Array
.
The first parameter, path
, is always a string with the path to the file.\nPaths to local files should be relative, as in\nloadStrings('/assets/data.txt')
. URLs such as\n'https://example.com/data.txt'
may be blocked due to browser security.
The second parameter, successCallback
, is optional. If a function is\npassed, as in loadStrings('/assets/data.txt', handleData)
, then the\nhandleData()
function will be called once the data loads. The array\ncreated from the text data will be passed to handleData()
as its only\nargument.
The third parameter, failureCallback
, is also optional. If a function is\npassed, as in loadStrings('/assets/data.txt', handleData, handleFailure)
,\nthen the handleFailure()
function will be called if an error occurs while\nloading. The Error
object will be passed to handleFailure()
as its only\nargument.
Note: Data can take time to load. Calling loadStrings()
within\npreload() ensures data loads before it's used in\nsetup() or draw().
path of the text file to be loaded.
\n"],"type":[0,"String"]}],[0,{"name":[0,"successCallback"],"description":[0,"function to call once the data is\n loaded. Will be passed the array.
\n"],"type":[0,"Function"],"optional":[0,true]}],[0,{"name":[0,"errorCallback"],"description":[0,"function to call if the data fails to\n load. Will be passed an Error
event\n object.
\nlet myData;\n\n// Load the text and create an array.\nfunction preload() {\n myData = loadStrings('/assets/test.txt');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Select a random line from the text.\n let phrase = random(myData);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Display the text.\n text(phrase, 10, 50, 90);\n\n describe(`The text \"${phrase}\" written in black on a gray background.`);\n}\n
\n\nlet lastLine;\n\n// Load the text and preprocess it.\nfunction preload() {\n loadStrings('/assets/test.txt', handleData);\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Display the text.\n text(lastLine, 10, 50, 90);\n\n describe('The text \"I talk like an orange\" written in black on a gray background.');\n}\n\n// Select the last line from the text.\nfunction handleData(data) {\n lastLine = data[data.length - 1];\n}\n
\n\nlet lastLine;\n\n// Load the text and preprocess it.\nfunction preload() {\n loadStrings('/assets/test.txt', handleData, handleError);\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Display the text.\n text(lastLine, 10, 50, 90);\n\n describe('The text \"I talk like an orange\" written in black on a gray background.');\n}\n\n// Select the last line from the text.\nfunction handleData(data) {\n lastLine = data[data.length - 1];\n}\n\n// Log any errors to the console.\nfunction handleError(error) {\n console.error('Oops!', error);\n}\n
\nReads the contents of a file or URL and creates a p5.Table object with\nits values. If a file is specified, it must be located in the sketch's\n\"data\" folder. The filename parameter can also be a URL to a file found\nonline. By default, the file is assumed to be comma-separated (in CSV\nformat). Table only looks for a header row if the 'header' option is\nincluded.
\nThis method is asynchronous, meaning it may not finish before the next\nline in your sketch is executed. Calling loadTable() inside preload()\nguarantees to complete the operation before setup() and draw() are called.\nOutside of preload(), you may supply a callback function to handle the\nobject:
\nAll files loaded and saved use UTF-8 encoding. This method is suitable for fetching files up to size of 64MB.
\n"],"line":[0,505],"params":[1,[[0,{"name":[0,"filename"],"description":[0,"name of the file or URL to load
\n"],"type":[0,"String"]}],[0,{"name":[0,"extension"],"description":[0,"parse the table by comma-separated values \"csv\", semicolon-separated\n values \"ssv\", or tab-separated values \"tsv\"
\n"],"type":[0,"String"],"optional":[0,true]}],[0,{"name":[0,"header"],"description":[0,"\"header\" to indicate table has header row
\n"],"type":[0,"String"],"optional":[0,true]}],[0,{"name":[0,"callback"],"description":[0,"function to be executed after\n loadTable() completes. On success, the\n Table object is passed in as the\n first argument.
\n"],"type":[0,"Function"],"optional":[0,true]}],[0,{"name":[0,"errorCallback"],"description":[0,"function to be executed if\n there is an error, response is passed\n in as first argument
\n"],"type":[0,"Function"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"Table object containing data"],"type":[0,"Object"]}],"example":[1,[[0,"\n\n// Given the following CSV file called \"mammals.csv\"\n// located in the project's \"assets\" folder:\n//\n// id,species,name\n// 0,Capra hircus,Goat\n// 1,Panthera pardus,Leopard\n// 2,Equus zebra,Zebra\n\nlet table;\n\nfunction preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n //the file can be remote\n //table = loadTable(\"https://p5js.org/reference//assets/mammals.csv\",\n // \"csv\", \"header\");\n}\n\nfunction setup() {\n //count the columns\n print(table.getRowCount() + ' total rows in table');\n print(table.getColumnCount() + ' total columns in table');\n\n print(table.getColumn('name'));\n //[\"Goat\", \"Leopard\", \"Zebra\"]\n\n //cycle through the table\n for (let r = 0; r < table.getRowCount(); r++)\n for (let c = 0; c < table.getColumnCount(); c++) {\n print(table.getString(r, c));\n }\n describe(`randomly generated text from a file,\n for example \"i smell like butter\"`);\n}\n
\nLoads an XML file to create a p5.XML object.
\nExtensible Markup Language\n(XML)\nis a standard format for sending data between applications. Like HTML, the\nXML format is based on tags and attributes, as in\n.
The first parameter, path
, is always a string with the path to the file.\nPaths to local files should be relative, as in\nloadXML('/assets/data.xml')
. URLs such as 'https://example.com/data.xml'
\nmay be blocked due to browser security.
The second parameter, successCallback
, is optional. If a function is\npassed, as in loadXML('/assets/data.xml', handleData)
, then the\nhandleData()
function will be called once the data loads. The\np5.XML object created from the data will be passed\nto handleData()
as its only argument.
The third parameter, failureCallback
, is also optional. If a function is\npassed, as in loadXML('/assets/data.xml', handleData, handleFailure)
, then\nthe handleFailure()
function will be called if an error occurs while\nloading. The Error
object will be passed to handleFailure()
as its only\nargument.
Note: Data can take time to load. Calling loadXML()
within\npreload() ensures data loads before it's used in\nsetup() or draw().
path of the XML file to be loaded.
\n"],"type":[0,"String"]}],[0,{"name":[0,"successCallback"],"description":[0,"function to call once the data is\n loaded. Will be passed the\n p5.XML object.
\n"],"type":[0,"Function"],"optional":[0,true]}],[0,{"name":[0,"errorCallback"],"description":[0,"function to call if the data fails to\n load. Will be passed an Error
event\n object.
\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get an array with all mammal tags.\n let mammals = myXML.getChildren('mammal');\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Iterate over the mammals array.\n for (let i = 0; i < mammals.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 25;\n\n // Get the mammal's common name.\n let name = mammals[i].getContent();\n\n // Display the mammal's name.\n text(name, 20, y);\n }\n\n describe(\n 'The words \"Goat\", \"Leopard\", and \"Zebra\" written on three separate lines. The text is black on a gray background.'\n );\n}\n
\n\nlet lastMammal;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n loadXML('/assets/animals.xml', handleData);\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(16);\n\n // Display the content of the last mammal element.\n text(lastMammal, 50, 50);\n\n describe('The word \"Zebra\" written in black on a gray background.');\n}\n\n// Get the content of the last mammal element.\nfunction handleData(data) {\n // Get an array with all mammal elements.\n let mammals = data.getChildren('mammal');\n\n // Get the content of the last mammal.\n lastMammal = mammals[mammals.length - 1].getContent();\n}\n
\n\nlet lastMammal;\n\n// Load the XML and preprocess it.\nfunction preload() {\n loadXML('/assets/animals.xml', handleData, handleError);\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(16);\n\n // Display the content of the last mammal element.\n text(lastMammal, 50, 50);\n\n describe('The word \"Zebra\" written in black on a gray background.');\n}\n\n// Get the content of the last mammal element.\nfunction handleData(data) {\n // Get an array with all mammal elements.\n let mammals = data.getChildren('mammal');\n\n // Get the content of the last mammal.\n lastMammal = mammals[mammals.length - 1].getContent();\n}\n\n// Log any errors to the console.\nfunction handleError(error) {\n console.error('Oops!', error);\n}\n
\nCreates a new p5.PrintWriter object.
\np5.PrintWriter objects provide a way to\nsave a sequence of text data, called the print stream, to the user's\ncomputer. They're low-level objects that enable precise control of text\noutput. Functions such as\nsaveStrings() and\nsaveJSON() are easier to use for simple file\nsaving.
\nThe first parameter, filename
, is the name of the file to be written. If\na string is passed, as in createWriter('words.txt')
, a new\np5.PrintWriter object will be created that\nwrites to a file named words.txt
.
The second parameter, extension
, is optional. If a string is passed, as\nin createWriter('words', 'csv')
, the first parameter will be interpreted\nas the file name and the second parameter as the extension.
name of the file to create.
\n"],"type":[0,"String"]}],[0,{"name":[0,"extension"],"description":[0,"format to use for the file.
\n"],"type":[0,"String"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"stream for writing data."],"type":[0,"p5.PrintWriter"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Display instructions.\n text('Double-click to save', 5, 50, 90);\n\n describe('The text \"Double-click to save\" written in black on a gray background.');\n}\n\n// Save the file when the user double-clicks.\nfunction doubleClicked() {\n if (mouseX > 0 && mouseX < 100 && mouseY > 0 && mouseY < 100) {\n // Create a p5.PrintWriter object.\n let myWriter = createWriter('xo.txt');\n\n // Add some lines to the print stream.\n myWriter.print('XOO');\n myWriter.print('OXO');\n myWriter.print('OOX');\n\n // Save the file and close the print stream.\n myWriter.close();\n }\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Display instructions.\n text('Double-click to save', 5, 50, 90);\n\n describe('The text \"Double-click to save\" written in black on a gray background.');\n}\n\n// Save the file when the user double-clicks.\nfunction doubleClicked() {\n if (mouseX > 0 && mouseX < 100 && mouseY > 0 && mouseY < 100) {\n // Create a p5.PrintWriter object.\n // Use the file format .csv.\n let myWriter = createWriter('mauna_loa_co2', 'csv');\n\n // Add some lines to the print stream.\n myWriter.print('date,ppm_co2');\n myWriter.print('1960-01-01,316.43');\n myWriter.print('1970-01-01,325.06');\n myWriter.print('1980-01-01,337.9');\n myWriter.print('1990-01-01,353.86');\n myWriter.print('2000-01-01,369.45');\n myWriter.print('2020-01-01,413.61');\n\n // Save the file and close the print stream.\n myWriter.close();\n }\n}\n
\nA class to describe a print stream.
\nEach p5.PrintWriter
object provides a way to save a sequence of text\ndata, called the print stream, to the user's computer. It's a low-level\nobject that enables precise control of text output. Functions such as\nsaveStrings() and\nsaveJSON() are easier to use for simple file\nsaving.
Note: createWriter() is the recommended way\nto make an instance of this class.
\n"],"line":[0,1565],"path":[0,"p5/p5.PrintWriter"]}],"render":[0,null]}],[0,{"id":[0,"en/p5/save.mdx"],"slug":[0,"en/p5/save"],"body":[0,"\n\n# save\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"save()"],"module":[0,"IO"],"submodule":[0,"Output"],"file":[0,"src/io/files.js"],"description":[0,"Saves a given element(image, text, json, csv, wav, or html) to the client's\ncomputer. The first parameter can be a pointer to element we want to save.\nThe element can be one of p5.Element,an Array of\nStrings, an Array of JSON, a JSON object, a p5.Table\n, a p5.Image, or a p5.SoundFile (requires\np5.sound). The second parameter is a filename (including extension).The\nthird parameter is for options specific to this type of object. This method\nwill save a file that fits the given parameters.\nIf it is called without specifying an element, by default it will save the\nwhole canvas as an image file. You can optionally specify a filename as\nthe first parameter in such a case.\nNote that it is not recommended to\ncall this method within draw, as it will open a new save dialog on every\nrender.
\n"],"line":[0,1835],"params":[1,[[0,{"name":[0,"objectOrFilename"],"description":[0,"If filename is provided, will\n save canvas as an image with\n either png or jpg extension\n depending on the filename.\n If object is provided, will\n save depending on the object\n and filename (see examples\n above).
\n"],"type":[0,"Object|String"],"optional":[0,true]}],[0,{"name":[0,"filename"],"description":[0,"If an object is provided as the first\n parameter, then the second parameter\n indicates the filename,\n and should include an appropriate\n file extension (see examples above).
\n"],"type":[0,"String"],"optional":[0,true]}],[0,{"name":[0,"options"],"description":[0,"Additional options depend on\n filetype. For example, when saving JSON,\n true
indicates that the\n output will be optimized for filesize,\n rather than readability.
\n // Saves the canvas as an image\n cnv = createCanvas(300, 300);\n save(cnv, 'myCanvas.jpg');\n\n // Saves the canvas as an image by default\n save('myCanvas.jpg');\n describe('An example for saving a canvas as an image.');\n
\n // Saves p5.Image as an image\n img = createImage(10, 10);\n save(img, 'myImage.png');\n describe('An example for saving a p5.Image element as an image.');\n
\n // Saves p5.Renderer object as an image\n obj = createGraphics(100, 100);\n save(obj, 'myObject.png');\n describe('An example for saving a p5.Renderer element.');\n
\n let myTable = new p5.Table();\n // Saves table as html file\n save(myTable, 'myTable.html');\n\n // Comma Separated Values\n save(myTable, 'myTable.csv');\n\n // Tab Separated Values\n save(myTable, 'myTable.tsv');\n\n describe(`An example showing how to save a table in formats of\n HTML, CSV and TSV.`);\n
\n let myJSON = { a: 1, b: true };\n\n // Saves pretty JSON\n save(myJSON, 'my.json');\n\n // Optimizes JSON filesize\n save(myJSON, 'my.json', true);\n\n describe('An example for saving JSON to a txt file with some extra arguments.');\n
\n // Saves array of strings to text file with line breaks after each item\n let arrayOfStrings = ['a', 'b'];\n save(arrayOfStrings, 'my.txt');\n describe(`An example for saving an array of strings to text file\n with line breaks.`);\n
Saves an Object
or Array
to a JSON file.
JavaScript Object Notation\n(JSON)\nis a standard format for sending data between applications. The format is\nbased on JavaScript objects which have keys and values. JSON files store\ndata in an object with strings as keys. Values can be strings, numbers,\nBooleans, arrays, null
, or other objects.
The first parameter, json
, is the data to save. The data can be an array,\nas in [1, 2, 3]
, or an object, as in\n{ x: 50, y: 50, color: 'deeppink' }
.
The second parameter, filename
, is a string that sets the file's name.\nFor example, calling saveJSON([1, 2, 3], 'data.json')
saves the array\n[1, 2, 3]
to a file called data.json
on the user's computer.
The third parameter, optimize
, is optional. If true
is passed, as in\nsaveJSON([1, 2, 3], 'data.json', true)
, then all unneeded whitespace will\nbe removed to reduce the file size.
Note: The browser will either save the file immediately or prompt the user\nwith a dialogue window.
\n"],"line":[0,1979],"params":[1,[[0,{"name":[0,"json"],"description":[0,"data to save.
\n"],"type":[0,"Array|Object"]}],[0,{"name":[0,"filename"],"description":[0,"name of the file to be saved.
\n"],"type":[0,"String"]}],[0,{"name":[0,"optimize"],"description":[0,"whether to trim unneeded whitespace. Defaults\n to true
.
\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Display instructions.\n text('Double-click to save', 5, 50, 90);\n\n describe('The text \"Double-click to save\" written in black on a gray background.');\n}\n\n// Save the file when the user double-clicks.\nfunction doubleClicked() {\n if (mouseX > 0 && mouseX < 100 && mouseY > 0 && mouseY < 100) {\n // Create an array.\n let data = [1, 2, 3];\n\n // Save the JSON file.\n saveJSON(data, 'numbers.json');\n }\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Display instructions.\n text('Double-click to save', 5, 50, 90);\n\n describe('The text \"Double-click to save\" written in black on a gray background.');\n}\n\n// Save the file when the user double-clicks.\nfunction doubleClicked() {\n if (mouseX > 0 && mouseX < 100 && mouseY > 0 && mouseY < 100) {\n // Create an object.\n let data = { x: mouseX, y: mouseY };\n\n // Save the JSON file.\n saveJSON(data, 'state.json');\n }\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Display instructions.\n text('Double-click to save', 5, 50, 90);\n\n describe('The text \"Double-click to save\" written in black on a gray background.');\n}\n\n// Save the file when the user double-clicks.\nfunction doubleClicked() {\n if (mouseX > 0 && mouseX < 100 && mouseY > 0 && mouseY < 100) {\n // Create an object.\n let data = { x: mouseX, y: mouseY };\n\n // Save the JSON file and reduce its size.\n saveJSON(data, 'state.json', true);\n }\n}\n
\nSaves an Array
of String
s to a file, one per line.
The first parameter, list
, is an array with the strings to save.
The second parameter, filename
, is a string that sets the file's name.\nFor example, calling saveStrings(['0', '01', '011'], 'data.txt')
saves\nthe array ['0', '01', '011']
to a file called data.txt
on the user's\ncomputer.
The third parameter, extension
, is optional. If a string is passed, as in\nsaveStrings(['0', '01', '0
1'], 'data', 'txt')`, the second parameter will\nbe interpreted as the file name and the third parameter as the extension.
The fourth parameter, isCRLF
, is also optional, If true
is passed, as\nin saveStrings(['0', '01', '011'], 'data', 'txt', true)
, then two\ncharacters, \\r\\n
, will be added to the end of each string to create new\nlines in the saved file. \\r
is a carriage return (CR) and \\n
is a line\nfeed (LF). By default, only \\n
(line feed) is added to each string in\norder to create new lines.
Note: The browser will either save the file immediately or prompt the user\nwith a dialogue window.
\n"],"line":[0,2118],"params":[1,[[0,{"name":[0,"list"],"description":[0,"data to save.
\n"],"type":[0,"String[]"]}],[0,{"name":[0,"filename"],"description":[0,"name of file to be saved.
\n"],"type":[0,"String"]}],[0,{"name":[0,"extension"],"description":[0,"format to use for the file.
\n"],"type":[0,"String"],"optional":[0,true]}],[0,{"name":[0,"isCRLF"],"description":[0,"whether to add \\r\\n
to the end of each\n string. Defaults to false
.
\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Display instructions.\n text('Double-click to save', 5, 50, 90);\n\n describe('The text \"Double-click to save\" written in black on a gray background.');\n}\n\n// Save the file when the user double-clicks.\nfunction doubleClicked() {\n if (mouseX > 0 && mouseX < 100 && mouseY > 0 && mouseY < 100) {\n // Create an array.\n let data = ['0', '01', '011'];\n\n // Save the text file.\n saveStrings(data, 'data.txt');\n }\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Display instructions.\n text('Double-click to save', 5, 50, 90);\n\n describe('The text \"Double-click to save\" written in black on a gray background.');\n}\n\n// Save the file when the user double-clicks.\nfunction doubleClicked() {\n if (mouseX > 0 && mouseX < 100 && mouseY > 0 && mouseY < 100) {\n // Create an array.\n // ASCII art courtesy Wikipedia:\n // https://en.wikipedia.org/wiki/ASCII_art\n let data = [' (\\\\_/) ', \"(='.'=)\", '(\")_(\")'];\n\n // Save the text file.\n saveStrings(data, 'cat', 'txt');\n }\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Display instructions.\n text('Double-click to save', 5, 50, 90);\n\n describe('The text \"Double-click to save\" written in black on a gray background.');\n}\n\n// Save the file when the user double-clicks.\nfunction doubleClicked() {\n if (mouseX > 0 && mouseX < 100 && mouseY > 0 && mouseY < 100) {\n // Create an array.\n // +--+\n // / /|\n // +--+ +\n // | |/\n // +--+\n let data = [' +--+', ' / /|', '+--+ +', '| |/', '+--+'];\n\n // Save the text file.\n // Use CRLF for line endings.\n saveStrings(data, 'box', 'txt', true);\n }\n}\n
\nWrites the contents of a Table object to a file. Defaults to a\ntext file with comma-separated-values ('csv') but can also\nuse tab separation ('tsv'), or generate an HTML table ('html').\nThe file saving process and location of the saved file will\nvary between web browsers.
\n"],"line":[0,2275],"params":[1,[[0,{"name":[0,"Table"],"description":[0,"the Table object to save to a file
\n"],"type":[0,"p5.Table"]}],[0,{"name":[0,"filename"],"description":[0,"the filename to which the Table should be saved
\n"],"type":[0,"String"]}],[0,{"name":[0,"options"],"description":[0,"can be one of \"tsv\", \"csv\", or \"html\"
\n"],"type":[0,"String"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n let table;\n\n function setup() {\n table = new p5.Table();\n\n table.addColumn('id');\n table.addColumn('species');\n table.addColumn('name');\n\n let newRow = table.addRow();\n newRow.setNum('id', table.getRowCount() - 1);\n newRow.setString('species', 'Panthera leo');\n newRow.setString('name', 'Lion');\n\n // To save, un-comment next line then click 'run'\n // saveTable(table, 'new.csv');\n\n describe('no image displayed');\n }\n\n // Saves the following to a file called 'new.csv':\n // id,species,name\n // 0,Panthera leo,Lion\n
Returns the current day as a number from 1–31.
\n"],"line":[0,10],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"current day between 1 and 31."],"type":[0,"Integer"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the current day.\n let d = day();\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textSize(12);\n textFont('Courier New');\n\n // Display the day.\n text(`Current day: ${d}`, 20, 50, 60);\n\n describe(`The text 'Current day: ${d}' written in black on a gray background.`);\n}\n
\nReturns the current hour as a number from 0–23.
\n"],"line":[0,44],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"current hour between 0 and 23."],"type":[0,"Integer"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the current hour.\n let h = hour();\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textSize(12);\n textFont('Courier New');\n\n // Display the hour.\n text(`Current hour: ${h}`, 20, 50, 60);\n\n describe(`The text 'Current hour: ${h}' written in black on a gray background.`);\n}\n
\nReturns the number of milliseconds since a sketch started running.
\nmillis()
keeps track of how long a sketch has been running in\nmilliseconds (thousandths of a second). This information is often\nhelpful for timing events and animations.
If a sketch has a\nsetup() function, then millis()
begins tracking\ntime before the code in setup() runs. If a\nsketch includes a preload() function, then\nmillis()
begins tracking time as soon as the code in\npreload() starts running.
\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the number of milliseconds the sketch has run.\n let ms = millis();\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textSize(10);\n textFont('Courier New');\n\n // Display how long it took setup() to be called.\n text(`Startup time: ${round(ms, 2)} ms`, 5, 50, 90);\n\n describe(\n `The text 'Startup time: ${round(ms, 2)} ms' written in black on a gray background.`\n );\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('The text \"Running time: S sec\" written in black on a gray background. The number S increases as the sketch runs.');\n}\n\nfunction draw() {\n background(200);\n\n // Get the number of seconds the sketch has run.\n let s = millis() / 1000;\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textSize(10);\n textFont('Courier New');\n\n // Display how long the sketch has run.\n text(`Running time: ${nf(s, 1, 1)} sec`, 5, 50, 90);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A white circle oscillates left and right on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Get the number of seconds the sketch has run.\n let s = millis() / 1000;\n\n // Calculate an x-coordinate.\n let x = 30 * sin(s) + 50;\n\n // Draw the circle.\n circle(x, 50, 30);\n}\n
\n\n// Load the GeoJSON.\nfunction preload() {\n loadJSON('https://earthquake.usgs.gov/earthquakes/feed/v1.0/summary/all_day.geojson');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the number of milliseconds the sketch has run.\n let ms = millis();\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(11);\n\n // Display how long it took to load the data.\n text(`It took ${round(ms, 2)} ms to load the data`, 5, 50, 100);\n\n describe(\n `The text \"It took ${round(ms, 2)} ms to load the data\" written in black on a gray background.`\n );\n}\n
\nReturns the current minute as a number from 0–59.
\n"],"line":[0,78],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"current minute between 0 and 59."],"type":[0,"Integer"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the current minute.\n let m = minute();\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textSize(12);\n textFont('Courier New');\n\n // Display the minute.\n text(`Current minute: ${m}`, 10, 50, 80);\n\n describe(`The text 'Current minute: ${m}' written in black on a gray background.`);\n}\n
\nReturns the current month as a number from 1–12.
\n"],"line":[0,242],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"current month between 1 and 12."],"type":[0,"Integer"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the current month.\n let m = month();\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textSize(12);\n textFont('Courier New');\n\n // Display the month.\n text(`Current month: ${m}`, 10, 50, 80);\n\n describe(`The text 'Current month: ${m}' written in black on a gray background.`);\n}\n
\nReturns the current second as a number from 0–59.
\n"],"line":[0,277],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"current second between 0 and 59."],"type":[0,"Integer"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the current second.\n let s = second();\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textSize(12);\n textFont('Courier New');\n\n // Display the second.\n text(`Current second: ${s}`, 10, 50, 80);\n\n describe(`The text 'Current second: ${s}' written in black on a gray background.`);\n}\n
\nReturns the current year as a number such as 1999.
\n"],"line":[0,311],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"current year."],"type":[0,"Integer"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the current year.\n let y = year();\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textSize(12);\n textFont('Courier New');\n\n // Display the year.\n text(`Current year: ${y}`, 10, 50, 80);\n\n describe(`The text 'Current year: ${y}' written in black on a gray background.`);\n}\n
\nTable objects store data with multiple rows and columns, much\nlike in a traditional spreadsheet. Tables can be generated from\nscratch, dynamically, or using data from an existing file.
\n"],"line":[0,33],"params":[1,[[0,{"name":[0,"rows"],"description":[0,"An array of p5.TableRow objects
\n"],"type":[0,"p5.TableRow[]"],"optional":[0,true]}]]],"chainable":[0,false],"methods":[0,{"addRow":[0,{"description":[0,"Use addRow() to add a new row of data to a p5.Table object. By default,\nan empty row is created. Typically, you would store a reference to\nthe new row in a TableRow object (see newRow in the example above),\nand then set individual values using set().
\nIf a p5.TableRow object is included as a parameter, then that row is\nduplicated and added to the table.
\n"],"path":[0,"p5.Table/addRow"]}],"removeRow":[0,{"description":[0,"Removes a row from the table object.
\n"],"path":[0,"p5.Table/removeRow"]}],"getRow":[0,{"description":[0,"Returns a reference to the specified p5.TableRow. The reference\ncan then be used to get and set values of the selected row.
\n"],"path":[0,"p5.Table/getRow"]}],"getRows":[0,{"description":[0,"Gets all rows from the table. Returns an array of p5.TableRows.
\n"],"path":[0,"p5.Table/getRows"]}],"findRow":[0,{"description":[0,"Finds the first row in the Table that contains the value\nprovided, and returns a reference to that row. Even if\nmultiple rows are possible matches, only the first matching\nrow is returned. The column to search may be specified by\neither its ID or title.
\n"],"path":[0,"p5.Table/findRow"]}],"findRows":[0,{"description":[0,"Finds the rows in the Table that contain the value\nprovided, and returns references to those rows. Returns an\nArray, so for must be used to iterate through all the rows,\nas shown in the example above. The column to search may be\nspecified by either its ID or title.
\n"],"path":[0,"p5.Table/findRows"]}],"matchRow":[0,{"description":[0,"Finds the first row in the Table that matches the regular\nexpression provided, and returns a reference to that row.\nEven if multiple rows are possible matches, only the first\nmatching row is returned. The column to search may be\nspecified by either its ID or title.
\n"],"path":[0,"p5.Table/matchRow"]}],"matchRows":[0,{"description":[0,"Finds the rows in the Table that match the regular expression provided,\nand returns references to those rows. Returns an array, so for must be\nused to iterate through all the rows, as shown in the example. The\ncolumn to search may be specified by either its ID or title.
\n"],"path":[0,"p5.Table/matchRows"]}],"getColumn":[0,{"description":[0,"Retrieves all values in the specified column, and returns them\nas an array. The column may be specified by either its ID or title.
\n"],"path":[0,"p5.Table/getColumn"]}],"clearRows":[0,{"description":[0,"Removes all rows from a Table. While all rows are removed,\ncolumns and column titles are maintained.
\n"],"path":[0,"p5.Table/clearRows"]}],"addColumn":[0,{"description":[0,"Use addColumn() to add a new column to a Table object.\nTypically, you will want to specify a title, so the column\nmay be easily referenced later by name. (If no title is\nspecified, the new column's title will be null.)
\n"],"path":[0,"p5.Table/addColumn"]}],"getColumnCount":[0,{"description":[0,"Returns the total number of columns in a Table.
\n"],"path":[0,"p5.Table/getColumnCount"]}],"getRowCount":[0,{"description":[0,"Returns the total number of rows in a Table.
\n"],"path":[0,"p5.Table/getRowCount"]}],"removeTokens":[0,{"description":[0,"Removes any of the specified characters (or \"tokens\").
\nIf no column is specified, then the values in all columns and\nrows are processed. A specific column may be referenced by\neither its ID or title.
\n"],"path":[0,"p5.Table/removeTokens"]}],"trim":[0,{"description":[0,"Trims leading and trailing whitespace, such as spaces and tabs,\nfrom String table values. If no column is specified, then the\nvalues in all columns and rows are trimmed. A specific column\nmay be referenced by either its ID or title.
\n"],"path":[0,"p5.Table/trim"]}],"removeColumn":[0,{"description":[0,"Use removeColumn() to remove an existing column from a Table\nobject. The column to be removed may be identified by either\nits title (a String) or its index value (an int).\nremoveColumn(0) would remove the first column, removeColumn(1)\nwould remove the second column, and so on.
\n"],"path":[0,"p5.Table/removeColumn"]}],"set":[0,{"description":[0,"Stores a value in the Table's specified row and column.\nThe row is specified by its ID, while the column may be specified\nby either its ID or title.
\n"],"path":[0,"p5.Table/set"]}],"setNum":[0,{"description":[0,"Stores a Float value in the Table's specified row and column.\nThe row is specified by its ID, while the column may be specified\nby either its ID or title.
\n"],"path":[0,"p5.Table/setNum"]}],"setString":[0,{"description":[0,"Stores a String value in the Table's specified row and column.\nThe row is specified by its ID, while the column may be specified\nby either its ID or title.
\n"],"path":[0,"p5.Table/setString"]}],"get":[0,{"description":[0,"Retrieves a value from the Table's specified row and column.\nThe row is specified by its ID, while the column may be specified by\neither its ID or title.
\n"],"path":[0,"p5.Table/get"]}],"getNum":[0,{"description":[0,"Retrieves a Float value from the Table's specified row and column.\nThe row is specified by its ID, while the column may be specified by\neither its ID or title.
\n"],"path":[0,"p5.Table/getNum"]}],"getString":[0,{"description":[0,"Retrieves a String value from the Table's specified row and column.\nThe row is specified by its ID, while the column may be specified by\neither its ID or title.
\n"],"path":[0,"p5.Table/getString"]}],"getObject":[0,{"description":[0,"Retrieves all table data and returns as an object. If a column name is\npassed in, each row object will be stored with that attribute as its\ntitle.
\n"],"path":[0,"p5.Table/getObject"]}],"getArray":[0,{"description":[0,"Retrieves all table data and returns it as a multidimensional array.
\n"],"path":[0,"p5.Table/getArray"]}]}],"properties":[0,{"columns":[0,{"description":[0,"An array containing the names of the columns in the table, if the \"header\" the table is\nloaded with the \"header\" parameter.
\n"],"path":[0,"p5.Table/columns"]}],"rows":[0,{"description":[0,"An array containing the p5.TableRow objects that make up the\nrows of the table. The same result as calling getRows()
\n"],"path":[0,"p5.Table/rows"]}]}],"isConstructor":[0,true],"path":[0,"p5/p5.Table"]}],"render":[0,null]}],"entries":[1,[[0,{"id":[0,"en/p5.Table/addColumn.mdx"],"slug":[0,"en/p5table/addcolumn"],"body":[0,"\n\n# addColumn\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"addColumn()"],"module":[0,"IO"],"submodule":[0,"Table"],"file":[0,"src/io/p5.Table.js"],"description":[0,"Use addColumn() to add a new column to a Table object.\nTypically, you will want to specify a title, so the column\nmay be easily referenced later by name. (If no title is\nspecified, the new column's title will be null.)
\n"],"line":[0,631],"params":[1,[[0,{"name":[0,"title"],"description":[0,"title of the given column
\n"],"type":[0,"String"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\"\n // in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n table.addColumn('carnivore');\n table.set(0, 'carnivore', 'no');\n table.set(1, 'carnivore', 'yes');\n table.set(2, 'carnivore', 'no');\n\n //print the results\n for (let r = 0; r < table.getRowCount(); r++)\n for (let c = 0; c < table.getColumnCount(); c++)\n print(table.getString(r, c));\n\n describe('no image displayed');\n }\n
\n Use addRow() to add a new row of data to a p5.Table object. By default,\nan empty row is created. Typically, you would store a reference to\nthe new row in a TableRow object (see newRow in the example above),\nand then set individual values using set().
\nIf a p5.TableRow object is included as a parameter, then that row is\nduplicated and added to the table.
\n"],"line":[0,90],"params":[1,[[0,{"name":[0,"row"],"description":[0,"row to be added to the table
\n"],"type":[0,"p5.TableRow"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,"the row that was added"],"type":[0,"p5.TableRow"]}],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\"\n // in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n //add a row\n let newRow = table.addRow();\n newRow.setString('id', table.getRowCount() - 1);\n newRow.setString('species', 'Canis Lupus');\n newRow.setString('name', 'Wolf');\n\n //print the results\n for (let r = 0; r < table.getRowCount(); r++)\n for (let c = 0; c < table.getColumnCount(); c++)\n print(table.getString(r, c));\n\n describe('no image displayed');\n }\n
\n Removes all rows from a Table. While all rows are removed,\ncolumns and column titles are maintained.
\n"],"line":[0,592],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\"\n // in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n table.clearRows();\n print(table.getRowCount() + ' total rows in table');\n print(table.getColumnCount() + ' total columns in table');\n describe('no image displayed');\n }\n
\n An array containing the names of the columns in the table, if the \"header\" the table is\nloaded with the \"header\" parameter.
\n"],"line":[0,43],"itemtype":[0,"property"],"class":[0,"p5.Table"],"example":[1,[[0,"\n\n// Given the CSV file \"mammals.csv\"\n// in the project's \"assets\" folder:\n//\n// id,species,name\n// 0,Capra hircus,Goat\n// 1,Panthera pardus,Leopard\n// 2,Equus zebra,Zebra\n\nlet table;\n\nfunction preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n}\n\nfunction setup() {\n //print the column names\n for (let c = 0; c < table.getColumnCount(); c++) {\n print('column ' + c + ' is named ' + table.columns[c]);\n }\n}\n
\nFinds the first row in the Table that contains the value\nprovided, and returns a reference to that row. Even if\nmultiple rows are possible matches, only the first matching\nrow is returned. The column to search may be specified by\neither its ID or title.
\n"],"line":[0,289],"params":[1,[[0,{"name":[0,"value"],"description":[0,"The value to match
\n"],"type":[0,"String"]}],[0,{"name":[0,"column"],"description":[0,"ID number or title of the\n column to search
\n"],"type":[0,"Integer|String"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,""],"type":[0,"p5.TableRow"]}],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\"\n // in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n //find the animal named zebra\n let row = table.findRow('Zebra', 'name');\n //find the corresponding species\n print(row.getString('species'));\n describe('no image displayed');\n }\n
\n Finds the rows in the Table that contain the value\nprovided, and returns references to those rows. Returns an\nArray, so for must be used to iterate through all the rows,\nas shown in the example above. The column to search may be\nspecified by either its ID or title.
\n"],"line":[0,351],"params":[1,[[0,{"name":[0,"value"],"description":[0,"The value to match
\n"],"type":[0,"String"]}],[0,{"name":[0,"column"],"description":[0,"ID number or title of the\n column to search
\n"],"type":[0,"Integer|String"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,"An Array of TableRow objects"],"type":[0,"p5.TableRow[]"]}],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\"\n // in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n //add another goat\n let newRow = table.addRow();\n newRow.setString('id', table.getRowCount() - 1);\n newRow.setString('species', 'Scape Goat');\n newRow.setString('name', 'Goat');\n\n //find the rows containing animals named Goat\n let rows = table.findRows('Goat', 'name');\n print(rows.length + ' Goats found');\n describe('no image displayed');\n }\n
\n Retrieves a value from the Table's specified row and column.\nThe row is specified by its ID, while the column may be specified by\neither its ID or title.
\n"],"line":[0,1087],"params":[1,[[0,{"name":[0,"row"],"description":[0,"row ID
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"column"],"description":[0,"columnName (string) or\n ID (number)
\n"],"type":[0,"String|Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,""],"type":[0,"String|Number"]}],"example":[1,[[0,"\n\n// Given the CSV file \"mammals.csv\"\n// in the project's \"assets\" folder:\n//\n// id,species,name\n// 0,Capra hircus,Goat\n// 1,Panthera pardus,Leopard\n// 2,Equus zebra,Zebra\n\nlet table;\n\nfunction preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n}\n\nfunction setup() {\n print(table.get(0, 1));\n //Capra hircus\n print(table.get(0, 'species'));\n //Capra hircus\n describe('no image displayed');\n}\n
\nRetrieves all table data and returns it as a multidimensional array.
\n"],"line":[0,1285],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,""],"type":[0,"Array"]}],"example":[1,[[0,"\n\n// Given the CSV file \"mammals.csv\"\n// in the project's \"assets\" folder\n//\n// id,species,name\n// 0,Capra hircus,Goat\n// 1,Panthera pardus,Leoperd\n// 2,Equus zebra,Zebra\n\nlet table;\n\nfunction preload() {\n // table is comma separated value \"CSV\"\n // and has specifiying header for column labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n}\n\nfunction setup() {\n let tableArray = table.getArray();\n for (let i = 0; i < tableArray.length; i++) {\n print(tableArray[i]);\n }\n describe('no image displayed');\n}\n
\nRetrieves all values in the specified column, and returns them\nas an array. The column may be specified by either its ID or title.
\n"],"line":[0,542],"params":[1,[[0,{"name":[0,"column"],"description":[0,"String or Number of the column to return
\n"],"type":[0,"String|Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,"Array of column values"],"type":[0,"Array"]}],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\"\n // in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n //getColumn returns an array that can be printed directly\n print(table.getColumn('species'));\n //outputs [\"Capra hircus\", \"Panthera pardus\", \"Equus zebra\"]\n describe('no image displayed');\n }\n
\n Returns the total number of columns in a Table.
\n"],"line":[0,680],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,"Number of columns in this table"],"type":[0,"Integer"]}],"example":[1,[[0,"\n\n // given the cvs file \"blobs.csv\" in /assets directory\n // ID, Name, Flavor, Shape, Color\n // Blob1, Blobby, Sweet, Blob, Pink\n // Blob2, Saddy, Savory, Blob, Blue\n\n let table;\n\n function preload() {\n table = loadTable('/assets/blobs.csv');\n }\n\n function setup() {\n createCanvas(200, 100);\n textAlign(CENTER);\n background(255);\n }\n\n function draw() {\n let numOfColumn = table.getColumnCount();\n text('There are ' + numOfColumn + ' columns in the table.', 100, 50);\n }\n
\n Retrieves a Float value from the Table's specified row and column.\nThe row is specified by its ID, while the column may be specified by\neither its ID or title.
\n"],"line":[0,1131],"params":[1,[[0,{"name":[0,"row"],"description":[0,"row ID
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"column"],"description":[0,"columnName (string) or\n ID (number)
\n"],"type":[0,"String|Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,""],"type":[0,"Number"]}],"example":[1,[[0,"\n\n// Given the CSV file \"mammals.csv\"\n// in the project's \"assets\" folder:\n//\n// id,species,name\n// 0,Capra hircus,Goat\n// 1,Panthera pardus,Leopard\n// 2,Equus zebra,Zebra\n\nlet table;\n\nfunction preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n}\n\nfunction setup() {\n print(table.getNum(1, 0) + 100);\n //id 1 + 100 = 101\n describe('no image displayed');\n}\n
\nRetrieves all table data and returns as an object. If a column name is\npassed in, each row object will be stored with that attribute as its\ntitle.
\n"],"line":[0,1223],"params":[1,[[0,{"name":[0,"headerColumn"],"description":[0,"Name of the column which should be used to\n title each row object (optional)
\n"],"type":[0,"String"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,""],"type":[0,"Object"]}],"example":[1,[[0,"\n\n// Given the CSV file \"mammals.csv\"\n// in the project's \"assets\" folder:\n//\n// id,species,name\n// 0,Capra hircus,Goat\n// 1,Panthera pardus,Leopard\n// 2,Equus zebra,Zebra\n\nlet table;\n\nfunction preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n}\n\nfunction setup() {\n let tableObject = table.getObject();\n\n print(tableObject);\n //outputs an object\n\n describe('no image displayed');\n}\n
\nReturns a reference to the specified p5.TableRow. The reference\ncan then be used to get and set values of the selected row.
\n"],"line":[0,198],"params":[1,[[0,{"name":[0,"rowID"],"description":[0,"ID number of the row to get
\n"],"type":[0,"Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,"p5.TableRow object"],"type":[0,"p5.TableRow"]}],"example":[1,[[0,"\n\n// Given the CSV file \"mammals.csv\"\n// in the project's \"assets\" folder:\n//\n// id,species,name\n// 0,Capra hircus,Goat\n// 1,Panthera pardus,Leopard\n// 2,Equus zebra,Zebra\n\nlet table;\n\nfunction preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n}\n\nfunction setup() {\n let row = table.getRow(1);\n //print it column by column\n //note: a row is an object, not an array\n for (let c = 0; c < table.getColumnCount(); c++) {\n print(row.getString(c));\n }\n\n describe('no image displayed');\n}\n
\nReturns the total number of rows in a Table.
\n"],"line":[0,716],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,"Number of rows in this table"],"type":[0,"Integer"]}],"example":[1,[[0,"\n\n // given the cvs file \"blobs.csv\" in /assets directory\n //\n // ID, Name, Flavor, Shape, Color\n // Blob1, Blobby, Sweet, Blob, Pink\n // Blob2, Saddy, Savory, Blob, Blue\n\n let table;\n\n function preload() {\n table = loadTable('/assets/blobs.csv');\n }\n\n function setup() {\n createCanvas(200, 100);\n textAlign(CENTER);\n background(255);\n }\n\n function draw() {\n text('There are ' + table.getRowCount() + ' rows in the table.', 100, 50);\n }\n
\n Gets all rows from the table. Returns an array of p5.TableRows.
\n"],"line":[0,242],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,"Array of p5.TableRows"],"type":[0,"p5.TableRow[]"]}],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\"\n // in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n let rows = table.getRows();\n\n //warning: rows is an array of objects\n for (let r = 0; r < rows.length; r++) {\n rows[r].set('name', 'Unicorn');\n }\n\n //print the results\n for (let r = 0; r < table.getRowCount(); r++)\n for (let c = 0; c < table.getColumnCount(); c++)\n print(table.getString(r, c));\n\n describe('no image displayed');\n }\n
\n Retrieves a String value from the Table's specified row and column.\nThe row is specified by its ID, while the column may be specified by\neither its ID or title.
\n"],"line":[0,1173],"params":[1,[[0,{"name":[0,"row"],"description":[0,"row ID
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"column"],"description":[0,"columnName (string) or\n ID (number)
\n"],"type":[0,"String|Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,""],"type":[0,"String"]}],"example":[1,[[0,"\n\n// Given the CSV file \"mammals.csv\"\n// in the project's \"assets\" folder:\n//\n// id,species,name\n// 0,Capra hircus,Goat\n// 1,Panthera pardus,Leopard\n// 2,Equus zebra,Zebra\n\nlet table;\n\nfunction preload() {\n // table is comma separated value \"CSV\"\n // and has specifiying header for column labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n}\n\nfunction setup() {\n print(table.getString(0, 0)); // 0\n print(table.getString(0, 1)); // Capra hircus\n print(table.getString(0, 2)); // Goat\n print(table.getString(1, 0)); // 1\n print(table.getString(1, 1)); // Panthera pardus\n print(table.getString(1, 2)); // Leopard\n print(table.getString(2, 0)); // 2\n print(table.getString(2, 1)); // Equus zebra\n print(table.getString(2, 2)); // Zebra\n describe('no image displayed');\n}\n
\nFinds the first row in the Table that matches the regular\nexpression provided, and returns a reference to that row.\nEven if multiple rows are possible matches, only the first\nmatching row is returned. The column to search may be\nspecified by either its ID or title.
\n"],"line":[0,417],"params":[1,[[0,{"name":[0,"regexp"],"description":[0,"The regular expression to match
\n"],"type":[0,"String|RegExp"]}],[0,{"name":[0,"column"],"description":[0,"The column ID (number) or\n title (string)
\n"],"type":[0,"String|Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,"TableRow object"],"type":[0,"p5.TableRow"]}],"example":[1,[[0,"\n\n// Given the CSV file \"mammals.csv\"\n// in the project's \"assets\" folder:\n//\n// id,species,name\n// 0,Capra hircus,Goat\n// 1,Panthera pardus,Leopard\n// 2,Equus zebra,Zebra\n\nlet table;\n\nfunction preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n}\n\nfunction setup() {\n //Search using specified regex on a given column, return TableRow object\n let mammal = table.matchRow(new RegExp('ant'), 1);\n print(mammal.getString(1));\n //Output \"Panthera pardus\"\n}\n
\nFinds the rows in the Table that match the regular expression provided,\nand returns references to those rows. Returns an array, so for must be\nused to iterate through all the rows, as shown in the example. The\ncolumn to search may be specified by either its ID or title.
\n"],"line":[0,475],"params":[1,[[0,{"name":[0,"regexp"],"description":[0,"The regular expression to match
\n"],"type":[0,"String"]}],[0,{"name":[0,"column"],"description":[0,"The column ID (number) or\n title (string)
\n"],"type":[0,"String|Integer"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"return":[0,{"description":[0,"An Array of TableRow objects"],"type":[0,"p5.TableRow[]"]}],"example":[1,[[0,"\n\nlet table;\n\nfunction setup() {\n table = new p5.Table();\n\n table.addColumn('name');\n table.addColumn('type');\n\n let newRow = table.addRow();\n newRow.setString('name', 'Lion');\n newRow.setString('type', 'Mammal');\n\n newRow = table.addRow();\n newRow.setString('name', 'Snake');\n newRow.setString('type', 'Reptile');\n\n newRow = table.addRow();\n newRow.setString('name', 'Mosquito');\n newRow.setString('type', 'Insect');\n\n newRow = table.addRow();\n newRow.setString('name', 'Lizard');\n newRow.setString('type', 'Reptile');\n\n let rows = table.matchRows('R.*', 'type');\n for (let i = 0; i < rows.length; i++) {\n print(rows[i].getString('name') + ': ' + rows[i].getString('type'));\n }\n}\n// Sketch prints:\n// Snake: Reptile\n// Lizard: Reptile\n
\nUse removeColumn() to remove an existing column from a Table\nobject. The column to be removed may be identified by either\nits title (a String) or its index value (an int).\nremoveColumn(0) would remove the first column, removeColumn(1)\nwould remove the second column, and so on.
\n"],"line":[0,888],"params":[1,[[0,{"name":[0,"column"],"description":[0,"columnName (string) or ID (number)
\n"],"type":[0,"String|Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\"\n // in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n table.removeColumn('id');\n print(table.getColumnCount());\n describe('no image displayed');\n }\n
\n Removes a row from the table object.
\n"],"line":[0,152],"params":[1,[[0,{"name":[0,"id"],"description":[0,"ID number of the row to remove
\n"],"type":[0,"Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"example":[1,[[0,"\n\n// Given the CSV file \"mammals.csv\"\n// in the project's \"assets\" folder:\n//\n// id,species,name\n// 0,Capra hircus,Goat\n// 1,Panthera pardus,Leopard\n// 2,Equus zebra,Zebra\n\nlet table;\n\nfunction preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n}\n\nfunction setup() {\n //remove the first row\n table.removeRow(0);\n\n //print the results\n for (let r = 0; r < table.getRowCount(); r++)\n for (let c = 0; c < table.getColumnCount(); c++)\n print(table.getString(r, c));\n\n describe('no image displayed');\n}\n
\nRemoves any of the specified characters (or \"tokens\").
\nIf no column is specified, then the values in all columns and\nrows are processed. A specific column may be referenced by\neither its ID or title.
\n"],"line":[0,752],"params":[1,[[0,{"name":[0,"chars"],"description":[0,"String listing characters to be removed
\n"],"type":[0,"String"]}],[0,{"name":[0,"column"],"description":[0,"Column ID (number)\n or name (string)
\n"],"type":[0,"String|Integer"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"example":[1,[[0,"\n\n function setup() {\n let table = new p5.Table();\n\n table.addColumn('name');\n table.addColumn('type');\n\n let newRow = table.addRow();\n newRow.setString('name', ' $Lion ,');\n newRow.setString('type', ',,,Mammal');\n\n newRow = table.addRow();\n newRow.setString('name', '$Snake ');\n newRow.setString('type', ',,,Reptile');\n\n table.removeTokens(',$ ');\n print(table.getArray());\n }\n\n // prints:\n // 0 \"Lion\" \"Mamal\"\n // 1 \"Snake\" \"Reptile\"\n
An array containing the p5.TableRow objects that make up the\nrows of the table. The same result as calling getRows()
\n"],"line":[0,80],"itemtype":[0,"property"],"class":[0,"p5.Table"],"isConstructor":[0,false],"path":[0,"p5.Table/rows"]}],"render":[0,null]}],[0,{"id":[0,"en/p5.Table/set.mdx"],"slug":[0,"en/p5table/set"],"body":[0,"\n\n# set\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"set()"],"module":[0,"IO"],"submodule":[0,"Table"],"file":[0,"src/io/p5.Table.js"],"description":[0,"Stores a value in the Table's specified row and column.\nThe row is specified by its ID, while the column may be specified\nby either its ID or title.
\n"],"line":[0,950],"params":[1,[[0,{"name":[0,"row"],"description":[0,"row ID
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"column"],"description":[0,"column ID (Number)\n or title (String)
\n"],"type":[0,"String|Integer"]}],[0,{"name":[0,"value"],"description":[0,"value to assign
\n"],"type":[0,"String|Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"example":[1,[[0,"\n\n// Given the CSV file \"mammals.csv\"\n// in the project's \"assets\" folder:\n//\n// id,species,name\n// 0,Capra hircus,Goat\n// 1,Panthera pardus,Leopard\n// 2,Equus zebra,Zebra\n\nlet table;\n\nfunction preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n}\n\nfunction setup() {\n table.set(0, 'species', 'Canis Lupus');\n table.set(0, 'name', 'Wolf');\n\n //print the results\n for (let r = 0; r < table.getRowCount(); r++)\n for (let c = 0; c < table.getColumnCount(); c++)\n print(table.getString(r, c));\n\n describe('no image displayed');\n}\n
\nStores a Float value in the Table's specified row and column.\nThe row is specified by its ID, while the column may be specified\nby either its ID or title.
\n"],"line":[0,998],"params":[1,[[0,{"name":[0,"row"],"description":[0,"row ID
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"column"],"description":[0,"column ID (Number)\n or title (String)
\n"],"type":[0,"String|Integer"]}],[0,{"name":[0,"value"],"description":[0,"value to assign
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"example":[1,[[0,"\n\n// Given the CSV file \"mammals.csv\"\n// in the project's \"assets\" folder:\n//\n// id,species,name\n// 0,Capra hircus,Goat\n// 1,Panthera pardus,Leopard\n// 2,Equus zebra,Zebra\n\nlet table;\n\nfunction preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n}\n\nfunction setup() {\n table.setNum(1, 'id', 1);\n\n print(table.getColumn(0));\n //[\"0\", 1, \"2\"]\n\n describe('no image displayed');\n}\n
\nStores a String value in the Table's specified row and column.\nThe row is specified by its ID, while the column may be specified\nby either its ID or title.
\n"],"line":[0,1043],"params":[1,[[0,{"name":[0,"row"],"description":[0,"row ID
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"column"],"description":[0,"column ID (Number)\n or title (String)
\n"],"type":[0,"String|Integer"]}],[0,{"name":[0,"value"],"description":[0,"value to assign
\n"],"type":[0,"String"]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"example":[1,[[0,"\n\n// Given the CSV file \"mammals.csv\" in the project's \"assets\" folder:\n//\n// id,species,name\n// 0,Capra hircus,Goat\n// 1,Panthera pardus,Leopard\n// 2,Equus zebra,Zebra\n\nlet table;\n\nfunction preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n}\n\nfunction setup() {\n //add a row\n let newRow = table.addRow();\n newRow.setString('id', table.getRowCount() - 1);\n newRow.setString('species', 'Canis Lupus');\n newRow.setString('name', 'Wolf');\n\n print(table.getArray());\n\n describe('no image displayed');\n}\n
Trims leading and trailing whitespace, such as spaces and tabs,\nfrom String table values. If no column is specified, then the\nvalues in all columns and rows are trimmed. A specific column\nmay be referenced by either its ID or title.
\n"],"line":[0,824],"params":[1,[[0,{"name":[0,"column"],"description":[0,"Column ID (number)\n or name (string)
\n"],"type":[0,"String|Integer"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.Table"],"chainable":[0,false],"example":[1,[[0,"\n\n function setup() {\n let table = new p5.Table();\n\n table.addColumn('name');\n table.addColumn('type');\n\n let newRow = table.addRow();\n newRow.setString('name', ' Lion ,');\n newRow.setString('type', ' Mammal ');\n\n newRow = table.addRow();\n newRow.setString('name', ' Snake ');\n newRow.setString('type', ' Reptile ');\n\n table.trim();\n print(table.getArray());\n }\n\n // prints:\n // 0 \"Lion\" \"Mamal\"\n // 1 \"Snake\" \"Reptile\"\n
A TableRow object represents a single row of data values,\nstored in columns, from a table.
\nA Table Row contains both an ordered array, and an unordered\nJSON object.
\n"],"line":[0,9],"params":[1,[[0,{"name":[0,"str"],"description":[0,"optional: populate the row with a\n string of values, separated by the\n separator
\n"],"type":[0,"String"],"optional":[0,true]}],[0,{"name":[0,"separator"],"description":[0,"comma separated values (csv) by default
\n"],"type":[0,"String"],"optional":[0,true]}]]],"chainable":[0,false],"methods":[0,{"set":[0,{"description":[0,"Stores a value in the TableRow's specified column.\nThe column may be specified by either its ID or title.
\n"],"path":[0,"p5.TableRow/set"]}],"setNum":[0,{"description":[0,"Stores a Float value in the TableRow's specified column.\nThe column may be specified by either its ID or title.
\n"],"path":[0,"p5.TableRow/setNum"]}],"setString":[0,{"description":[0,"Stores a String value in the TableRow's specified column.\nThe column may be specified by either its ID or title.
\n"],"path":[0,"p5.TableRow/setString"]}],"get":[0,{"description":[0,"Retrieves a value from the TableRow's specified column.\nThe column may be specified by either its ID or title.
\n"],"path":[0,"p5.TableRow/get"]}],"getNum":[0,{"description":[0,"Retrieves a Float value from the TableRow's specified\ncolumn. The column may be specified by either its ID or\ntitle.
\n"],"path":[0,"p5.TableRow/getNum"]}],"getString":[0,{"description":[0,"Retrieves an String value from the TableRow's specified\ncolumn. The column may be specified by either its ID or\ntitle.
\n"],"path":[0,"p5.TableRow/getString"]}]}],"isConstructor":[0,true],"path":[0,"p5/p5.TableRow"]}],"render":[0,null]}],"entries":[1,[[0,{"id":[0,"en/p5.TableRow/get.mdx"],"slug":[0,"en/p5tablerow/get"],"body":[0,"\n\n# get\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"get()"],"module":[0,"IO"],"submodule":[0,"Table"],"file":[0,"src/io/p5.TableRow.js"],"description":[0,"Retrieves a value from the TableRow's specified column.\nThe column may be specified by either its ID or title.
\n"],"line":[0,184],"params":[1,[[0,{"name":[0,"column"],"description":[0,"columnName (string) or\n ID (number)
\n"],"type":[0,"String|Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5.TableRow"],"chainable":[0,false],"return":[0,{"description":[0,""],"type":[0,"String|Number"]}],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\" in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n let names = [];\n let rows = table.getRows();\n for (let r = 0; r < rows.length; r++) {\n names.push(rows[r].get('name'));\n }\n\n print(names);\n\n describe('no image displayed');\n }\n
Retrieves a Float value from the TableRow's specified\ncolumn. The column may be specified by either its ID or\ntitle.
\n"],"line":[0,231],"params":[1,[[0,{"name":[0,"column"],"description":[0,"columnName (string) or\n ID (number)
\n"],"type":[0,"String|Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5.TableRow"],"chainable":[0,false],"return":[0,{"description":[0,"Float Floating point number"],"type":[0,"Number"]}],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\" in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n let rows = table.getRows();\n let minId = Infinity;\n let maxId = -Infinity;\n for (let r = 0; r < rows.length; r++) {\n let id = rows[r].getNum('id');\n minId = min(minId, id);\n maxId = min(maxId, id);\n }\n print('minimum id = ' + minId + ', maximum id = ' + maxId);\n describe('no image displayed');\n }\n
Retrieves an String value from the TableRow's specified\ncolumn. The column may be specified by either its ID or\ntitle.
\n"],"line":[0,285],"params":[1,[[0,{"name":[0,"column"],"description":[0,"columnName (string) or\n ID (number)
\n"],"type":[0,"String|Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5.TableRow"],"chainable":[0,false],"return":[0,{"description":[0,"String"],"type":[0,"String"]}],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\" in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n let rows = table.getRows();\n let longest = '';\n for (let r = 0; r < rows.length; r++) {\n let species = rows[r].getString('species');\n if (longest.length < species.length) {\n longest = species;\n }\n }\n\n print('longest: ' + longest);\n\n describe('no image displayed');\n }\n
Stores a value in the TableRow's specified column.\nThe column may be specified by either its ID or title.
\n"],"line":[0,36],"params":[1,[[0,{"name":[0,"column"],"description":[0,"Column ID (Number)\n or Title (String)
\n"],"type":[0,"String|Integer"]}],[0,{"name":[0,"value"],"description":[0,"The value to be stored
\n"],"type":[0,"String|Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5.TableRow"],"chainable":[0,false],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\" in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n let rows = table.getRows();\n for (let r = 0; r < rows.length; r++) {\n rows[r].set('name', 'Unicorn');\n }\n\n //print the results\n print(table.getArray());\n\n describe('no image displayed');\n }\n
Stores a Float value in the TableRow's specified column.\nThe column may be specified by either its ID or title.
\n"],"line":[0,97],"params":[1,[[0,{"name":[0,"column"],"description":[0,"Column ID (Number)\n or Title (String)
\n"],"type":[0,"String|Integer"]}],[0,{"name":[0,"value"],"description":[0,"The value to be stored\n as a Float
\n"],"type":[0,"Number|String"]}]]],"itemtype":[0,"method"],"class":[0,"p5.TableRow"],"chainable":[0,false],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\" in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n let rows = table.getRows();\n for (let r = 0; r < rows.length; r++) {\n rows[r].setNum('id', r + 10);\n }\n\n print(table.getArray());\n\n describe('no image displayed');\n }\n
Stores a String value in the TableRow's specified column.\nThe column may be specified by either its ID or title.
\n"],"line":[0,140],"params":[1,[[0,{"name":[0,"column"],"description":[0,"Column ID (Number)\n or Title (String)
\n"],"type":[0,"String|Integer"]}],[0,{"name":[0,"value"],"description":[0,"The value to be stored\n as a String
\n"],"type":[0,"String|Number|Boolean|Object"]}]]],"itemtype":[0,"method"],"class":[0,"p5.TableRow"],"chainable":[0,false],"example":[1,[[0,"\n\n // Given the CSV file \"mammals.csv\" in the project's \"assets\" folder:\n //\n // id,species,name\n // 0,Capra hircus,Goat\n // 1,Panthera pardus,Leopard\n // 2,Equus zebra,Zebra\n\n let table;\n\n function preload() {\n //my table is comma separated value \"csv\"\n //and has a header specifying the columns labels\n table = loadTable('/assets/mammals.csv', 'csv', 'header');\n }\n\n function setup() {\n let rows = table.getRows();\n for (let r = 0; r < rows.length; r++) {\n let name = rows[r].getString('name');\n rows[r].setString('name', 'A ' + name + ' named George');\n }\n\n print(table.getArray());\n\n describe('no image displayed');\n }\n
A class to describe an XML object.
\nEach p5.XML
object provides an easy way to interact with XML data.\nExtensible Markup Language\n(XML)\nis a standard format for sending data between applications. Like HTML, the\nXML format is based on tags and attributes, as in\n.
Note: Use loadXML() to load external XML files.
\n"],"line":[0,9],"chainable":[0,false],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get an array with all mammal tags.\n let mammals = myXML.getChildren('mammal');\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Iterate over the mammals array.\n for (let i = 0; i < mammals.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 25;\n\n // Get the mammal's common name.\n let name = mammals[i].getContent();\n\n // Display the mammal's name.\n text(name, 20, y);\n }\n\n describe(\n 'The words \"Goat\", \"Leopard\", and \"Zebra\" written on three separate lines. The text is black on a gray background.'\n );\n}\n
\nReturns the element's parent element as a new p5.XML\nobject.
\n"],"path":[0,"p5.XML/getParent"]}],"getName":[0,{"description":[0,"Returns the element's name as a String
.
An XML element's name is given by its tag. For example, the element\n
has the name language
.
Sets the element's tag name.
\nAn XML element's name is given by its tag. For example, the element\n
has the name language
.
The parameter, name
, is the element's new name as a string. For example,\ncalling myXML.setName('planet')
will make the element's new tag name\n
.
Returns true
if the element has child elements and false
if not.
Returns an array with the names of the element's child elements as\nString
s.
Returns an array with the element's child elements as new\np5.XML objects.
\nThe parameter, name
, is optional. If a string is passed, as in\nmyXML.getChildren('cat')
, then the method will only return child elements\nwith the tag
.
Returns the first matching child element as a new\np5.XML object.
\nThe parameter, name
, is optional. If a string is passed, as in\nmyXML.getChild('cat')
, then the first child element with the tag\n
will be returned. If a number is passed, as in\nmyXML.getChild(1)
, then the child element at that index will be returned.
Adds a new child element and returns a reference to it.
\nThe parameter, child
, is the p5.XML object to add\nas a child element. For example, calling myXML.addChild(otherXML)
inserts\notherXML
as a child element of myXML
.
Removes the first matching child element.
\nThe parameter, name
, is the child element to remove. If a string is\npassed, as in myXML.removeChild('cat')
, then the first child element\nwith the tag
will be removed. If a number is passed, as in\nmyXML.removeChild(1)
, then the child element at that index will be\nremoved.
Returns the number of attributes the element has.
\n"],"path":[0,"p5.XML/getAttributeCount"]}],"listAttributes":[0,{"description":[0,"Returns an Array
with the names of the element's attributes.
Note: Use\nmyXML.getString() or\nmyXML.getNum() to return an attribute's value.
\n"],"path":[0,"p5.XML/listAttributes"]}],"hasAttribute":[0,{"description":[0,"Returns true
if the element has a given attribute and false
if not.
The parameter, name
, is a string with the name of the attribute being\nchecked.
Note: Use\nmyXML.getString() or\nmyXML.getNum() to return an attribute's value.
\n"],"path":[0,"p5.XML/hasAttribute"]}],"getNum":[0,{"description":[0,"Return an attribute's value as a Number
.
The first parameter, name
, is a string with the name of the attribute\nbeing checked. For example, calling myXML.getNum('id')
returns the\nelement's id
attribute as a number.
The second parameter, defaultValue
, is optional. If a number is passed,\nas in myXML.getNum('id', -1)
, it will be returned if the attribute\ndoesn't exist or can't be converted to a number.
Note: Use\nmyXML.getString() or\nmyXML.getNum() to return an attribute's value.
\n"],"path":[0,"p5.XML/getNum"]}],"getString":[0,{"description":[0,"Return an attribute's value as a string.
\nThe first parameter, name
, is a string with the name of the attribute\nbeing checked. For example, calling myXML.getString('color')
returns the\nelement's id
attribute as a string.
The second parameter, defaultValue
, is optional. If a string is passed,\nas in myXML.getString('color', 'deeppink')
, it will be returned if the\nattribute doesn't exist.
Note: Use\nmyXML.getString() or\nmyXML.getNum() to return an attribute's value.
\n"],"path":[0,"p5.XML/getString"]}],"setAttribute":[0,{"description":[0,"Sets an attribute to a given value.
\nThe first parameter, name
, is a string with the name of the attribute\nbeing set.
The second parameter, value
, is the attribute's new value. For example,\ncalling myXML.setAttribute('id', 123)
sets the id
attribute to the\nvalue 123.
Returns the element's content as a String
.
The parameter, defaultValue
, is optional. If a string is passed, as in\nmyXML.getContent('???')
, it will be returned if the element has no\ncontent.
Sets the element's content.
\nAn element's content is the text between its tags. For example, the element\n
has the content JavaScript
.
The parameter, content
, is a string with the element's new content.
Returns the element as a String
.
myXML.serialize()
is useful for sending the element over the network or\nsaving it to a file.
Adds a new child element and returns a reference to it.
\nThe parameter, child
, is the p5.XML object to add\nas a child element. For example, calling myXML.addChild(otherXML)
inserts\notherXML
as a child element of myXML
.
child element to add.
\n"],"type":[0,"p5.XML"]}]]],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"return":[0,{"description":[0,"added child element."],"type":[0,"p5.XML"]}],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a new p5.XML object.\n let newAnimal = new p5.XML();\n\n // Set its properties.\n newAnimal.setName('hydrozoa');\n newAnimal.setAttribute('id', 4);\n newAnimal.setAttribute('species', 'Physalia physalis');\n newAnimal.setContent('Bluebottle');\n\n // Add the child element.\n myXML.addChild(newAnimal);\n\n // Get the first child element that is a hydrozoa.\n let blueBottle = myXML.getChild('hydrozoa');\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Get the child element's content.\n let content = blueBottle.getContent();\n\n // Display the child element's content.\n text(content, 50, 50);\n\n describe('The word \"Bluebottle\" written in black on a gray background.');\n}\n
\nReturns the number of attributes the element has.
\n"],"line":[0,723],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"return":[0,{"description":[0,"number of attributes."],"type":[0,"Integer"]}],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the first child element.\n let first = myXML.getChild(0);\n\n // Get the number of attributes.\n let numAttributes = first.getAttributeCount();\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Display the number of attributes.\n text(numAttributes, 50, 50);\n\n describe('The number \"2\" written in black on a gray background.');\n}\n
\nReturns the first matching child element as a new\np5.XML object.
\nThe parameter, name
, is optional. If a string is passed, as in\nmyXML.getChild('cat')
, then the first child element with the tag\n
will be returned. If a number is passed, as in\nmyXML.getChild(1)
, then the child element at that index will be returned.
element name or index.
\n"],"type":[0,"String|Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"return":[0,{"description":[0,"child element."],"type":[0,"p5.XML"]}],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the first child element that is a mammal.\n let goat = myXML.getChild('mammal');\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Get the child element's content.\n let content = goat.getContent();\n\n // Display the child element's content.\n text(content, 50, 50);\n\n describe('The word \"Goat\" written in black on a gray background.');\n}\n
\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the child element at index 1.\n let leopard = myXML.getChild(1);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Get the child element's content.\n let content = leopard.getContent();\n\n // Display the child element's content.\n text(content, 50, 50);\n\n describe('The word \"Leopard\" written in black on a gray background.');\n}\n
\nReturns an array with the element's child elements as new\np5.XML objects.
\nThe parameter, name
, is optional. If a string is passed, as in\nmyXML.getChildren('cat')
, then the method will only return child elements\nwith the tag
.
name of the elements to return.
\n"],"type":[0,"String"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"return":[0,{"description":[0,"child elements."],"type":[0,"p5.XML[]"]}],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get an array of the child elements.\n let children = myXML.getChildren();\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Iterate over the array.\n for (let i = 0; i < children.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 20;\n\n // Get the child element's content.\n let content = children[i].getContent();\n\n // Display the child element's content.\n text(content, 10, y);\n }\n\n describe(\n 'The words \"Goat\", \"Leopard\", \"Zebra\", and \"Turtle\" written on separate lines. The text is black on a gray background.'\n );\n}\n
\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get an array of the child elements\n // that are mammals.\n let children = myXML.getChildren('mammal');\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Iterate over the array.\n for (let i = 0; i < children.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 20;\n\n // Get the child element's content.\n let content = children[i].getContent();\n\n // Display the child element's content.\n text(content, 10, y);\n }\n\n describe(\n 'The words \"Goat\", \"Leopard\", and \"Zebra\" written on separate lines. The text is black on a gray background.'\n );\n}\n
\nReturns the element's content as a String
.
The parameter, defaultValue
, is optional. If a string is passed, as in\nmyXML.getContent('???')
, it will be returned if the element has no\ncontent.
value to return if the element has no\n content.
\n"],"type":[0,"String"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"return":[0,{"description":[0,"element's content as a string."],"type":[0,"String"]}],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the first reptile child element.\n let reptile = myXML.getChild('reptile');\n\n // Get the reptile's content.\n let content = reptile.getContent();\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Display the element's content.\n text(content, 5, 50, 90);\n\n describe(`The text \"${content}\" written in green on a gray background.`);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a p5.XML object.\n let blankSpace = new p5.XML();\n\n // Get the element's content and use a default value.\n let content = blankSpace.getContent('Your name');\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Display the element's content.\n text(content, 5, 50, 90);\n\n describe(`The text \"${content}\" written in green on a gray background.`);\n}\n
\nReturns the element's name as a String
.
An XML element's name is given by its tag. For example, the element\n
has the name language
.
\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get an array with all mammal elements.\n let mammals = myXML.getChildren('mammal');\n\n // Get the first mammal element.\n let firstMammal = mammals[0];\n\n // Get the mammal element's name.\n let name = firstMammal.getName();\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Display the element's name.\n text(name, 50, 50);\n\n describe('The word \"mammal\" written in black on a gray background.');\n}\n
\nReturn an attribute's value as a Number
.
The first parameter, name
, is a string with the name of the attribute\nbeing checked. For example, calling myXML.getNum('id')
returns the\nelement's id
attribute as a number.
The second parameter, defaultValue
, is optional. If a number is passed,\nas in myXML.getNum('id', -1)
, it will be returned if the attribute\ndoesn't exist or can't be converted to a number.
Note: Use\nmyXML.getString() or\nmyXML.getNum() to return an attribute's value.
\n"],"line":[0,884],"params":[1,[[0,{"name":[0,"name"],"description":[0,"name of the attribute to be checked.
\n"],"type":[0,"String"]}],[0,{"name":[0,"defaultValue"],"description":[0,"value to return if the attribute doesn't exist.
\n"],"type":[0,"Number"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"return":[0,{"description":[0,"attribute value as a number."],"type":[0,"Number"]}],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the first reptile child element.\n let reptile = myXML.getChild('reptile');\n\n // Get the reptile's content.\n let content = reptile.getContent();\n\n // Get the reptile's ID.\n let id = reptile.getNum('id');\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Display the ID attribute.\n text(`${content} is ${id + 1}th`, 5, 50, 90);\n\n describe(`The text \"${content} is ${id + 1}th\" written in black on a gray background.`);\n}\n
\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the first reptile child element.\n let reptile = myXML.getChild('reptile');\n\n // Get the reptile's content.\n let content = reptile.getContent();\n\n // Get the reptile's size.\n let weight = reptile.getNum('weight', 135);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Display the ID attribute.\n text(`${content} is ${weight}kg`, 5, 50, 90);\n\n describe(\n `The text \"${content} is ${weight}kg\" written in black on a gray background.`\n );\n}\n
\nReturns the element's parent element as a new p5.XML\nobject.
\n"],"line":[0,77],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"return":[0,{"description":[0,"parent element."],"type":[0,"p5.XML"]}],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get an array with all mammal elements.\n let mammals = myXML.getChildren('mammal');\n\n // Get the first mammal element.\n let firstMammal = mammals[0];\n\n // Get the parent element.\n let parent = firstMammal.getParent();\n\n // Get the parent element's name.\n let name = parent.getName();\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Display the parent element's name.\n text(name, 50, 50);\n\n describe('The word \"animals\" written in black on a gray background.');\n}\n
\nReturn an attribute's value as a string.
\nThe first parameter, name
, is a string with the name of the attribute\nbeing checked. For example, calling myXML.getString('color')
returns the\nelement's id
attribute as a string.
The second parameter, defaultValue
, is optional. If a string is passed,\nas in myXML.getString('color', 'deeppink')
, it will be returned if the\nattribute doesn't exist.
Note: Use\nmyXML.getString() or\nmyXML.getNum() to return an attribute's value.
\n"],"line":[0,989],"params":[1,[[0,{"name":[0,"name"],"description":[0,"name of the attribute to be checked.
\n"],"type":[0,"String"]}],[0,{"name":[0,"defaultValue"],"description":[0,"value to return if the attribute doesn't exist.
\n"],"type":[0,"Number"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"return":[0,{"description":[0,"attribute value as a string."],"type":[0,"String"]}],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the first reptile child element.\n let reptile = myXML.getChild('reptile');\n\n // Get the reptile's content.\n let content = reptile.getContent();\n\n // Get the reptile's species.\n let species = reptile.getString('species');\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Display the species attribute.\n text(`${content}: ${species}`, 5, 50, 90);\n\n describe(`The text \"${content}: ${species}\" written in black on a gray background.`);\n}\n
\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the first reptile child element.\n let reptile = myXML.getChild('reptile');\n\n // Get the reptile's content.\n let content = reptile.getContent();\n\n // Get the reptile's color.\n let attribute = reptile.getString('color', 'green');\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n fill(attribute);\n\n // Display the element's content.\n text(content, 50, 50);\n\n describe(`The text \"${content}\" written in green on a gray background.`);\n}\n
\nReturns true
if the element has a given attribute and false
if not.
The parameter, name
, is a string with the name of the attribute being\nchecked.
Note: Use\nmyXML.getString() or\nmyXML.getNum() to return an attribute's value.
\n"],"line":[0,821],"params":[1,[[0,{"name":[0,"name"],"description":[0,"name of the attribute to be checked.
\n"],"type":[0,"String"]}]]],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"return":[0,{"description":[0,"whether the element has the attribute."],"type":[0,"Boolean"]}],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the first mammal child element.\n let mammal = myXML.getChild('mammal');\n\n // Check whether the element has an\n // species attribute.\n let hasSpecies = mammal.hasAttribute('species');\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Display whether the element has a species attribute.\n if (hasSpecies === true) {\n text('Species', 50, 50);\n } else {\n text('No species', 50, 50);\n }\n\n describe('The text \"Species\" written in black on a gray background.');\n}\n
\nReturns true
if the element has child elements and false
if not.
\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Check whether the element has child elements.\n let isParent = myXML.hasChildren();\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Style the text.\n if (isParent === true) {\n text('Parent', 50, 50);\n } else {\n text('Not Parent', 50, 50);\n }\n\n describe('The word \"Parent\" written in black on a gray background.');\n}\n
\nReturns an Array
with the names of the element's attributes.
Note: Use\nmyXML.getString() or\nmyXML.getNum() to return an attribute's value.
\n"],"line":[0,767],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"return":[0,{"description":[0,"attribute names."],"type":[0,"String[]"]}],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the first child element.\n let first = myXML.getChild(0);\n\n // Get the number of attributes.\n let attributes = first.listAttributes();\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Display the element's attributes.\n text(attributes, 50, 50);\n\n describe('The text \"id,species\" written in black on a gray background.');\n}\n
\nReturns an array with the names of the element's child elements as\nString
s.
\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the names of the element's children as an array.\n let children = myXML.listChildren();\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Iterate over the array.\n for (let i = 0; i < children.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 25;\n\n // Display the child element's name.\n text(children[i], 10, y);\n }\n\n describe(\n 'The words \"mammal\", \"mammal\", \"mammal\", and \"reptile\" written on separate lines. The text is black on a gray background.'\n );\n}\n
\nRemoves the first matching child element.
\nThe parameter, name
, is the child element to remove. If a string is\npassed, as in myXML.removeChild('cat')
, then the first child element\nwith the tag
will be removed. If a number is passed, as in\nmyXML.removeChild(1)
, then the child element at that index will be\nremoved.
name or index of the child element to remove.
\n"],"type":[0,"String|Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Remove the first mammal element.\n myXML.removeChild('mammal');\n\n // Get an array of child elements.\n let children = myXML.getChildren();\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Iterate over the array.\n for (let i = 0; i < children.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 25;\n\n // Get the child element's content.\n let content = children[i].getContent();\n\n // Display the child element's content.\n text(content, 10, y);\n }\n\n describe(\n 'The words \"Leopard\", \"Zebra\", and \"Turtle\" written on separate lines. The text is black on a gray background.'\n );\n}\n
\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Remove the element at index 2.\n myXML.removeChild(2);\n\n // Get an array of child elements.\n let children = myXML.getChildren();\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Iterate over the array.\n for (let i = 0; i < children.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 25;\n\n // Get the child element's content.\n let content = children[i].getContent();\n\n // Display the child element's content.\n text(content, 10, y);\n }\n\n describe(\n 'The words \"Goat\", \"Leopard\", and \"Turtle\" written on separate lines. The text is black on a gray background.'\n );\n}\n
\nReturns the element as a String
.
myXML.serialize()
is useful for sending the element over the network or\nsaving it to a file.
\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Display instructions.\n text('Double-click to save', 5, 50, 90);\n\n describe('The text \"Double-click to save\" written in black on a gray background.');\n}\n\n// Save the file when the user double-clicks.\nfunction doubleClicked() {\n // Create a p5.PrintWriter object.\n // Use the file format .xml.\n let myWriter = createWriter('animals', 'xml');\n\n // Serialize the XML data to a string.\n let data = myXML.serialize();\n\n // Write the data to the print stream.\n myWriter.write(data);\n\n // Save the file and close the print stream.\n myWriter.close();\n}\n
\nSets an attribute to a given value.
\nThe first parameter, name
, is a string with the name of the attribute\nbeing set.
The second parameter, value
, is the attribute's new value. For example,\ncalling myXML.setAttribute('id', 123)
sets the id
attribute to the\nvalue 123.
name of the attribute to be set.
\n"],"type":[0,"String"]}],[0,{"name":[0,"value"],"description":[0,"attribute's new value.
\n"],"type":[0,"Number|String|Boolean"]}]]],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the first reptile child element.\n let reptile = myXML.getChild('reptile');\n\n // Set the reptile's color.\n reptile.setAttribute('color', 'green');\n\n // Get the reptile's content.\n let content = reptile.getContent();\n\n // Get the reptile's color.\n let attribute = reptile.getString('color');\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Display the element's content.\n text(`${content} is ${attribute}`, 5, 50, 90);\n\n describe(\n `The text \"${content} is ${attribute}\" written in green on a gray background.`\n );\n}\n
\nSets the element's content.
\nAn element's content is the text between its tags. For example, the element\n
has the content JavaScript
.
The parameter, content
, is a string with the element's new content.
new content for the element.
\n"],"type":[0,"String"]}]]],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the first reptile child element.\n let reptile = myXML.getChild('reptile');\n\n // Get the reptile's original content.\n let oldContent = reptile.getContent();\n\n // Set the reptile's content.\n reptile.setContent('Loggerhead');\n\n // Get the reptile's new content.\n let newContent = reptile.getContent();\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Display the element's old and new content.\n text(`${oldContent}: ${newContent}`, 5, 50, 90);\n\n describe(\n `The text \"${oldContent}: ${newContent}\" written in green on a gray background.`\n );\n}\n
\nSets the element's tag name.
\nAn XML element's name is given by its tag. For example, the element\n
has the name language
.
The parameter, name
, is the element's new name as a string. For example,\ncalling myXML.setName('planet')
will make the element's new tag name\n
.
new tag name of the element.
\n"],"type":[0,"String"]}]]],"itemtype":[0,"method"],"class":[0,"p5.XML"],"chainable":[0,false],"example":[1,[[0,"\n\nlet myXML;\n\n// Load the XML and create a p5.XML object.\nfunction preload() {\n myXML = loadXML('/assets/animals.xml');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Get the element's original name.\n let oldName = myXML.getName();\n\n // Set the element's name.\n myXML.setName('monsters');\n\n // Get the element's new name.\n let newName = myXML.getName();\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(14);\n\n // Display the element's names.\n text(oldName, 50, 33);\n text(newName, 50, 67);\n\n describe(\n 'The words \"animals\" and \"monsters\" written on separate lines. The text is black on a gray background.'\n );\n}\n
The system variable accelerationX always contains the acceleration of the\ndevice along the x axis. Value is represented as meters per second squared.
\n"],"line":[0,23],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\n// Move a touchscreen device to register\n// acceleration changes.\nfunction draw() {\n background(220, 50);\n fill('magenta');\n ellipse(width / 2, height / 2, accelerationX);\n describe('Magnitude of device acceleration is displayed as ellipse size.');\n}\n
\nThe system variable accelerationY always contains the acceleration of the\ndevice along the y axis. Value is represented as meters per second squared.
\n"],"line":[0,45],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\n// Move a touchscreen device to register\n// acceleration changes.\nfunction draw() {\n background(220, 50);\n fill('magenta');\n ellipse(width / 2, height / 2, accelerationY);\n describe('Magnitude of device acceleration is displayed as ellipse size');\n}\n
\nThe system variable accelerationZ always contains the acceleration of the\ndevice along the z axis. Value is represented as meters per second squared.
\n"],"line":[0,67],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\n// Move a touchscreen device to register\n// acceleration changes.\nfunction draw() {\n background(220, 50);\n fill('magenta');\n ellipse(width / 2, height / 2, accelerationZ);\n describe('Magnitude of device acceleration is displayed as ellipse size');\n}\n
\nThe deviceMoved() function is called when the device is moved by more than\nthe threshold value along X, Y or Z axis. The default threshold is set to 0.5.\nThe threshold value can be changed using setMoveThreshold().
\n"],"line":[0,501],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n// Run this example on a mobile device\n// Move the device around\n// to change the value.\n\nlet value = 0;\nfunction draw() {\n fill(value);\n rect(25, 25, 50, 50);\n describe(`50-by-50 black rect in center of canvas.\n turns white on mobile when device moves`);\n}\nfunction deviceMoved() {\n value = value + 5;\n if (value > 255) {\n value = 0;\n }\n}\n
\nThe system variable deviceOrientation always contains the orientation of\nthe device. The value of this variable will either be set 'landscape'\nor 'portrait'. If no data is available it will be set to 'undefined'.\neither LANDSCAPE or PORTRAIT.
\n"],"line":[0,11],"itemtype":[0,"property"],"class":[0,"p5"],"isConstructor":[0,false],"path":[0,"p5/deviceOrientation"]}],"render":[0,null]}],[0,{"id":[0,"en/p5/deviceShaken.mdx"],"slug":[0,"en/p5/deviceshaken"],"body":[0,"\n\n# deviceShaken\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"deviceShaken()"],"module":[0,"Events"],"submodule":[0,"Acceleration"],"file":[0,"src/events/acceleration.js"],"description":[0,"The deviceShaken() function is called when the device total acceleration\nchanges of accelerationX and accelerationY values is more than\nthe threshold value. The default threshold is set to 30.\nThe threshold value can be changed using setShakeThreshold().
\n"],"line":[0,589],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n// Run this example on a mobile device\n// Shake the device to change the value.\n\nlet value = 0;\nfunction draw() {\n fill(value);\n rect(25, 25, 50, 50);\n describe(`50-by-50 black rect in center of canvas.\n turns white on mobile when device shakes`);\n}\nfunction deviceShaken() {\n value = value + 5;\n if (value > 255) {\n value = 0;\n }\n}\n
\nThe deviceTurned() function is called when the device rotates by\nmore than 90 degrees continuously.
\nThe axis that triggers the deviceTurned() method is stored in the turnAxis\nvariable. The deviceTurned() method can be locked to trigger on any axis:\nX, Y or Z by comparing the turnAxis variable to 'X', 'Y' or 'Z'.
\n"],"line":[0,531],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n// Run this example on a mobile device\n// Rotate the device by 90 degrees\n// to change the value.\n\nlet value = 0;\nfunction draw() {\n fill(value);\n rect(25, 25, 50, 50);\n describe(`50-by-50 black rect in center of canvas.\n turns white on mobile when device turns`);\n}\nfunction deviceTurned() {\n if (value === 0) {\n value = 255;\n } else if (value === 255) {\n value = 0;\n }\n}\n
\n\n// Run this example on a mobile device\n// Rotate the device by 90 degrees in the\n// X-axis to change the value.\n\nlet value = 0;\nfunction draw() {\n fill(value);\n rect(25, 25, 50, 50);\n describe(`50-by-50 black rect in center of canvas.\n turns white on mobile when x-axis turns`);\n}\nfunction deviceTurned() {\n if (turnAxis === 'X') {\n if (value === 0) {\n value = 255;\n } else if (value === 255) {\n value = 0;\n }\n }\n}\n
\nThe system variable pAccelerationX always contains the acceleration of the\ndevice along the x axis in the frame previous to the current frame. Value\nis represented as meters per second squared.
\n"],"line":[0,90],"itemtype":[0,"property"],"class":[0,"p5"],"isConstructor":[0,false],"path":[0,"p5/pAccelerationX"]}],"render":[0,null]}],[0,{"id":[0,"en/p5/pAccelerationY.mdx"],"slug":[0,"en/p5/paccelerationy"],"body":[0,"\n\n# pAccelerationY\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"pAccelerationY"],"module":[0,"Events"],"submodule":[0,"Acceleration"],"file":[0,"src/events/acceleration.js"],"description":[0,"The system variable pAccelerationY always contains the acceleration of the\ndevice along the y axis in the frame previous to the current frame. Value\nis represented as meters per second squared.
\n"],"line":[0,100],"itemtype":[0,"property"],"class":[0,"p5"],"isConstructor":[0,false],"path":[0,"p5/pAccelerationY"]}],"render":[0,null]}],[0,{"id":[0,"en/p5/pAccelerationZ.mdx"],"slug":[0,"en/p5/paccelerationz"],"body":[0,"\n\n# pAccelerationZ\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"pAccelerationZ"],"module":[0,"Events"],"submodule":[0,"Acceleration"],"file":[0,"src/events/acceleration.js"],"description":[0,"The system variable pAccelerationZ always contains the acceleration of the\ndevice along the z axis in the frame previous to the current frame. Value\nis represented as meters per second squared.
\n"],"line":[0,110],"itemtype":[0,"property"],"class":[0,"p5"],"isConstructor":[0,false],"path":[0,"p5/pAccelerationZ"]}],"render":[0,null]}],[0,{"id":[0,"en/p5/pRotationX.mdx"],"slug":[0,"en/p5/protationx"],"body":[0,"\n\n# pRotationX\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"pRotationX"],"module":[0,"Events"],"submodule":[0,"Acceleration"],"file":[0,"src/events/acceleration.js"],"description":[0,"The system variable pRotationX always contains the rotation of the\ndevice along the x axis in the frame previous to the current frame.\nIf the sketch angleMode() is set to DEGREES,\nthe value will be -180 to 180. If it is set to RADIANS, the value will\nbe -PI to PI.
\npRotationX can also be used with rotationX to determine the rotate\ndirection of the device along the X-axis.
\n"],"line":[0,234],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\n// A simple if statement looking at whether\n// rotationX - pRotationX < 0 is true or not will be\n// sufficient for determining the rotate direction\n// in most cases.\n\n// Some extra logic is needed to account for cases where\n// the angles wrap around.\nlet rotateDirection = 'clockwise';\n\n// Simple range conversion to make things simpler.\n// This is not absolutely necessary but the logic\n// will be different in that case.\n\nlet rX = rotationX + 180;\nlet pRX = pRotationX + 180;\n\nif ((rX - pRX > 0 && rX - pRX < 270) || rX - pRX < -270) {\n rotateDirection = 'clockwise';\n} else if (rX - pRX < 0 || rX - pRX > 270) {\n rotateDirection = 'counter-clockwise';\n}\n\nprint(rotateDirection);\ndescribe('no image to display.');\n
\nThe system variable pRotationY always contains the rotation of the\ndevice along the y axis in the frame previous to the current frame.\nIf the sketch angleMode() is set to DEGREES,\nthe value will be -90 to 90. If it is set to RADIANS, the value will\nbe -PI/2 to PI/2.
\npRotationY can also be used with rotationY to determine the rotate\ndirection of the device along the Y-axis.
\n"],"line":[0,278],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\n// A simple if statement looking at whether\n// rotationY - pRotationY < 0 is true or not will be\n// sufficient for determining the rotate direction\n// in most cases.\n\n// Some extra logic is needed to account for cases where\n// the angles wrap around.\nlet rotateDirection = 'clockwise';\n\n// Simple range conversion to make things simpler.\n// This is not absolutely necessary but the logic\n// will be different in that case.\n\nlet rY = rotationY + 180;\nlet pRY = pRotationY + 180;\n\nif ((rY - pRY > 0 && rY - pRY < 270) || rY - pRY < -270) {\n rotateDirection = 'clockwise';\n} else if (rY - pRY < 0 || rY - pRY > 270) {\n rotateDirection = 'counter-clockwise';\n}\nprint(rotateDirection);\ndescribe('no image to display.');\n
\nThe system variable pRotationZ always contains the rotation of the\ndevice along the z axis in the frame previous to the current frame.\nIf the sketch angleMode() is set to DEGREES,\nthe value will be 0 to 360. If it is set to RADIANS, the value will\nbe 0 to 2*PI.
\npRotationZ can also be used with rotationZ to determine the rotate\ndirection of the device along the Z-axis.
\n"],"line":[0,321],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\n// A simple if statement looking at whether\n// rotationZ - pRotationZ < 0 is true or not will be\n// sufficient for determining the rotate direction\n// in most cases.\n\n// Some extra logic is needed to account for cases where\n// the angles wrap around.\nlet rotateDirection = 'clockwise';\n\nif (\n (rotationZ - pRotationZ > 0 && rotationZ - pRotationZ < 270) ||\n rotationZ - pRotationZ < -270\n) {\n rotateDirection = 'clockwise';\n} else if (rotationZ - pRotationZ < 0 || rotationZ - pRotationZ > 270) {\n rotateDirection = 'counter-clockwise';\n}\nprint(rotateDirection);\ndescribe('no image to display.');\n
\nThe system variable rotationX always contains the rotation of the\ndevice along the x axis. If the sketch \nangleMode() is set to DEGREES, the value will be -180 to 180. If\nit is set to RADIANS, the value will be -PI to PI.
\nNote: The order the rotations are called is important, ie. if used\ntogether, it must be called in the order Z-X-Y or there might be\nunexpected behaviour.
\n"],"line":[0,131],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n}\n\nfunction draw() {\n background(200);\n //rotateZ(radians(rotationZ));\n rotateX(radians(rotationX));\n //rotateY(radians(rotationY));\n box(200, 200, 200);\n describe(`red horizontal line right, green vertical line bottom.\n black background.`);\n}\n
\nThe system variable rotationY always contains the rotation of the\ndevice along the y axis. If the sketch \nangleMode() is set to DEGREES, the value will be -90 to 90. If\nit is set to RADIANS, the value will be -PI/2 to PI/2.
\nNote: The order the rotations are called is important, ie. if used\ntogether, it must be called in the order Z-X-Y or there might be\nunexpected behaviour.
\n"],"line":[0,164],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n}\n\nfunction draw() {\n background(200);\n //rotateZ(radians(rotationZ));\n //rotateX(radians(rotationX));\n rotateY(radians(rotationY));\n box(200, 200, 200);\n describe(`red horizontal line right, green vertical line bottom.\n black background.`);\n}\n
\nThe system variable rotationZ always contains the rotation of the\ndevice along the z axis. If the sketch \nangleMode() is set to DEGREES, the value will be 0 to 360. If\nit is set to RADIANS, the value will be 0 to 2*PI.
\nUnlike rotationX and rotationY, this variable is available for devices\nwith a built-in compass only.
\nNote: The order the rotations are called is important, ie. if used\ntogether, it must be called in the order Z-X-Y or there might be\nunexpected behaviour.
\n"],"line":[0,197],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n}\n\nfunction draw() {\n background(200);\n rotateZ(radians(rotationZ));\n //rotateX(radians(rotationX));\n //rotateY(radians(rotationY));\n box(200, 200, 200);\n describe(`red horizontal line right, green vertical line bottom.\n black background.`);\n}\n
\nThe setMoveThreshold() function is used to set the movement threshold for\nthe deviceMoved() function. The default threshold is set to 0.5.
\n"],"line":[0,417],"params":[1,[[0,{"name":[0,"value"],"description":[0,"The threshold value
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n// Run this example on a mobile device\n// You will need to move the device incrementally further\n// the closer the square's color gets to white in order to change the value.\n\nlet value = 0;\nlet threshold = 0.5;\nfunction setup() {\n setMoveThreshold(threshold);\n}\nfunction draw() {\n fill(value);\n rect(25, 25, 50, 50);\n describe(`50-by-50 black rect in center of canvas.\n turns white on mobile when device moves`);\n}\nfunction deviceMoved() {\n value = value + 5;\n threshold = threshold + 0.1;\n if (value > 255) {\n value = 0;\n threshold = 30;\n }\n setMoveThreshold(threshold);\n}\n
\nThe setShakeThreshold() function is used to set the movement threshold for\nthe deviceShaken() function. The default threshold is set to 30.
\n"],"line":[0,459],"params":[1,[[0,{"name":[0,"value"],"description":[0,"The threshold value
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n// Run this example on a mobile device\n// You will need to shake the device more firmly\n// the closer the box's fill gets to white in order to change the value.\n\nlet value = 0;\nlet threshold = 30;\nfunction setup() {\n setShakeThreshold(threshold);\n}\nfunction draw() {\n fill(value);\n rect(25, 25, 50, 50);\n describe(`50-by-50 black rect in center of canvas.\n turns white on mobile when device is being shaked`);\n}\nfunction deviceMoved() {\n value = value + 5;\n threshold = threshold + 5;\n if (value > 255) {\n value = 0;\n threshold = 30;\n }\n setShakeThreshold(threshold);\n}\n
\nWhen a device is rotated, the axis that triggers the deviceTurned()\nmethod is stored in the turnAxis variable. The turnAxis variable is only defined within\nthe scope of deviceTurned().
\n"],"line":[0,378],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\n// Run this example on a mobile device\n// Rotate the device by 90 degrees in the\n// X-axis to change the value.\n\nlet value = 0;\nfunction draw() {\n fill(value);\n rect(25, 25, 50, 50);\n describe(`50-by-50 black rect in center of canvas.\n turns white on mobile when device turns`);\n describe(`50-by-50 black rect in center of canvas.\n turns white on mobile when x-axis turns`);\n}\nfunction deviceTurned() {\n if (turnAxis === 'X') {\n if (value === 0) {\n value = 255;\n } else if (value === 255) {\n value = 0;\n }\n }\n}\n
\n요소가 변경될 때 함수를 호출합니다.
\n\nmyElement.changed(false)
를 호출하면 함수가 비활성화됩니다.
요소가 변경될 때 호출할 함수입니다.\n\n false
는 함수를 비활성화합니다.
\nlet dropdown;\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a dropdown menu and add a few color options.\n dropdown = createSelect();\n dropdown.position(0, 0);\n dropdown.option('red');\n dropdown.option('green');\n dropdown.option('blue');\n\n // Call paintBackground() when the color option changes.\n dropdown.changed(paintBackground);\n\n describe('A gray square with a dropdown menu at the top. The square changes color when an option is selected.');\n}\n\n// Paint the background with the selected color.\nfunction paintBackground() {\n let c = dropdown.value();\n background(c);\n}\n
\n\nlet checkbox;\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a checkbox and place it beneath the canvas.\n checkbox = createCheckbox(' circle');\n checkbox.position(0, 100);\n\n // Call repaint() when the checkbox changes.\n checkbox.changed(repaint);\n\n describe('A gray square with a checkbox underneath it that says \"circle\". A white circle appears when the box is checked and disappears otherwise.');\n}\n\n// Paint the background gray and determine whether to draw a circle.\nfunction repaint() {\n background(200);\n if (checkbox.checked() === true) {\n circle(50, 50, 30);\n }\n}\n
\n첫 번째 매개변수 href
은 연결될 페이지의 URL을 설정하는 문자열입니다.
두 번째 매개변수 html
은 링크의 내부 HTML을 설정하는 문자열입니다. 주로 텍스트, 이미지, 또는 버튼이 링크로 사용됩니다.
세 번째 매개변수 target
는 선택적(optional) 매개변수입니다. 어디서 링크를 열어야 할지 브라우저에게 알려주는 문자열입니다. 기본적으로 링크는 현재 탭에서 열립니다. '_blank'
가 전달되면 링크는 새로운 탭에서 열립니다. MDN에서 \n\n\n다른 옵션들을 살펴보세요.
연결될 페이지의 URL
"],"type":[0,"String"]}],[0,{"name":[0,"html"],"description":[0,"\n링크 요소를 보여주기 위한 내부 HTML
"],"type":[0,"String"]}],[0,{"name":[0,"target"],"description":[0,"\n\"새 링크가 열릴 대상으로, '_blank'
, '_self'
, '_parent'
, 또는 '_top'
중 하나
\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an anchor element that links to p5js.org.\n let a = createA('https://p5js.org/', 'p5*js');\n a.position(25, 35);\n\n describe('The text \"p5*js\" written at the center of a gray square.');\n}\n
\n\nfunction setup() {\n background(200);\n\n // Create an anchor tag that links to p5js.org.\n // Open the link in a new tab.\n let a = createA('https://p5js.org/', 'p5*js', '_blank');\n a.position(25, 35);\n\n describe('The text \"p5*js\" written at the center of a gray square.');\n}\n
\n간단한 오디오 재생을 위한 숨겨진 요소를 생성합니다.
createAudio()
는 새로운 \np5.MediaElement 객체를 반환합니다.
첫 번째 매개변수 src
는 비디오의 경로입니다. '/assets/video.mp4'
와 같은 문자열 하나가 전달된다면 하나의 비디오가 불러와집니다. 같은 비디오를 여러 개의 다른 포맷으로 불러오려면 문자열 배열을 사용할 수 있습니다. 예를 들면, ['/assets/video.mp4', '/assets/video.ogv',\n'/assets/video.webm']
과 같습니다.\n\n\n이는 다양한 호환성을 가진 다양한 브라우저에서 비디오를 재생할 수 있도록 보장하는데 유용하게 사용됩니다. 더 자세한 정보와 지원되는 포맷은 \nMDN을 참고해주세요.
두 번째 매개변수 callback
은 선택적(optional) 매개변수입니다. 오디오 재생 준비가 끝났을 때 한 번 실행될 함수를 입력받습니다.
오디오 파일 경로, 또는 오디오 파일 경로의 배열(여러 브라우저를 지원해야 할 경우)
"],"type":[0,"String|String[]"],"optional":[0,true]}],[0,{"name":[0,"callback"],"description":[0,"\n오디오 재생 준비가 완료되면 한 번 실행될 함수
"],"type":[0,"Function"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"새로 생성된 p5.MediaElement 객체"],"type":[0,"p5.MediaElement"]}],"example":[1,[[0,"\n\nfunction setup() {\n noCanvas();\n\n // Load the audio.\n let beat = createAudio('/assets/beat.mp3');\n\n // Show the default audio controls.\n beat.showControls();\n\n describe('An audio beat plays when the user double-clicks the square.');\n}\n
\n 요소를 생성합니다.
첫 번째 매개변수 label
은 버튼에 표시될 레이블을 설정하는 문자열입니다.
두 번째 매개변수 value
는 선택적(optional) 매개변수입니다. 버튼값을 설정하는 문자열입니다. 자세한 설명은 MDN을 참고하세요.
버튼에 표시될 레이블
"],"type":[0,"String"]}],[0,{"name":[0,"value"],"description":[0,"\n버튼값
"],"type":[0,"String"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"새로 생성된 p5.Element 객체"],"type":[0,"p5.Element"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a button and place it beneath the canvas.\n let button = createButton('click me');\n button.position(0, 100);\n\n // Call repaint() when the button is pressed.\n button.mousePressed(repaint);\n\n describe('A gray square with a button that says \"click me\" beneath it. The square changes color when the button is clicked.');\n}\n\n// Change the background color.\nfunction repaint() {\n let g = random(255);\n background(g);\n}\n
\n\nlet button;\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a button and set its value to 0.\n // Place the button beneath the canvas.\n button = createButton('click me', 'red');\n button.position(0, 100);\n\n // Call randomColor() when the button is pressed.\n button.mousePressed(randomColor);\n\n describe('A red square with a button that says \"click me\" beneath it. The square changes color when the button is clicked.');\n}\n\nfunction draw() {\n // Use the button's value to set the background color.\n let c = button.value();\n background(c);\n}\n\n// Set the button's value to a random color.\nfunction randomColor() {\n let c = random(['red', 'green', 'blue', 'yellow']);\n button.value(c);\n}\n
\n웹캠 또는 마이크로부터 오디오/비디오 스트림을 캡처(capture)하는 요소를 생성합니다.
createCapture()
는 새로운 \np5.MediaElement 객체를 반환합니다. 비디오는 기본적으로 보여집니다. capture.hide()
를 호출하여 숨길 수 있으며, image()를 사용하여 캔버스에 그려낼 수 있습니다.
첫 번째 매개변수 type
은 선택적(optional) 매개변수입니다. 이는 캡처 타입을 설정합니다. 기본적으로, createCapture()
는 오디오와 비디오 모두를 캡처합니다. createCapture(VIDEO)
처럼\nVIDEO
가 전달되는 경우, 오직 비디오만 캡처됩니다. createCapture(AUDIO)
처럼 AUDIO
가 전달되는 경우, 오직 오디오만 캡처됩니다. 스트림을 커스터마이즈하기 위해 제약 조건을 담은 객체를 전달할 수도 있습니다.\n\n\n\n\nW3C documentation에서 가능한 속성들을 살펴보세요. 브라우저마다 지원하는 속성이 다를 수 있습니다.
'flipped' 속성은 {flipped:true}
와 같이 사용되며, 비디오 출력을 반전시킬지 여부를 결정하는 선택적(optional) 속성입니다. true가 전달되면 비디오는 반전되어 나타나며, 기본값은 false
입니다.
두 번째 매개변수 callback
는 선택적 매개변수입니다. 캡처를 사용할 준비가 끝났을 때 한 번 실행될 함수입니다. 콜백함수는 하나의 매개변수 stream
를 받는데, 이는 MediaStream 객체입니다.
주의: createCapture()
는 스케치가 로컬환경 또는 HTTPS 환경에서 실행될 때에만 작동합니다.\n\n더 자세한 내용은 \n여기와\n\n 여기를 참고하세요.
캡처 타입(AUDIO 또는 VIDEO), 또는 제약조건 객체. 기본값은 비디오와 오디오 스트림 모두 캡처됨
"],"type":[0,"String|Constant|Object"],"optional":[0,true]}],[0,{"name":[0,"flipped"],"description":[0,"\n캡처된 비디오 출력의 반전 여부. \n{flipped:true}
와 같이 사용. 기본값은 false
스트림이 준비되었을 때 한 번 실행될 함수
"],"type":[0,"Function"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"새로 생성된 p5.MediaElement 객체"],"type":[0,"p5.MediaElement"]}],"example":[1,[[0,"\n\nfunction setup() {\n noCanvas();\n\n // Create the video capture.\n createCapture(VIDEO);\n\n describe('A video stream from the webcam.');\n}\n
\n\nlet capture;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create the video capture and hide the element.\n capture = createCapture(VIDEO);\n capture.hide();\n\n describe('A video stream from the webcam with inverted colors.');\n}\n\nfunction draw() {\n // Draw the video capture within the canvas.\n image(capture, 0, 0, width, width * capture.height / capture.width);\n\n // Invert the colors in the stream.\n filter(INVERT);\n}\n
\n\nlet capture;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create the video capture with mirrored output.\n capture = createCapture(VIDEO,{ flipped:true });\n capture.size(100,100);\n\n describe('A video stream from the webcam with flipped or mirrored output.');\n}\n\n
\n\nfunction setup() {\n createCanvas(480, 120);\n\n // Create a constraints object.\n let constraints = {\n video: {\n mandatory: {\n minWidth: 1280,\n minHeight: 720\n },\n optional: [{ maxFrameRate: 10 }]\n },\n audio: false\n };\n\n // Create the video capture.\n createCapture(constraints);\n\n describe('A video stream from the webcam.');\n}\n
\n체크박스 요소를 생성합니다.
체크박스는 checked()
메서드를 통해 p5.Element\n클래스를 확장합니다. myBox.checked()
는 박스가 체크되어 있다면 true
를, 체크되어 있지 않다면 false
를 반환합니다.
첫 번째 매개변수 label
은 선택적(optional)입니다. 이는 체크박스 옆에 나타날 레이블을 설정하는 문자열입니다.
두 번째 매개변수 value
역시 선택적입니다. 이는 체크박스의 값을 설정하는 불리안입니다.
체크박스 옆에 표시될 레이블
"],"type":[0,"String"],"optional":[0,true]}],[0,{"name":[0,"value"],"description":[0,"\n체크박스의 값. 체크되어 있으면 true
체크되어 있지 않으면\nfalse
\nlet checkbox;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a checkbox and place it beneath the canvas.\n checkbox = createCheckbox();\n checkbox.position(0, 100);\n\n describe('A black square with a checkbox beneath it. The square turns white when the box is checked.');\n}\n\nfunction draw() {\n // Use the checkbox to set the background color.\n if (checkbox.checked()) {\n background(255);\n } else {\n background(0);\n }\n}\n
\n\nlet checkbox;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a checkbox and place it beneath the canvas.\n // Label the checkbox \"white\".\n checkbox = createCheckbox(' white');\n checkbox.position(0, 100);\n\n describe('A black square with a checkbox labeled \"white\" beneath it. The square turns white when the box is checked.');\n}\n\nfunction draw() {\n // Use the checkbox to set the background color.\n if (checkbox.checked()) {\n background(255);\n } else {\n background(0);\n }\n}\n
\n\nlet checkbox;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a checkbox and place it beneath the canvas.\n // Label the checkbox \"white\" and set its value to true.\n checkbox = createCheckbox(' white', true);\n checkbox.position(0, 100);\n\n describe('A white square with a checkbox labeled \"white\" beneath it. The square turns black when the box is unchecked.');\n}\n\nfunction draw() {\n // Use the checkbox to set the background color.\n if (checkbox.checked()) {\n background(255);\n } else {\n background(0);\n }\n}\n
\n색상 선택 도구 요소를 생성합니다.
\n\n\n매개변수 value
는 선택적(optional)입니다. 색상문자열 또는 p5.Color 객체가 전달되면, 기본 색상을 설정합니다.
색상 선택 도구는 색상을 관리하는 몇 가지 유용한 메서드를 통해 p5.Element\n클래스를 확장합니다:
\n\n\nmyPicker.value()
는 현재 색상을 '#rrggbb'
형태의 16진수 문자열로 반환합니다.myPicker.color()
는 현재 색상을 p5.Color 객체 형태로 반환합니다.CSS 색상 문자열로 표현되는 기본 색상
"],"type":[0,"String|p5.Color"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"새로 생성된 p5.Element 객체"],"type":[0,"p5.Element"]}],"example":[1,[[0,"\n\nlet myPicker;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a color picker and set its position.\n myPicker = createColorPicker('deeppink');\n myPicker.position(0, 100);\n\n describe('A pink square with a color picker beneath it. The square changes color when the user picks a new color.');\n}\n\nfunction draw() {\n // Use the color picker to paint the background.\n let c = myPicker.color();\n background(c);\n}\n
\n\nlet myPicker;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a color picker and set its position.\n myPicker = createColorPicker('deeppink');\n myPicker.position(0, 100);\n\n describe('A number with the format \"#rrggbb\" is displayed on a pink canvas. The background color and number change when the user picks a new color.');\n}\n\nfunction draw() {\n // Use the color picker to paint the background.\n let c = myPicker.value();\n background(c);\n\n // Display the current color as a hex string.\n text(c, 25, 55);\n}\n
\n 요소를 생성합니다.
요소는 주로 다른 요소들의 컨테이너로 사용됩니다.
매개변수 html
은 선택적(optional)입니다. 새로 생성될 의 내부 HTML을 설정하는 문자열입니다.
새로 생성될 <div></div>
요소의 내부 HTML
\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a div element and set its position.\n let div = createDiv('p5*js');\n div.position(25, 35);\n\n describe('A gray square with the text \"p5*js\" written in its center.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an h3 element within the div.\n let div = createDiv('p5*js
');\n div.position(20, 5);\n\n describe('A gray square with the text \"p5*js\" written in its center.');\n}\n
\n새로운 p5.Element 객체를 생성합니다.
\n\n\n\"첫 번째 매개변수 tag
는 'h5'
와 같이 HTML 태그 문자열입니다.
두 번째 매개변수 content
는 선택적(optional) 매개변수입니다. 새 요소 내부에 삽입될 HTML을 설정하는 문자열입니다. 기본적으로 새 요소는 아무런 내용을 갖지 않습니다.
새로 생성할 요소의 태그
"],"type":[0,"String"]}],[0,{"name":[0,"content"],"description":[0,"\n요소 내부에 삽입할 HTML 내용
"],"type":[0,"String"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"새로 생성된 p5.Element 객체"],"type":[0,"p5.Element"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an h5 element with nothing in it.\n createElement('h5');\n\n describe('A gray square.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an h5 element with the content \"p5*js\".\n let h5 = createElement('h5', 'p5*js');\n\n // Set the element's style and position.\n h5.style('color', 'deeppink');\n h5.position(30, 15);\n\n describe('The text \"p5*js\" written in pink in the middle of a gray square.');\n}\n
\n'file'
을 입력받는 요소를 생성합니다.
createFileInput()
은 사용자가 스케치에서 로컬 파일을 사용할 수 있게 해줍니다.\n\n\n이 함수는 p5.File 객체를 반환하니다.
첫 번째 매개변수 callback
은 파일이 로드되었을 때 실행될 함수입니다. 콜백함수는 하나의 매개변수 file
을 가지며, 여기엔 \np5.File 객체가 전달됩니다.
두 번째 매개변수 multiple
은 선택적(optional) 매개변수입니다. 불리안 값을 가지며, true
가 전달된다면 여러 개의 파일을 불러올 수 있습니다. true
가 전달되는 경우, callback
은 파일을 불러올 때마다 각각 한 번씩 실행됩니다.\n
파일이 로드되면 한 번 실행될 함수
"],"type":[0,"Function"]}],[0,{"name":[0,"multiple"],"description":[0,"\n여러 파일을 선택 가능하도록 만들지에 대한 여부
"],"type":[0,"Boolean"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"새로 생성된 p5.File 객체"],"type":[0,"p5.File"]}],"example":[1,[[0,"\n\n// Use the file input to select an image to\n// load and display.\nlet input;\nlet img;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a file input and place it beneath\n // the canvas.\n input = createFileInput(handleImage);\n input.position(0, 100);\n\n describe('A gray square with a file input beneath it. If the user selects an image file to load, it is displayed on the square.');\n}\n\nfunction draw() {\n background(200);\n\n // Draw the image if loaded.\n if (img) {\n image(img, 0, 0, width, height);\n }\n}\n\n// Create an image if the file is an image.\nfunction handleImage(file) {\n if (file.type === 'image') {\n img = createImg(file.data, '');\n img.hide();\n } else {\n img = null;\n }\n}\n
\n\n// Use the file input to select multiple images\n// to load and display.\nlet input;\nlet images = [];\n\nfunction setup() {\n // Create a file input and place it beneath\n // the canvas. Allow it to load multiple files.\n input = createFileInput(handleImage, true);\n input.position(0, 100);\n}\n\nfunction draw() {\n background(200);\n\n // Draw the images if loaded. Each image\n // is drawn 20 pixels lower than the\n // previous image.\n for (let i = 0; i < images.length; i += 1) {\n // Calculate the y-coordinate.\n let y = i * 20;\n\n // Draw the image.\n image(img, 0, y, 100, 100);\n }\n\n describe('A gray square with a file input beneath it. If the user selects multiple image files to load, they are displayed on the square.');\n}\n\n// Create an image if the file is an image,\n// then add it to the images array.\nfunction handleImage(file) {\n if (file.type === 'image') {\n let img = createImg(file.data, '');\n img.hide();\n images.push(img);\n }\n}\n
\n캔버스 밖에 나타날 수 있는
요소를 생성합니다.
첫 번째 매개변수 src
는 이미지 파일의 경로 문자열입니다.\n\n\nsrc
는 \n'/assets/image.png'
처럼 상대경로이거나 'https://example.com/image.png'
처럼 URL 형태여야 합니다.
두 번째 매개변수 alt
는 이미지의 대체 텍스트를 설정하는 문자열입니다. 보이지 않는 이미지에는 빈 문자열''
을 사용할 수 있습니다.
세 번째 매개변수 crossOrigin
은 선택적(optional) 매개변수입니다. 이미지의 \n교차 출처(crossOrigin) 속성을 설정하는 문자열입니다. 교차 출처 권한으로 이미지를 불러오려면 'anonymous'
또는 'use-credentials'
\n을 사용하세요.
네 번째 매개변수 callback
역시 선택적 매개변수입니다. 이미지가 로드된 후 실행될 함수를 설정합니다. 로드된 이미지는 p5.Element 객체 형태로 콜백함수에 전달됩니다.
이미지에 대한 상대 경로 또는 URL
"],"type":[0,"String"]}],[0,{"name":[0,"alt"],"description":[0,"\n이미지에 대한 대체 텍스트
"],"type":[0,"String"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"src"],"description":[0,""],"type":[0,"String"]}],[0,{"name":[0,"alt"],"description":[0,""],"type":[0,"String"]}],[0,{"name":[0,"crossOrigin"],"description":[0,"\n이미지를 가져올 때 사용할 교차 검증(crossOrigin) 속성
"],"type":[0,"String"],"optional":[0,true]}],[0,{"name":[0,"successCallback"],"description":[0,"\n이미지가 로드된 후 한 번 호출될 함수. 새 이미지는 p5.Element 객체 형태로 함수에 전달됨
"],"type":[0,"Function"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"새로 생성된 p5.Element 객체"],"type":[0,"p5.Element"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n let img = createImg(\n 'https://p5js.org/assets/img/asterisk-01.png',\n 'The p5.js magenta asterisk.'\n );\n img.position(0, -10);\n\n describe('A gray square with a magenta asterisk in its center.');\n}\n
\n텍스트 요소를 생성합니다.
myInput.size()
를 호출하여 텍스트 박스의 길이를 설정할 수 있습니다.
첫 번째 매개변수 value
는 선택적(optional) 매개변수입니다. 인풋의 기본값을 설정하는 문자열입니다. 따로 설정하지 않는다면 인풋은 기본적으로 비어있습니다.
두 번째 매개변수 type
역시 선택적 매개변수입니다. 인풋에 입력될 텍스트의 타입을 설정하는 문자열입니다. \n\nMDN에서 \n가능한 옵션들을 살펴보세요..\n\n\n기본값은 'text'
입니다.
인풋의 기본값. 기본값은 빈 문자열\n\"''
인풋의 타입. 기본값은 'text'
\nlet myInput;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create an input element and place it\n // beneath the canvas.\n myInput = createInput();\n myInput.position(0, 100);\n\n describe('A gray square with a text box beneath it. The text in the square changes when the user types something new in the input bar.');\n}\n\nfunction draw() {\n background(200);\n\n // Use the input to display a message.\n let msg = myInput.value();\n text(msg, 25, 55);\n}\n
\n\nlet myInput;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create an input element and place it\n // beneath the canvas. Set its default\n // text to \"hello!\".\n myInput = createInput('hello!');\n myInput.position(0, 100);\n\n describe('The text \"hello!\" written at the center of a gray square. A text box beneath the square also says \"hello!\". The text in the square changes when the user types something new in the input bar.');\n}\n\nfunction draw() {\n background(200);\n\n // Use the input to display a message.\n let msg = myInput.value();\n text(msg, 25, 55);\n}\n
\n 요소를 생성합니다.
요소는 주로 문단 단위 글에 사용됩니다.
매개변수 html
은 선택적(optional)입니다. 새로 생성될 의 내부 HTML을 설정하는 문자열입니다.
새로 생성될 <p></p>
요소의 내부 HTML
\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a paragraph element and set its position.\n let p = createP('Tell me a story.');\n p.position(5, 0);\n\n describe('A gray square displaying the text \"Tell me a story.\" written in black.');\n}\n
\n라디오 버튼 요소를 생성합니다.
\n\n\n\"매개변수는 선택적(optional)입니다. let myRadio = createSelect('food')
처럼 문자열이 전달된다면, 각 라디오 옵션은 \"food\"
를 name
속성으로 가지게 됩니다. 다음처럼요\": .\n\n\n만약
let myRadio = createSelect(container)
처럼 기존에 있던 또는
요소가 전달된다면, 그 요소는 라디오 버튼의 부모 요소가 됩니다.
라디오 버튼은 옵션을 관리하는 몇 가지 유용한 메소드를 통해 p5.Element 클래스를 확장합니다.
\n\n\nmyRadio.option(value, [label])
는 메뉴에 옵션을 추가합니다.\n첫 번째 매개변수 value
는 옵션의 값과 레이블을 설정하는 문자열입니다. 두 번째 매개변수 label
는 선택적(optional)입니다. 만약 이 값이 전달되면 value
에 해당하는 레이블을 설정합니다. 만약 value
를 가진 옵션이 이미 존재한다면, 해당 옵션의 레이블을 덮어씌우고, 해당 옵션의 값을 반환합니다.myRadio.value()
는 현재 선택된 옵션의 값을 반환합니다.myRadio.selected()
는 현재 선택된 옵션을 반환합니다.myRadio.selected(value)
은 전달된 옵션을 선택하고 해당 옵션의 HTMLInputElement
를 반환합니다.myRadio.disable(shouldDisable)
에 true
가 전달된다면 전체 라디오 버튼을 활성화하고, false
가 전달된다면 전체 라디오 버튼을 비활성화합니다.\n컨테이너 HTML 요소,\n<div></div>
\n이거나 \n<span></span>
각 옵션의\n\"<input></input>
요소에 할당될 이름 속성
\nlet myRadio;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a radio button element and place it\n // in the top-left corner.\n myRadio = createRadio();\n myRadio.position(0, 0);\n myRadio.size(60);\n\n // Add a few color options.\n myRadio.option('red');\n myRadio.option('yellow');\n myRadio.option('blue');\n\n // Choose a default option.\n myRadio.selected('yellow');\n\n describe('A yellow square with three color options listed, \"red\", \"yellow\", and \"blue\". The square changes color when the user selects a new option.');\n}\n\nfunction draw() {\n // Set the background color using the radio button.\n let g = myRadio.value();\n background(g);\n}\n
\n\nlet myRadio;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a radio button element and place it\n // in the top-left corner.\n myRadio = createRadio();\n myRadio.position(0, 0);\n myRadio.size(50);\n\n // Add a few color options.\n // Color values are labeled with\n // emotions they evoke.\n myRadio.option('red', 'love');\n myRadio.option('yellow', 'joy');\n myRadio.option('blue', 'trust');\n\n // Choose a default option.\n myRadio.selected('yellow');\n\n describe('A yellow square with three options listed, \"love\", \"joy\", and \"trust\". The square changes color when the user selects a new option.');\n}\n\nfunction draw() {\n // Set the background color using the radio button.\n let c = myRadio.value();\n background(c);\n}\n
\n\nlet myRadio;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a radio button element and place it\n // in the top-left corner.\n myRadio = createRadio();\n myRadio.position(0, 0);\n myRadio.size(50);\n\n // Add a few color options.\n myRadio.option('red');\n myRadio.option('yellow');\n myRadio.option('blue');\n\n // Choose a default option.\n myRadio.selected('yellow');\n\n // Create a button and place it beneath the canvas.\n let btn = createButton('disable');\n btn.position(0, 100);\n\n // Call disableRadio() when btn is pressed.\n btn.mousePressed(disableRadio);\n\n describe('A yellow square with three options listed, \"red\", \"yellow\", and \"blue\". The square changes color when the user selects a new option. A \"disable\" button beneath the canvas disables the color options when pressed.');\n}\n\nfunction draw() {\n // Set the background color using the radio button.\n let c = myRadio.value();\n background(c);\n}\n\n// Disable myRadio.\nfunction disableRadio() {\n myRadio.disable(true);\n}\n
\n 드롭다운 메뉴 요소를 생성합니다.
매개변수는 선택적(optional)입니다. let mySelect = createSelect(true)
처럼 true
가 전달된다면, 드롭다운은 여러 항목을 선택하는 것이 가능해집니다. 만약 let mySelect = createSelect(otherSelect)
과 같이 기존에 있던 요소가 전달된다면, 기존 요소는 새로운 p5.Element 객체로 감싸집니다.
드롭다운은 옵션을 관리하는 몇 가지 메서드를 통해 p5.Element\n클래스를 확장합니다:
\n\n\nmySelect.option(name, [value])
은 메뉴에 옵션을 추가합니다.\n첫 번째 매개변수 name
은 옵션의 이름과 값을 설정하는 문자열입니다. 두 번째 매개변수 value
는 선택적(optional)입니다. 이 변수가 전달된다면, name
옵션의 값을 설정합니다. 만약 name
옵션이 이미 존재한다면, 해당 옵션의 값이\n value
로 덮어씌워집니다.mySelect.value()
는 현재 선택된 옵션의 값을 반환합니다.mySelect.selected()
는 현재 선탣괸 옵션을 반환합니다.mySelect.selected(option)
은 전달된 옵션을 기본값으로 선택합니다.mySelect.disable()
은 모든 드롭다운 요소를 비활성화 상태로 표시합니다.mySelect.disable(option)
은 전달된 옵션을 비활성화 상태로 표시합니다.mySelect.enable()
은 모든 드롭다운 요소를 활성화 상태로 표시합니다.mySelect.enable(option)
은 전달된 옵션을 활성화 상태로 표시합니다.여려 항목을 선택할 수 있는지에 대한 여부
"],"type":[0,"Boolean"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"existing"],"description":[0,"\n감싸고자 하는 셀렉트 요소. p5.Element이거나 HTML Select 요소
"],"type":[0,"Object"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"새로 생성된 p5.Element 객체"],"type":[0,"p5.Element"]}],"example":[1,[[0,"\n\nlet mySelect;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a dropdown and place it beneath the canvas.\n mySelect = createSelect();\n mySelect.position(0, 100);\n\n // Add color options.\n mySelect.option('red');\n mySelect.option('green');\n mySelect.option('blue');\n mySelect.option('yellow');\n\n // Set the selected option to \"red\".\n mySelect.selected('red');\n\n describe('A red square with a dropdown menu beneath it. The square changes color when a new color is selected.');\n}\n\nfunction draw() {\n // Use the selected value to paint the background.\n let c = mySelect.selected();\n background(c);\n}\n
\n\nlet mySelect;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a dropdown and place it beneath the canvas.\n mySelect = createSelect();\n mySelect.position(0, 100);\n\n // Add color options.\n mySelect.option('red');\n mySelect.option('green');\n mySelect.option('blue');\n mySelect.option('yellow');\n\n // Set the selected option to \"red\".\n mySelect.selected('red');\n\n // Disable the \"yellow\" option.\n mySelect.disable('yellow');\n\n describe('A red square with a dropdown menu beneath it. The square changes color when a new color is selected.');\n}\n\nfunction draw() {\n // Use the selected value to paint the background.\n let c = mySelect.selected();\n background(c);\n}\n
\n\nlet mySelect;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a dropdown and place it beneath the canvas.\n mySelect = createSelect();\n mySelect.position(0, 100);\n\n // Add color options with names and values.\n mySelect.option('one', 'red');\n mySelect.option('two', 'green');\n mySelect.option('three', 'blue');\n mySelect.option('four', 'yellow');\n\n // Set the selected option to \"one\".\n mySelect.selected('one');\n\n describe('A red square with a dropdown menu beneath it. The square changes color when a new color is selected.');\n}\n\nfunction draw() {\n // Use the selected value to paint the background.\n let c = mySelect.selected();\n background(c);\n}\n
\n\n// Hold CTRL to select multiple options on Windows and Linux.\n// Hold CMD to select multiple options on macOS.\nlet mySelect;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a dropdown and allow multiple selections.\n // Place it beneath the canvas.\n mySelect = createSelect(true);\n mySelect.position(0, 100);\n\n // Add color options.\n mySelect.option('red');\n mySelect.option('green');\n mySelect.option('blue');\n mySelect.option('yellow');\n\n describe('A gray square with a dropdown menu beneath it. Colorful circles appear when their color is selected.');\n}\n\nfunction draw() {\n background(200);\n\n // Use the selected value(s) to draw circles.\n let colors = mySelect.selected();\n for (let i = 0; i < colors.length; i += 1) {\n // Calculate the x-coordinate.\n let x = 10 + i * 20;\n\n // Access the color.\n let c = colors[i];\n\n // Draw the circle.\n fill(c);\n circle(x, 50, 20);\n }\n}\n
\n슬라이더 요소를 생성합니다.
범위 슬라이더는 주어진 범위 내의 숫자를 빠르게 선택하는 상황에서 아주 유용합니다.
\n\n\n처음 두 개의 매개변수 min
과 max
는 슬라이더의 최소값과 최대값을 설정하는 숫자입니다.
세 번째 매개변수 value
는 선택적(optional) 매개변수입니다. 슬라이더의 기본값을 설정하는 숫자입니다.
네 번째 매개변수 step
역시 선택적 매개변수입니다. 슬라이더 범위 내의 값들 사이의 간격을 설정하는 숫자입니다. step
을 0으로 설정하면 슬라이더는 min
과\nmax
사이를 부드럽게 움직입니다.
슬라이더의 최소값
"],"type":[0,"Number"]}],[0,{"name":[0,"max"],"description":[0,"\n슬라이더의 최대값
"],"type":[0,"Number"]}],[0,{"name":[0,"value"],"description":[0,"\n슬라이더의 기본값
"],"type":[0,"Number"],"optional":[0,true]}],[0,{"name":[0,"step"],"description":[0,"\n슬라이더에 적용된 각 간격의 크기
"],"type":[0,"Number"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"새로 생성된 p5.Element 객체"],"type":[0,"p5.Element"]}],"example":[1,[[0,"\n\nlet slider;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a slider and place it at the top of the canvas.\n slider = createSlider(0, 255);\n slider.position(10, 10);\n slider.size(80);\n\n describe('A dark gray square with a range slider at the top. The square changes color when the slider is moved.');\n}\n\nfunction draw() {\n // Use the slider as a grayscale value.\n let g = slider.value();\n background(g);\n}\n
\n\nlet slider;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a slider and place it at the top of the canvas.\n // Set its default value to 0.\n slider = createSlider(0, 255, 0);\n slider.position(10, 10);\n slider.size(80);\n\n describe('A black square with a range slider at the top. The square changes color when the slider is moved.');\n}\n\nfunction draw() {\n // Use the slider as a grayscale value.\n let g = slider.value();\n background(g);\n}\n
\n\nlet slider;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a slider and place it at the top of the canvas.\n // Set its default value to 0.\n // Set its step size to 50.\n slider = createSlider(0, 255, 0, 50);\n slider.position(10, 10);\n slider.size(80);\n\n describe('A black square with a range slider at the top. The square changes color when the slider is moved.');\n}\n\nfunction draw() {\n // Use the slider as a grayscale value.\n let g = slider.value();\n background(g);\n}\n
\n\nlet slider;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a slider and place it at the top of the canvas.\n // Set its default value to 0.\n // Set its step size to 0 so that it moves smoothly.\n slider = createSlider(0, 255, 0, 0);\n slider.position(10, 10);\n slider.size(80);\n\n describe('A black square with a range slider at the top. The square changes color when the slider is moved.');\n}\n\nfunction draw() {\n // Use the slider as a grayscale value.\n let g = slider.value();\n background(g);\n}\n
\n 요소를 생성합니다.
요소는 주로 인라인 요소들의 컨테이너로 사용됩니다. 예를 들어,
은 문장 일부에 다른 스타일을 적용할 수 있습니다.
매개변수 html
은 선택적(optional)입니다. 새로 생성될 의 내부 HTML을 설정하는 문자열입니다.
새로 생성될 <span></span>
\"\n요소의 내부 HTML
\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a span element and set its position.\n let span = createSpan('p5*js');\n span.position(25, 35);\n\n describe('A gray square with the text \"p5*js\" written in its center.');\n}\n
\n\nfunction setup() {\n background(200);\n\n // Create a div element as a container.\n let div = createDiv();\n\n // Place the div at the center.\n div.position(25, 35);\n\n // Create a span element.\n let s1 = createSpan('p5');\n\n // Create a second span element.\n let s2 = createSpan('*');\n\n // Set the second span's font color.\n s2.style('color', 'deeppink');\n\n // Create a third span element.\n let s3 = createSpan('js');\n\n // Add all the spans to the container div.\n s1.parent(div);\n s2.parent(div);\n s3.parent(div);\n\n describe('A gray square with the text \"p5*js\" written in black at its center. The asterisk is pink.');\n}\n
\n간단한 오디오/비디오를 재생할 수 있는 요소를 생성합니다.
createVideo()
는 새로운 p5.MediaElement 객체를 반환합니다. 비디오는 기본적으로 보여집니다. video.hide()
를 호출하여 숨길 수 있고, image()를 호출하여 캔버스에 그려넣을 수 있습니다.
첫 번째 매개변수 src
는 비디오 파일의 경로입니다. '/assets/topsecret.mp4'
와 같이 하나의 문자열이 전달된다면, 하나의 비디오가 불러와집니다. 문자열 배열을 이용하면 하나의 비디오를 여러 포맷으로 불러올 수 있습니다.\n\n예를 들어, ['/assets/topsecret.mp4', '/assets/topsecret.ogv',\n'/assets/topsecret.webm']
와 같이 사용하면 됩니다.\n\n이는 다양한 호환성을 가진 다양한 브라우저에서 비디오를 재생할 수 있도록 보장하는데 유용하게 사용됩니다. 더 자세한 정보와 지원되는 포맷은 \nMDN을 참고해주세요.
두 번째 매개변수 callback
은 선택적(optional) 매개변수입니다. 비디오 재생 준비가 끝났을 때 한 번 실행될 함수를 입력받습니다.
비디오 파일 경로, 또는 비디오 파일 경로의 배열(여러 브라우저를 지원해야 할 경우)
"],"type":[0,"String|String[]"]}],[0,{"name":[0,"callback"],"description":[0,"\n비디오 재생 준비가 완료되면 한 번 실행될 함수
"],"type":[0,"Function"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"새로 생성된 p5.MediaElement 객체"],"type":[0,"p5.MediaElement"]}],"example":[1,[[0,"\n\nfunction setup() {\n noCanvas();\n\n // Load a video and add it to the page.\n // Note: this may not work in some browsers.\n let video = createVideo('/assets/small.mp4');\n\n // Show the default video controls.\n video.showControls();\n\n describe('A video of a toy robot with playback controls beneath it.');\n}\n
\n\nfunction setup() {\n noCanvas();\n\n // Load a video and add it to the page.\n // Provide an array options for different file formats.\n let video = createVideo(\n ['/assets/small.mp4', '/assets/small.ogv', '/assets/small.webm']\n );\n\n // Show the default video controls.\n video.showControls();\n\n describe('A video of a toy robot with playback controls beneath it.');\n}\n
\n\nlet video;\n\nfunction setup() {\n noCanvas();\n\n // Load a video and add it to the page.\n // Provide an array options for different file formats.\n // Call mute() once the video loads.\n video = createVideo(\n ['/assets/small.mp4', '/assets/small.ogv', '/assets/small.webm'],\n muteVideo\n );\n\n // Show the default video controls.\n video.showControls();\n\n describe('A video of a toy robot with playback controls beneath it.');\n}\n\n// Mute the video once it loads.\nfunction muteVideo() {\n video.volume(0);\n}\n
\n요소가 입력을 받을 때 함수를 호출합니다.
\n\n\nmyElement.input()
은 텍스트 입력이나 슬라이더와 함께 자주 사용됩니다. \n\n\nmyElement.input(false)
를 호출하면 함수가 비활성화됩니다.
요소에 입력이 감지되었을 때 호출할 함수입니다.\n\n false
는 함수를 비활성화합니다.
\nlet slider;\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a slider and place it beneath the canvas.\n slider = createSlider(0, 255, 200);\n slider.position(0, 100);\n\n // Call repaint() when the slider changes.\n slider.input(repaint);\n\n describe('A gray square with a range slider underneath it. The background changes shades of gray when the slider is moved.');\n}\n\n// Paint the background using slider's value.\nfunction repaint() {\n let g = slider.value();\n background(g);\n}\n
\n\nlet input;\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an input and place it beneath the canvas.\n input = createInput('');\n input.position(0, 100);\n\n // Call repaint() when input is detected.\n input.input(repaint);\n\n describe('A gray square with a text input bar beneath it. Any text written in the input appears in the middle of the square.');\n}\n\n// Paint the background gray and display the input's value.\nfunction repaint() {\n background(200);\n let msg = input.value();\n text(msg, 5, 50);\n}\n
\n이벤트 핸들러를 포함하여 p5.js에 의해 생성된 모든 요소를 제거합니다.
\n\n\n여기엔 두 가지 예외가 있습니다:\n\n\ncreateCanvas()에 의해 생성된 캔버스 요소와 createGraphics()에 의해 생성된 p5.Render 객체는 예외입니다.
"],"line":[0,255],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a paragraph element and place\n // it in the middle of the canvas.\n let p = createP('p5*js');\n p.position(25, 25);\n\n describe('A gray square with the text \"p5*js\" written in its center. The text disappears when the mouse is pressed.');\n}\n\n// Remove all elements when the mouse is pressed.\nfunction mousePressed() {\n removeElements();\n}\n
\n\nlet slider;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a paragraph element and place\n // it at the top of the canvas.\n let p = createP('p5*js');\n p.position(25, 25);\n\n // Create a slider element and place it\n // beneath the canvas.\n slider = createSlider(0, 255, 200);\n slider.position(0, 100);\n\n describe('A gray square with the text \"p5*js\" written in its center and a range slider beneath it. The square changes color when the slider is moved. The text and slider disappear when the square is double-clicked.');\n}\n\nfunction draw() {\n // Use the slider value to change the background color.\n let g = slider.value();\n background(g);\n}\n\n// Remove all elements when the mouse is double-clicked.\nfunction doubleClicked() {\n removeElements();\n}\n
\n페이지에서 전달된 CSS 선택자 문자열과 일치하는 첫 번째 요소를 검색합니다.
\n\n\n선택자 문자열은 ID, 클래스, 태그명, 또는 그 조합이 될 수 있습니다.\n\n\nselect()
는 일치하는 값을 찾으면 p5.Element 객체를 반환하고, 찾지 못한다면 null
를 반환합니다.
두 번째 매개변수 container
는 선택적(optional)입니다. 검색할 컨테이너를 지정합니다. container
는 CSS 선택자 문자열, p5.Element 객체, 또는 HTMLElement 객체일 수 있습니다.
검색하고자 하는 요소의 CSS 선택자 문자열
"],"type":[0,"String"]}],[0,{"name":[0,"container"],"description":[0,"\n검색 범위로 사용하고자 하는 CSS 선택자 문자열, p5.Element, 또는 HTML 요소
"],"type":[0,"String|p5.Element|HTMLElement"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"검색된 요소를 포함하고 있는 p5.Element"],"type":[0,"p5.Element|null"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n background(200);\n\n // Select the canvas by its tag.\n let cnv = select('canvas');\n cnv.style('border', '5px deeppink dashed');\n\n describe('A gray square with a dashed pink border.');\n}\n
\n\nfunction setup() {\n let cnv = createCanvas(100, 100);\n\n // Add a class attribute to the canvas.\n cnv.class('pinkborder');\n\n background(200);\n\n // Select the canvas by its class.\n cnv = select('.pinkborder');\n\n // Style its border.\n cnv.style('border', '5px deeppink dashed');\n\n describe('A gray square with a dashed pink border.');\n}\n
\n\nfunction setup() {\n let cnv = createCanvas(100, 100);\n\n // Set the canvas' ID.\n cnv.id('mycanvas');\n\n background(200);\n\n // Select the canvas by its ID.\n cnv = select('#mycanvas');\n\n // Style its border.\n cnv.style('border', '5px deeppink dashed');\n\n describe('A gray square with a dashed pink border.');\n}\n
\n페이지에서 주어진CSS 선택자 문자열과 일치하는 모든 요소를 검색합니다.
\n\n\n선택자 문자열은 ID, 클래스, 태그명, 또는 그 조합일 수 있습니다.\n\n\nselectAll()
은 일치하는 값을 찾으면 해당하는 p5.Element 객체의 배열을 반환하고, 찾지 못하면 빈 배열을 반환합니다.
두 번째 매개변수 container
는 선택적(optional)입니다. 검색할 컨테이너를 지정합니다. container
는 CSS 선택자 문자열, p5.Element 객체, 또는 HTMLElement 객체가 될 수 있습니다.
검색하고자 하는 요소의 CSS 선택자 문자열
"],"type":[0,"String"]}],[0,{"name":[0,"container"],"description":[0,"\n검색 범위로 사용하고자 하는 CSS 선택자 문자열. p5.Element, 또는\n\n HTML 요소
"],"type":[0,"String|p5.Element|HTMLElement"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"\n검색된 요소를 모두 포함하고 있는 p5.Element 배열"],"type":[0,"p5.Element[]"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create three buttons.\n createButton('1');\n createButton('2');\n createButton('3');\n\n // Select the buttons by their tag.\n let buttons = selectAll('button');\n\n // Position the buttons.\n for (let i = 0; i < 3; i += 1) {\n buttons[i].position(0, i * 30);\n }\n\n describe('Three buttons stacked vertically. The buttons are labeled, \"1\", \"2\", and \"3\".');\n}\n
\n\nfunction setup() {\n // Create three buttons and position them.\n let b1 = createButton('1');\n b1.position(0, 0);\n let b2 = createButton('2');\n b2.position(0, 30);\n let b3 = createButton('3');\n b3.position(0, 60);\n\n // Add a class attribute to each button.\n b1.class('btn');\n b2.class('btn btn-pink');\n b3.class('btn');\n\n // Select the buttons by their class.\n let buttons = selectAll('.btn');\n let pinkButtons = selectAll('.btn-pink');\n\n // Style the selected buttons.\n buttons.forEach(setFont);\n pinkButtons.forEach(setColor);\n\n describe('Three buttons stacked vertically. The buttons are labeled, \"1\", \"2\", and \"3\". Buttons \"1\" and \"3\" are gray. Button \"2\" is pink.');\n}\n\n// Set a button's font to Comic Sans MS.\nfunction setFont(btn) {\n btn.style('font-family', 'Comic Sans MS');\n}\n\n// Set a button's background and font color.\nfunction setColor(btn) {\n btn.style('background', 'deeppink');\n btn.style('color', 'white');\n}\n
\nAdds a value to the end of an array. Extends the length of\nthe array by one. Maps to Array.push().
\n"],"line":[0,10],"params":[1,[[0,{"name":[0,"array"],"description":[0,"Array to append
\n"],"type":[0,"Array"]}],[0,{"name":[0,"value"],"description":[0,"to be added to the Array
\n"],"type":[0,"Any"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"the array that was appended to"],"type":[0,"Array"]}],"example":[1,[[0,"\n\nfunction setup() {\n let myArray = ['Mango', 'Apple', 'Papaya'];\n print(myArray); // ['Mango', 'Apple', 'Papaya']\n\n append(myArray, 'Peach');\n print(myArray); // ['Mango', 'Apple', 'Papaya', 'Peach']\n}\n
Copies an array (or part of an array) to another array. The src array is\ncopied to the dst array, beginning at the position specified by\nsrcPosition and into the position specified by dstPosition. The number of\nelements to copy is determined by length. Note that copying values\noverwrites existing values in the destination array. To append values\ninstead of overwriting them, use concat().
\nThe simplified version with only two arguments, arrayCopy(src, dst),\ncopies an entire array to another of the same size. It is equivalent to\narrayCopy(src, 0, dst, 0, src.length).
\nUsing this function is far more efficient for copying array data than\niterating through a for() loop and copying each element individually.
\n"],"line":[0,35],"overloads":[1,[[0,{"params":[1,[[0,{"name":[0,"src"],"description":[0,"the source Array
\n"],"type":[0,"Array"]}],[0,{"name":[0,"srcPosition"],"description":[0,"starting position in the source Array
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"dst"],"description":[0,"the destination Array
\n"],"type":[0,"Array"]}],[0,{"name":[0,"dstPosition"],"description":[0,"starting position in the destination Array
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"length"],"description":[0,"number of Array elements to be copied
\n"],"type":[0,"Integer"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"src"],"description":[0,""],"type":[0,"Array"]}],[0,{"name":[0,"dst"],"description":[0,""],"type":[0,"Array"]}],[0,{"name":[0,"length"],"description":[0,""],"type":[0,"Integer"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nlet src = ['A', 'B', 'C'];\nlet dst = [1, 2, 3];\nlet srcPosition = 1;\nlet dstPosition = 0;\nlet length = 2;\n\nprint(src); // ['A', 'B', 'C']\nprint(dst); // [ 1 , 2 , 3 ]\n\narrayCopy(src, srcPosition, dst, dstPosition, length);\nprint(dst); // ['B', 'C', 3]\n
Concatenates two arrays, maps to Array.concat(). Does not modify the\ninput arrays.
\n"],"line":[0,112],"params":[1,[[0,{"name":[0,"a"],"description":[0,"first Array to concatenate
\n"],"type":[0,"Array"]}],[0,{"name":[0,"b"],"description":[0,"second Array to concatenate
\n"],"type":[0,"Array"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"concatenated array"],"type":[0,"Array"]}],"example":[1,[[0,"\n\nfunction setup() {\n let arr1 = ['A', 'B', 'C'];\n let arr2 = [1, 2, 3];\n\n print(arr1); // ['A','B','C']\n print(arr2); // [1,2,3]\n\n let arr3 = concat(arr1, arr2);\n\n print(arr1); // ['A','B','C']\n print(arr2); // [1, 2, 3]\n print(arr3); // ['A','B','C', 1, 2, 3]\n}\n
Reverses the order of an array, maps to Array.reverse()
\n"],"line":[0,141],"params":[1,[[0,{"name":[0,"list"],"description":[0,"Array to reverse
\n"],"type":[0,"Array"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"the reversed list"],"type":[0,"Array"]}],"example":[1,[[0,"\n\nfunction setup() {\n let myArray = ['A', 'B', 'C'];\n print(myArray); // ['A','B','C']\n\n reverse(myArray);\n print(myArray); // ['C','B','A']\n}\n
Decreases an array by one element and returns the shortened array,\nmaps to Array.pop().
\n"],"line":[0,161],"params":[1,[[0,{"name":[0,"list"],"description":[0,"Array to shorten
\n"],"type":[0,"Array"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"shortened Array"],"type":[0,"Array"]}],"example":[1,[[0,"\n\nfunction setup() {\n let myArray = ['A', 'B', 'C'];\n print(myArray); // ['A', 'B', 'C']\n let newArray = shorten(myArray);\n print(myArray); // ['A','B','C']\n print(newArray); // ['A','B']\n}\n
Shuffles the elements of an array.
\nThe first parameter, array
, is the array to be shuffled. For example,\ncalling shuffle(myArray)
will shuffle the elements of myArray
. By\ndefault, the original array won’t be modified. Instead, a copy will be\ncreated, shuffled, and returned.
The second parameter, modify
, is optional. If true
is passed, as in\nshuffle(myArray, true)
, then the array will be shuffled in place without\nmaking a copy.
array to shuffle.
\n"],"type":[0,"Array"]}],[0,{"name":[0,"bool"],"description":[0,"if true
, shuffle the original array in place. Defaults to false
.
\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of colors.\n let colors = ['red', 'orange', 'yellow', 'green', 'blue', 'indigo', 'violet'];\n\n // Create a shuffled copy of the array.\n let shuffledColors = shuffle(colors);\n\n // Draw a row of circles using the original array.\n for (let i = 0; i < colors.length; i += 1) {\n // Calculate the x-coordinate.\n let x = (i + 1) * 12.5;\n\n // Style the circle.\n let c = colors[i];\n fill(c);\n\n // Draw the circle.\n circle(x, 33, 10);\n }\n\n // Draw a row of circles using the original array.\n for (let i = 0; i < shuffledColors.length; i += 1) {\n // Calculate the x-coordinate.\n let x = (i + 1) * 12.5;\n\n // Style the circle.\n let c = shuffledColors[i];\n fill(c);\n\n // Draw the circle.\n circle(x, 67, 10);\n }\n\n describe(\n 'Two rows of circles on a gray background. The top row follows the color sequence ROYGBIV. The bottom row has all the same colors but they are shuffled.'\n );\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of colors.\n let colors = ['red', 'orange', 'yellow', 'green', 'blue', 'indigo', 'violet'];\n\n // Shuffle the array.\n shuffle(colors, true);\n\n // Draw a row of circles using the original array.\n for (let i = 0; i < colors.length; i += 1) {\n // Calculate the x-coordinate.\n let x = (i + 1) * 12.5;\n\n // Style the circle.\n let c = colors[i];\n fill(c);\n\n // Draw the circle.\n circle(x, 50, 10);\n }\n\n describe(\n 'A row of colorful circles on a gray background. Their sequence changes each time the sketch runs.'\n );\n}\n
\nSorts an array of numbers from smallest to largest, or puts an array of\nwords in alphabetical order. The original array is not modified; a\nre-ordered array is returned. The count parameter states the number of\nelements to sort. For example, if there are 12 elements in an array and\ncount is set to 5, only the first 5 elements in the array will be sorted.
\n"],"line":[0,300],"params":[1,[[0,{"name":[0,"list"],"description":[0,"Array to sort
\n"],"type":[0,"Array"]}],[0,{"name":[0,"count"],"description":[0,"number of elements to sort, starting from 0
\n"],"type":[0,"Integer"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"the sorted list"],"type":[0,"Array"]}],"example":[1,[[0,"\n\nfunction setup() {\n let words = ['banana', 'apple', 'pear', 'lime'];\n print(words); // ['banana', 'apple', 'pear', 'lime']\n let count = 4; // length of array\n\n words = sort(words, count);\n print(words); // ['apple', 'banana', 'lime', 'pear']\n}\n
\nfunction setup() {\n let numbers = [2, 6, 1, 5, 14, 9, 8, 12];\n print(numbers); // [2, 6, 1, 5, 14, 9, 8, 12]\n let count = 5; // Less than the length of the array\n\n numbers = sort(numbers, count);\n print(numbers); // [1,2,5,6,14,9,8,12]\n}\n
Inserts a value or an array of values into an existing array. The first\nparameter specifies the initial array to be modified, and the second\nparameter defines the data to be inserted. The third parameter is an index\nvalue which specifies the array position from which to insert data.\n(Remember that array index numbering starts at zero, so the first position\nis 0, the second position is 1, and so on.)
\n"],"line":[0,346],"params":[1,[[0,{"name":[0,"list"],"description":[0,"Array to splice into
\n"],"type":[0,"Array"]}],[0,{"name":[0,"value"],"description":[0,"value to be spliced in
\n"],"type":[0,"Any"]}],[0,{"name":[0,"position"],"description":[0,"in the array from which to insert data
\n"],"type":[0,"Integer"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"the list"],"type":[0,"Array"]}],"example":[1,[[0,"\n\nfunction setup() {\n let myArray = [0, 1, 2, 3, 4];\n let insArray = ['A', 'B', 'C'];\n print(myArray); // [0, 1, 2, 3, 4]\n print(insArray); // ['A','B','C']\n\n splice(myArray, insArray, 3);\n print(myArray); // [0,1,2,'A','B','C',3,4]\n}\n
Extracts an array of elements from an existing array. The list parameter\ndefines the array from which the elements will be copied, and the start\nand count parameters specify which elements to extract. If no count is\ngiven, elements will be extracted from the start to the end of the array.\nWhen specifying the start, remember that the first array element is 0.\nThis function does not change the source array.
\n"],"line":[0,381],"params":[1,[[0,{"name":[0,"list"],"description":[0,"Array to extract from
\n"],"type":[0,"Array"]}],[0,{"name":[0,"start"],"description":[0,"position to begin
\n"],"type":[0,"Integer"]}],[0,{"name":[0,"count"],"description":[0,"number of values to extract
\n"],"type":[0,"Integer"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"Array of extracted elements"],"type":[0,"Array"]}],"example":[1,[[0,"\n\nfunction setup() {\n let myArray = [1, 2, 3, 4, 5];\n print(myArray); // [1, 2, 3, 4, 5]\n\n let sub1 = subset(myArray, 0, 3);\n let sub2 = subset(myArray, 2, 2);\n print(sub1); // [1,2,3]\n print(sub2); // [3,4]\n}\n
Converts a Boolean
, String
, or Number
to its byte value.
byte()
converts a value to an integer (whole number) between -128 and\n127. Values greater than 127 wrap around while negative values are\nunchanged. For example, 128 becomes -128 and -129 remains the same.
The parameter, n
, is the value to convert. If n
is a Boolean, as in\nbyte(false)
or byte(true)
, the number 0 (false
) or 1 (true
) will be\nreturned. If n
is a string or number, as in byte('256')
or byte(256)
,\nthen the byte value will be returned. Decimal values are ignored. If an\narray is passed, as in byte([true, 123, '456'])
, then an array of byte\nvalues will be returned.
Note: If a value can't be converted to a number, as in byte('giraffe')
,\nthen the value NaN
(not a number) will be returned.
value to convert.
\n"],"type":[0,"String|Boolean|Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"ns"],"description":[0,"values to convert.
\n"],"type":[0,"Array"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"converted byte value."],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a Boolean variable.\n let original = true;\n\n // Convert the Boolean to its byte value.\n let converted = byte(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the original and converted values.\n text(`${original} : ${converted}`, 50, 50);\n\n describe('The text \"true : 1\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a string variable.\n let original = '256';\n\n // Convert the string to its byte value.\n let converted = byte(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the original and converted values.\n text(`${original} : ${converted}`, 50, 50);\n\n describe('The text \"256 : 0\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a number variable.\n let original = 256;\n\n // Convert the number to its byte value.\n let converted = byte(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the original and converted values.\n text(`${original} : ${converted}`, 50, 50);\n\n describe('The text \"256 : 0\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of values.\n let original = [false, '64', 383];\n\n // Convert the array elements to their byte values.\n let converted = byte(original);\n\n // Iterate over the converted array elements.\n for (let i = 0; i < converted.length; i += 1) {\n\n // Style the circle.\n fill(converted[i]);\n\n // Calculate the x-coordinate.\n let x = (i + 1) * 25;\n\n // Draw the circle.\n circle(x, 50, 20);\n }\n\n describe(\n 'Three gray circles on a gray background. The circles get lighter from left to right.'\n );\n}\n
\nConverts a Number
or String
to a single-character String
.
char()
converts numbers to their single-character string representations.
The parameter, n
, is the value to convert. If a number is passed, as in\nchar(65)
, the corresponding single-character string is returned. If a\nstring is passed, as in char('65')
, the string is converted to an integer\n(whole number) and the corresponding single-character string is returned.\nIf an array is passed, as in char([65, 66, 67])
, an array of\nsingle-character strings is returned.
See MDN\nfor more information about conversions.
\n"],"line":[0,612],"overloads":[1,[[0,{"params":[1,[[0,{"name":[0,"n"],"description":[0,"value to convert.
\n"],"type":[0,"String|Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"ns"],"description":[0,"values to convert.
\n"],"type":[0,"Array"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"converted single-character string."],"type":[0,"String"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a number variable.\n let original = 65;\n\n // Convert the number to a char.\n let converted = char(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the original and converted values.\n text(`${original} : ${converted}`, 50, 50);\n\n describe('The text \"65 : A\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a string variable.\n let original = '65';\n\n // Convert the string to a char.\n let converted = char(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the original and converted values.\n text(`${original} : ${converted}`, 50, 50);\n\n describe('The text \"65 : A\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of numbers.\n let original = ['65', 66, '67'];\n\n // Convert the string to a char.\n let converted = char(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Iterate over elements of the converted array.\n for (let i = 0; i < converted.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 25;\n\n // Display the original and converted values.\n text(`${original[i]} : ${converted[i]}`, 50, y);\n }\n\n describe(\n 'The text \"65 : A\", \"66 : B\", and \"67 : C\" written on three separate lines. The text is in black on a gray background.'\n );\n}\n
\nConverts a String
to a floating point (decimal) Number
.
float()
converts strings that resemble numbers, such as '12.34'
, into\nnumbers.
The parameter, str
, is the string value to convert. For example, calling\nfloat('12.34')
returns the number 12.34
. If an array of strings is\npassed, as in float(['12.34', '56.78'])
, then an array of numbers will be\nreturned.
Note: If a string can't be converted to a number, as in float('giraffe')
,\nthen the value NaN
(not a number) will be returned.
string to convert.
\n"],"type":[0,"String"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"ns"],"description":[0,"array of strings to convert.
\n"],"type":[0,"String[]"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"converted number."],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a string variable.\n let original = '12.3';\n\n // Convert the string to a number.\n let converted = float(original);\n\n // Double the converted value.\n let twice = converted * 2;\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(12);\n\n // Display the original and converted values.\n text(`${original} × 2 = ${twice}`, 50, 50);\n\n describe('The text \"12.3 × 2 = 24.6\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of strings.\n let original = ['60', '30', '15'];\n\n // Convert the strings to numbers.\n let diameters = float(original);\n\n for (let d of diameters) {\n // Draw a circle.\n circle(50, 50, d);\n }\n\n describe('Three white, concentric circles on a gray background.');\n}\n
\nConverts a Number
to a String
with its hexadecimal value.
hex()
converts a number to a string with its hexadecimal number value.\nHexadecimal (hex) numbers are base-16, which means there are 16 unique\ndigits. Hex extends the numbers 0–9 with the letters A–F. For example, the\nnumber 11
(eleven) in base-10 is written as the letter B
in hex.
The first parameter, n
, is the number to convert. For example, hex(20)
,\nreturns the string '00000014'
. If an array is passed, as in\nhex([1, 10, 100])
, an array of hexadecimal strings is returned.
The second parameter, digits
, is optional. If a number is passed, as in\nhex(20, 2)
, it sets the number of hexadecimal digits to display. For\nexample, calling hex(20, 2)
returns the string '14'
.
value to convert.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"digits"],"description":[0,"number of digits to include.
\n"],"type":[0,"Number"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"ns"],"description":[0,"values to convert.
\n"],"type":[0,"Number[]"]}],[0,{"name":[0,"digits"],"description":[0,""],"type":[0,"Number"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"converted hexadecimal value."],"type":[0,"String"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a number variable.\n let original = 20;\n\n // Convert the number to a hex string.\n let converted = hex(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(14);\n\n // Display the original and converted values.\n text(`${original} = ${converted}`, 50, 50);\n\n describe('The text \"20 = 00000014\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a number variable.\n let original = 20;\n\n // Convert the number to a hex string.\n // Only display two hex digits.\n let converted = hex(original, 2);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the original and converted values.\n text(`${original} = ${converted}`, 50, 50);\n\n describe('The text \"20 = 14\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of numbers.\n let original = [1, 10, 100];\n\n // Convert the numbers to hex strings.\n // Only use two hex digits.\n let converted = hex(original, 2);\n\n // Style the text.\n textAlign(RIGHT, CENTER);\n textSize(16);\n\n // Iterate over the converted values.\n for (let i = 0; i < converted.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 25;\n\n // Display the original and converted values.\n text(`${ original[i]} = ${converted[i]}`, 75, y);\n }\n\n describe(\n 'The text \"1 = 01\", \"10 = 0A\", and \"100 = 64\" written on three separate lines. The text is in black on a gray background.'\n );\n}\n
\nConverts a Boolean
, String
, or decimal Number
to an integer.
int()
converts values to integers. Integers are positive or negative\nnumbers without decimals. If the original value has decimals, as in -34.56,\nthey're removed to produce an integer such as -34.
The parameter, n
, is the value to convert. If n
is a Boolean, as in\nint(false)
or int(true)
, then the number 0 (false
) or 1 (true
) will\nbe returned. If n
is a string or number, as in int('45')
or\nint(67.89)
, then an integer will be returned. If an array is passed, as\nin int([12.34, 56.78])
, then an array of integers will be returned.
Note: If a value can't be converted to a number, as in int('giraffe')
,\nthen the value NaN
(not a number) will be returned.
value to convert.
\n"],"type":[0,"String|Boolean|Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"ns"],"description":[0,"values to convert.
\n"],"type":[0,"Array"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"converted number."],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a Boolean variable.\n let original = false;\n\n // Convert the Boolean to an integer.\n let converted = int(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the original and converted values.\n text(`${original} : ${converted}`, 50, 50);\n\n describe('The text \"false : 0\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a string variable.\n let original = '12.34';\n\n // Convert the string to an integer.\n let converted = int(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(14);\n\n // Display the original and converted values.\n text(`${original} ≈ ${converted}`, 50, 50);\n\n describe('The text \"12.34 ≈ 12\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a decimal number variable.\n let original = 12.34;\n\n // Convert the decimal number to an integer.\n let converted = int(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(14);\n\n // Display the original and converted values.\n text(`${original} ≈ ${converted}`, 50, 50);\n\n describe('The text \"12.34 ≈ 12\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of strings.\n let original = ['60', '30', '15'];\n\n // Convert the strings to integers.\n let diameters = int(original);\n\n for (let d of diameters) {\n // Draw a circle.\n circle(50, 50, d);\n }\n\n describe('Three white, concentric circles on a gray background.');\n}\n
\nConverts a Boolean
or Number
to String
.
str()
converts values to strings. See the\nString reference page for guidance on using\ntemplate literals instead.
The parameter, n
, is the value to convert. If n
is a Boolean, as in\nstr(false)
or str(true)
, then the value will be returned as a string,\nas in 'false'
or 'true'
. If n
is a number, as in str(123)
, then its\nvalue will be returned as a string, as in '123'
. If an array is passed,\nas in str([12.34, 56.78])
, then an array of strings will be returned.
value to convert.
\n"],"type":[0,"String|Boolean|Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"converted string."],"type":[0,"String"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a Boolean variable.\n let original = false;\n\n // Convert the Boolean to a string.\n let converted = str(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the original and converted values.\n text(`${original} : ${converted}`, 50, 50);\n\n describe('The text \"false : false\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a number variable.\n let original = 123;\n\n // Convert the number to a string.\n let converted = str(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the original and converted values.\n text(`${original} = ${converted}`, 50, 50);\n\n describe('The text \"123 = 123\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of numbers.\n let original = [12, 34, 56];\n\n // Convert the numbers to strings.\n let strings = str(original);\n\n // Create an empty string variable.\n let final = '';\n\n // Concatenate all the strings.\n for (let s of strings) {\n final += s;\n }\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the concatenated string.\n text(final, 50, 50);\n\n describe('The text \"123456\" written in black on a gray background.');\n}\n
\nConverts a single-character String
to a Number
.
unchar()
converts single-character strings to their corresponding\ninteger (whole number).
The parameter, n
, is the character to convert. For example,\nunchar('A')
, returns the number 65. If an array is passed, as in\nunchar(['A', 'B', 'C'])
, an array of integers is returned.
value to convert.
\n"],"type":[0,"String"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"ns"],"description":[0,"values to convert.
\n"],"type":[0,"String[]"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"converted number."],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a string variable.\n let original = 'A';\n\n // Convert the string to a number.\n let converted = unchar(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the original and converted values.\n text(`${original} : ${converted}`, 50, 50);\n\n describe('The text \"A : 65\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of characters.\n let original = ['A', 'B', 'C'];\n\n // Convert the string to a number.\n let converted = unchar(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Iterate over elements of the converted array.\n for (let i = 0; i < converted.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 25;\n\n // Display the original and converted values.\n text(`${original[i]} : ${converted[i]}`, 50, y);\n }\n\n describe(\n 'The text \"A : 65\", \"B : 66\", and \"C :67\" written on three separate lines. The text is in black on a gray background.'\n );\n}\n
\nConverts a String
with a hexadecimal value to a Number
.
unhex()
converts a string with its hexadecimal number value to a number.\nHexadecimal (hex) numbers are base-16, which means there are 16 unique\ndigits. Hex extends the numbers 0–9 with the letters A–F. For example, the\nnumber 11
(eleven) in base-10 is written as the letter B
in hex.
The first parameter, n
, is the hex string to convert. For example,\nunhex('FF')
, returns the number 255. If an array is passed, as in\nunhex(['00', '80', 'FF'])
, an array of numbers is returned.
value to convert.
\n"],"type":[0,"String"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"ns"],"description":[0,"values to convert.
\n"],"type":[0,"String[]"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"converted number."],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a a hex string variable\n let original = 'FF';\n\n // Convert the hex string to a number.\n let converted = unhex(original);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the original and converted values.\n text(`${original} = ${converted}`, 50, 50);\n\n describe('The text \"FF = 255\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of numbers.\n let original = ['00', '80', 'FF'];\n\n // Convert the numbers to hex strings.\n // Only use two hex digits.\n let converted = unhex(original, 2);\n\n // Style the text.\n textAlign(RIGHT, CENTER);\n textSize(16);\n\n // Iterate over the converted values.\n for (let i = 0; i < converted.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 25;\n\n // Display the original and converted values.\n text(`${ original[i]} = ${converted[i]}`, 80, y);\n }\n\n describe(\n 'The text \"00 = 0\", \"80 = 128\", and \"FF = 255\" written on three separate lines. The text is in black on a gray background.'\n );\n}\n
\nCreates a new instance of p5.NumberDict using the key-value pair\n or object you provide.
\n"],"line":[0,48],"overloads":[1,[[0,{"params":[1,[[0,{"name":[0,"key"],"description":[0,""],"type":[0,"Number"]}],[0,{"name":[0,"value"],"description":[0,""],"type":[0,"Number"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"object"],"description":[0,"object
\n"],"type":[0,"Object"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,""],"type":[0,"p5.NumberDict"]}],"example":[1,[[0,"\n\n function setup() {\n let myDictionary = createNumberDict(100, 42);\n print(myDictionary.hasKey(100)); // logs true to console\n let anotherDictionary = createNumberDict({ 200: 84 });\n print(anotherDictionary.hasKey(200)); // logs true to console\n }\n
Creates a new instance of p5.StringDict using the key-value pair\n or the object you provide.
\n"],"line":[0,14],"overloads":[1,[[0,{"params":[1,[[0,{"name":[0,"key"],"description":[0,""],"type":[0,"String"]}],[0,{"name":[0,"value"],"description":[0,""],"type":[0,"String"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"object"],"description":[0,"object
\n"],"type":[0,"Object"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,""],"type":[0,"p5.StringDict"]}],"example":[1,[[0,"\n\n function setup() {\n let myDictionary = createStringDict('p5', 'js');\n print(myDictionary.hasKey('p5')); // logs true to console\n let anotherDictionary = createStringDict({ happy: 'coding' });\n print(anotherDictionary.hasKey('happy')); // logs true to console\n }\n
A simple Dictionary class for Strings.
\n"],"line":[0,397],"path":[0,"p5/p5.StringDict"]}],"render":[0,null]}]]]}],[0,{"name":[0,"LocalStorage"],"entry":[0],"entries":[1,[[0,{"id":[0,"en/p5/clearStorage.mdx"],"slug":[0,"en/p5/clearstorage"],"body":[0,"\n\n# clearStorage\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"clearStorage()"],"module":[0,"Data"],"submodule":[0,"LocalStorage"],"file":[0,"src/data/local_storage.js"],"description":[0,"Removes all items in the web browser's local storage.
\nWeb browsers can save small amounts of data using the built-in\nlocalStorage object.\nData stored in localStorage
can be retrieved at any point, even after\nrefreshing a page or restarting the browser. Data are stored as key-value\npairs. Calling clearStorage()
removes all data from localStorage
.
Note: Sensitive data such as passwords or personal information shouldn't be\nstored in localStorage
.
\n// Double-click to clear localStorage.\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Store the player's name.\n storeItem('name', 'Feist');\n\n // Store the player's score.\n storeItem('score', 1234);\n\n describe(\n 'The text \"Feist: 1234\" written in black on a gray background. The text \"null: null\" appears when the user double-clicks.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(14);\n\n // Retrieve the name.\n let name = getItem('name');\n\n // Retrieve the score.\n let score = getItem('score');\n\n // Display the score.\n text(`${name}: ${score}`, 50, 50);\n}\n\n// Clear localStorage when the user double-clicks.\nfunction doubleClicked() {\n clearStorage();\n}\n
\nReturns a value in the web browser's local storage.
\nWeb browsers can save small amounts of data using the built-in\nlocalStorage object.\nData stored in localStorage
can be retrieved at any point, even after\nrefreshing a page or restarting the browser. Data are stored as key-value\npairs.
storeItem() makes it easy to store values in\nlocalStorage
and getItem()
makes it easy to retrieve them.
The first parameter, key
, is the name of the value to be stored as a\nstring.
The second parameter, value
, is the value to be retrieved a string. For\nexample, calling getItem('size')
retrieves the value with the key size
.
Note: Sensitive data such as passwords or personal information shouldn't be\nstored in localStorage
.
name of the value.
\n"],"type":[0,"String"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"stored item."],"type":[0,"String|Number|Boolean|Object|Array"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Store the player's name.\n storeItem('name', 'Feist');\n\n // Store the player's score.\n storeItem('score', 1234);\n\n describe('The text \"Feist: 1234\" written in black on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(14);\n\n // Retrieve the name.\n let name = getItem('name');\n\n // Retrieve the score.\n let score = getItem('score');\n\n // Display the score.\n text(`${name}: ${score}`, 50, 50);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create an object.\n let p = { x: 50, y: 50 };\n\n // Store the object.\n storeItem('position', p);\n\n describe('A white circle on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Retrieve the object.\n let p = getItem('position');\n\n // Draw the circle.\n circle(p.x, p.y, 30);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create a p5.Color object.\n let c = color('deeppink');\n\n // Store the object.\n storeItem('color', c);\n\n describe('A pink circle on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Retrieve the object.\n let c = getItem('color');\n\n // Style the circle.\n fill(c);\n\n // Draw the circle.\n circle(50, 50, 30);\n}\n
\nRemoves an item from the web browser's local storage.
\nWeb browsers can save small amounts of data using the built-in\nlocalStorage object.\nData stored in localStorage
can be retrieved at any point, even after\nrefreshing a page or restarting the browser. Data are stored as key-value\npairs.
storeItem() makes it easy to store values in\nlocalStorage
and removeItem()
makes it easy to delete them.
The parameter, key
, is the name of the value to remove as a string. For\nexample, calling removeItem('size')
removes the item with the key size
.
Note: Sensitive data such as passwords or personal information shouldn't be\nstored in localStorage
.
name of the value to remove.
\n"],"type":[0,"String"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n// Double-click to remove an item from localStorage.\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Store the player's name.\n storeItem('name', 'Feist');\n\n // Store the player's score.\n storeItem('score', 1234);\n\n describe(\n 'The text \"Feist: 1234\" written in black on a gray background. The text \"Feist: null\" appears when the user double-clicks.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(14);\n\n // Retrieve the name.\n let name = getItem('name');\n\n // Retrieve the score.\n let score = getItem('score');\n\n // Display the score.\n text(`${name}: ${score}`, 50, 50);\n}\n\n// Remove the word from localStorage when the user double-clicks.\nfunction doubleClicked() {\n removeItem('score');\n}\n
\nStores a value in the web browser's local storage.
\nWeb browsers can save small amounts of data using the built-in\nlocalStorage object.\nData stored in localStorage
can be retrieved at any point, even after\nrefreshing a page or restarting the browser. Data are stored as key-value\npairs.
storeItem()
makes it easy to store values in localStorage
and\ngetItem() makes it easy to retrieve them.
The first parameter, key
, is the name of the value to be stored as a\nstring.
The second parameter, value
, is the value to be stored. Values can have\nany type.
Note: Sensitive data such as passwords or personal information shouldn't be\nstored in localStorage
.
name of the value.
\n"],"type":[0,"String"]}],[0,{"name":[0,"value"],"description":[0,"value to be stored.
\n"],"type":[0,"String|Number|Boolean|Object|Array"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Store the player's name.\n storeItem('name', 'Feist');\n\n // Store the player's score.\n storeItem('score', 1234);\n\n describe('The text \"Feist: 1234\" written in black on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(14);\n\n // Retrieve the name.\n let name = getItem('name');\n\n // Retrieve the score.\n let score = getItem('score');\n\n // Display the score.\n text(`${name}: ${score}`, 50, 50);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create an object.\n let p = { x: 50, y: 50 };\n\n // Store the object.\n storeItem('position', p);\n\n describe('A white circle on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Retrieve the object.\n let p = getItem('position');\n\n // Draw the circle.\n circle(p.x, p.y, 30);\n}\n
\nCombines an array of strings into one string.
\nThe first parameter, list
, is the array of strings to join.
The second parameter, separator
, is the character(s) that should be used\nto separate the combined strings. For example, calling\njoin(myWords, ' : ')
would return a string of words each separated by a\ncolon and spaces.
array of strings to combine.
\n"],"type":[0,"Array"]}],[0,{"name":[0,"separator"],"description":[0,"character(s) to place between strings when they're combined.
\n"],"type":[0,"String"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"combined string."],"type":[0,"String"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of strings.\n let myWords = ['one', 'two', 'three'];\n\n // Create a combined string\n let combined = join(myWords, ' : ');\n\n // Style the text.\n textAlign(CENTER, CENTER);\n\n // Display the combined string.\n text(combined, 50, 50);\n\n describe('The text \"one : two : three\" written in black on a gray canvas.');\n}\n
\nApplies a regular expression to a string and returns an array with the\nfirst match.
\nmatch()
uses regular expressions (regex) to match patterns in text. For\nexample, the regex abc
can be used to search a string for the exact\nsequence of characters abc
. See\nMDN.\nfor more information about regexes.
The first parameter, str
, is the string to search.
The second parameter, regex
, is a string with the regular expression to\napply. For example, calling match('Hello, p5*js!', '[a-z][0-9]')
would\nreturn the array ['p5']
.
Note: If no matches are found, null
is returned.
string to search.
\n"],"type":[0,"String"]}],[0,{"name":[0,"regexp"],"description":[0,"regular expression to match.
\n"],"type":[0,"String"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"match if found."],"type":[0,"String[]"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a string variable.\n let string = 'Hello, p5*js!';\n\n // Match the characters that are lowercase\n // letters followed by digits.\n let matches = match(string, '[a-z][0-9]');\n\n // Print the matches array to the console:\n // ['p5']\n print(matches);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the matches.\n text(matches, 50, 50);\n\n describe('The text \"p5\" written in black on a gray canvas.');\n}\n
\nApplies a regular expression to a string and returns an array of matches.
\nmatch()
uses regular expressions (regex) to match patterns in text. For\nexample, the regex abc
can be used to search a string for the exact\nsequence of characters abc
. See\nMDN.\nfor more information about regexes. matchAll()
is different from\nmatch() because it returns every match, not just\nthe first.
The first parameter, str
, is the string to search.
The second parameter, regex
, is a string with the regular expression to\napply. For example, calling\nmatchAll('p5*js is easier than abc123', '[a-z][0-9]')
would return the\n2D array [['p5'], ['c1']]
.
Note: If no matches are found, an empty array []
is returned.
string to search.
\n"],"type":[0,"String"]}],[0,{"name":[0,"regexp"],"description":[0,"regular expression to match.
\n"],"type":[0,"String"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"matches found."],"type":[0,"String[]"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a string variable.\n let string = 'p5*js is easier than abc123';\n\n // Match the character sequences that are\n // lowercase letters followed by digits.\n let matches = matchAll(string, '[a-z][0-9]');\n\n // Print the matches array to the console:\n // [['p5'], ['c1']]\n print(matches);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Iterate over the matches array.\n for (let i = 0; i < matches.length; i += 1) {\n\n // Calculate the y-coordainate.\n let y = (i + 1) * 33;\n\n // Display the match.\n text(matches[i], 50, y);\n }\n\n describe(\n 'The text \"p5\" and \"c1\" written on separate lines. The text is black on a gray background.'\n );\n}\n
\nConverts a Number
into a String
with a given number of digits.
nf()
converts numbers such as 123.45
into strings formatted with a set\nnumber of digits, as in '123.4500'
.
The first parameter, num
, is the number to convert to a string. For\nexample, calling nf(123.45)
returns the string '123.45'
. If an array of\nnumbers is passed, as in nf([123.45, 67.89])
, an array of formatted\nstrings will be returned.
The second parameter, left
, is optional. If a number is passed, as in\nnf(123.45, 4)
, it sets the minimum number of digits to include to the\nleft of the decimal place. If left
is larger than the number of digits in\nnum
, then unused digits will be set to 0. For example, calling\nnf(123.45, 4)
returns the string '0123.45'
.
The third parameter, right
, is also optional. If a number is passed, as\nin nf(123.45, 4, 1)
, it sets the minimum number of digits to include to\nthe right of the decimal place. If right
is smaller than the number of\ndecimal places in num
, then num
will be rounded to the given number of\ndecimal places. For example, calling nf(123.45, 4, 1)
returns the string\n'0123.5'
. If right is larger than the number of decimal places in num
,\nthen unused decimal places will be set to 0. For example, calling\nnf(123.45, 4, 3)
returns the string '0123.450'
.
When the number is negative, for example, calling nf(-123.45, 5, 2)
\nreturns the string '-00123.45'
.
number to format.
\n"],"type":[0,"Number|String"]}],[0,{"name":[0,"left"],"description":[0,"number of digits to include to the left of\n the decimal point.
\n"],"type":[0,"Integer|String"],"optional":[0,true]}],[0,{"name":[0,"right"],"description":[0,"number of digits to include to the right\n of the decimal point.
\n"],"type":[0,"Integer|String"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"nums"],"description":[0,"numbers to format.
\n"],"type":[0,"Number[]"]}],[0,{"name":[0,"left"],"description":[0,""],"type":[0,"Integer|String"],"optional":[0,true]}],[0,{"name":[0,"right"],"description":[0,""],"type":[0,"Integer|String"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"formatted string."],"type":[0,"String"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textSize(16);\n\n // Create a number variable.\n let number = 123.45;\n\n // Display the number as a string.\n let formatted = nf(number);\n text(formatted, 20, 20);\n\n let negative = nf(-number, 4, 2);\n text(negative, 20, 40);\n\n // Display the number with four digits\n // to the left of the decimal.\n let left = nf(number, 4);\n text(left, 20, 60);\n\n // Display the number with four digits\n // to the left of the decimal and one\n // to the right.\n let right = nf(number, 4, 1);\n text(right, 20, 80);\n\n describe(\n 'The numbers \"123.45\", \"-0123.45\", \"0123.45\", and \"0123.5\" written on four separate lines. The text is in black on a gray background.'\n );\n}\n
\nConverts a Number
into a String
with commas to mark units of 1,000.
nfc()
converts numbers such as 12345 into strings formatted with commas\nto mark the thousands place, as in '12,345'
.
The first parameter, num
, is the number to convert to a string. For\nexample, calling nfc(12345)
returns the string '12,345'
.
The second parameter, right
, is optional. If a number is passed, as in\nnfc(12345, 1)
, it sets the minimum number of digits to include to the\nright of the decimal place. If right
is smaller than the number of\ndecimal places in num
, then num
will be rounded to the given number of\ndecimal places. For example, calling nfc(12345.67, 1)
returns the string\n'12,345.7'
. If right
is larger than the number of decimal places in\nnum
, then unused decimal places will be set to 0. For example, calling\nnfc(12345.67, 3)
returns the string '12,345.670'
.
number to format.
\n"],"type":[0,"Number|String"]}],[0,{"name":[0,"right"],"description":[0,"number of digits to include to the right\n of the decimal point.
\n"],"type":[0,"Integer|String"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"nums"],"description":[0,"numbers to format.
\n"],"type":[0,"Number[]"]}],[0,{"name":[0,"right"],"description":[0,""],"type":[0,"Integer|String"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"formatted string."],"type":[0,"String"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(LEFT, CENTER);\n textSize(16);\n\n // Create a number variable.\n let number = 12345;\n\n // Display the number as a string.\n let commas = nfc(number);\n text(commas, 15, 33);\n\n // Display the number with four digits\n // to the left of the decimal.\n let decimals = nfc(number, 2);\n text(decimals, 15, 67);\n\n describe(\n 'The numbers \"12,345\" and \"12,345.00\" written on separate lines. The text is in black on a gray background.'\n );\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of numbers.\n let numbers = [12345, 6789];\n\n // Convert the numbers to formatted strings.\n let formatted = nfc(numbers);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(14);\n\n // Iterate over the array.\n for (let i = 0; i < formatted.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 33;\n\n // Display the original and formatted numbers.\n text(`${numbers[i]} : ${formatted[i]}`, 50, y);\n }\n\n describe(\n 'The text \"12345 : 12,345\" and \"6789 : 6,789\" written on two separate lines. The text is in black on a gray background.'\n );\n}\n
\nConverts a Number
into a String
with a plus or minus sign.
nfp()
converts numbers such as 123 into strings formatted with a +
or\n-
symbol to mark whether they're positive or negative, as in '+123'
.
The first parameter, num
, is the number to convert to a string. For\nexample, calling nfp(123.45)
returns the string '+123.45'
. If an array\nof numbers is passed, as in nfp([123.45, -6.78])
, an array of formatted\nstrings will be returned.
The second parameter, left
, is optional. If a number is passed, as in\nnfp(123.45, 4)
, it sets the minimum number of digits to include to the\nleft of the decimal place. If left
is larger than the number of digits in\nnum
, then unused digits will be set to 0. For example, calling\nnfp(123.45, 4)
returns the string '+0123.45'
.
The third parameter, right
, is also optional. If a number is passed, as\nin nfp(123.45, 4, 1)
, it sets the minimum number of digits to include to\nthe right of the decimal place. If right
is smaller than the number of\ndecimal places in num
, then num
will be rounded to the given number of\ndecimal places. For example, calling nfp(123.45, 4, 1)
returns the\nstring '+0123.5'
. If right
is larger than the number of decimal places\nin num
, then unused decimal places will be set to 0. For example,\ncalling nfp(123.45, 4, 3)
returns the string '+0123.450'
.
number to format.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"left"],"description":[0,"number of digits to include to the left of the\n decimal point.
\n"],"type":[0,"Integer"],"optional":[0,true]}],[0,{"name":[0,"right"],"description":[0,"number of digits to include to the right of the\n decimal point.
\n"],"type":[0,"Integer"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"nums"],"description":[0,"numbers to format.
\n"],"type":[0,"Number[]"]}],[0,{"name":[0,"left"],"description":[0,""],"type":[0,"Integer"],"optional":[0,true]}],[0,{"name":[0,"right"],"description":[0,""],"type":[0,"Integer"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"formatted string."],"type":[0,"String"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create number variables.\n let positive = 123;\n let negative = -123;\n\n // Convert the positive number to a formatted string.\n let p = nfp(positive);\n\n // Convert the negative number to a formatted string\n // with four digits to the left of the decimal\n // and two digits to the right of the decimal.\n let n = nfp(negative, 4, 2);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(14);\n\n // Display the original and formatted numbers.\n text(`${positive} : ${p}`, 50, 33);\n text(`${negative} : ${n}`, 50, 67);\n\n describe(\n 'The text \"123 : +123\" and \"-123 : -123.00\" written on separate lines. The text is in black on a gray background.'\n );\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create number variables.\n let numbers = [123, -4.56];\n\n // Convert the numbers to formatted strings\n // with four digits to the left of the decimal\n // and one digit to the right of the decimal.\n let formatted = nfp(numbers, 4, 1);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(14);\n\n // Iterate over the array.\n for (let i = 0; i < formatted.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 33;\n\n // Display the original and formatted numbers.\n text(`${numbers[i]} : ${formatted[i]}`, 50, y);\n }\n\n describe(\n 'The text \"123 : +0123.0\" and \"-4.56 : 00-4.6\" written on separate lines. The text is in black on a gray background.'\n );\n}\n
\nConverts a positive Number
into a String
with an extra space in front.
nfs()
converts positive numbers such as 123.45 into strings formatted\nwith an extra space in front, as in ' 123.45'. Doing so can be helpful for\naligning positive and negative numbers.
The first parameter, num
, is the number to convert to a string. For\nexample, calling nfs(123.45)
returns the string ' 123.45'
.
The second parameter, left
, is optional. If a number is passed, as in\nnfs(123.45, 4)
, it sets the minimum number of digits to include to the\nleft of the decimal place. If left
is larger than the number of digits in\nnum
, then unused digits will be set to 0. For example, calling\nnfs(123.45, 4)
returns the string ' 0123.45'
.
The third parameter, right
, is also optional. If a number is passed, as\nin nfs(123.45, 4, 1)
, it sets the minimum number of digits to include to\nthe right of the decimal place. If right
is smaller than the number of\ndecimal places in num
, then num
will be rounded to the given number of\ndecimal places. For example, calling nfs(123.45, 4, 1)
returns the\nstring ' 0123.5'
. If right
is larger than the number of decimal places\nin num
, then unused decimal places will be set to 0. For example,\ncalling nfs(123.45, 4, 3)
returns the string ' 0123.450'
.
number to format.
\n"],"type":[0,"Number"]}],[0,{"name":[0,"left"],"description":[0,"number of digits to include to the left of the\n decimal point.
\n"],"type":[0,"Integer"],"optional":[0,true]}],[0,{"name":[0,"right"],"description":[0,"number of digits to include to the right of the\n decimal point.
\n"],"type":[0,"Integer"],"optional":[0,true]}]]]}],[0,{"params":[1,[[0,{"name":[0,"nums"],"description":[0,"numbers to format.
\n"],"type":[0,"Array"]}],[0,{"name":[0,"left"],"description":[0,""],"type":[0,"Integer"],"optional":[0,true]}],[0,{"name":[0,"right"],"description":[0,""],"type":[0,"Integer"],"optional":[0,true]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"formatted string."],"type":[0,"String"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create number variables.\n let positive = 123;\n let negative = -123;\n\n // Convert the positive number to a formatted string.\n let formatted = nfs(positive);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(16);\n\n // Display the negative number and the formatted positive number.\n text(negative, 50, 33);\n text(formatted, 50, 67);\n\n describe(\n 'The numbers -123 and 123 written on separate lines. The numbers align vertically. The text is in black on a gray background.'\n );\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a number variable.\n let number = 123.45;\n\n // Convert the positive number to a formatted string.\n // Use four digits to the left of the decimal and\n // one digit to the right.\n let formatted = nfs(number, 4, 1);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(16);\n\n // Display a negative version of the number and\n // the formatted positive version.\n text('-0123.5', 50, 33);\n text(formatted, 50, 67);\n\n describe(\n 'The numbers \"-0123.5\" and \"0123.5\" written on separate lines. The numbers align vertically. The text is in black on a gray background.'\n );\n}\n
\nSplits a String
into pieces and returns an array containing the pieces.
The first parameter, value
, is the string to split.
The second parameter, delim
, is the character(s) that should be used to\nsplit the string. For example, calling\nsplit('rock...paper...scissors', '...')
would return the array\n['rock', 'paper', 'scissors']
because there are three periods ...
\nbetween each word.
the String to be split
\n"],"type":[0,"String"]}],[0,{"name":[0,"delim"],"description":[0,"the String used to separate the data
\n"],"type":[0,"String"]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"Array of Strings"],"type":[0,"String[]"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a string variable.\n let string = 'rock...paper...scissors';\n\n // Split the string at each ...\n let words = split(string, '...');\n\n // Print the array to the console:\n // [\"rock\", \"paper\", \"scissors\"]\n print(words);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(16);\n\n // Iterate over the words array.\n for (let i = 0; i < words.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 25;\n\n // Display the word.\n text(words[i], 50, y);\n }\n\n describe(\n 'The words \"rock\", \"paper\", and \"scissors\" written on separate lines. The text is black on a gray background.'\n );\n}\n
\nSplits a String
into pieces and returns an array containing the pieces.
splitTokens()
is an enhanced version of\nsplit(). It can split a string when any characters\nfrom a list are detected.
The first parameter, value
, is the string to split.
The second parameter, delim
, is optional. It sets the character(s) that\nshould be used to split the string. delim
can be a single string, as in\nsplitTokens('rock...paper...scissors...shoot', '...')
, or an array of\nstrings, as in\nsplitTokens('rock;paper,scissors...shoot, [';', ',', '...'])
. By default,\nif no delim
characters are specified, then any whitespace character is\nused to split. Whitespace characters include tab (\\t
), line feed (\\n
),\ncarriage return (\\r
), form feed (\\f
), and space.
string to split.
\n"],"type":[0,"String"]}],[0,{"name":[0,"delim"],"description":[0,"character(s) to use for splitting the string.
\n"],"type":[0,"String"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"separated strings."],"type":[0,"String[]"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a string variable.\n let string = 'rock paper scissors shoot';\n\n // Split the string at each space.\n let words = splitTokens(string);\n\n // Print the array to the console.\n print(words);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Iterate over the words array.\n for (let i = 0; i < words.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 20;\n\n // Display the word.\n text(words[i], 50, y);\n }\n\n describe(\n 'The words \"rock\", \"paper\", \"scissors\", and \"shoot\" written on separate lines. The text is black on a gray background.'\n );\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a string variable.\n let string = 'rock...paper...scissors...shoot';\n\n // Split the string at each ...\n let words = splitTokens(string, '...');\n\n // Print the array to the console.\n print(words);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Iterate over the words array.\n for (let i = 0; i < words.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 20;\n\n // Display the word.\n text(words[i], 50, y);\n }\n\n describe(\n 'The words \"rock\", \"paper\", \"scissors\", and \"shoot\" written on separate lines. The text is black on a gray background.'\n );\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a string variable.\n let string = 'rock;paper,scissors...shoot';\n\n // Split the string at each semicolon, comma, or ...\n let words = splitTokens(string, [';', ',', '...']);\n\n // Print the array to the console.\n print(words);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(12);\n\n // Iterate over the words array.\n for (let i = 0; i < words.length; i += 1) {\n\n // Calculate the y-coordinate.\n let y = (i + 1) * 20;\n\n // Display the word.\n text(words[i], 50, y);\n }\n\n describe(\n 'The words \"rock\", \"paper\", \"scissors\", and \"shoot\" written on separate lines. The text is black on a gray background.'\n );\n}\n
\nRemoves whitespace from the start and end of a String
without changing the middle.
trim()
trims\nwhitespace characters\nsuch as spaces, carriage returns, tabs, Unicode \"nbsp\" character.
The parameter, str
, is the string to trim. If a single string is passed,\nas in trim(' pad ')
, a single string is returned. If an array of\nstrings is passed, as in trim([' pad ', '\\n space \\n'])
, an array of\nstrings is returned.
string to trim.
\n"],"type":[0,"String"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"strs"],"description":[0,"strings to trim.
\n"],"type":[0,"String[]"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"return":[0,{"description":[0,"trimmed string."],"type":[0,"String"]}],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create a string variable.\n let string = ' p5*js ';\n\n // Trim the whitespace.\n let trimmed = trim(string);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(16);\n\n // Display the text.\n text(`Hello, ${trimmed}!`, 50, 50);\n\n describe('The text \"Hello, p5*js!\" written in black on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Create an array of strings.\n let strings = [' wide ', '\\n open ', '\\n spaces '];\n\n // Trim the whitespace.\n let trimmed = trim(strings);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(10);\n\n // Display the text.\n text(`${trimmed[0]} ${trimmed[1]} ${trimmed[2]}`, 50, 50);\n\n describe('The text \"wide open spaces\" written in black on a gray background.');\n}\n
\nA simple Dictionary class for Numbers.
\n"],"line":[0,415],"chainable":[0,false],"methods":[0,{"add":[0,{"description":[0,"Add the given number to the value currently stored at the given key.\nThe sum then replaces the value previously stored in the Dictionary.
\n"],"path":[0,"p5.NumberDict/add"]}],"sub":[0,{"description":[0,"Subtract the given number from the value currently stored at the given key.\nThe difference then replaces the value previously stored in the Dictionary.
\n"],"path":[0,"p5.NumberDict/sub"]}],"mult":[0,{"description":[0,"Multiply the given number with the value currently stored at the given key.\nThe product then replaces the value previously stored in the Dictionary.
\n"],"path":[0,"p5.NumberDict/mult"]}],"div":[0,{"description":[0,"Divide the given number with the value currently stored at the given key.\nThe quotient then replaces the value previously stored in the Dictionary.
\n"],"path":[0,"p5.NumberDict/div"]}],"minValue":[0,{"description":[0,"Return the lowest number currently stored in the Dictionary.
\n"],"path":[0,"p5.NumberDict/minValue"]}],"maxValue":[0,{"description":[0,"Return the highest number currently stored in the Dictionary.
\n"],"path":[0,"p5.NumberDict/maxValue"]}],"minKey":[0,{"description":[0,"Return the lowest key currently used in the Dictionary.
\n"],"path":[0,"p5.NumberDict/minKey"]}],"maxKey":[0,{"description":[0,"Return the highest key currently used in the Dictionary.
\n"],"path":[0,"p5.NumberDict/maxKey"]}]}],"isConstructor":[0,true],"path":[0,"p5/p5.NumberDict"]}],"render":[0,null]}],"entries":[1,[[0,{"id":[0,"en/p5.NumberDict/add.mdx"],"slug":[0,"en/p5numberdict/add"],"body":[0,"\n\n# add\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"add()"],"module":[0,"Data"],"submodule":[0,"Dictionary"],"file":[0,"src/data/p5.TypedDict.js"],"description":[0,"Add the given number to the value currently stored at the given key.\nThe sum then replaces the value previously stored in the Dictionary.
\n"],"line":[0,439],"params":[1,[[0,{"name":[0,"Key"],"description":[0,"for the value you wish to add to
\n"],"type":[0,"Number"]}],[0,{"name":[0,"Number"],"description":[0,"to add to the value
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5.NumberDict"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createNumberDict(2, 5);\n myDictionary.add(2, 2);\n print(myDictionary.get(2)); // logs 7 to console.\n}\n
Divide the given number with the value currently stored at the given key.\nThe quotient then replaces the value previously stored in the Dictionary.
\n"],"line":[0,516],"params":[1,[[0,{"name":[0,"Key"],"description":[0,"for value you wish to divide
\n"],"type":[0,"Number"]}],[0,{"name":[0,"Amount"],"description":[0,"to divide the value by
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5.NumberDict"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createNumberDict(2, 8);\n myDictionary.div(2, 2);\n print(myDictionary.get(2)); // logs 4 to console.\n}\n
Return the highest key currently used in the Dictionary.
\n"],"line":[0,649],"itemtype":[0,"method"],"class":[0,"p5.NumberDict"],"chainable":[0,false],"return":[0,{"description":[0,""],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createNumberDict({ 2: 4, 4: 6, 1.2: 3 });\n let highestKey = myDictionary.maxKey(); // value is 4\n print(highestKey);\n}\n
Return the highest number currently stored in the Dictionary.
\n"],"line":[0,587],"itemtype":[0,"method"],"class":[0,"p5.NumberDict"],"chainable":[0,false],"return":[0,{"description":[0,""],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createNumberDict({ 2: -10, 4: 0.65, 1.2: 3 });\n let highestValue = myDictionary.maxValue(); // value is 3\n print(highestValue);\n}\n
Return the lowest key currently used in the Dictionary.
\n"],"line":[0,629],"itemtype":[0,"method"],"class":[0,"p5.NumberDict"],"chainable":[0,false],"return":[0,{"description":[0,""],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createNumberDict({ 2: 4, 4: 6, 1.2: 3 });\n let lowestKey = myDictionary.minKey(); // value is 1.2\n print(lowestKey);\n}\n
Return the lowest number currently stored in the Dictionary.
\n"],"line":[0,567],"itemtype":[0,"method"],"class":[0,"p5.NumberDict"],"chainable":[0,false],"return":[0,{"description":[0,""],"type":[0,"Number"]}],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createNumberDict({ 2: -10, 4: 0.65, 1.2: 3 });\n let lowestValue = myDictionary.minValue(); // value is -10\n print(lowestValue);\n}\n
Multiply the given number with the value currently stored at the given key.\nThe product then replaces the value previously stored in the Dictionary.
\n"],"line":[0,489],"params":[1,[[0,{"name":[0,"Key"],"description":[0,"for value you wish to multiply
\n"],"type":[0,"Number"]}],[0,{"name":[0,"Amount"],"description":[0,"to multiply the value by
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5.NumberDict"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createNumberDict(2, 4);\n myDictionary.mult(2, 2);\n print(myDictionary.get(2)); // logs 8 to console.\n}\n
Subtract the given number from the value currently stored at the given key.\nThe difference then replaces the value previously stored in the Dictionary.
\n"],"line":[0,466],"params":[1,[[0,{"name":[0,"Key"],"description":[0,"for the value you wish to subtract from
\n"],"type":[0,"Number"]}],[0,{"name":[0,"Number"],"description":[0,"to subtract from the value
\n"],"type":[0,"Number"]}]]],"itemtype":[0,"method"],"class":[0,"p5.NumberDict"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createNumberDict(2, 5);\n myDictionary.sub(2, 2);\n print(myDictionary.get(2)); // logs 3 to console.\n}\n
Base class for all p5.Dictionary types. Specifically\n typed Dictionary classes inherit from this class.
\n"],"line":[0,82],"chainable":[0,false],"methods":[0,{"size":[0,{"description":[0,"Returns the number of key-value pairs currently stored in the Dictionary.
\n"],"path":[0,"p5.TypedDict/size"]}],"hasKey":[0,{"description":[0,"Returns true if the given key exists in the Dictionary,\notherwise returns false.
\n"],"path":[0,"p5.TypedDict/hasKey"]}],"get":[0,{"description":[0,"Returns the value stored at the given key.
\n"],"path":[0,"p5.TypedDict/get"]}],"set":[0,{"description":[0,"Updates the value associated with the given key in case it already exists\nin the Dictionary. Otherwise a new key-value pair is added.
\n"],"path":[0,"p5.TypedDict/set"]}],"create":[0,{"description":[0,"Creates a new key-value pair in the Dictionary.
\n"],"path":[0,"p5.TypedDict/create"]}],"clear":[0,{"description":[0,"Removes all previously stored key-value pairs from the Dictionary.
\n"],"path":[0,"p5.TypedDict/clear"]}],"remove":[0,{"description":[0,"Removes the key-value pair stored at the given key from the Dictionary.
\n"],"path":[0,"p5.TypedDict/remove"]}],"print":[0,{"description":[0,"Logs the set of items currently stored in the Dictionary to the console.
\n"],"path":[0,"p5.TypedDict/print"]}],"saveTable":[0,{"description":[0,"Converts the Dictionary into a CSV file for local download.
\n"],"path":[0,"p5.TypedDict/saveTable"]}],"saveJSON":[0,{"description":[0,"Converts the Dictionary into a JSON file for local download.
\n"],"path":[0,"p5.TypedDict/saveJSON"]}]}],"isConstructor":[0,true],"path":[0,"p5/p5.TypedDict"]}],"render":[0,null]}],"entries":[1,[[0,{"id":[0,"en/p5.TypedDict/clear.mdx"],"slug":[0,"en/p5typeddict/clear"],"body":[0,"\n\n# clear\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"clear()"],"module":[0,"Data"],"submodule":[0,"Dictionary"],"file":[0,"src/data/p5.TypedDict.js"],"description":[0,"Removes all previously stored key-value pairs from the Dictionary.
\n"],"line":[0,245],"itemtype":[0,"method"],"class":[0,"p5.TypedDict"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createStringDict('p5', 'js');\n print(myDictionary.hasKey('p5')); // prints 'true'\n myDictionary.clear();\n print(myDictionary.hasKey('p5')); // prints 'false'\n}\n
\nCreates a new key-value pair in the Dictionary.
\n"],"line":[0,209],"overloads":[1,[[0,{"params":[1,[[0,{"name":[0,"key"],"description":[0,""],"type":[0,"Number|String"]}],[0,{"name":[0,"value"],"description":[0,""],"type":[0,"Number|String"]}]]]}],[0,{"params":[1,[[0,{"name":[0,"obj"],"description":[0,"key/value pair
\n"],"type":[0,"Object"]}]]]}]]],"itemtype":[0,"method"],"class":[0,"p5.TypedDict"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createStringDict('p5', 'js');\n myDictionary.create('happy', 'coding');\n myDictionary.print();\n // above logs \"key: p5 - value: js, key: happy - value: coding\" to console\n}\n
Returns the value stored at the given key.
\n"],"line":[0,145],"params":[1,[[0,{"name":[0,"the"],"description":[0,"key you want to access
\n"],"type":[0,"Number|String"]}]]],"itemtype":[0,"method"],"class":[0,"p5.TypedDict"],"chainable":[0,false],"return":[0,{"description":[0,"the value stored at that key"],"type":[0,"Number|String"]}],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createStringDict('p5', 'js');\n let myValue = myDictionary.get('p5');\n print(myValue === 'js'); // logs true to console\n}\n
Returns true if the given key exists in the Dictionary,\notherwise returns false.
\n"],"line":[0,123],"params":[1,[[0,{"name":[0,"key"],"description":[0,"that you want to look up
\n"],"type":[0,"Number|String"]}]]],"itemtype":[0,"method"],"class":[0,"p5.TypedDict"],"chainable":[0,false],"return":[0,{"description":[0,"whether that key exists in Dictionary"],"type":[0,"Boolean"]}],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createStringDict('p5', 'js');\n print(myDictionary.hasKey('p5')); // logs true to console\n}\n
Logs the set of items currently stored in the Dictionary to the console.
\n"],"line":[0,295],"itemtype":[0,"method"],"class":[0,"p5.TypedDict"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createStringDict('p5', 'js');\n myDictionary.create('happy', 'coding');\n myDictionary.print();\n // above logs \"key: p5 - value: js, key: happy - value: coding\" to console\n}\n
\nRemoves the key-value pair stored at the given key from the Dictionary.
\n"],"line":[0,266],"params":[1,[[0,{"name":[0,"key"],"description":[0,"for the pair to remove
\n"],"type":[0,"Number|String"]}]]],"itemtype":[0,"method"],"class":[0,"p5.TypedDict"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createStringDict('p5', 'js');\n myDictionary.create('happy', 'coding');\n myDictionary.print();\n // above logs \"key: p5 - value: js, key: happy - value: coding\" to console\n myDictionary.remove('p5');\n myDictionary.print();\n // above logs \"key: happy value: coding\" to console\n}\n
Converts the Dictionary into a JSON file for local download.
\n"],"line":[0,357],"itemtype":[0,"method"],"class":[0,"p5.TypedDict"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n background(200);\n text('click here to save', 10, 10, 70, 80);\n}\n\nfunction mousePressed() {\n if (mouseX > 0 && mouseX < width && mouseY > 0 && mouseY < height) {\n createStringDict({\n john: 1940,\n paul: 1942,\n george: 1943,\n ringo: 1940\n }).saveJSON('beatles');\n }\n}\n
\nConverts the Dictionary into a CSV file for local download.
\n"],"line":[0,319],"itemtype":[0,"method"],"class":[0,"p5.TypedDict"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n background(200);\n text('click here to save', 10, 10, 70, 80);\n}\n\nfunction mousePressed() {\n if (mouseX > 0 && mouseX < width && mouseY > 0 && mouseY < height) {\n createStringDict({\n john: 1940,\n paul: 1942,\n george: 1943,\n ringo: 1940\n }).saveTable('beatles');\n }\n}\n
\nUpdates the value associated with the given key in case it already exists\nin the Dictionary. Otherwise a new key-value pair is added.
\n"],"line":[0,171],"params":[1,[[0,{"name":[0,"key"],"description":[0,""],"type":[0,"Number|String"]}],[0,{"name":[0,"value"],"description":[0,""],"type":[0,"Number|String"]}]]],"itemtype":[0,"method"],"class":[0,"p5.TypedDict"],"chainable":[0,false],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createStringDict('p5', 'js');\n myDictionary.set('p5', 'JS');\n myDictionary.print(); // logs \"key: p5 - value: JS\" to console\n}\n
Returns the number of key-value pairs currently stored in the Dictionary.
\n"],"line":[0,102],"itemtype":[0,"method"],"class":[0,"p5.TypedDict"],"chainable":[0,false],"return":[0,{"description":[0,"the number of key-value pairs in the Dictionary"],"type":[0,"Integer"]}],"example":[1,[[0,"\n\nfunction setup() {\n let myDictionary = createNumberDict(1, 10);\n myDictionary.create(2, 20);\n myDictionary.create(3, 30);\n print(myDictionary.size()); // logs 3 to the console\n}\n
Turns off the parts of the Friendly Error System (FES) that impact performance.
\nThe FES\ncan cause sketches to draw slowly because it does extra work behind the\nscenes. For example, the FES checks the arguments passed to functions,\nwhich takes time to process. Disabling the FES can significantly improve\nperformance by turning off these checks.
\n"],"line":[0,877],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\n// Disable the FES.\np5.disableFriendlyErrors = true;\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // The circle() function requires three arguments. The\n // next line would normally display a friendly error that\n // points this out. Instead, nothing happens and it fails\n // silently.\n circle(50, 50);\n\n describe('A gray square.');\n}\n
\nA function that's called repeatedly while the sketch runs.
\nDeclaring the function draw()
sets a code block to run repeatedly\nonce the sketch starts. It’s used to create animations and respond to\nuser inputs:
function draw() {\n // Code to run repeatedly.\n}\n
\nThis is often called the \"draw loop\" because p5.js calls the code in\ndraw()
in a loop behind the scenes. By default, draw()
tries to run\n60 times per second. The actual rate depends on many factors. The\ndrawing rate, called the \"frame rate\", can be controlled by calling\nframeRate(). The number of times draw()
\nhas run is stored in the system variable\nframeCount().
Code placed within draw()
begins looping after\nsetup() runs. draw()
will run until the user\ncloses the sketch. draw()
can be stopped by calling the\nnoLoop() function. draw()
can be resumed by\ncalling the loop() function.
\nfunction setup() {\n createCanvas(100, 100);\n\n // Paint the background once.\n background(200);\n\n describe(\n 'A white circle on a gray background. The circle follows the mouse as the user moves, leaving a trail.'\n );\n}\n\nfunction draw() {\n // Draw circles repeatedly.\n circle(mouseX, mouseY, 40);\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe(\n 'A white circle on a gray background. The circle follows the mouse as the user moves.'\n );\n}\n\nfunction draw() {\n // Paint the background repeatedly.\n background(200);\n\n // Draw circles repeatedly.\n circle(mouseX, mouseY, 40);\n}\n
\n\n// Double-click the canvas to change the circle's color.\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe(\n 'A white circle on a gray background. The circle follows the mouse as the user moves. The circle changes color to pink when the user double-clicks.'\n );\n}\n\nfunction draw() {\n // Paint the background repeatedly.\n background(200);\n\n // Draw circles repeatedly.\n circle(mouseX, mouseY, 40);\n}\n\n// Change the fill color when the user double-clicks.\nfunction doubleClicked() {\n fill('deeppink');\n}\n
\nReturns true
if the draw loop is running and false
if not.
By default, draw() tries to run 60 times per\nsecond. Calling noLoop() stops\ndraw() from repeating. The draw loop can be\nrestarted by calling loop().
\nThe isLooping()
function can be used to check whether a sketch is\nlooping, as in isLooping() === true
.
\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A white circle drawn against a gray background. When the user double-clicks, the circle stops or resumes following the mouse.');\n}\n\nfunction draw() {\n background(200);\n\n // Draw the circle at the mouse's position.\n circle(mouseX, mouseY, 20);\n}\n\n// Toggle the draw loop when the user double-clicks.\nfunction doubleClicked() {\n if (isLooping() === true) {\n noLoop();\n } else {\n loop();\n }\n}\n
\nResumes the draw loop after noLoop() has been\ncalled.
\nBy default, draw() tries to run 60 times per\nsecond. Calling noLoop() stops\ndraw() from repeating. The draw loop can be\nrestarted by calling loop()
.
The isLooping() function can be used to check\nwhether a sketch is looping, as in isLooping() === true
.
\nfunction setup() {\n createCanvas(100, 100);\n\n // Turn off the draw loop.\n noLoop();\n\n describe(\n 'A white half-circle on the left edge of a gray square. The circle starts moving to the right when the user double-clicks.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Calculate the circle's x-coordinate.\n let x = frameCount;\n\n // Draw the circle.\n circle(x, 50, 20);\n}\n\n// Resume the draw loop when the user double-clicks.\nfunction doubleClicked() {\n loop();\n}\n
\n\nlet startButton;\nlet stopButton;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create the button elements and place them\n // beneath the canvas.\n startButton = createButton('▶');\n startButton.position(0, 100);\n startButton.size(50, 20);\n stopButton = createButton('◾');\n stopButton.position(50, 100);\n stopButton.size(50, 20);\n\n // Set functions to call when the buttons are pressed.\n startButton.mousePressed(loop);\n stopButton.mousePressed(noLoop);\n\n // Slow the frame rate.\n frameRate(5);\n\n describe(\n 'A white circle moves randomly on a gray background. Play and stop buttons are shown beneath the canvas. The circle stops or starts moving when the user presses a button.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Calculate the circle's coordinates.\n let x = random(0, 100);\n let y = random(0, 100);\n\n // Draw the circle.\n // Normally, the circle would move from left to right.\n circle(x, y, 20);\n}\n
\nStops the code in draw() from running repeatedly.
\nBy default, draw() tries to run 60 times per\nsecond. Calling noLoop()
stops draw() from\nrepeating. The draw loop can be restarted by calling\nloop(). draw() can be run\nonce by calling redraw().
The isLooping() function can be used to check\nwhether a sketch is looping, as in isLooping() === true
.
\nfunction setup() {\n createCanvas(100, 100);\n\n // Turn off the draw loop.\n noLoop();\n\n describe('A white half-circle on the left edge of a gray square.');\n}\n\nfunction draw() {\n background(200);\n\n // Calculate the circle's x-coordinate.\n let x = frameCount;\n\n // Draw the circle.\n // Normally, the circle would move from left to right.\n circle(x, 50, 20);\n}\n
\n\n// Double-click to stop the draw loop.\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Slow the frame rate.\n frameRate(5);\n\n describe('A white circle moves randomly on a gray background. It stops moving when the user double-clicks.');\n}\n\nfunction draw() {\n background(200);\n\n // Calculate the circle's coordinates.\n let x = random(0, 100);\n let y = random(0, 100);\n\n // Draw the circle.\n // Normally, the circle would move from left to right.\n circle(x, y, 20);\n}\n\n// Stop the draw loop when the user double-clicks.\nfunction doubleClicked() {\n noLoop();\n}\n
\n\nlet startButton;\nlet stopButton;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Create the button elements and place them\n // beneath the canvas.\n startButton = createButton('▶');\n startButton.position(0, 100);\n startButton.size(50, 20);\n stopButton = createButton('◾');\n stopButton.position(50, 100);\n stopButton.size(50, 20);\n\n // Set functions to call when the buttons are pressed.\n startButton.mousePressed(loop);\n stopButton.mousePressed(noLoop);\n\n // Slow the frame rate.\n frameRate(5);\n\n describe(\n 'A white circle moves randomly on a gray background. Play and stop buttons are shown beneath the canvas. The circle stops or starts moving when the user presses a button.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Calculate the circle's coordinates.\n let x = random(0, 100);\n let y = random(0, 100);\n\n // Draw the circle.\n // Normally, the circle would move from left to right.\n circle(x, y, 20);\n}\n
\nEnds a drawing group that contains its own styles and transformations.
\nBy default, styles such as fill() and\ntransformations such as rotate() are applied to\nall drawing that follows. The push() and pop()
\nfunctions can limit the effect of styles and transformations to a specific\ngroup of shapes, images, and text. For example, a group of shapes could be\ntranslated to follow the mouse without affecting the rest of the sketch:
// Begin the drawing group.\npush();\n\n// Translate the origin to the mouse's position.\ntranslate(mouseX, mouseY);\n\n// Style the face.\nnoStroke();\nfill('green');\n\n// Draw the face.\ncircle(0, 0, 60);\n\n// Style the eyes.\nfill('white');\n\n// Draw the left eye.\nellipse(-20, -20, 30, 20);\n\n// Draw the right eye.\nellipse(20, -20, 30, 20);\n\n// End the drawing group.\npop();\n\n// Draw a bug.\nlet x = random(0, 100);\nlet y = random(0, 100);\ntext('🦟', x, y);\n
\nIn the code snippet above, the bug's position isn't affected by\ntranslate(mouseX, mouseY)
because that transformation is contained\nbetween push() and pop()
. The bug moves around\nthe entire canvas as expected.
Note: push() and pop()
are always called as a\npair. Both functions are required to begin and end a drawing group.
push() and pop()
can also be nested to create\nsubgroups. For example, the code snippet above could be changed to give\nmore detail to the frog’s eyes:
// Begin the drawing group.\npush();\n\n// Translate the origin to the mouse's position.\ntranslate(mouseX, mouseY);\n\n// Style the face.\nnoStroke();\nfill('green');\n\n// Draw a face.\ncircle(0, 0, 60);\n\n// Style the eyes.\nfill('white');\n\n// Draw the left eye.\npush();\ntranslate(-20, -20);\nellipse(0, 0, 30, 20);\nfill('black');\ncircle(0, 0, 8);\npop();\n\n// Draw the right eye.\npush();\ntranslate(20, -20);\nellipse(0, 0, 30, 20);\nfill('black');\ncircle(0, 0, 8);\npop();\n\n// End the drawing group.\npop();\n\n// Draw a bug.\nlet x = random(0, 100);\nlet y = random(0, 100);\ntext('🦟', x, y);\n
\nIn this version, the code to draw each eye is contained between its own\npush() and pop()
functions. Doing so makes it\neasier to add details in the correct part of a drawing.
push() and pop()
contain the effects of the\nfollowing functions:
In WebGL mode, push() and pop()
contain the\neffects of a few additional styles:
\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Draw the left circle.\n circle(25, 50, 20);\n\n // Begin the drawing group.\n push();\n\n // Translate the origin to the center.\n translate(50, 50);\n\n // Style the circle.\n strokeWeight(5);\n stroke('royalblue');\n fill('orange');\n\n // Draw the circle.\n circle(0, 0, 20);\n\n // End the drawing group.\n pop();\n\n // Draw the right circle.\n circle(75, 50, 20);\n\n describe(\n 'Three circles drawn in a row on a gray background. The left and right circles are white with thin, black borders. The middle circle is orange with a thick, blue border.'\n );\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Slow the frame rate.\n frameRate(24);\n\n describe('A mosquito buzzes in front of a green frog. The frog follows the mouse as the user moves.');\n}\n\nfunction draw() {\n background(200);\n\n // Begin the drawing group.\n push();\n\n // Translate the origin to the mouse's position.\n translate(mouseX, mouseY);\n\n // Style the face.\n noStroke();\n fill('green');\n\n // Draw a face.\n circle(0, 0, 60);\n\n // Style the eyes.\n fill('white');\n\n // Draw the left eye.\n push();\n translate(-20, -20);\n ellipse(0, 0, 30, 20);\n fill('black');\n circle(0, 0, 8);\n pop();\n\n // Draw the right eye.\n push();\n translate(20, -20);\n ellipse(0, 0, 30, 20);\n fill('black');\n circle(0, 0, 8);\n pop();\n\n // End the drawing group.\n pop();\n\n // Draw a bug.\n let x = random(0, 100);\n let y = random(0, 100);\n text('🦟', x, y);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe(\n 'Two spheres drawn on a gray background. The sphere on the left is red and lit from the front. The sphere on the right is a blue wireframe.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Draw the red sphere.\n push();\n translate(-25, 0, 0);\n noStroke();\n directionalLight(255, 0, 0, 0, 0, -1);\n sphere(20);\n pop();\n\n // Draw the blue sphere.\n push();\n translate(25, 0, 0);\n strokeWeight(0.3);\n stroke(0, 0, 255);\n noFill();\n sphere(20);\n pop();\n}\n
\nA function that's called once to load assets before the sketch runs.
\nDeclaring the function preload()
sets a code block to run once\nautomatically before setup() or\ndraw(). It's used to load assets including\nmultimedia files, fonts, data, and 3D models:
function preload() {\n // Code to run before the rest of the sketch.\n}\n
\nFunctions such as loadImage(),\nloadFont(),\nloadJSON(), and\nloadModel() are guaranteed to either\nfinish loading or raise an error if they're called within preload()
.\nDoing so ensures that assets are available when the sketch begins\nrunning.
\nlet img;\n\n// Load an image and create a p5.Image object.\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Draw the image.\n image(img, 0, 0);\n\n describe('A red brick wall.');\n}\n
\nBegins a drawing group that contains its own styles and transformations.
\nBy default, styles such as fill() and\ntransformations such as rotate() are applied to\nall drawing that follows. The push()
and pop()\nfunctions can limit the effect of styles and transformations to a specific\ngroup of shapes, images, and text. For example, a group of shapes could be\ntranslated to follow the mouse without affecting the rest of the sketch:
// Begin the drawing group.\npush();\n\n// Translate the origin to the mouse's position.\ntranslate(mouseX, mouseY);\n\n// Style the face.\nnoStroke();\nfill('green');\n\n// Draw the face.\ncircle(0, 0, 60);\n\n// Style the eyes.\nfill('white');\n\n// Draw the left eye.\nellipse(-20, -20, 30, 20);\n\n// Draw the right eye.\nellipse(20, -20, 30, 20);\n\n// End the drawing group.\npop();\n\n// Draw a bug.\nlet x = random(0, 100);\nlet y = random(0, 100);\ntext('🦟', x, y);\n
\nIn the code snippet above, the bug's position isn't affected by\ntranslate(mouseX, mouseY)
because that transformation is contained\nbetween push()
and pop(). The bug moves around\nthe entire canvas as expected.
Note: push()
and pop() are always called as a\npair. Both functions are required to begin and end a drawing group.
push()
and pop() can also be nested to create\nsubgroups. For example, the code snippet above could be changed to give\nmore detail to the frog’s eyes:
// Begin the drawing group.\npush();\n\n// Translate the origin to the mouse's position.\ntranslate(mouseX, mouseY);\n\n// Style the face.\nnoStroke();\nfill('green');\n\n// Draw a face.\ncircle(0, 0, 60);\n\n// Style the eyes.\nfill('white');\n\n// Draw the left eye.\npush();\ntranslate(-20, -20);\nellipse(0, 0, 30, 20);\nfill('black');\ncircle(0, 0, 8);\npop();\n\n// Draw the right eye.\npush();\ntranslate(20, -20);\nellipse(0, 0, 30, 20);\nfill('black');\ncircle(0, 0, 8);\npop();\n\n// End the drawing group.\npop();\n\n// Draw a bug.\nlet x = random(0, 100);\nlet y = random(0, 100);\ntext('🦟', x, y);\n
\nIn this version, the code to draw each eye is contained between its own\npush()
and pop() functions. Doing so makes it\neasier to add details in the correct part of a drawing.
push()
and pop() contain the effects of the\nfollowing functions:
In WebGL mode, push()
and pop() contain the\neffects of a few additional styles:
\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Draw the left circle.\n circle(25, 50, 20);\n\n // Begin the drawing group.\n push();\n\n // Translate the origin to the center.\n translate(50, 50);\n\n // Style the circle.\n strokeWeight(5);\n stroke('royalblue');\n fill('orange');\n\n // Draw the circle.\n circle(0, 0, 20);\n\n // End the drawing group.\n pop();\n\n // Draw the right circle.\n circle(75, 50, 20);\n\n describe(\n 'Three circles drawn in a row on a gray background. The left and right circles are white with thin, black borders. The middle circle is orange with a thick, blue border.'\n );\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Slow the frame rate.\n frameRate(24);\n\n describe('A mosquito buzzes in front of a green frog. The frog follows the mouse as the user moves.');\n}\n\nfunction draw() {\n background(200);\n\n // Begin the drawing group.\n push();\n\n // Translate the origin to the mouse's position.\n translate(mouseX, mouseY);\n\n // Style the face.\n noStroke();\n fill('green');\n\n // Draw a face.\n circle(0, 0, 60);\n\n // Style the eyes.\n fill('white');\n\n // Draw the left eye.\n push();\n translate(-20, -20);\n ellipse(0, 0, 30, 20);\n fill('black');\n circle(0, 0, 8);\n pop();\n\n // Draw the right eye.\n push();\n translate(20, -20);\n ellipse(0, 0, 30, 20);\n fill('black');\n circle(0, 0, 8);\n pop();\n\n // End the drawing group.\n pop();\n\n // Draw a bug.\n let x = random(0, 100);\n let y = random(0, 100);\n text('🦟', x, y);\n}\n
\n\n// Click and drag the mouse to view the scene from different angles.\n\nfunction setup() {\n createCanvas(100, 100, WEBGL);\n\n describe(\n 'Two spheres drawn on a gray background. The sphere on the left is red and lit from the front. The sphere on the right is a blue wireframe.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Enable orbiting with the mouse.\n orbitControl();\n\n // Draw the red sphere.\n push();\n translate(-25, 0, 0);\n noStroke();\n directionalLight(255, 0, 0, 0, 0, -1);\n sphere(20);\n pop();\n\n // Draw the blue sphere.\n push();\n translate(25, 0, 0);\n strokeWeight(0.3);\n stroke(0, 0, 255);\n noFill();\n sphere(20);\n pop();\n}\n
\nRuns the code in draw() once.
\nBy default, draw() tries to run 60 times per\nsecond. Calling noLoop() stops\ndraw() from repeating. Calling redraw()
will\nexecute the code in the draw() function a set\nnumber of times.
The parameter, n
, is optional. If a number is passed, as in redraw(5)
,\nthen the draw loop will run the given number of times. By default, n
is\n1.
number of times to run draw(). Defaults to 1.
\n"],"type":[0,"Integer"],"optional":[0,true]}]]],"itemtype":[0,"method"],"class":[0,"p5"],"chainable":[0,false],"example":[1,[[0,"\n\n// Double-click the canvas to move the circle.\n\nlet x = 0;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Turn off the draw loop.\n noLoop();\n\n describe(\n 'A white half-circle on the left edge of a gray square. The circle moves a little to the right when the user double-clicks.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Draw the circle.\n circle(x, 50, 20);\n\n // Increment x.\n x += 5;\n}\n\n// Run the draw loop when the user double-clicks.\nfunction doubleClicked() {\n redraw();\n}\n
\n\n// Double-click the canvas to move the circle.\n\nlet x = 0;\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Turn off the draw loop.\n noLoop();\n\n describe(\n 'A white half-circle on the left edge of a gray square. The circle hops to the right when the user double-clicks.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Draw the circle.\n circle(x, 50, 20);\n\n // Increment x.\n x += 5;\n}\n\n// Run the draw loop three times when the user double-clicks.\nfunction doubleClicked() {\n redraw(3);\n}\n
\nRemoves the sketch from the web page.
\nCalling remove()
stops the draw loop and removes any HTML elements\ncreated by the sketch, including the canvas. A new sketch can be\ncreated by using the p5() constructor, as in\nnew p5()
.
\n// Double-click to remove the canvas.\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe(\n 'A white circle on a gray background. The circle follows the mouse as the user moves. The sketch disappears when the user double-clicks.'\n );\n}\n\nfunction draw() {\n // Paint the background repeatedly.\n background(200);\n\n // Draw circles repeatedly.\n circle(mouseX, mouseY, 40);\n}\n\n// Remove the sketch when the user double-clicks.\nfunction doubleClicked() {\n remove();\n}\n
\nA function that's called once when the sketch begins running.
\nDeclaring the function setup()
sets a code block to run once\nautomatically when the sketch starts running. It's used to perform\nsetup tasks such as creating the canvas and initializing variables:
function setup() {\n // Code to run once at the start of the sketch.\n}\n
\nCode placed in setup()
will run once before code placed in\ndraw() begins looping. If the\npreload() is declared, then setup()
will\nrun immediately after preload() finishes\nloading assets.
Note: setup()
doesn’t have to be declared, but it’s common practice to do so.
\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Draw the circle.\n circle(50, 50, 40);\n\n describe('A white circle on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Paint the background once.\n background(200);\n\n describe(\n 'A white circle on a gray background. The circle follows the mouse as the user moves, leaving a trail.'\n );\n}\n\nfunction draw() {\n // Draw circles repeatedly.\n circle(mouseX, mouseY, 40);\n}\n
\n\nlet img;\n\nfunction preload() {\n img = loadImage('/assets/bricks.jpg');\n}\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Draw the image.\n image(img, 0, 0);\n\n describe(\n 'A white circle on a brick wall. The circle follows the mouse as the user moves, leaving a trail.'\n );\n}\n\nfunction draw() {\n // Style the circle.\n noStroke();\n\n // Draw the circle.\n circle(mouseX, mouseY, 10);\n}\n
\nAUTO allows us to automatically set the width or height of an element (but not both),\nbased on the current height and width of the element. Only one parameter can\nbe passed to the size function as AUTO, at a time.
\n"],"line":[0,810],"itemtype":[0,"property"],"class":[0,"p5"],"isConstructor":[0,false],"path":[0,"p5/AUTO"]}],"render":[0,null]}],[0,{"id":[0,"en/p5/constants/HSB.mdx"],"slug":[0,"en/p5/constants/hsb"],"body":[0,"\n\n# HSB\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"HSB"],"module":[0,"Constants"],"submodule":[0,"Constants"],"file":[0,"src/core/constants.js"],"description":[0,"HSB (hue, saturation, brightness) is a type of color model.\nYou can learn more about it at\nHSB.
\n"],"line":[0,794],"itemtype":[0,"property"],"class":[0,"p5"],"isConstructor":[0,false],"path":[0,"p5/HSB"]}],"render":[0,null]}],[0,{"id":[0,"en/p5/constants/P2D.mdx"],"slug":[0,"en/p5/constants/p2d"],"body":[0,"\n\n# P2D\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"P2D"],"module":[0,"Constants"],"submodule":[0,"Constants"],"file":[0,"src/core/constants.js"],"description":[0,"The default, two-dimensional renderer.
\n"],"line":[0,18],"itemtype":[0,"property"],"class":[0,"p5"],"isConstructor":[0,false],"path":[0,"p5/P2D"]}],"render":[0,null]}],[0,{"id":[0,"en/p5/constants/VERSION.mdx"],"slug":[0,"en/p5/constants/version"],"body":[0,"\n\n# VERSION\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"VERSION"],"module":[0,"Constants"],"submodule":[0,"Constants"],"file":[0,"src/core/constants.js"],"description":[0,"Version of this p5.js.
\n"],"line":[0,9],"itemtype":[0,"property"],"class":[0,"p5"],"isConstructor":[0,false],"path":[0,"p5/VERSION"]}],"render":[0,null]}],[0,{"id":[0,"en/p5/constants/WEBGL.mdx"],"slug":[0,"en/p5/constants/webgl"],"body":[0,"\n\n# WEBGL\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"WEBGL"],"module":[0,"Constants"],"submodule":[0,"Constants"],"file":[0,"src/core/constants.js"],"description":[0,"One of the two render modes in p5.js, used for computationally intensive tasks like 3D rendering and shaders.
\nWEBGL
differs from the default P2D
renderer in the following ways:
WEBGL
mode, the origin point (0,0,0) is located at the center of the screen, not the top-left corner. See the tutorial page about coordinates and transformations.WEBGL
mode can be used to draw 3-dimensional shapes like box(), sphere(), cone(), and more. See the tutorial page about custom geometry to make more complex objects.WEBGL
mode, you can specify how smooth curves should be drawn by using a detail
parameter. See the wiki section about shapes for a more information and an example.WEBGL
offers different types of lights like ambientLight() to place around a scene. Materials like specularMaterial() reflect the lighting to convey shape and depth. See the tutorial page for styling and appearance to experiment with different combinations.WEBGL
sketch can be adjusted by changing camera attributes. See the tutorial page section about cameras for an explanation of camera controls.WEBGL
requires opentype/truetype font files to be preloaded using loadFont(). See the wiki section about text for details, along with a workaround.WEBGL
mode uses the graphics card instead of the CPU, so it may help boost the performance of your sketch (example: drawing more shapes on the screen at once).To learn more about WEBGL mode, check out all the interactive WEBGL tutorials in the \"Tutorials\" section of this website, or read the wiki article \"Getting started with WebGL in p5\".
\n"],"line":[0,24],"itemtype":[0,"property"],"class":[0,"p5"],"isConstructor":[0,false],"path":[0,"p5/WEBGL"]}],"render":[0,null]}],[0,{"id":[0,"en/p5/constants/WEBGL2.mdx"],"slug":[0,"en/p5/constants/webgl2"],"body":[0,"\n\n# WEBGL2\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"WEBGL2"],"module":[0,"Constants"],"submodule":[0,"Constants"],"file":[0,"src/core/constants.js"],"description":[0,"One of the two possible values of a WebGL canvas (either WEBGL or WEBGL2),\nwhich can be used to determine what capabilities the rendering environment\nhas.
\n"],"line":[0,45],"itemtype":[0,"property"],"class":[0,"p5"],"isConstructor":[0,false],"path":[0,"p5/WEBGL2"]}],"render":[0,null]}]]]}]]]}],[0,{"name":[0,"Foundation"],"subcats":[1,[[0,{"name":[0],"entry":[0],"entries":[1,[]]}],[0,{"name":[0],"entry":[0],"entries":[1,[[0,{"id":[0,"en/p5/console.mdx"],"slug":[0,"en/p5/console"],"body":[0,"\n\n# console\n"],"collection":[0,"reference"],"data":[0,{"title":[0,"console"],"module":[0,"Foundation"],"submodule":[0,"Foundation"],"file":[0,"src/core/reference.js"],"description":[0,"Prints a message to the web browser's console.
\nThe console\nobject is helpful for printing messages while debugging. For example, it's\ncommon to add a console.log()
statement while studying how a section of\ncode works:
if (isPlaying === true) {\n // Add a console.log() statement to make sure this block of code runs.\n console.log('Got here!');\n\n // Game logic.\n}\n
\nconsole.error()
is helpful for tracking errors because it prints\nformatted messages. For example, it's common to encounter errors when\nloading media assets:
// Logs an error message with special formatting.\nfunction handleFailure(error) {\n console.error('Oops!', error);\n}\n\n// Try to load an image and call handleError() if it fails.\nloadImage('https://example.com/cat.jpg', handleImage, handleError);\n
\n"],"line":[0,2028],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\nfunction setup() {\n noCanvas();\n\n // Prints \"Hello!\" to the console.\n console.log('Hello!');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Try to load an image from a fake URL.\n // Call handleError() if the image fails to load.\n loadImage('https://example.com/cat.jpg', handleImage, handleError);\n}\n\n// Displays the image.\nfunction handleImage(img) {\n image(img, 0, 0);\n\n describe('A cat on a gray background.');\n}\n\n// Prints the error.\nfunction handleError(error) {\n console.error('Oops!', error);\n\n describe('A gray square.');\n}\n
\nA list that keeps several pieces of data in order.
\nArrays are helpful for storing related data. They can contain data of any\ntype. For example, an array could contain a list of someone's favorite\ncolors as strings. Arrays are created as follows:
\nlet myArray = ['deeppink', 'darkorchid', 'magenta'];\n
\nEach piece of data in an array is called an element. Each element has an\naddress, or index, within its array. The variable myArray
refers to an\narray with three String elements, 'deeppink'
,\n'darkorchid'
, and 'magenta'
. Arrays are zero-indexed, which means\nthat 'deeppink'
is at index 0, 'darkorchid'
is at index 1, and\n'magenta'
is at index 2. Array elements can be accessed using their\nindices as follows:
let zeroth = myArray[0]; // 'deeppink'\nlet first = myArray[1]; // 'darkorchid'\nlet second = myArray[2]; // 'magenta'\n
\nElements can be added to the end of an array by calling the\npush()\nmethod as follows:
\nmyArray.push('lavender');\n\nlet third = myArray[3]; // 'lavender'\n
\nSee MDN\nfor more information about arrays.
\n"],"line":[0,1140],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\n// Declare the variable xCoordinates and assign it an array\n// with three numeric elements.\nlet xCoordinates = [25, 50, 75];\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe(\n 'Three white circles drawn in a horizontal line on a gray background.'\n );\n}\n\nfunction draw() {\n background(200);\n\n // Access the element at index 0, which is 25.\n circle(xCoordinates[0], 50, 20);\n\n // Access the element at index 1, which is 50.\n circle(xCoordinates[1], 50, 20);\n\n // Access the element at index 2, which is 75.\n circle(xCoordinates[2], 50, 20);\n}\n
\n\n// Declare the variable xCoordinates and assign it an array with three numeric elements.\nlet xCoordinates = [20, 40, 60];\n\n// Add another element to the end of the array.\nxCoordinates.push(80);\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('Four white circles drawn in a horizontal line on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Access the element at index 0, which is 20.\n circle(xCoordinates[0], 50, 20);\n\n // Access the element at index 1, which is 40.\n circle(xCoordinates[1], 50, 20);\n\n // Access the element at index 2, which is 60.\n circle(xCoordinates[2], 50, 20);\n\n // Access the element at index 3, which is 80.\n circle(xCoordinates[3], 50, 20);\n}\n
\n\n// Declare the variable xCoordinates and assign it an empty array.\nlet xCoordinates = [];\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Add elements to the array using a loop.\n for (let x = 20; x < 100; x += 20) {\n xCoordinates.push(x);\n }\n\n describe('Four white circles drawn in a horizontal line on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Access the element at index i and use it to draw a circle.\n for (let i = 0; i < xCoordinates.length; i += 1) {\n circle(xCoordinates[i], 50, 20);\n }\n}\n
\n\n// Declare the variable xCoordinates and assign it an empty array.\nlet xCoordinates = [];\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Add elements to the array using a loop.\n for (let x = 20; x < 100; x += 20) {\n xCoordinates.push(x);\n }\n\n describe('Four white circles drawn in a horizontal line on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Access each element of the array and use it to draw a circle.\n for (let x of xCoordinates) {\n circle(x, 50, 20);\n }\n}\n
\n\n// Declare the variable xCoordinates and assign it an empty array.\nlet xCoordinates = [];\n\nfunction setup() {\n createCanvas(100, 100);\n\n // Add elements to the array using a loop.\n for (let x = 20; x < 100; x += 20) {\n xCoordinates.push(x);\n }\n\n describe(\n 'Four white circles in a horizontal line on a gray background. The circles move randomly.'\n );\n}\n\nfunction draw() {\n background(200);\n\n for (let i = 0; i < xCoordinates.length; i += 1) {\n // Update the element at index i.\n xCoordinates[i] += random(-1, 1);\n\n // Use the element at index i to draw a circle.\n circle(xCoordinates[i], 50, 20);\n }\n}\n
\nA value that's either true
or false
.
Boolean
values help to make decisions in code. They appear any time a\nlogical condition is checked. For example, the condition\n\"Is a mouse button being pressed?\" must be either true
or\nfalse
:
// If the user presses the mouse, draw a circle at\n// the mouse's location.\nif (mouseIsPressed === true) {\n circle(mouseX, mouseY, 20);\n}\n
\nThe if
statement checks whether\nmouseIsPressed is true
and draws a\ncircle if it is. Boolean
expressions such as mouseIsPressed === true
\nevaluate to one of the two possible Boolean
values: true
or false
.
The ===
operator (EQUAL) checks whether two values are equal. If they\nare, the expression evaluates to true
. Otherwise, it evaluates to\nfalse
.
Note: There's also a ==
operator with two =
instead of three. Don't use\nit.
The mouseIsPressed system variable is\nalways true
or false
, so the code snippet above could also be written\nas follows:
if (mouseIsPressed) {\n circle(mouseX, mouseY, 20);\n}\n
\nThe !==
operator (NOT EQUAL) checks whether two values are not equal, as\nin the following example:
if (2 + 2 !== 4) {\n text('War is peace.', 50, 50);\n}\n
\nStarting from the left, the arithmetic expression 2 + 2
produces the\nvalue 4
. The Boolean
expression 4 !== 4
evaluates to false
because\n4
is equal to itself. As a result, the if
statement's body is skipped.
Note: There's also a !=
operator with one =
instead of two. Don't use\nit.
The Boolean
operator &&
(AND) checks whether two expressions are both\ntrue
:
if (keyIsPressed === true && key === 'p') {\n text('You pressed the \"p\" key!', 50, 50);\n}\n
\nIf the user is pressing a key AND that key is 'p'
, then a message will\ndisplay.
The Boolean
operator ||
(OR) checks whether at least one of two\nexpressions is true
:
if (keyIsPressed === true || mouseIsPressed === true) {\n text('You did something!', 50, 50);\n}\n
\nIf the user presses a key, or presses a mouse button, or both, then a\nmessage will display.
\nThe following truth table summarizes a few common scenarios with &&
and\n||
:
true && true // true\ntrue && false // false\nfalse && false // false\ntrue || true // true\ntrue || false // true\nfalse || false // false\n
\nThe relational operators >
, << code=\"\">,
>=
, and <=< code=\"\"> also produce
<>Boolean
\nvalues:=<>
2 > 1 // true\n2 < 1 // false\n2 >= 2 // true\n2 <= 2=\"\" true=\"\" <=\"\" code=\"\"/>
\nSee if for more information about if
statements and\nNumber for more information about Number
s.
\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A gray square. When the user presses the mouse, a circle appears at that location.');\n}\n\nfunction draw() {\n background(200);\n\n // If the user presses the mouse, draw a circle at that location.\n if (mouseIsPressed) {\n circle(mouseX, mouseY, 20);\n }\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A gray square. When the user presses the mouse, a circle appears at that location.');\n}\n\nfunction draw() {\n background(200);\n\n // If the user presses the mouse, draw a circle at that location.\n if (mouseIsPressed === true) {\n circle(mouseX, mouseY, 20);\n }\n}\n
\n\n// Click on the canvas to begin detecting key presses.\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A gray square that turns pink when the user presses the mouse or a key.');\n}\n\nfunction draw() {\n background(200);\n\n // If the user presses the mouse, change the background color.\n if (mouseIsPressed === true || keyIsPressed === true) {\n background('deeppink');\n }\n}\n
\n\n// Click the canvas to begin detecting key presses.\n\n// Create a Boolean variable.\nlet isPlaying = false;\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe(\n 'The message \"Begin?\\nY or N\" written in green on a black background. The message \"Good luck!\" appears when they press the \"y\" key.'\n );\n}\n\nfunction draw() {\n background(0);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textFont('Courier New');\n textSize(16);\n fill(0, 255, 0);\n\n // Display a different message when the user begins playing.\n if (isPlaying === false) {\n text('Begin?', 50, 40);\n text('Y or N', 50, 60);\n } else {\n text('Good luck!', 50, 50);\n }\n}\n\n// Start playing when the user presses the 'y' key.\nfunction keyPressed() {\n if (key === 'y') {\n isPlaying = true;\n }\n}\n
\nA number that can be positive, negative, or zero.
\nThe Number
data type is useful for describing values such as position,\nsize, and color. A number can be an integer such as 20 or a decimal number\nsuch as 12.34. For example, a circle's position and size can be described\nby three numbers:
circle(50, 50, 20);\n
\ncircle(50, 50, 12.34);\n
\nNumbers support basic arithmetic and follow the standard order of\noperations: Parentheses, Exponents, Multiplication, Division, Addition,\nand Subtraction (PEMDAS). For example, it's common to use arithmetic\noperators with p5.js' system variables that are numbers:
\n// Draw a circle at the center.\ncircle(width / 2, height / 2, 20);\n
\n// Draw a circle that moves from left to right.\ncircle(frameCount * 0.01, 50, 20);\n
\nHere's a quick overview of the arithmetic operators:
\n1 + 2 // Add\n1 - 2 // Subtract\n1 * 2 // Multiply\n1 / 2 // Divide\n1 % 2 // Remainder\n1 ** 2 // Exponentiate\n
\nIt's common to update a number variable using arithmetic. For example, an\nobject's location can be updated like so:
\nx = x + 1;\n
\nThe statement above adds 1 to a variable x
using the +
operator. The\naddition assignment operator +=
expresses the same idea:
x += 1;\n
\nHere's a quick overview of the assignment operators:
\nx += 2 // Addition assignment\nx -= 2 // Subtraction assignment\nx *= 2 // Multiplication assignment\nx /= 2 // Division assignment\nx %= 2 // Remainder assignment\n
\nNumbers can be compared using the\nrelational operators\n>
, << code=\"\">,
>=
, <=< code=\"\">,
<>===
, and !==
. For example, a sketch's\nframeCount can be used as a timer:=<>
if (frameCount > 1000) {\n text('Game over!', 50, 50);\n}\n
\nAn expression such as frameCount > 1000
evaluates to a Boolean
value\nthat's either true
or false
. The relational operators all produce\nBoolean
values:
2 > 1 // true\n2 < 1 // false\n2 >= 2 // true\n2 <= 2=\"\" true=\"\" !=\"=\" false=\"\" <=\"\" code=\"\"/>
\nSee Boolean for more information about comparisons and conditions.
\nNote: There are also ==
and !=
operators with one fewer =
. Don't use them.
Expressions with numbers can also produce special values when something\ngoes wrong:
\nsqrt(-1) // NaN\n1 / 0 // Infinity\n
\nThe value NaN
stands for\nNot-A-Number.\nNaN
appears when calculations or conversions don't work. Infinity
is a\nvalue that's larger than any number. It appears during certain\ncalculations.
\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Draw a circle at the center.\n circle(50, 50, 70);\n\n // Draw a smaller circle at the center.\n circle(width / 2, height / 2, 30);\n\n describe('Two concentric, white circles drawn on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A white circle travels from left to right on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n circle(frameCount * 0.05, 50, 20);\n}\n
\nA container for data that's stored as key-value pairs.
\nObjects help to organize related data of any type, including other objects.\nA value stored in an object can be accessed by name, called its key. Each\nkey-value pair is called a \"property.\" Objects are similar to dictionaries\nin Python and maps in Java and Ruby.
\nFor example, an object could contain the location, size, and appearance of\na dog:
\n// Declare the dog variable and assign it an object.\nlet dog = { x: 50, y: 50, size: 20, emoji: '🐶' };\n\n// Style the text.\ntextAlign(CENTER, CENTER);\ntextSize(dog.size);\n\n// Draw the dog.\ntext(dog.emoji, dog.x, dog.y);\n
\nThe variable dog
is assigned an object with four properties. Objects\nare declared with curly braces {}
. Values can be accessed using the dot\noperator, as in dog.size
. In the example above, the key size
\ncorresponds to the value 20
. Objects can also be empty to start:
// Declare a cat variable and assign it an empty object.\nlet cat = {};\n\n// Add properties to the object.\ncat.x = 50;\ncat.y = 50;\ncat.size = 20;\ncat.emoji = '🐱';\n\n// Style the text.\ntextAlign(CENTER, CENTER);\ntextSize(cat.size);\n\n// Draw the cat.\ntext(cat.emoji, cat.x, cat.y);\n
\nAn object's data can be updated while a sketch runs. For example, the cat
\ncould run away from the dog
by updating its location:
// Run to the right.\ncat.x += 5;\n
\nIf needed, an object's values can be accessed using square brackets []
\nand strings instead of dot notation:
// Run to the right.\ncat[\"x\"] += 5;\n
\nThis syntax can be helpful when the key's name has spaces, as in\ncat['height (m)']
.
\n// Declare the variable data and assign it an object with three properties.\nlet data = { x: 50, y: 50, d: 20 };\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A white circle on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Access the object's values using the . operator.\n circle(data.x, data.y, data.d);\n}\n
\n\n// Declare the variable data and assign it an object with three properties.\nlet data = { x: 50, y: 50, d: 20 };\n\n// Add another property for color.\ndata.color = 'deeppink';\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A pink circle on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Access the object's values using the . operator.\n fill(data.color);\n circle(data.x, data.y, data.d);\n}\n
\n\n// Declare the variable data and assign it an object with three properties.\nlet data = { x: 50, y: 50, d: 20 };\n\n// Add another property for color.\ndata.color = 'deeppink';\n\nfunction setup() {\n createCanvas(100, 100);\n\n describe('A white circle on a gray background.');\n}\n\nfunction draw() {\n background(200);\n\n // Access the object's values using the . operator.\n fill(data.color);\n circle(data.x, data.y, data.d);\n\n // Update the object's x and y properties.\n data.x += random(-1, 1);\n data.y += random(-1, 1);\n}\n
\nA sequence of text characters.
\nThe String
data type is helpful for working with text. For example, a\nstring could contain a welcome message:
// Use a string literal.\ntext('Hello!', 10, 10);\n
\n// Create a string variable.\nlet message = 'Hello!';\n\n// Use the string variable.\ntext(message, 10, 10);\n
\nThe most common way to create strings is to use some form of quotations as\nfollows:
\ntext(\"hi\", 50, 50);\n
\ntext('hi', 50, 50);\n
\ntext(`hi`, 50, 50);\n
\n\"hi\"
, 'hi'
, and hi
are all string literals. A \"literal\" means a\nvalue was actually written, as in text('hi', 50, 50)
. By contrast,\ntext(message, 50, 50)
uses the variable message
, so it isn't a string\nliteral.
Single quotes ''
and double quotes \"\"
mean the same thing. It's nice to\nhave the option for cases when a string contains one type of quote:
text(\"What's up?\", 50, 50);\n
\ntext('Air quotes make you look \"cool.\"', 50, 50);\n
\nBackticks ``
create template literals. Template literals have many uses.\nFor example, they can contain both single and double quotes as needed:
text(`\"Don't you forget about me\"`, 10, 10);\n
\nTemplate literals are helpful when strings are created from variables like\nso:
\nlet size = random(10, 20);\ncircle(50, 50, size);\n\ntext(`The circle's diameter is ${size} pixels.`, 10, 10);\n
\nThe size
variable's value will replace ${size}
when the string is\ncreated. ${}
is a placeholder for any value. That means an expression can\nbe used, as in ${round(PI, 3)}
. All of the following are valid template\nliterals:
text(`π is about ${round(PI, 2)} pixels.`, 10, 10);\ntext(`It's ${mouseX < width / 2} that I'm on the left half of the canvas.`, 10, 30);\n
\nTemplate literals can include several variables:
\nlet x = random(0, 100);\nlet y = random(0, 100);\nlet size = random(10, 20);\ncircle(x, y, size);\n\ntext(`The circle at (${x}, ${y}) has a diameter of ${size} pixels.`, 10, 10);\n
\nTemplate literals are also helpful for creating multi-line text like so:
\nlet poem = `My sketch doesn't run;\nit waits for me patiently\nwhile bugs point the way.`;\n\ntext(poem, 10, 10);\n
\n"],"line":[0,710],"itemtype":[0,"property"],"class":[0,"p5"],"example":[1,[[0,"\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(20);\n\n // Display a welcome message.\n text('Hello!', 50, 50);\n\n describe('The text \"Hello!\" written on a gray background.');\n}\n
\n\nfunction setup() {\n createCanvas(100, 100);\n\n background(200);\n\n // Style the text.\n textAlign(CENTER, CENTER);\n textSize(20);\n\n // Create a string variable.\n let world = '🌍';\n\n // Display a welcome message using a template string.\n text(`Hello, ${world}!`, 50, 50);\n\n describe('The text \"Hello, 🌍!\" written on a gray background.');\n}\n
\n