I would like to use my user defined concept as a template type of std::span but template argument deduction does not work as I expected. When I try to pass a "std::array
of char
" to template function; compiler shows an error "error: no matching function for call to 'print'" and warns me when I hover over the template definition with mouse as "note: candidate template ignored: could not match 'span' against 'array'".
Here is the concept definition and function template:
#include <concepts>
#include <span>
template <typename T>
concept OneByteData = sizeof(T) == 1;
template<OneByteData T>
void print(std::span<const T> container)
{
for(auto element : container)
{
//Do Some Work
}
}
And the user code that doesn't work as I expected:
int main()
{
std::array<char, 6> arr = {1, 2, 3, 4, 5, 6};
print(arr);
return 0;
}
The user code that works and does not produce error:
int main()
{
std::array<char, 6> arr = {1, 2, 3, 4, 5, 6};
print<char>(arr);
return 0;
}
Is there way to call this template function without specializing the type of array. How should I change the template function definition to make the function call the way I mentioned (print(arr)
) ?
Edit: I would like to be able to use the benefits of std::span and be able to call the template function with std::array, std::vector and plain C-style arrays.
From my understanding this is how you should actually use it:
Try it here.
If you do not want your user to do them by themselves, you could
Write an overload for
print
that handles the conversion fromstd::array
tostd::span
such as (Wandbox)Otherwise you could rewrite the interface of
print
to take any container, enforce your constraints for the underlying element type withstd::enable_if
or concepts such as user max66 has proposed and convert this general container to anstd::span
internally.For a class you could write a template deduction guide which decides which constructor should be used (Wandbox)
Edit
In the case of an operator like in your case as discussed in the comments I would actually use the combination of a templated function and a templated operator. The function
append
does the work using a genericstd::span
for theOneByteData
data type while the templated operator converts the allowed data types tostd::span
and calls the function.OneByteData<typename decltype(std::span{cont})::element_type>
makes sure that the data structure can be converted to astd::span
with the correct data type. You might add additional or different constraints to it or combine these constraints to your own concept.Try it here and here!