473,398 Members | 2,368 Online
Bytes | Software Development & Data Engineering Community
Post Job

Home Posts Topics Members FAQ

Join Bytes to post your question to a community of 473,398 software developers and data experts.

pointer to flexible array of structures in other structure

I'm trying to put pointer to flexible array of structures in other
structure. I want to have pointer to array of pixels in screen
structure. Here is mine code, but I think it isn't quite all right:

struct pixel
{
int x;
int y;
int color;
};

struct display
{
pixel *screen;
};

Now I would like to do something like that (to have screen made of 10
pixels):

struct display scr;
scr.screen = (struct pixel*)malloc(10*(sizeof(struct pixel)));
scr.screen[0].x = 10;

and it is working, but what is worrying also
scr.screen[11].x = 10;

or
scr.screen[100].x = 10;

is working. I don't now what is wrong. I'm not sure but I think I'm
making mistake when defining structures. How should I define flexible
array of structures in structure? And how should I point it?

Thanks for help and Merry Xmas,
John

Dec 23 '05 #1
8 2444
ulyses wrote:

I'm trying to put pointer to flexible array of structures in other
structure. I want to have pointer to array of pixels in screen
structure. Here is mine code, but I think it isn't quite all right:

struct pixel
{
int x;
int y;
int color;
};

struct display
{
pixel *screen;
};

Now I would like to do something like that (to have screen made of 10
pixels):

struct display scr;
scr.screen = (struct pixel*)malloc(10*(sizeof(struct pixel)));
1) Don't cast the return from malloc(), as it only hides the error of
forgetting the proper header file.

2) Rather than take sizeof(struct pixel), a "better" solution is to
use "sizeof(*scr.screen)", as this allows scr.screen to change.

scr.screen = malloc(10*sizeof(*scr.screen));

3) Don't forget to check the return for NULL.
scr.screen[0].x = 10;

and it is working, but what is worrying also
scr.screen[11].x = 10;

or
scr.screen[100].x = 10;

is working. I don't now what is wrong. I'm not sure but I think I'm
making mistake when defining structures. How should I define flexible
array of structures in structure? And how should I point it?


What's "wrong" is your expectation that C will do the bounds checking
for you, which it does not. If you need this, then you should store
the number of pixels allocated:

struct display
{
int numpixel;
struct pixel *screen;
};

After allocating scr.screen, set scr.numpixel to the number of pixels
allocated. You then need to do your own bounds checking, perhaps
through a function:

[Note: Risking public humiliation by posting untested code.]

pixel *GetPixel(struct display *pdisp, int subscript)
{
ASSERT(subscript >= 0 && subscript < pdisp->numpixel);
return(&pdisp->screen[subscript]);
}

Now, if you attempt:

GetPixel(&scr,100)->x = 10;

you will get an assertion error.

--
+-------------------------+--------------------+-----------------------------+
| Kenneth J. Brody | www.hvcomputer.com | |
| kenbrody/at\spamcop.net | www.fptech.com | #include <std_disclaimer.h> |
+-------------------------+--------------------+-----------------------------+
Don't e-mail me at: <mailto:Th*************@gmail.com>

Dec 23 '05 #2
I see. Thanks for your help Kenneth. Still one thing is interesting.
How can scr.screen[100].x = 10 work when the array's size is 10? What
is more I can get the value using scr.screen[100].x, e.g. for printf.

Where is this put in the memory, when only 10 'positions' are alocated?
Is it placed somewhere in memory and for example some other app can
erease it?

Dec 23 '05 #3
"ulyses" <ul****@autograf.pl> writes:
I'm trying to put pointer to flexible array of structures in other
structure. I want to have pointer to array of pixels in screen
structure. Here is mine code, but I think it isn't quite all right:

struct pixel
{
int x;
int y;
int color;
};

struct display
{
pixel *screen;
};
There's a problem here. You've defined a type called "struct pixel";
there is no type called "pixel". This should be

struct pixel *screen;

<OT>
In C++ the type "struct pixel" can be referred to as "pixel", but if
you were programming in C++ you'd have posted to comp.lang.c++,
wouldn't you?
</OT>
Now I would like to do something like that (to have screen made of 10
pixels):

struct display scr;
scr.screen = (struct pixel*)malloc(10*(sizeof(struct pixel)));
scr.screen[0].x = 10;

and it is working,
So far, so good, except that the cast on the malloc() is unnecessary
and can mask errors such as forgetting to "#include <stdlib.h>" or
compiling your C code with a C++ compiler. If you get an error
message without the cast, you need to fix the error, not hide it
with a cast that says to the compiler, "Shut up, I know what I'm doing".

The recommended style is

str.screen = malloc(10 * *scr.screen);

By not referring to the type "struct pixel" in the malloc() call, you
don't need to change the call if the type of scr.screen changes later
on.
but what is worrying also
scr.screen[11].x = 10;

or
scr.screen[100].x = 10;

is working. I don't now what is wrong. I'm not sure but I think I'm
making mistake when defining structures. How should I define flexible
array of structures in structure? And how should I point it?


No, "scr.screen[11].x = 10;" is not "working". It's clobbering memory
beyond the end of your array, which invokes undefined behavior. That
means anything can happen, including having it appear to "work".

C doesn't allow you to index beyond the end of an array object, but it
doesn't do anything to prevent you from doing so. If you index past
the end of an array anyway, the compiler isn't obliged to do anything
about it. It's entirely your responsibility to stay within the bounds
of your object. This allows better performance when you don't make
mistakes, at the expense of arbitrarily bad behavior when you do make
mistakes.

You should probably have a second member in your "struct display" that
keeps track of how many pixels you've allocated. For example:

struct pixel
{
int x;
int y;
int color;
};

struct display
{
struct pixel *screen;
size_t pixel_count;
};

struct display scr;
scr.screen = malloc(10 * sizeof *scr.screen);
if (scr.screen == NULL) {
scr.pixel_count = 0; /* malloc failed */
}
else {
scr.pixel_count = 10;
}
The allocation and initialization should probably be encapsulated in a
function that takes the number of pixels as an argument. You might
want more elaborate error handling as well.

What you have so far is a decent starting point, but there are a few
things you should think about as you develop it further.

I find the use of the terms "screen" and "display" confusing. They
tend to be nearly synonymous in my mind, but you're not using them
consistently as far as I can tell. "display" is the name of the
structure, "screen" is the name of the member of that structure that
points to the array of pixels, but "scr", an abbreviation of "screen",
is also the name of an object of type 'struct display". Pick a
consistent naming scheme now, before your program becomes too
complicated to go back and fix.

Also, a screen/display is more than a linear array of pixels. You're
going to want to keep track of the horizontal and vertical dimensions,
i.e., you'll need a dynamic 2-dimensional array. Section 6 of the
comp.lang.c FAQ has some good tips on this.

--
Keith Thompson (The_Other_Keith) ks***@mib.org <http://www.ghoti.net/~kst>
San Diego Supercomputer Center <*> <http://users.sdsc.edu/~kst>
We must do something. This is something. Therefore, we must do this.
Dec 23 '05 #4
"ulyses" <ul****@autograf.pl> writes:
I see. Thanks for your help Kenneth. Still one thing is interesting.
How can scr.screen[100].x = 10 work when the array's size is 10? What
is more I can get the value using scr.screen[100].x, e.g. for printf.


Please provide context when you post a followup. See
<http://cfaj.freeshell.org/google/> for instructions on how to do this
in spite of Google's broken interface.

Given that scr.screen points to a 10-element array,
scr.screen[100].x= 10
doesn't "work". It probably clobbers memory outside the allocated
bounds of the object, invoking undefined behavior. If it happens that
the clobbered memory is within your program's address space, and isn't
currently being used, it can appear to "work". If you're lucky, the
program will crash when you try to do this. Unfortunately, there are
no guarantees. It's your job to avoid doing this.

--
Keith Thompson (The_Other_Keith) ks***@mib.org <http://www.ghoti.net/~kst>
San Diego Supercomputer Center <*> <http://users.sdsc.edu/~kst>
We must do something. This is something. Therefore, we must do this.
Dec 24 '05 #5
Thanks Keith, now everything seems clear. I think that your last post
solves the whole problem. Thanks to Kenneth also.

John

Dec 24 '05 #6
"ulyses" <ul****@autograf.pl> writes:
Thanks Keith, now everything seems clear. I think that your last post
solves the whole problem. Thanks to Kenneth also.


And again:

Please provide context when you post a followup. See
<http://cfaj.freeshell.org/google/> for instructions on how to do this
in spite of Google's broken interface.

--
Keith Thompson (The_Other_Keith) ks***@mib.org <http://www.ghoti.net/~kst>
San Diego Supercomputer Center <*> <http://users.sdsc.edu/~kst>
We must do something. This is something. Therefore, we must do this.
Dec 24 '05 #7
On Fri, 23 Dec 2005 23:41:20 GMT, Keith Thompson <ks***@mib.org>
wrote:
"ulyses" <ul****@autograf.pl> writes:
scr.screen = (struct pixel*)malloc(10*(sizeof(struct pixel)));

The recommended style is

str.screen = malloc(10 * *scr.screen);

Not quite. (Missing 'sizeof'.)

<snip rest>

- David.Thompson1 at worldnet.att.net
Jan 4 '06 #8
Dave Thompson <da*************@worldnet.att.net> writes:
On Fri, 23 Dec 2005 23:41:20 GMT, Keith Thompson <ks***@mib.org>
wrote:
"ulyses" <ul****@autograf.pl> writes:

> scr.screen = (struct pixel*)malloc(10*(sizeof(struct pixel)));

The recommended style is

str.screen = malloc(10 * *scr.screen);

Not quite. (Missing 'sizeof'.)

<snip rest>


Quite right, I don't know how I missed that.

--
Keith Thompson (The_Other_Keith) ks***@mib.org <http://www.ghoti.net/~kst>
San Diego Supercomputer Center <*> <http://users.sdsc.edu/~kst>
We must do something. This is something. Therefore, we must do this.
Jan 4 '06 #9

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

Similar topics

8
by: Frank Münnich | last post by:
Hi there.. My name is Frank Münnich. I've got a question about pointers that refer to an array of a structure. How do I declare that type? If I have declared a structure struct mystruc {...
20
by: j0mbolar | last post by:
I was reading page 720 of unix network programming, volume one, second edition. In this udp_write function he does the following: void udp_write(char *buf, <everything else omitted) struct...
10
by: Adam Warner | last post by:
Hi all, With this structure that records the length of an array of pointers as its first member: struct array { ptrdiff_t length; void *ptr; };
2
by: Christopher Benson-Manica | last post by:
Is the following program conforming under C99? #include <stdio.h> typedef struct foo { int bar; int baz; } foo; foo foos={
6
by: Angel | last post by:
I'm exporting (with DllImport) a C-style function with this syntax: int z9indqry (4_PARM *parm); 4_PARM is a structure declared in a proprietary header file that cannot be included in my...
7
by: Kathy Tran | last post by:
Hi, Could you please help me how to declare an araay of pointer in C#. In my program I declared an structure public struct SEventQ { public uint uiUserData; public uint uiEvent; public uint...
12
by: gcary | last post by:
I am having trouble figuring out how to declare a pointer to an array of structures and initializing the pointer with a value. I've looked at older posts in this group, and tried a solution that...
10
by: haomiao | last post by:
I want to implement a common list that can cantain any type of data, so I declare the list as (briefly) --------------------------------------- struct list { int data_size; int node_num;...
7
by: edsunder | last post by:
I'm making a "wrapper" for an unmanaged DLL (written, I'm fairly certain in C). I have a c++ "wrapper" that I'm trying to convert to VB.net. I've got most of the program working, but I've hit a brick...
0
by: emmanuelkatto | last post by:
Hi All, I am Emmanuel katto from Uganda. I want to ask what challenges you've faced while migrating a website to cloud. Please let me know. Thanks! Emmanuel
0
BarryA
by: BarryA | last post by:
What are the essential steps and strategies outlined in the Data Structures and Algorithms (DSA) roadmap for aspiring data scientists? How can individuals effectively utilize this roadmap to progress...
1
by: nemocccc | last post by:
hello, everyone, I want to develop a software for my android phone for daily needs, any suggestions?
0
by: Hystou | last post by:
There are some requirements for setting up RAID: 1. The motherboard and BIOS support RAID configuration. 2. The motherboard has 2 or more available SATA protocol SSD/HDD slots (including MSATA, M.2...
0
marktang
by: marktang | last post by:
ONU (Optical Network Unit) is one of the key components for providing high-speed Internet services. Its primary function is to act as an endpoint device located at the user's premises. However,...
0
jinu1996
by: jinu1996 | last post by:
In today's digital age, having a compelling online presence is paramount for businesses aiming to thrive in a competitive landscape. At the heart of this digital strategy lies an intricately woven...
0
by: Hystou | last post by:
Overview: Windows 11 and 10 have less user interface control over operating system update behaviour than previous versions of Windows. In Windows 11 and 10, there is no way to turn off the Windows...
0
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...
0
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...

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.