This depends on the color space you use. If the RGBA is in pre-multiplied color-space and is semi-transparent, you need to divide out alpha to get the correct RGB color. If the color is in non pre-multiplied color-space, then you can just discard the alpha channel.
I've upvoted Johannes' answer because he's right about that.
* A few comments have been raised that my original answer was not correct. It worked if alpha values were inverted from the normal. By definition, however, this won't work in most cases. I've therefore updated the formula below to be correct for the normal case. This ends up being equal to @hkurabko's answer below *
A more specific answer, however, incorporates the alpha value into the actual colour result based on an opaque background colour (or 'matte' as it's referred to).
There is an algorithm for this (from this wikipedia link):
Normalise the RGBA values so that they're all between 0 and 1 - just divide each value by 255 to do this. We'll call the result Source.
Normalise also the matte colour (black, white whatever). We'll call the result BGColorNote - if the background colour is also transparent, then you'll have to recurse the process for that first (again, choosing a matte) to get the source RGB for this operation.
Now, the conversion is defined as (in complete psuedo code here!):
To get the final 0-255 values for Target you simply multiply all the normalised values back up by 255, making sure you cap at 255 if any of the combined values exceed 1.0 (this is over-exposure and there are more complex algorithms dealing with this that involve whole-image processing etc.).
EDIT: In your question you said you want a white background - in that case just fix BGColor to 255,255,255.
In my case I wanted to make the RGB image look as if it was an RGBA image on a white background. As typical converting methods just remove the A channel, this can result in pixels in the RGB channels to become visible that were previously made transparent by the alpha channel.
The following worked for me:
import numpy as np
def convert_RGBA_to_RGB(input_image):
# Takes an RGBA image as input
# Based on the following chat with user Andras Deak
## https://chat.stackoverflow.com/transcript/message/55060299#55060299
input_image_normed = input_image / 255 # shape (nx, ny, 4), dtype float
alpha = input_image_normed[..., -1:] # shape (nx, ny, 1) for broadcasting
input_image_normed_rgb = input_image_normed[..., :-1] # shape (nx, ny, 3)
#bg_normed = np.zeros_like(red_normed_rgb) # shape (nx, ny, 3) <-- black background
bg_normed = np.ones_like(input_image_normed_rgb) # shape (nx, ny, 3) <-- white background
composite_normed = (1 - alpha) * bg_normed + alpha * input_image_normed_rgb
composite = (composite_normed * 255).round().astype(np.uint8)
return composite