Используя трассы объектов и данные пикселей вместе, не получая то, на что я надеялся? - PullRequest
1 голос
/ 02 апреля 2020

Я очень новый кодер, честно говоря большую часть времени, Любой совет был бы великолепен. Я делал упражнение из видео Дэна Шиффмана. Я пытаюсь нарисовать линию или обводку пиксельными данными с живой веб-камеры. Два холста, одна маленькая веб-камера в реальном времени и большой холст, на котором много эллипса, окрашенного в пиксельные rgb из массива пикселей Это изображение моего конечного продукта

Я сделал отдельный файл для частицы, а затем использовал функцию конструктора и al oop для отображения и обновления в draw (), в то время как в файле частиц я пытался использовать линию вместо эллипса, используя массив прошлых позиций объекта. Тем не менее, это не сработает? Холст просто кажется серым. В файле частиц. js, когда я использовал функцию line () и когда я использую ellipse (), я не получаю эффект рисования мазком кисти, не уверен, что мои логики c верны. Вот код -> Извините, что есть много. Первый бит - это файл частиц. js, а второй - основной файл эскиза.

function P(x, y) {
    this.x = x;
    this.y = y;
    this.r = random(4, 32);
    this.history = [];

    this.update = function() {
        this.x = constrain(this.x, 0, width);
        this.y = constrain(this.y, 0, height);

        this.x += random(-10,10);   
        this.y += random(-10,10); // accelaration

        this.history.push(createVector(this.x,this.y));
    }



    this.show = function() {
        noStroke();
        // fill(255);
        let px = floor(this.x/vScale); // formula to convert from small orignal video to large canvas - ratio is 16
        let py = floor(this.y/vScale);
        let col = video.get(px,py); // get() gives you an array of r, g, b and a value from the corresponding pixel
        // console.log(col);
        fill(col[0], col[1], col[2], slider.value); // for r g b value in array
        // ellipse(this.x,this.y, this.r);
        // line(this.x, this.y, this.x,this.y)
        for (let i = 0; i < this.history.length; i++) {
            let pos = this.history[i]; // pos stores each array item as we are cycling through the loop
            // ellipse(pos.x,pos.y,8,8);
            // console.log(pos);
            line(this.history[i].x, this.history[i].y, this.history[i + 1].x, this.history[i + 1].y);
    }
    }
}
let video;
let vScale = 16;

let p = [];
// const flock = [];
let slider;

function setup() {
    createCanvas(640,480);
    pixelDensity(1);
    video = createCapture(VIDEO);
    video.size(width/vScale,height/vScale);

    for (let i = 0; i < 50; i ++) {
        p[i] = new P(random(width),random(height));
    }
    background(51);
    slider = createSlider(0,255,127);

}

function draw() {
    // background(51);
    video.loadPixels(); // to put all the pixels of capture in an array
    for (let i = 0; i < p.length; i ++) {
        p[i].update();
        p[i].show();
    }
}

Изображение того, на что я надеялся, будет определенно дополнительным Флокирование усреднения цвета при движении объекта, однако я просто пытаюсь заставить функцию basi c line () работать

1 Ответ

0 голосов
/ 02 апреля 2020

Есть 2 простых вопроса.

Вы получили ошибку в show, потому что индекс i+1 выходит за пределы в this.history[i + 1].x. Выполните for l oop от 0 до history.length-1, чтобы решить проблему:

for (let i = 0; i < this.history.length; i++)

for (let i = 0; i < this.history.length-1; i++)

Строка не может быть заполненным (fill). Линия должна быть нарисована по stroke. Например:

noStroke();

stroke(255);

function P(x, y) {
    this.x = x;
    this.y = y;
    this.r = random(4, 32);
    this.history = [];

    this.update = function() {
        this.x = constrain(this.x, 0, width);
        this.y = constrain(this.y, 0, height);

        this.x += random(-10,10);   
        this.y += random(-10,10); // accelaration

        this.history.push(createVector(this.x,this.y));
    }

    this.show = function() {
        //noStroke();
        stroke(255);
        // fill(255);
        let px = floor(this.x/vScale); // formula to convert from small orignal video to large canvas - ratio is 16
        let py = floor(this.y/vScale);
        let col = video.get(px,py); // get() gives you an array of r, g, b and a value from the corresponding pixel
        // console.log(col);
        fill(col[0], col[1], col[2], slider.value); // for r g b value in array
        // ellipse(this.x,this.y, this.r);
        // line(this.x, this.y, this.x,this.y)
        for (let i = 0; i < this.history.length-1; i++) {
            let pos = this.history[i]; // pos stores each array item as we are cycling through the loop
            // ellipse(pos.x,pos.y,8,8);
            // console.log(pos);
            line(this.history[i].x, this.history[i].y, this.history[i + 1].x, this.history[i + 1].y);
        }
    }
}

let video;
let vScale = 16;

let p = [];
// const flock = [];
let slider;

function setup() {
    createCanvas(640,480);
    pixelDensity(1);
    video = createCapture(VIDEO);
    video.size(width/vScale,height/vScale);

    for (let i = 0; i < 50; i ++) {
        p[i] = new P(random(width),random(height));
    }
    background(51);
    slider = createSlider(0,255,127);

}

function draw() {
    // background(51);
    video.loadPixels(); // to put all the pixels of capture in an array
    for (let i = 0; i < p.length; i ++) {
        p[i].update();
        p[i].show();
    }
}
<script src="https://cdnjs.cloudflare.com/ajax/libs/p5.js/1.0.0/p5.min.js"></script>
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...