___ _ __ ___ _ __ ___ / _ \| '_ \ / __|____| '__/ __| | (_) | |_) | (_|_____| | \__ \ \___/| .__/ \___| |_| |___/ |_|

OPC-RS

A rust implementation of the open pixel control protocol

Open Pixel control

Open Pixel Control is a protocol that is used to control arrays of RGB lights like Total Control Lighting (http://www.coolneon.com/) and Fadecandy devices (https://github.com/scanlime/fadecandy).

Documentation

https://docs.rs/opc

Usage:

Client:

```rust extern crate opc; extern crate tokio_core; extern crate futures; extern crate rand;

use opc::{OpcCodec, Message, Command}; use futures::{stream, Future, Stream, Sink, future};

use tokiocore::io::Io; use tokiocore::net::{TcpStream, TcpListener}; use tokio_core::reactor::Core;

use std::{io, thread}; use std::time::Duration;

use rand::*;

fn main() {

let mut core = Core::new().unwrap();
let handle = core.handle();
let remote_addr = "192.168.1.230:7890".parse().unwrap();

let work = TcpStream::connect(&remote_addr, &handle)
    .and_then(|socket| {
        let transport = socket.framed(OpcCodec);

        let messages = stream::unfold(vec![[0,0,0]; 1000], |mut pixels| {

            for pixel in pixels.iter_mut() {
                for c in 0..2 {
                    pixel[c] = rand::random();
                }
            };

            let pixel_msg = Message {
                channel: 0,
                command: Command::SetPixelColors { pixels: pixels.clone() }
            };

            std::thread::sleep(Duration::from_millis(100));

            Some(future::ok::<_,io::Error>((pixel_msg, pixels)))
        });

        transport.send_all(messages)

    });

core.run(work).unwrap();

}

```

Server:

```rust extern crate opc; extern crate futures; extern crate tokio_core;

use opc::{OpcCodec, Message, Command};

use futures::{stream, Future, Stream, Sink};

use tokiocore::io::Io; use tokiocore::net::{TcpStream, TcpListener}; use tokio_core::reactor::Core;

use std::{io, thread}; use std::time::Duration;

let mut core = Core::new().unwrap(); let handle = core.handle(); let remote_addr = "127.0.0.1:7890".parse().unwrap();

let listener = TcpListener::bind(&remote_addr, &handle).unwrap();

// Accept all incoming sockets let server = listener.incoming().for_each(move |(socket, _)| { // OpcCodec handles encoding / decoding frames. let transport = socket.framed(OpcCodec);

 let process_connection = transport.for_each(|message| {
     println!("GOT: {}", message);
     Ok(())
 });

 // Spawn a new task dedicated to processing the connection
 handle.spawn(process_connection.map_err(|_| ()));

 Ok(())

});

// Open listener core.run(server).unwrap();

```