I'm curious how hard it is to implement something like sizeof()?
For example, here's a struct:
typedef struct {
	int aa;
	float bb;
	char cc;
} foo;
sizeof(aa) + sizeof(bb) + sizeof(cc) = 4 + 4 + 1 = 9
sizeof(foo) would yield 12, because the compiler pads the struct
So my question is, how to write a variant of sizeof() that calculates the exact size (non padded) of structures?
			
			
			
				The best is to look at what others have said.
Here (http://bytes.com/groups/c/526740-how-implement-sizeof-operator)
John
			
			
			
				Hi,
the simplest is to use:
#pragma pack(1)
typedef struct {
   int aa;
   float bb;
   char cc;
} foo;
.. your other structs..
#pragma pack()
This prevents that the compiler pads your structs. otherwise if he Pads it you must know the actual size including padding (if you want to copy the data and padding can occure on any member of the struct!) so sizeof is absolutely correct here.
Greetings
Seltsamuel
			
			
			
				Quote from: andre104 on July 04, 2009, 06:56:50 PM
I'm curious how hard it is to implement something like sizeof()?
For example, here's a struct:
typedef struct {
	int aa;
	float bb;
	char cc;
} foo;
sizeof(aa) + sizeof(bb) + sizeof(cc) = 4 + 4 + 1 = 9
sizeof(foo) would yield 12, because the compiler pads the struct
So my question is, how to write a variant of sizeof() that calculates the exact size (non padded) of structures?
You would have to use pack(1) as Seltsamuel said.
#include <stdio.h>
#pragma pack(push, 1)
typedef struct foo{
   int aa;
   float bb;
   char cc;
};
#pragma pack(pop)
int main(void)
{
	struct foo st;
	struct foo * pst, * pst1;
	pst  = &st;
	pst1 = &st + 1;
	printf("Size Of structure is %d bytes\n", (int)pst1-(int)pst);
	return 0;
}
John
			
 
			
			
				Hi,
hm yes push and pop are cleaner when you use different packing sizes and dont know what was set before.
In my sources i always set #pragma pack(1) to tell the compiler to align bytewise as i usually know how i want my structs to look and fill in paddings by myself. #pragma pack() tells the compiler to switch back to his defaults. the additional push John added tells the Compiler to remember the actual setting und the pop gets it back its like a stack.
Thanks JohnF for clarification.
Greetings
Seltsamuel
			
			
			
				#include <stdio.h>
typedef struct __attribute__ ((__packed__)) foo
{
   int aa;
   float bb;
   char cc;
}
foo;
int main(void)
{
   struct foo st;
   struct foo * pst  = &st;
   struct foo * pst1 = pst + 1;
   printf("Size of structure is %td bytes\n", pst1 - pst);
   return 0;
}