Do you know how to convert a float into a buffer of chars, without allocating any memory?
=> I simply want to re-do the same thing as float.ToString() do ; so I can put the result into a buffer instead of allocating a string
I wrote a function, but it doesn't handle very well the "rounding":
- 39.71 becomes "39.709996"
- 39.71001 becomes "39.710004"
That's because 39.71 as a float is a rounding of the stored value in memory which is 39.709996. With some rounding in my function I can easily come to something like this:
- 39.71 becomes "39.71"
- 39.71001 becomes "39.71"
Which is not great either, as I would like to keep the exact same algorithm of float.ToString()
that manages to write "39.71" and "39.71001"
Do you know how this float.ToString()
works exactly ?
Precision on my objective : I want to append a great lot of float (mixed with other types) in a very large string - and allocate this string only one time at the end to avoid too much garbage collection. So I really need to convert the float into an array of char (whatever the exact type format, just no unmutable string)
From your comments it seems that you want to be able to format a lot of floats (and other value types) into a very large array of characters, without having to do a lot of memory allocations.
It's not possible to avoid all memory allocations, but you can mimimise them by using
StringBuilder.AppendFormat()
andStringBuilder.CopyTo()
.If you have some idea of the maximum length of the final char array, you can initialise a
StringBuilder
with a capacity large enough to hold it. This potentially reduces the number of memory allocations, but at the expense of wasting memory if you make the buffer too large.Code goes something like this:
Note that the minimum number of buffer allocations here is two: One for the internal buffer used by
StringBuilder
and one for the char[] array.However, it is likely that a great many other small allocations will be taking place behind the scenes - but because of the way the GC works they are unlikely to make their way into any generation 1 collections, so it is not likely to cause a performance issue.