Últimamente se ha popularizado mucho este microcontrolador CH32V003 por ser quizá el mas barato del mercado, lo he estado probando bastante y la verdad es que cumple muy bien con el trabajo, me falta hacer pruebas de durabilidad a largo plazo, pero por ahora promete mucho.
Recientemente quise usarlo para unos proyectos previamente hechos con otros microcontroladores y como es normal te vas encontrando con los problemas típicos de cambiar de micro, en este caso, el primero es que como es relativamente nuevo no hay mucha información y otro es que no hay muchas librerías portadas hacia su entorno.
Es por eso que quiero escribir sobre esta primera librería que he portado que es para usar una pantalla LCD 20x4 basada en basadas en el chip (HD44780) con una interfaz I2C, y que también sirve para una 16x2.
Como dato rápido, me basé en la librería LiquidCrystal_I2C de DFRobot que está originalmente hecha para el entorno de Arduino en C++, pero este micro se programa en C nativo desde su IDE MounRiver Community.
Vi que otros lo han portado pero nadie comparte el código, así que aquí quería compartirlo yo, ya que sirve para muchos proyectos.
Sin mas preámbulo pasemos al código, que se compone de librería C (LCDI2C.c), cabecera (LCDI2C.h), librería (I2C.c), cabecera (I2C.h) así como el archivo main que demuestra el uso de la misma.
Libreria LCDI2C.c
#include "LCDI2C.h"
#include "I2C.h"
#include
uint8_t _Addr;
uint8_t _displayfunction;
uint8_t _displaycontrol;
uint8_t _displaymode;
uint8_t _numlines;
uint8_t _cols;
uint8_t _rows;
uint8_t _backlightval;
void lcd_write(uint8_t value) {
send(value, Rs);
}
// When the display powers up, it is configured as follows:
//
// 1. Display clear
// 2. Function set:
// DL = 1; 8-bit interface data
// N = 0; 1-line display
// F = 0; 5x8 dot character font
// 3. Display on/off control:
// D = 0; Display off
// C = 0; Cursor off
// B = 0; Blinking off
// 4. Entry mode set:
// I/D = 1; Increment by 1
// S = 0; No shift
//
// Note, however, that resetting the Arduino doesn't reset the LCD, so we
// can't assume that its in that state when a sketch starts (and the
// LiquidCrystal constructor is called).
/*
* Funcion para inicializar la pantalla
* primero se inicializa I2C, luego se mandan los comandos a la pantalla
* parametros: lcd_Addr la dirección de la pantalla generalmente 0x27
* lcd_cols numero de columnas de la panatalla
* lcd_rows filas de la pantalla
* */
void lcd_Init(uint8_t lcd_Addr,uint8_t lcd_cols,uint8_t lcd_rows){
_Addr = lcd_Addr;
_cols = lcd_cols;
_rows = lcd_rows;
_backlightval = LCD_NOBACKLIGHT;
IIC_Init(100000,0x27); //Funciona con 50,000 con 80,000 y con 100,000
_displayfunction = LCD_4BITMODE | LCD_1LINE | LCD_5x8DOTS;
lcd_Begin(lcd_cols, lcd_rows,1);
}
void lcd_Begin(uint8_t cols, uint8_t lines, uint8_t dotsize) {
if (lines > 1) {
_displayfunction |= LCD_2LINE;
}
_numlines = lines;
// for some 1 line displays you can select a 10 pixel high font
if ((dotsize != 0) && (lines == 1)) {
_displayfunction |= LCD_5x10DOTS;
}
// SEE PAGE 45/46 FOR INITIALIZATION SPECIFICATION!
// according to datasheet, we need at least 40ms after power rises above 2.7V
// before sending commands. Arduino can turn on way befer 4.5V so we'll wait 50
//delay(50);
Delay_Ms(50);
// Now we pull both RS and R/W low to begin commands
expanderWrite(_backlightval); // reset expanderand turn backlight off (Bit 8 =1)
//delay(1000);
Delay_Ms(1000);
//put the LCD into 4 bit mode
// this is according to the hitachi HD44780 datasheet
// figure 24, pg 46
// we start in 8bit mode, try to set 4 bit mode
write4bits(0x03 << 4);
//delayMicroseconds(4500); // wait min 4.1ms
Delay_Us(4500);
// second try
write4bits(0x03 << 4);
//delayMicroseconds(4500); // wait min 4.1ms
Delay_Us(4500);
// third go!
write4bits(0x03 << 4);
//delayMicroseconds(150);
Delay_Us(150);
// finally, set to 4-bit interface
write4bits(0x02 << 4);
// set # lines, font size, etc.
lcd_command(LCD_FUNCTIONSET | _displayfunction);
// turn the display on with no cursor or blinking default
_displaycontrol = LCD_DISPLAYON | LCD_CURSOROFF | LCD_BLINKOFF;
lcd_display();
// clear it off
lcd_clear();
// Initialize to default text direction (for roman languages)
_displaymode = LCD_ENTRYLEFT | LCD_ENTRYSHIFTDECREMENT;
// set the entry mode
lcd_command(LCD_ENTRYMODESET | _displaymode);
lcd_home();
}
/********** high level commands, for the user! */
void lcd_clear(){
lcd_command(LCD_CLEARDISPLAY);// clear display, set cursor position to zero
Delay_Us(2000); // this command takes a long time!
}
void lcd_home(){
lcd_command(LCD_RETURNHOME); // set cursor position to zero
Delay_Us(2000); // this command takes a long time!
}
void lcd_setCursor(uint8_t col, uint8_t row){
int row_offsets[] = { 0x00, 0x40, 0x14, 0x54 };
if ( row > _numlines ) {
row = _numlines-1; // we count rows starting w/0
}
lcd_command(LCD_SETDDRAMADDR | (col + row_offsets[row]));
}
// Turn the display on/off (quickly)
void lcd_noDisplay() {
_displaycontrol &= ~LCD_DISPLAYON;
lcd_command(LCD_DISPLAYCONTROL | _displaycontrol);
}
void lcd_display() {
_displaycontrol |= LCD_DISPLAYON;
lcd_command(LCD_DISPLAYCONTROL | _displaycontrol);
}
// Turns the underline cursor on/off
void lcd_noCursor() {
_displaycontrol &= ~LCD_CURSORON;
lcd_command(LCD_DISPLAYCONTROL | _displaycontrol);
}
void lcd_cursor() {
_displaycontrol |= LCD_CURSORON;
lcd_command(LCD_DISPLAYCONTROL | _displaycontrol);
}
// Turn on and off the blinking cursor
void lcd_noBlink() {
_displaycontrol &= ~LCD_BLINKON;
lcd_command(LCD_DISPLAYCONTROL | _displaycontrol);
}
void lcd_blink() {
_displaycontrol |= LCD_BLINKON;
lcd_command(LCD_DISPLAYCONTROL | _displaycontrol);
}
// These commands scroll the display without changing the RAM
void lcd_scrollDisplayLeft(void) {
lcd_command(LCD_CURSORSHIFT | LCD_DISPLAYMOVE | LCD_MOVELEFT);
}
void lcd_scrollDisplayRight(void) {
lcd_command(LCD_CURSORSHIFT | LCD_DISPLAYMOVE | LCD_MOVERIGHT);
}
// This is for text that flows Left to Right
void lcd_leftToRight(void) {
_displaymode |= LCD_ENTRYLEFT;
lcd_command(LCD_ENTRYMODESET | _displaymode);
}
// This is for text that flows Right to Left
void lcd_rightToLeft(void) {
_displaymode &= ~LCD_ENTRYLEFT;
lcd_command(LCD_ENTRYMODESET | _displaymode);
}
// This will 'right justify' text from the cursor
void lcd_autoscroll(void) {
_displaymode |= LCD_ENTRYSHIFTINCREMENT;
lcd_command(LCD_ENTRYMODESET | _displaymode);
}
// This will 'left justify' text from the cursor
void lcd_noAutoscroll(void) {
_displaymode &= ~LCD_ENTRYSHIFTINCREMENT;
lcd_command(LCD_ENTRYMODESET | _displaymode);
}
// Allows us to fill the first 8 CGRAM locations
// with custom characters
void lcd_createChar(uint8_t location, uint8_t charmap[]) {
location &= 0x7; // we only have 8 locations 0-7
lcd_command(LCD_SETCGRAMADDR | (location << 3));
for (int i=0; i<8 0="" _backlightval="" _data="" a="" backlight="" be="" cambiar="" charmap="" clave="" cmds="" command="" commands="" data="" ddr="" de="" delay_us="" either="" en="" enable="" expanderwrite="" for="" funciones="" high="" highnib="" i2c_send_data="" i2c_start="" i2c_stop="" i="" int="" la="" las="" lcd_backlight="" lcd_command="" lcd_nobacklight="" lcd_write="" level="" libreria="" liquidcrystal="" low="" lownib="" mid="" mode="" must="" na="" off="" on="" optional="" or="" pulse="" pulseenable="" pushing="" send="" sending="" the="" turn="" uint8_t="" value="" void="" write4bits="" write="">450ns
expanderWrite(_data & ~En); // En low
Delay_Us(50); // commands need > 37us to settle
}
// Alias functions
void cursor_on(){
lcd_cursor();
}
void cursor_off(){
lcd_noCursor();
}
void blink_on(){
lcd_blink();
}
void blink_off(){
lcd_noBlink();
}
void load_custom_character(uint8_t char_num, uint8_t *rows){
lcd_createChar(char_num, rows);
}
void setBacklight(uint8_t new_val){
if(new_val){
lcd_backlight(); // turn backlight on
}else{
lcd_noBacklight(); // turn backlight off
}
}
void lcd_printstr(const char* str) {
while (*str) {
print(*str++); // Envía cada caracter como dato
}
}
void print(uint8_t value)
{
return lcd_write(value);
}
// unsupported API functions
void off(){}
void on(){}
void setDelay (int cmdDelay,int charDelay) {}
uint8_t status(){return 0;}
uint8_t keypad (){return 0;}
uint8_t init_bargraph(uint8_t graphtype){return 0;}
void draw_horizontal_graph(uint8_t row, uint8_t column, uint8_t len, uint8_t pixel_col_end){}
void draw_vertical_graph(uint8_t row, uint8_t column, uint8_t len, uint8_t pixel_row_end){}
void setContrast(uint8_t new_val){}
En esta libreria solo destacar que la magia se hace en la funcion expanderWrite() que es la que llama a las funciones de la libreria I2C, que es lo basico para mandar comandos por este protocolo a la pantalla.
También se agrega la función lcd_Init() porque en la libreria C++ original se inicializaba en un constructor por lo que se necesita esta para hacer ese trabajo.
LCDI2C.h
#ifndef USER_LCDI2C_H_
#define USER_LCDI2C_H_
#include
// commands
#define LCD_CLEARDISPLAY 0x01
#define LCD_RETURNHOME 0x02
#define LCD_ENTRYMODESET 0x04
#define LCD_DISPLAYCONTROL 0x08
#define LCD_CURSORSHIFT 0x10
#define LCD_FUNCTIONSET 0x20
#define LCD_SETCGRAMADDR 0x40
#define LCD_SETDDRAMADDR 0x80
// flags for display entry mode
#define LCD_ENTRYRIGHT 0x00
#define LCD_ENTRYLEFT 0x02
#define LCD_ENTRYSHIFTINCREMENT 0x01
#define LCD_ENTRYSHIFTDECREMENT 0x00
// flags for display on/off control
#define LCD_DISPLAYON 0x04
#define LCD_DISPLAYOFF 0x00
#define LCD_CURSORON 0x02
#define LCD_CURSOROFF 0x00
#define LCD_BLINKON 0x01
#define LCD_BLINKOFF 0x00
// flags for display/cursor shift
#define LCD_DISPLAYMOVE 0x08
#define LCD_CURSORMOVE 0x00
#define LCD_MOVERIGHT 0x04
#define LCD_MOVELEFT 0x00
// flags for function set
#define LCD_8BITMODE 0x10
#define LCD_4BITMODE 0x00
#define LCD_2LINE 0x08
#define LCD_1LINE 0x00
#define LCD_5x10DOTS 0x04
#define LCD_5x8DOTS 0x00
// flags for backlight control
#define LCD_BACKLIGHT 0x08
#define LCD_NOBACKLIGHT 0x00
#define En 0x04
#define Rw 0x02
#define Rs 0x01
//Funciones basicas
void send(uint8_t, uint8_t);
void write4bits(uint8_t);
void expanderWrite(uint8_t);
void pulseEnable(uint8_t);
//Funciones del LCD
void lcd_clear();
void lcd_home();
void lcd_noDisplay();
void lcd_display();
void lcd_noBlink();
void lcd_blink();
void lcd_noCursor();
void lcd_cursor();
void lcd_scrollDisplayLeft();
void lcd_scrollDisplayRight();
void lcd_printLeft();
void lcd_printRight();
void lcd_leftToRight();
void lcd_rightToLeft();
void lcd_shiftIncrement();
void lcd_shiftDecrement();
void lcd_noBacklight();
void lcd_backlight();
void lcd_autoscroll();
void lcd_noAutoscroll();
void lcd_createChar(uint8_t, uint8_t[]);
void lcd_setCursor(uint8_t, uint8_t);
void lcd_write(uint8_t);
void lcd_command(uint8_t);
void lcd_Init(uint8_t lcd_Addr,uint8_t lcd_cols,uint8_t lcd_rows);
void lcd_Begin(uint8_t cols, uint8_t lines, uint8_t dotsize);
////compatibility API function aliases
void blink_on(); // alias for blink()
void blink_off(); // alias for noBlink()
void cursor_on(); // alias for cursor()
void cursor_off(); // alias for noCursor()
void setBacklight(uint8_t new_val); // alias for backlight() and nobacklight()
void load_custom_character(uint8_t char_num, uint8_t *rows); // alias for createChar()
void lcd_printstr(const char* str);
void print(uint8_t value);
////Unsupported API functions (not implemented in this library)
uint8_t status();
void setContrast(uint8_t new_val);
uint8_t keypad();
void setDelay(int,int);
void on();
void off();
uint8_t init_bargraph(uint8_t graphtype);
void draw_horizontal_graph(uint8_t row, uint8_t column, uint8_t len, uint8_t pixel_col_end);
void draw_vertical_graph(uint8_t row, uint8_t column, uint8_t len, uint8_t pixel_col_end);
#endif /* USER_LCDI2C_H_ */
Libreria I2C.c
#include "I2C.h"
void IIC_Init(u32 bound, u16 address)
{
GPIO_InitTypeDef GPIO_InitStructure={0};
I2C_InitTypeDef I2C_InitTSturcture={0};
RCC_APB2PeriphClockCmd( RCC_APB2Periph_GPIOC | RCC_APB2Periph_AFIO, ENABLE );
RCC_APB1PeriphClockCmd( RCC_APB1Periph_I2C1, ENABLE );
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_2;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_AF_OD;
GPIO_InitStructure.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init( GPIOC, &GPIO_InitStructure );
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_1;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_AF_OD;
GPIO_InitStructure.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init( GPIOC, &GPIO_InitStructure );
I2C_InitTSturcture.I2C_ClockSpeed = bound;
I2C_InitTSturcture.I2C_Mode = I2C_Mode_I2C;
I2C_InitTSturcture.I2C_DutyCycle = I2C_DutyCycle_2;
I2C_InitTSturcture.I2C_OwnAddress1 = address;
I2C_InitTSturcture.I2C_Ack = I2C_Ack_Enable;
I2C_InitTSturcture.I2C_AcknowledgedAddress = I2C_AcknowledgedAddress_7bit;
I2C_Init( I2C1, &I2C_InitTSturcture );
I2C_Cmd( I2C1, ENABLE );
}
void I2C_Start(u16 WriteAddr){
while( I2C_GetFlagStatus( I2C1, I2C_FLAG_BUSY ) != RESET );
I2C_GenerateSTART( I2C1, ENABLE );
while( !I2C_CheckEvent( I2C1, I2C_EVENT_MASTER_MODE_SELECT ) );
I2C_Send7bitAddress( I2C1, (WriteAddr<<1), I2C_Direction_Transmitter );
while( !I2C_CheckEvent( I2C1, I2C_EVENT_MASTER_TRANSMITTER_MODE_SELECTED ) );
}
void I2C_Send_Data( u8 DataToWrite){
if( I2C_GetFlagStatus( I2C1, I2C_FLAG_TXE ) != RESET ) {
I2C_SendData( I2C1, DataToWrite );
}
}
void I2C_Stop(){
while( !I2C_CheckEvent( I2C1, I2C_EVENT_MASTER_BYTE_TRANSMITTED ) );
I2C_GenerateSTOP( I2C1, ENABLE );
}
Esta libreria está basada en el ejemplo de mounriver I2C_7bit_mode para esta familia de microcontroladores, de hecho es quiza mas esta la clave que la de LCD porque es la encargada de configurar e inicializar el periferico I2C.
I2C.h
#ifndef USER_I2C_H_
#define USER_I2C_H_
#include "debug.h"
void IIC_Init(u32 bound, u16 address);
void I2C_Start(u16 WriteAddr);
void I2C_Send_Data( u8 DataToWrite);
void I2C_Stop();
#endif /* USER_I2C_H_ */
Codigo principal main.c
/*
Proyecto para demostrar uso de libreria LCD I2C para pantallas 20x4
Conexiones: SCL--PC2
SDA--PC1
*/
#include "debug.h"
#include "LCDI2C.h"
int main(void)
{
NVIC_PriorityGroupConfig(NVIC_PriorityGroup_2);
SystemCoreClockUpdate();
Delay_Init();
USART_Printf_Init(115200);
printf("SystemClk:%d\r\n",SystemCoreClock);
lcd_Init(0x27,20,4);
lcd_backlight();
lcd_clear();
while(1)
{
lcd_setCursor(0,0);
lcd_printstr("Hola mundo");
for(int i=0;i<=19;i++){
lcd_scrollDisplayLeft();
Delay_Ms(200);
}
Delay_Ms(1000);
}
}
Este codigo muestra el uso de la libreria, la inicialización de la pantalla y algunas funciones mas como ejemplo.
Espero sea de utilidad esta libreria que a mi me llevo un tiempo de busqueda y luego de porteo, luego haré otro profunidizando en este microcontrolador y tambien adaptando algunas librerias para el propio entorno de Arduino.