Periplex GPIO pin configuration issue

I had used the periplex-sync -p .json command on the following json file :-

{
    "uart": [
        {
            "id": 0,
            "TX": "GPIOT_RXP28",
            "RX": "GPIOT_RXN28"
        }
    ],
    "i2c": [],

    "gpio": [
        {
            "id": 1,
            "GPIO-0": "GPIOR_168",
            "GPIO-1": "GPIOL_17",
            "GPIO-2": "GPIOL_20",
            "GPIO-3": "GPIOL_18",
            "GPIO-4": "GPIOR_187",
            "GPIO-5": "GPIOL_24",
            "GPIO-6": "GPIOL_66",
            "GPIO-7": "GPIOL_62"
        }
    ],
    "pwm": [],
    "ws": [],
    "spi":[],
    "onewire": [],
    "can": [],
    "i2s": []
}

The operation was successful and I then proceeded to reboot the device.
But after reboot, when I ran the ls /dev command, it didn’t show any activated pins for UART or GPIO.
What could have possibly gone wrong. Please help!

you can see ttyPERI0 and gpiochip6 are created using the periplex, this type of information will be provided soon in the docs of periplex.

Ok, so are you saying that peripherals get created and not highlighted once we configure the .json file? And the gpiochip6 and ttyPERI0 peripherals were not initialized beforehand?

I am using the following code to transmit data from Vaaman to a Serial Monitor on my PC using an TTL to USB converter (FTDI Module) :-

#include <stdio.h>
#include <fcntl.h>
#include <unistd.h>
#include <termios.h>
#include <string.h>

int main() {
    int uart_fd;
    struct termios options;

    // Open the UART device (ttyS0)
    uart_fd = open("/dev/ttyPERI0", O_RDWR | O_NOCTTY | O_NDELAY);
    if (uart_fd == -1) {
        perror("Error opening UART");
        return -1;
    }

    // Configure UART settings
    tcgetattr(uart_fd, &options);
    cfsetispeed(&options, B115200); // Set baud rate to 115200
    cfsetospeed(&options, B115200);
    options.c_cflag |= (CLOCAL | CREAD);
    options.c_cflag &= ~PARENB;  // No parity
    options.c_cflag &= ~CSTOPB;  // 1 stop bit
    options.c_cflag &= ~CSIZE;   
    options.c_cflag |= CS8;      // 8 data bits
    tcsetattr(uart_fd, TCSANOW, &options);
    while(1){
    // Send "hello world"
    char message[] = "hello world\n";
    int bytes_written = write(uart_fd, message, strlen(message));
    if (bytes_written < 0) {
        perror("Failed to write to UART");
    } else {
        printf("Sent: %s", message);
    }
    }
    

    // Close the UART device
    close(uart_fd);
    return 0;
}

The code runs successfully as depicted in the screenshot :-

But, am unable to receive data on the other end, What could be the issue here…

Use the following command to store kernel logs in a file(dmesg.txt here).

sudo dmesg > dmesg.txt

Upload the same over here.

dmesg(22_02_2025).txt (52.0 KB)

I’ve tried a similar approach and didn’t face the issue you mentioned.

To resolve the problem, I recommend checking the following:

  • Pin connections: Ensure all UART pins are correctly connected.
  • Baud rate: Verify that both devices are using the same baud rate.

Instead of continuously sending data in a while() loop, try sending a simple message like "hello world" first and check if it is received correctly on your PC.

Test this code, and confirm if the "hello world" message is received on your PC

#include <stdio.h>
#include <fcntl.h>
#include <unistd.h>
#include <termios.h>
#include <string.h>

int main() {
int uart_fd;
struct termios options;

// Open the UART device (ttyS0)
uart_fd = open("/dev/ttyPERI0", O_RDWR | O_NOCTTY | O_NDELAY);
if (uart_fd == -1) {
    perror("Error opening UART");
    return -1;
}

// Configure UART settings
tcgetattr(uart_fd, &options);
cfsetispeed(&options, B115200); // Set baud rate to 115200
cfsetospeed(&options, B115200);
options.c_cflag |= (CLOCAL | CREAD); // Enable receiver and local mode
options.c_cflag &= ~PARENB;          // No parity
options.c_cflag &= ~CSTOPB;          // 1 stop bit
options.c_cflag &= ~CSIZE;           
options.c_cflag |= CS8;              // 8 data bits
tcsetattr(uart_fd, TCSANOW, &options);

// Send "hello world"
char message[] = "hello world\n";
int bytes_written = write(uart_fd, message, strlen(message));
if (bytes_written < 0) {
    perror("Failed to write to UART");
} else {
    printf("Sent: %s", message);
}

// Close the UART device
close(uart_fd);
return 0;

}

this is code

this is my output

If you successfully receive the "hello world" message on your PC, you can then try sending a larger chunk of data. To do this, you can reintroduce the while loop you used previously and test continuous data transmission.

If you’re familiar with Linux, I recommend testing this on a Linux system instead of Windows. It might help you debug the issue more effectively, especially when working with UART and low-level device communication.

Thanks a lot, the code is finally working. Apparently there was an issue with the jumper cables I was using, sorry for that, it’s a pretty silly mistake.
However, one issue that I have noticed is that once I have run the code which is working, it gives perfect output, and then when I try to run another code, it doesn’t transmit or receive data. I presumed that the code was faulty, however when I tried to run the first working code again…it failed to do so. What could be the issue here? I would have to restart the Vaaman board everytime for it to work.

Can you send both of your codes

Here is the working code :-

#include <stdio.h>
#include <fcntl.h>
#include <unistd.h>
#include <termios.h>
#include <string.h>

int main() {
    int uart_fd;
    struct termios options;

    // Open the UART device (ttyS0)
    uart_fd = open("/dev/ttyPERI0", O_RDWR | O_NOCTTY | O_NDELAY);
    if (uart_fd == -1) {
        perror("Error opening UART");
        return -1;
    }

    // Configure UART settings
    tcgetattr(uart_fd, &options);
    cfsetispeed(&options, B115200); // Set baud rate to 115200
    cfsetospeed(&options, B115200);
    options.c_cflag |= (CLOCAL | CREAD);
    options.c_cflag &= ~PARENB;  // No parity
    options.c_cflag &= ~CSTOPB;  // 1 stop bit
    options.c_cflag &= ~CSIZE;
    options.c_cflag |= CS8;      // 8 data bits
    options.c_oflag &= ~OPOST;
    tcsetattr(uart_fd, TCSANOW, &options);
    while(1){
    // Send "hello world"

    char message[] = "Hello World\r\n";
    int bytes_written = write(uart_fd, message, strlen(message));
    if (bytes_written < 0) {
        perror("Failed to write to UART");
    } else {
        printf("Sent: %s", message);
    }
    usleep(1);
    }


    // Close the UART device
    close(uart_fd);
    return 0;
}

And here is the faulty code :-

#include <stdio.h>
#include <stdlib.h>
#include <fcntl.h>
#include <unistd.h>
#include <termios.h>
#include <string.h>
#include <pthread.h>


int uart_fd;  // Global UART file descriptor

void *uart_receive(void *arg) {
    char buffer[256];  // Buffer to store received data
    int bytes_read;

    while (1) {
        bytes_read = read(uart_fd, buffer, sizeof(buffer) - 1);
        if (bytes_read > 0) {
            buffer[bytes_read] = '\0';  // Null-terminate received data
            printf("Received: %s\n", buffer);
        }
        usleep(500000);  // Delay to prevent excessive CPU usage
    }
}

void *uart_transmit(void *arg) {
    char message[] = "Hello from UART! \r\n";

    while (1) {
        int bytes_written = write(uart_fd, message, strlen(message));
        if (bytes_written < 0) {
            perror("Failed to write to UART");
        } else {
            printf("Sent: %s", message);
        }
        usleep(100000);  // Transmit every 100 milliseconds
    }
}

int main() {
    struct termios options;
    pthread_t rx_thread, tx_thread;

    // Open the UART device
    uart_fd = open("/dev/ttyPERI0", O_RDWR | O_NOCTTY | O_NDELAY);
    if (uart_fd == -1) {
        perror("Error opening UART");
        return -1;
    }

    // Configure UART settings
    tcgetattr(uart_fd, &options);
    cfsetispeed(&options, B115200);
    cfsetospeed(&options, B115200);

    options.c_cflag = (CLOCAL | CREAD);
    options.c_cflag &= ~PARENB;  // No parity    options.c_cflag &= ~CSTOPB;  // 1 stop bit
    options.c_cflag &= ~CSIZE;
    options.c_cflag |= CS8;      // 8 data bits
    options.c_oflag &= ~OPOST;
    options.c_iflag = IGNPAR;
    options.c_oflag = 0;
    options.c_lflag = 0;

    tcflush(uart_fd, TCIFLUSH);
    tcsetattr(uart_fd, TCSANOW, &options);

    printf("UART Initialized. Starting threads...\n");

    // Create threads for transmission and reception
    pthread_create(&rx_thread, NULL, uart_receive, NULL);
    pthread_create(&tx_thread, NULL, uart_transmit, NULL);

    // Wait for threads to finish (they run indefinitely)
    pthread_join(rx_thread, NULL);
    pthread_join(tx_thread, NULL);

    // Close UART (This part won't be reached in an infinite loop setup)
    close(uart_fd);
    return 0;
}

First of all Vatsal I am really thankful for the help that you have provided…I also had another question, its code related and probably related to how my UART is configured.
I had written a code in python (on Vaaman) to receive data from multiple UART peripherals. I am transmitting a string from an STM32 Microcontroller and the size of that string is 3380 bytes. I had written the following code in Python (On Vaaman) to receive that data :-

import serial
import time

# UART device paths and configurations
UART_CONFIGS = [
    {
        'port': '/dev/ttyPERI0',
        'baudrate': 1500000,
        'bytesize': serial.EIGHTBITS,
        'parity': serial.PARITY_NONE,
        'stopbits': serial.STOPBITS_ONE,
        'timeout': 2,  # Non-blocking read with a timeout of 0.1 seconds
        'xonxoff': False,
        'rtscts': False,
        'dsrdtr': False
    },
    {
        'port': '/dev/ttyPERI1',
        'baudrate': 1500000,
        'bytesize': serial.EIGHTBITS,
        'parity': serial.PARITY_NONE,
        'stopbits': serial.STOPBITS_ONE,
        'timeout': 1,
        'xonxoff': False,
        'rtscts': False,
        'dsrdtr': False
    },
    {
        'port': '/dev/ttyPERI2',
        'baudrate': 1500000,
        'bytesize': serial.EIGHTBITS,
        'parity': serial.PARITY_NONE,
        'stopbits': serial.STOPBITS_ONE,
        'timeout': 1,
        'xonxoff': False,
        'rtscts': False,
        'dsrdtr': False
    }
]

def main():
    uarts = []
    try:
        # Initialize all UARTs
        for config in UART_CONFIGS:
            try:
                uart = serial.Serial(**config)
                uarts.append(uart)
                print(f"Initialized UART: {config['port']}")
            except serial.SerialException as e:
                print(f"Error opening UART {config['port']}: {e}")
                uarts.append(None)  # Mark as unavailable

        print("All UARTs initialized. Starting communication...")

        while True:
            for i, uart in enumerate(uarts):
                if uart is None:
                    continue  # Skip unavailable UARTs

                # Transmit data
                """message = f"Hello from {UART_CONFIGS[i]['port']}!\r\n"
                bytes_written = uart.write(message.encode())
                if bytes_written > 0:
                    print(f"Sent to {UART_CONFIGS[i]['port']}: {message}", end='')"""

                # Receive data
                buffer = uart.read(10000)  # Read up to 10000 bytes
                if buffer:
                    received_message = buffer.decode('utf-8', errors='ignore')
                    print(f"Received from {UART_CONFIGS[i]['port']}: {received_message}")

            # Small delay to avoid flooding the UARTs
            time.sleep(0.2)  # 100ms delay

    except KeyboardInterrupt:
        print("Exiting...")
    finally:
        # Close all UART devices
        for uart in uarts:
            if uart is not None and uart.is_open:
                uart.close()
                print(f"Closed UART: {uart.port}")

if __name__ == "__main__":
    main()

The issue that I am facing here, is that I am not able to receive the full data which is being transmitted. It is being recieved in incomplete chunks and the code is also pretty slow. I used an FTDI module to check whether the data that is being transmitted is complete or not, and it was indeed complete so we can rule out the issue in transmission part.
I increased the baudrate from 115200 to 1500000 on both the devices and also increased the timeout of receiving that data and increased the size of the buffer variable , but still no luck.
Should I be running the code in non-blocking or blocking mode?.. and what other changes should I make in the code to make it fast and efficient?
#Note : I was able to receive smaller sized data using the code before.

Error at this line options.c_cflag = (CLOCAL | CREAD); and try with 9600 Baud rate

i have tried , this code was working fine

#include <stdio.h>
#include <stdlib.h>
#include <fcntl.h>
#include <unistd.h>
#include <termios.h>
#include <string.h>
#include <pthread.h>


int uart_fd;  // Global UART file descriptor

void *uart_receive(void *arg) {
    char buffer[256];  // Buffer to store received data
    int bytes_read;

    while (1) {
        bytes_read = read(uart_fd, buffer, sizeof(buffer) - 1);
        if (bytes_read > 0) {
            buffer[bytes_read] = '\0';  // Null-terminate received data
            printf("Received: %s\n", buffer);
        }
        usleep(500000);  // Delay to prevent excessive CPU usage
    }
}

void *uart_transmit(void *arg) {
    char message[] = "Hello from UART! \r\n";

    while (1) {
        int bytes_written = write(uart_fd, message, strlen(message));
        if (bytes_written < 0) {
            perror("Failed to write to UART");
        } else {
            printf("Sent: %s", message);
        }
        usleep(100000);  // Transmit every 100 milliseconds
    }
}

int main() {
    struct termios options;
    pthread_t rx_thread, tx_thread;

    // Open the UART device
    uart_fd = open("/dev/ttyPERI0", O_RDWR | O_NOCTTY | O_NDELAY);
    if (uart_fd == -1) {
        perror("Error opening UART");
        return -1;
    }

    // Configure UART settings
    tcgetattr(uart_fd, &options);
    cfsetispeed(&options, B9600);
    cfsetospeed(&options, B9600);

    options.c_cflag |= (CLOCAL | CREAD);
    options.c_cflag &= ~PARENB;  // No parity    options.c_cflag &= ~CSTOPB;  // 1 stop bit
    options.c_cflag &= ~CSIZE;
    options.c_cflag |= CS8;      // 8 data bits
    options.c_oflag &= ~OPOST;
    options.c_iflag = IGNPAR;
    options.c_oflag = 0;
    options.c_lflag = 0;

    tcflush(uart_fd, TCIFLUSH);
    tcsetattr(uart_fd, TCSANOW, &options);

    printf("UART Initialized. Starting threads...\n");

    // Create threads for transmission and reception
    pthread_create(&rx_thread, NULL, uart_receive, NULL);
    pthread_create(&tx_thread, NULL, uart_transmit, NULL);

    // Wait for threads to finish (they run indefinitely)
    pthread_join(rx_thread, NULL);
    pthread_join(tx_thread, NULL);

    // Close UART (This part won't be reached in an infinite loop setup)
    close(uart_fd);
    return 0;
}
1 Like

you can try this python script at 9600 baudrate and 1000 byte are receive correctly, and your issue will be solve in the next version of periplex

import serial
import time
import binascii
import sys
import os

# UART device paths and configurations
UART_CONFIGS = [
    {
        'port': '/dev/ttyPERI0',
        'baudrate': 9600,
        'bytesize': serial.EIGHTBITS,
        'parity': serial.PARITY_NONE,
        'stopbits': serial.STOPBITS_ONE,
        'timeout': 2,  # 2 second timeout
        'xonxoff': False,
        'rtscts': False,
        'dsrdtr': False
    }
]

# Debug flag - set to True for verbose output
DEBUG = True

def debug_print(message):
    """Print debug messages if DEBUG is enabled"""
    if DEBUG:
        print(f"[DEBUG] {message}")

def check_device_exists(port):
    """Check if the UART device exists in the system"""
    if not os.path.exists(port):
        print(f"Error: Device {port} does not exist")
        return False
    return True

def open_uart(config):
    """Attempt to open a UART with provided configuration"""
    if not check_device_exists(config['port']):
        return None
    
    try:
        uart = serial.Serial(**config)
        print(f"Successfully opened {config['port']} at {config['baudrate']} baud")
        return uart
    except serial.SerialException as e:
        print(f"Error opening {config['port']}: {e}")
        return None

def read_uart(uart, max_bytes=3000):
    """Read data from UART with proper error handling"""
    if uart is None or not uart.is_open:
        return None
    
    try:
        # Check if there's data waiting
        if uart.in_waiting > 0:
            debug_print(f"{uart.port} has {uart.in_waiting} bytes waiting")
            
        # Try to read data
        data = uart.read(max_bytes)
        
        if data:
            debug_print(f"Read {len(data)} bytes from {uart.port}")
            return data
        return None
    except serial.SerialException as e:
        print(f"Error reading from {uart.port}: {e}")
        return None

def write_uart(uart, message):
    """Write data to UART with proper error handling"""
    if uart is None or not uart.is_open:
        return False
    
    try:
        bytes_written = uart.write(message if isinstance(message, bytes) else message.encode())
        uart.flush()  # Ensure data is sent
        debug_print(f"Wrote {bytes_written} bytes to {uart.port}")
        return bytes_written > 0
    except serial.SerialException as e:
        print(f"Error writing to {uart.port}: {e}")
        return False

def test_uart_loopback(uart):
    """Test UART by sending data and checking if it's received (loopback test)"""
    if uart is None or not uart.is_open:
        return False
    
    print(f"Testing loopback on {uart.port}...")
    
    # Clear any pending data
    uart.reset_input_buffer()
    uart.reset_output_buffer()
    
    # Send test message
    test_message = b"UART TEST\r\n"
    if write_uart(uart, test_message):
        # Give device time to respond
        time.sleep(0.5)
        
        # Read response
        response = read_uart(uart)
        if response:
            print(f"Loopback test received: {response}")
            return True
    
    print("Loopback test failed - no data received")
    return False

def display_data(data, port):
    """Display received data in multiple formats"""
    if not data:
        return
    
    print(f"\nReceived from {port} ({len(data)} bytes):")
    print(f"  ASCII: {data.decode('ascii', errors='replace')}")
    print(f"  HEX: {binascii.hexlify(data).decode()}")
    
    # Print byte by byte for detailed analysis
    print("  Byte-by-byte:")
    for i, byte in enumerate(data):
        print(f"    [{i}] {byte:02X} (Decimal: {byte}, ASCII: {chr(byte) if 32 <= byte <= 126 else '·'})")

def main():
    uarts = []
    
    try:
        # Check system information
        print(f"System: {sys.platform}")
        print("Available serial ports:")
        for port in UART_CONFIGS:
            if check_device_exists(port['port']):
                print(f"  {port['port']} - exists")
            else:
                print(f"  {port['port']} - NOT FOUND")
        
        # Initialize UARTs
        for config in UART_CONFIGS:
            uart = open_uart(config)
            uarts.append(uart)
            
            if uart:
                # Configure additional UART parameters
                uart.reset_input_buffer()  # Clear input buffer
                uart.reset_output_buffer()  # Clear output buffer
                
        print("\nUART communication started. Press Ctrl+C to exit.")
        print("Waiting for data...\n")
        
        # Communication loop
        while True:
            for i, uart in enumerate(uarts):
                if uart is None:
                    continue
                
                # Optional: Send a ping to prompt a response
                # write_uart(uart, "PING\r\n")
                
                # Read available data
                data = read_uart(uart)
                if data:
                    display_data(data, uart.port)
            
            # Small delay to prevent CPU hogging
            time.sleep(0.1)
            
    except KeyboardInterrupt:
        print("\nExiting...")
    except Exception as e:
        print(f"Unexpected error: {e}")
    finally:
        # Close all UART devices
        for uart in uarts:
            if uart is not None and uart.is_open:
                uart.close()
                print(f"Closed {uart.port}")

if __name__ == "__main__":
    main()
1 Like

Hello Vatsal, sorry for replying so late, the code worked and we tried it a few days back we were testing UART Communication but today unexpectedly all the python codes that were working previously aren’t working now.
Also, during boot I am not receiving the U-boot data from the board that i receive from pins GPIOT_RXP28 and GPIOT_RXN28.
Am I right to assume a hardware fault here?

Please find attached logs file.
dmesg(08_03_2025).txt (44.8 KB)

Could you please check if the overlay setting for Enable Vaaman FPGA Communication is turned ON or OFF?

Run the following command to open the overlay settings:
sudo vicharak-config

  • Select the Overlays option.
  • After selecting Overlays, choose Manage overlays.
  • you can see the Enable Vaaman FPGA Communication overlay, enable it, and save the settings.
  • after change into the vicharak-config , you need to reboot your board once.

note:
If the Enable Vaaman FPGA Communication overlay is not visible, it likely means it is already active, and you can skip the steps above.

1 Like

The Enable Vaaman FPGA Communication was already turned on in the Overlay settings.

can you send the service log
sudo systemctl status periplexer.service > service_log.txt

The problem got solved after I flashed the OS image containing periplex again. I am now able to receive and transmit data through UART and even the UI of the OS has been reverted to the one I was using previously.

However, I am still trying to receive 3000 bytes of data through UART using a baudrate of 115200, but there is some data that is not received through this code. I am receivng 2300, 2800 and varied packets (bytes) of data but never the whole 3000 bytes that I am transmitting.
This problem got fixed when I used a slower baudrate of 2595 (slowest baudrate allowed by the G474RE STM board) and increased the timeout to 20 seconds. But, the data takes almost 14 seconds to transmit which is too slow. I need the whole data to be received in under 500 ms. So is there anyway in which I can use a higher baudrate without actually losing any data during transmission?

Below is the python code I am using to receive the data byte-by-byte :-

import serial

# UART configuration
UART_PORT = '/dev/ttyPERI0'  # Replace with your UART device
BAUDRATE = 115200
TIMEOUT = 0.1  # Non-blocking read with a timeout of 0.1 seconds

def main():
    try:
        # Open the UART device
        uart = serial.Serial(
            port=UART_PORT,
            baudrate=BAUDRATE,
            bytesize=serial.EIGHTBITS,
            parity=serial.PARITY_NONE,
            stopbits=serial.STOPBITS_ONE,
            timeout=TIMEOUT
        )
        print(f"UART initialized on {UART_PORT}. Waiting for data...")

        buffer = bytearray()  # Buffer to store received bytes
        in_packet = False     # Flag to indicate if we are inside a packet

        while True:
            # Read 1 byte from UART
            byte = uart.read(1)
            if byte:
                if byte == b'{':  # Start of packet
                    buffer.clear()  # Clear the buffer
                    buffer.extend(byte)  # Add the start byte
                    in_packet = True
                    print("Start of packet detected.")
                elif byte == b'}':  # End of packet
                    if in_packet:
                        buffer.extend(byte)  # Add the end byte
                        in_packet = False
                        # Process the complete packet
                        packet = buffer.decode('utf-8', errors='ignore')
                        print(f"Received packet: {packet}")
                        print(f"Packet length: {len(packet)} bytes")
                        buffer.clear()  # Clear the buffer for the next packet
                elif in_packet:
                    buffer.extend(byte)  # Add the byte to the buffer

    except serial.SerialException as e:
        print(f"Error opening or configuring UART: {e}")
    except KeyboardInterrupt:
        print("Exiting...")
    finally:
        if 'uart' in locals() and uart.is_open:
            uart.close()
            print("UART device closed.")

if __name__ == "__main__":
    main()

We will be releasing a new, updated version of Periplex package very soon, which will address this issue. Your problem will be resolved in the upcoming update.

Hello Sir,
may I know the status of updated image of periplex?