MATLAB: “Quality” property of VideoWriter object doesn’t do anything. How to get higher quality mp4 video

MATLABvideo

I'm trying to encode an animation as a video, using MATLAB 2017b. The frames of my animation are in struct F, which is produced earlier with getframe inside a loop.
The documentation for VideoWriter says, under the quality property,
Video quality, specified as an integer in the range, [0,100]. Higher quality numbers result in higher video quality and larger file sizes. Lower quality numbers result in lower video quality and smaller file sizes.
Quality is available only for objects associated with the MPEG-4 or Motion JPEG AVI profile. After you call open, you cannot change the Quality value.
Fair enough. This is what I'm trying:
V = VideoWriter(myfilename, 'MPEG-4');
V.FrameRate = 5;
V.Quality = 85;
open(V);
writeVideo(V,F);
close(V);
However, regardless of what value I set V.Quality to, it produces exactly the same (heavily compressed) video with exactly the same filesize. This setting seems to be ignored.
Is this a bug? If not, then what am I doing wrong? Either way, how can I produce a higher-quality compressed video? (ideally using mp4/H.264, not M-JPEG etc, as I want it to be widely playable)
Thanks.

Best Answer

A solution would be to write the video as uncompressed avi, and invoke ffmpeg to compress it to mp4.
I've tested this code in R2019b on Windows and on Ubuntu
%% some example from VideoWriter doc
Z = peaks;
surf(Z);
axis tight manual
set(gca,'nextplot','replacechildren');
%% video file
if isunix % for linux

pathVideoAVI = '~/someVideo.avi'; % filename, used later to generate mp4

elseif ispc % fow windows
pathVideoAVI = 'd:\someVideo.avi'; % filename, used later to generate mp4
end
writerObj = VideoWriter(pathVideoAVI,'Uncompressed AVI');
open(writerObj);
%% animate and write AVI
for k = 1:20
surf(sin(2*pi*k/20)*Z,Z)
frame = getframe(gcf);
writeVideo(writerObj,frame);
end
close(writerObj); % Close the movie file
%% convert AVI to MP4
pathVideoMP4 = regexprep(pathVideoAVI,'\.avi','.mp4'); % generate mp4 filename
if isunix % for linux
[~,~] = system(sprintf('ffmpeg -i %s -y -an -c:v libx264 -crf 0 -preset slow %s',pathVideoAVI,pathVideoMP4)); % for this to work, you should have installed ffmpeg and have it available on PATH

elseif ispc % for windows
[~,~] = system(sprintf('ffmpeg.exe -i %s -y -an -c:v libx264 -crf 0 -preset slow %s',pathVideoAVI,pathVideoMP4)); % for this to work, you should have installed ffmpeg and have it available on PATH
end
Of course you could finish this by removing the AVI file.
Related Question