473,806 Members | 2,655 Online
Bytes | Software Development & Data Engineering Community
+ Post

Home Posts Topics Members FAQ

Programming serial interface question (linux)

hi, i have this piece of code:

---
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <termios.h>
#include <stdio.h>

/* baudrate settings are defined in <asm/termbits.h>, which is
included by <termios.h> */
#define BAUDRATE B38400
/* change this definition for the correct port */
#define MODEMDEVICE "/dev/ttyS1"
#define _POSIX_SOURCE 1 /* POSIX compliant source */

#define FALSE 0
#define TRUE 1

volatile int STOP=FALSE;

main()
{
int fd,c, res;
struct termios oldtio,newtio;
char buf[255];
/*
Open modem device for reading and writing and not as
controlling tty
because we don't want to get killed if linenoise sends
CTRL-C.
*/
fd = open(MODEMDEVIC E, O_RDWR | O_NOCTTY );
if (fd <0) {perror(MODEMDE VICE); exit(-1); }

tcgetattr(fd,&o ldtio); /* save current serial port settings
*/
bzero(&newtio, sizeof(newtio)) ; /* clear struct for new port
settings */

/*
BAUDRATE: Set bps rate. You could also use cfsetispeed and
cfsetospeed.
CRTSCTS : output hardware flow control (only used if the
cable has
all necessary lines. See sect. 7 of Serial-HOWTO)
CS8 : 8n1 (8bit,no parity,1 stopbit)
CLOCAL : local connection, no modem contol
CREAD : enable receiving characters
*/
newtio.c_cflag = BAUDRATE | CRTSCTS | CS8 | CLOCAL | CREAD;

/*
IGNPAR : ignore bytes with parity errors
ICRNL : map CR to NL (otherwise a CR input on the other
computer
will not terminate input)
otherwise make device raw (no other input processing)
*/
newtio.c_iflag = IGNPAR | ICRNL;

/*
Raw output.
*/
newtio.c_oflag = 0;

/*
ICANON : enable canonical input
disable all echo functionality, and don't send signals to
calling program
*/
newtio.c_lflag = ICANON;

/*
initialize all control characters
default values can be found in /usr/include/termios.h, and
are given
in the comments, but we don't need them here
*/
newtio.c_cc[VINTR] = 0; /* Ctrl-c */
newtio.c_cc[VQUIT] = 0; /* Ctrl-\ */
newtio.c_cc[VERASE] = 0; /* del */
newtio.c_cc[VKILL] = 0; /* @ */
newtio.c_cc[VEOF] = 4; /* Ctrl-d */
newtio.c_cc[VTIME] = 0; /* inter-character timer
unused */
newtio.c_cc[VMIN] = 1; /* blocking read until 1
character arrives */
newtio.c_cc[VSWTC] = 0; /* '\0' */
newtio.c_cc[VSTART] = 0; /* Ctrl-q */
newtio.c_cc[VSTOP] = 0; /* Ctrl-s */
newtio.c_cc[VSUSP] = 0; /* Ctrl-z */
newtio.c_cc[VEOL] = 0; /* '\0' */
newtio.c_cc[VREPRINT] = 0; /* Ctrl-r */
newtio.c_cc[VDISCARD] = 0; /* Ctrl-u */
newtio.c_cc[VWERASE] = 0; /* Ctrl-w */
newtio.c_cc[VLNEXT] = 0; /* Ctrl-v */
newtio.c_cc[VEOL2] = 0; /* '\0' */

/*
now clean the modem line and activate the settings for the
port
*/
tcflush(fd, TCIFLUSH);
tcsetattr(fd,TC SANOW,&newtio);

/*
terminal settings done, now handle input
In this example, inputting a 'z' at the beginning of a line
will
exit the program.
*/
while (STOP==FALSE) { /* loop until we have a terminating
condition */
/* read blocks program execution until a line terminating
character is
input, even if more than 255 chars are input. If the
number
of characters read is smaller than the number of chars
available,
subsequent reads will return the remaining chars. res will
be set
to the actual number of characters actually read */
res = read(fd,buf,255 );
buf[res]=0; /* set end of string, so we can
printf */
printf(":%s:%d\ n", buf, res);
if (buf[0]=='z') STOP=TRUE;
}
/* restore the old port settings */
tcsetattr(fd,TC SANOW,&oldtio);
}
---

it prints the data that comes from the ttyS0 port. now i have 2
questions:

1. can it be that this code does not get all data from the port and

2. anyone good at decoding such signals?

THANKS:)
Nov 13 '05 #1
3 7445
Math55 <ma******@t-online.de> wrote:
hi, i have this piece of code:
Which is full of non-standard function, include file etc. Thus you're
unfortunately rather off-topic in comp.lang.c, where only the standard
C language is the topic, but not system-specific extensions. I would
strongly recommend that you take this to e.g. comp.unix.progr ammer.

<mostly OT> #define MODEMDEVICE "/dev/ttyS1" volatile int STOP=FALSE;
No reason to make this a volatile and global variable.
main()
You better declare main() as returning int or you might get into
trouble with a C99 compliant compiler.
{
char buf[255];
<snipped>
while (STOP==FALSE) {
res = read(fd,buf,255 );
buf[res]=0;
This will fail badly when a) read() returns a negative number,
indicating failure, or b) you get exactly 255 chars, in which
cases you would be writing outside the boundaries of your buffer.
printf(":%s:%d\ n", buf, res);
if (buf[0]=='z') STOP=TRUE;
}
Why not simply write it as

do
{
res = read(fd, buf, 254)
...
} while ( buf[0] != 'z' );
/* restore the old port settings */
tcsetattr(fd,TC SANOW,&oldtio);
}
You're missing a return statement - even if you didn't explicitely
wrote that main() returns an int a C89 compiler will automatically
default to this type.
it prints the data that comes from the ttyS0 port. now i have 2
No, you're reading from /dev/ttyS1, see your #define of MODEMDEVICE.
questions: 1. can it be that this code does not get all data from the port and
Yes. But you don't even check yet for all possible errors.
2. anyone good at decoding such signals?


What signals?
</mostly OT>
Regards, Jens
--
_ _____ _____
| ||_ _||_ _| Je***********@p hysik.fu-berlin.de
_ | | | | | |
| |_| | | | | | http://www.physik.fu-berlin.de/~toerring
\___/ens|_|homs|_|oe rring
Nov 13 '05 #2
ma******@t-online.de (Math55) wrote:
hi, i have this piece of code:

---
[code snipped]
---

it prints the data that comes from the ttyS0 port. now i have 2
questions:

1. can it be that this code does not get all data from the port and
The code is copied from the Linux Serial-Programming-HOWTO,
(Section 3.1, Canonical Input Processing) which does indeed
work, but is perhaps not the best example of programming ever
distributed.
2. anyone good at decoding such signals?
There are several people who would be quite happy to go through
that example line by line and make comments, additions,
corrections, but not in comp.lang.c.

Please repost your query to an appropriate Linux related
newsgroup (try comp.os.linux.d evelopment.apps , for example), and
I'm quite sure you'll get a great deal of help. (I have a
complete set of replacement programs for each section in the
HOWTO. I understand that at least one other person has also
rewritten the entire document. Hence the potential for detailed
help is high.)
THANKS:)


--
Floyd L. Davidson <http://web.newsguy.com/floyd_davidson>
Ukpeagvik (Barrow, Alaska) fl***@barrow.co m
Nov 13 '05 #3
Floyd Davidson <fl***@barrow.c om> wrote in message news:<87******* *****@barrow.co m>...
ma******@t-online.de (Math55) wrote:
hi, i have this piece of code:

---


[code snipped]
---

it prints the data that comes from the ttyS0 port. now i have 2
questions:

1. can it be that this code does not get all data from the port and


The code is copied from the Linux Serial-Programming-HOWTO,
(Section 3.1, Canonical Input Processing) which does indeed
work, but is perhaps not the best example of programming ever
distributed.
2. anyone good at decoding such signals?


There are several people who would be quite happy to go through
that example line by line and make comments, additions,
corrections, but not in comp.lang.c.

Please repost your query to an appropriate Linux related
newsgroup (try comp.os.linux.d evelopment.apps , for example), and
I'm quite sure you'll get a great deal of help. (I have a
complete set of replacement programs for each section in the
HOWTO. I understand that at least one other person has also
rewritten the entire document. Hence the potential for detailed
help is high.)
THANKS:)

would you send me the replacement programs? this would be nice:-)
please send to ni*********@t-online.de
THANKS A LOT, will try another group now.
Nov 13 '05 #4

This thread has been closed and replies have been disabled. Please start a new discussion.

Similar topics

4
9096
by: ^CeFoS^ | last post by:
Hello to everybody, I've done an application that draws in a frame the trajectory of a robot. The robot position is readed through the serial port, and several commands are wrote through the same port to change the direction of the robot. The trajectory frame is managed by an applet, and the project works good when the applet is called by a html document allocated in the same local machine under W98 where the classes and the serial port...
3
4592
by: rusttree | last post by:
Many moons ago, I took a class in embedded control at school. The course focused on a micro-controller mounted on a small electric car that was programmed using simple C code. The micro-controller chip had several pins, some of which were for output and some were for input. The crux of the project was to make the program set the ouput pins to high or low to drive the servos and motors and read the input pins that were attached to various...
3
10792
by: ibwhoib | last post by:
Hey all, I caught a job where I have to write a linux daemon that communicates with a device connected to a serial port. Here are some details. I connect to the device in the standard fashion: fd = open(device, O_RDWR | O_NOCTTY | O_NDELAY); I set the port options:
4
11209
by: joe bloggs | last post by:
I am writing a mobile application to interface with a legacy system and I am planning to use web services to communicate with this system. The legacy system receives data through a serial port. What I would like to do is make the serial port accessible via a web service. The web service and the legacy application would be running on the same machine. The mobile application would access the web service via a network connection. It...
8
16393
by: Vivek Menon | last post by:
Hi, I am using a C program to write/read from a serial port. The writing part is working perfectly fine. However, I am not able to read the values correctly and display them. To debug this issue I am also seeing the values on minicom. Now I have used fcntl() function and then read refp = fcntl(fd, F_SETFL, 0); res = read(fd,buf,1024); /* Read the value sent on the serial port buf=0; /* set end of string, so we can printf */...
4
11810
by: rowan | last post by:
I'm writing a driver in Python for an old fashioned piece of serial equipment. Currently I'm using the USPP serial module. From what I can see all the serial modules seem to set the timeout when you open a serial port. This is not what I want to do. I need to change the timeout each time I do a "read" on the serial port, depending on which part of the protocol I've got to. Sometimes a return character is expected within half a second,...
6
2701
by: I'mLost | last post by:
Hi! I need to create a simple program to check and monitor the state of the pins on a serial interface on a ups. I want to be able to tell what pins are in what state and when but I don't know where to start. Can anyone help me! I have searched all over, including google code (which is hard if you don't already know what you are looking for, but I can't find anything that will help me to get started. It seems really simple. I have a Linux...
2
7034
by: Paul Sijben | last post by:
To automate/ease configuration in my app I am trying to find out to which serial port a certain bluetooth device is connected. With pybluez I can find out which bluetooth devices I have, but it will not tell me the serial port they are mapped to. Is there a way to figure this out from python? (I am insterested in the platforms WinXP and linux primarily) Paul Sijben
1
6093
by: Z.K. | last post by:
I know this is probably not the correct newsgroup, but I can't find anywhere else that is appropriate to post it in. I need to figure out how to write a bluetooth program to access a bluetooth barcode scanner. After a lot of searching the Internet, I have come to the conclusion that something using RFCOMM would be best. Unfortunately, Bluetooth programming books are not exactly plentiful and finding a book on RFCOMM is almost...
0
9598
by: Hystou | last post by:
Most computers default to English, but sometimes we require a different language, especially when relocating. Forgot to request a specific language before your computer shipped? No problem! You can effortlessly switch the default language on Windows 10 without reinstalling. I'll walk you through it. First, let's disable language synchronization. With a Microsoft account, language settings sync across devices. To prevent any complications,...
0
10623
Oralloy
by: Oralloy | last post by:
Hello folks, I am unable to find appropriate documentation on the type promotion of bit-fields when using the generalised comparison operator "<=>". The problem is that using the GNU compilers, it seems that the internal comparison operator "<=>" tries to promote arguments from unsigned to signed. This is as boiled down as I can make it. Here is my compilation command: g++-12 -std=c++20 -Wnarrowing bit_field.cpp Here is the code in...
0
10111
tracyyun
by: tracyyun | last post by:
Dear forum friends, With the development of smart home technology, a variety of wireless communication protocols have appeared on the market, such as Zigbee, Z-Wave, Wi-Fi, Bluetooth, etc. Each protocol has its own unique characteristics and advantages, but as a user who is planning to build a smart home system, I am a bit confused by the choice of these technologies. I'm particularly interested in Zigbee because I've heard it does some...
0
9192
agi2029
by: agi2029 | last post by:
Let's talk about the concept of autonomous AI software engineers and no-code agents. These AIs are designed to manage the entire lifecycle of a software development project—planning, coding, testing, and deployment—without human intervention. Imagine an AI that can take a project description, break it down, write the code, debug it, and then launch it, all on its own.... Now, this would greatly impact the work of software developers. The idea...
1
7650
isladogs
by: isladogs | last post by:
The next Access Europe User Group meeting will be on Wednesday 1 May 2024 starting at 18:00 UK time (6PM UTC+1) and finishing by 19:30 (7.30PM). In this session, we are pleased to welcome a new presenter, Adolph Dupré who will be discussing some powerful techniques for using class modules. He will explain when you may want to use classes instead of User Defined Types (UDT). For example, to manage the data in unbound forms. Adolph will...
0
5683
by: adsilva | last post by:
A Windows Forms form does not have the event Unload, like VB6. What one acts like?
1
4330
by: 6302768590 | last post by:
Hai team i want code for transfer the data from one system to another through IP address by using C# our system has to for every 5mins then we have to update the data what the data is updated we have to send another system
2
3852
muto222
by: muto222 | last post by:
How can i add a mobile payment intergratation into php mysql website.
3
3010
bsmnconsultancy
by: bsmnconsultancy | last post by:
In today's digital era, a well-designed website is crucial for businesses looking to succeed. Whether you're a small business owner or a large corporation in Toronto, having a strong online presence can significantly impact your brand's success. BSMN Consultancy, a leader in Website Development in Toronto offers valuable insights into creating effective websites that not only look great but also perform exceptionally well. In this comprehensive...

By using Bytes.com and it's services, you agree to our Privacy Policy and Terms of Use.

To disable or enable advertisements and analytics tracking please visit the manage ads & tracking page.