I recently started learning C++ after significant experience in C# and Python.
I'm attempting to create a function template that accepts a pointer parameter, then iterates through its values until the next pointer element is no longer valid. Ideally, I would like the function to accept one generic pointer parameter. It's important to mention that I will not be able to utilize the underlying array directly to calculate its size.
I was able to implement the same concept for a pointer of pointers, which I've included below:
template<class T>
inline constexpr size_t len(const T *pptr[])
{
if (pptr == nullptr) { return (const size_t)size_t(); }
const T **begptr = &pptr[0];
while (*pptr != nullptr)
{
pptr++;
}
return (const size_t)(pptr - begptr);
}
The problem with trying to implement the same concept for a normal pointer (int *
, char *
, etc.) is that I don't know how to conditionally break the loop once the counter is no longer valid. I was hoping that I would be able to check if the pointer address is valid, then break accordingly so the final count is accurate.
The pseudo code I have so far for my desired function is included below:
template<class T>
inline constexpr size_t len(const T *ptr)
{
if (ptr == nullptr) { return (const size_t)size_t(); }
const T *begptr = &ptr[0];
while (/*Pointer is valid*/)
{
ptr++;
}
return (const size_t)(ptr - begptr);
}
So is it possible for me to count the number of valid elements accurately with a loop? I'm open to using a different approach, I really just want some kind of template function that accepts a generic pointer and counts the number of elements accurately.
Thank you all in advance for your time and help, I really appreciate it.
What you are attempting to do with your
len()
function looking for anullptr
element is only possible with a null-terminated array of pointers, eg:Fail to include that terminating
nullptr
in the array and your function's loop will end up going into surrounding memory, causing undefined behavior:However, your
len()
function as-is cannot do the same thing with an array of non-pointers, eg:You can't compare non-pointers to
nullptr
, but you can compare them to whateverT
default-initializes to. So, you will have to re-write the function. You can either pass in the allocated array length as a second parameter, eg:Or, you can take in the array by reference instead of by pointer, so you don't lose its size information, eg: