
Recherche avancée
Médias (91)
-
Richard Stallman et le logiciel libre
19 octobre 2011, par
Mis à jour : Mai 2013
Langue : français
Type : Texte
-
Stereo master soundtrack
17 octobre 2011, par
Mis à jour : Octobre 2011
Langue : English
Type : Audio
-
Elephants Dream - Cover of the soundtrack
17 octobre 2011, par
Mis à jour : Octobre 2011
Langue : English
Type : Image
-
#7 Ambience
16 octobre 2011, par
Mis à jour : Juin 2015
Langue : English
Type : Audio
-
#6 Teaser Music
16 octobre 2011, par
Mis à jour : Février 2013
Langue : English
Type : Audio
-
#5 End Title
16 octobre 2011, par
Mis à jour : Février 2013
Langue : English
Type : Audio
Autres articles (68)
-
La file d’attente de SPIPmotion
28 novembre 2010, parUne file d’attente stockée dans la base de donnée
Lors de son installation, SPIPmotion crée une nouvelle table dans la base de donnée intitulée spip_spipmotion_attentes.
Cette nouvelle table est constituée des champs suivants : id_spipmotion_attente, l’identifiant numérique unique de la tâche à traiter ; id_document, l’identifiant numérique du document original à encoder ; id_objet l’identifiant unique de l’objet auquel le document encodé devra être attaché automatiquement ; objet, le type d’objet auquel (...) -
MediaSPIP v0.2
21 juin 2013, parMediaSPIP 0.2 est la première version de MediaSPIP stable.
Sa date de sortie officielle est le 21 juin 2013 et est annoncée ici.
Le fichier zip ici présent contient uniquement les sources de MediaSPIP en version standalone.
Comme pour la version précédente, il est nécessaire d’installer manuellement l’ensemble des dépendances logicielles sur le serveur.
Si vous souhaitez utiliser cette archive pour une installation en mode ferme, il vous faudra également procéder à d’autres modifications (...) -
Le profil des utilisateurs
12 avril 2011, parChaque utilisateur dispose d’une page de profil lui permettant de modifier ses informations personnelle. Dans le menu de haut de page par défaut, un élément de menu est automatiquement créé à l’initialisation de MediaSPIP, visible uniquement si le visiteur est identifié sur le site.
L’utilisateur a accès à la modification de profil depuis sa page auteur, un lien dans la navigation "Modifier votre profil" est (...)
Sur d’autres sites (7484)
-
FFmpeg WASM writeFile Stalls and Doesn't Complete in React App with Ant Design
26 février, par raiyan khanI'm using FFmpeg WebAssembly (WASM) in a React app to process and convert a video file before uploading it. The goal is to resize the video to 720p using FFmpeg before sending it to the backend.


Problem :


Everything works up to fetching the file and confirming it's loaded into memory, but FFmpeg hangs at ffmpeg.writeFile() and does not proceed further. No errors are thrown.


Code Snippet :


- 

-
Loading FFmpeg


const loadFFmpeg = async () => {
 if (loaded) return; // Avoid reloading if 
 already loaded

 const baseURL = 'https://unpkg.com/@ffmpeg/core@0.12.6/dist/umd';
 const ffmpeg = ffmpegRef.current;
 ffmpeg.on('log', ({ message }) => {
 messageRef.current.innerHTML = message;
 console.log(message);
 });
 await ffmpeg.load({
 coreURL: await toBlobURL(`${baseURL}/ffmpeg-core.js`, 'text/javascript'),
 wasmURL: await toBlobURL(`${baseURL}/ffmpeg-core.wasm`, 'application/wasm'),
 });
 setLoaded(true);
 };

 useEffect(() => {
 loadFFmpeg()
 }, [])



-
Fetching and Writing File


const convertVideoTo720p = async (videoFile) => {
 console.log("Starting video 
 conversion...");



 const { height } = await getVideoMetadata(videoFile);
 console.log(`Video height: ${height}`);

 if (height <= 720) {
 console.log("No conversion needed.");
 return videoFile;
 }

 const ffmpeg = ffmpegRef.current;
 console.log("FFmpeg instance loaded. Writing file to memory...");

 const fetchedFile = await fetchFile(videoFile);
 console.log("File fetched successfully:", fetchedFile);

 console.log("Checking FFmpeg memory before writing...");
 console.log(`File size: ${fetchedFile.length} bytes (~${(fetchedFile.length / 1024 / 1024).toFixed(2)} MB)`);

 if (!ffmpeg.isLoaded()) {
 console.error("FFmpeg is not fully loaded yet!");
 return;
 }

 console.log("Memory seems okay. Writing file to FFmpeg...");
 await ffmpeg.writeFile('input.mp4', fetchedFile); // ❌ This line hangs, nothing after runs
 console.log("File successfully written to FFmpeg memory.");
 };









Debugging Steps I've Tried :


- 

- Ensured FFmpeg is fully loaded before calling
writeFile()

✅ffmpeg.isLoaded()
returnstrue
. - Checked file fetch process :
✅
fetchFile(videoFile)
successfully returns aUint8Array
. - Tried renaming the file to prevent caching issues
✅ Used a unique file name like
video_${Date.now()}.mp4
, but no change - Checked browser console for errors :
❌ No errors are displayed.
- Tried skipping FFmpeg and uploading the raw file instead :
✅ Upload works fine without FFmpeg, so the issue is specific to FFmpeg.












Expected Behavior


- 

ffmpeg.writeFile('input.mp4', fetchedFile);
should complete and allow FFmpeg to process the video.




Actual Behavior


- 

- Execution stops at
writeFile
, and no errors are thrown.




Environment :


- 

- React : 18.x
- FFmpeg WASM Version : @ffmpeg/ffmpeg@0.12.15
- Browser : Chrome 121, Edge 120
- Operating System : Windows 11










Question :
Why is FFmpeg's
writeFile()
stalling and never completing ?
How can I fix or further debug this issue ?

Here is my full code :




import { useNavigate } from "react-router-dom";
import { useEffect, useRef, useState } from 'react';
import { Form, Input, Button, Select, Space } from 'antd';
const { Option } = Select;
import { FaAngleLeft } from "react-icons/fa6";
import { message, Upload } from 'antd';
import { CiCamera } from "react-icons/ci";
import { IoVideocamOutline } from "react-icons/io5";
import { useCreateWorkoutVideoMutation } from "../../../redux/features/workoutVideo/workoutVideoApi";
import { convertVideoTo720p } from "../../../utils/ffmpegHelper";
import { FFmpeg } from '@ffmpeg/ffmpeg';
import { fetchFile, toBlobURL } from '@ffmpeg/util';


const AddWorkoutVideo = () => {
 const [videoFile, setVideoFile] = useState(null);
 const [imageFile, setImageFile] = useState(null);
 const [loaded, setLoaded] = useState(false);
 const ffmpegRef = useRef(new FFmpeg());
 const videoRef = useRef(null);
 const messageRef = useRef(null);
 const [form] = Form.useForm();
 const [createWorkoutVideo, { isLoading }] = useCreateWorkoutVideoMutation()
 const navigate = useNavigate();

 const videoFileRef = useRef(null); // Use a ref instead of state


 // Handle Video Upload
 const handleVideoChange = ({ file }) => {
 setVideoFile(file.originFileObj);
 };

 // Handle Image Upload
 const handleImageChange = ({ file }) => {
 setImageFile(file.originFileObj);
 };

 // Load FFmpeg core if needed (optional if you want to preload)
 const loadFFmpeg = async () => {
 if (loaded) return; // Avoid reloading if already loaded

 const baseURL = 'https://unpkg.com/@ffmpeg/core@0.12.6/dist/umd';
 const ffmpeg = ffmpegRef.current;
 ffmpeg.on('log', ({ message }) => {
 messageRef.current.innerHTML = message;
 console.log(message);
 });
 await ffmpeg.load({
 coreURL: await toBlobURL(`${baseURL}/ffmpeg-core.js`, 'text/javascript'),
 wasmURL: await toBlobURL(`${baseURL}/ffmpeg-core.wasm`, 'application/wasm'),
 });
 setLoaded(true);
 };

 useEffect(() => {
 loadFFmpeg()
 }, [])

 // Helper: Get video metadata (width and height)
 const getVideoMetadata = (file) => {
 return new Promise((resolve, reject) => {
 const video = document.createElement('video');
 video.preload = 'metadata';
 video.onloadedmetadata = () => {
 resolve({ width: video.videoWidth, height: video.videoHeight });
 };
 video.onerror = () => reject(new Error('Could not load video metadata'));
 video.src = URL.createObjectURL(file);
 });
 };

 // Inline conversion helper function
 // const convertVideoTo720p = async (videoFile) => {
 // // Check the video resolution first
 // const { height } = await getVideoMetadata(videoFile);
 // if (height <= 720) {
 // // No conversion needed
 // return videoFile;
 // }
 // const ffmpeg = ffmpegRef.current;
 // // Load ffmpeg if not already loaded
 // // await ffmpeg.load({
 // // coreURL: await toBlobURL(`${baseURL}/ffmpeg-core.js`, 'text/javascript'),
 // // wasmURL: await toBlobURL(`${baseURL}/ffmpeg-core.wasm`, 'application/wasm'),
 // // });
 // // Write the input file to the ffmpeg virtual FS
 // await ffmpeg.writeFile('input.mp4', await fetchFile(videoFile));
 // // Convert video to 720p (scale filter maintains aspect ratio)
 // await ffmpeg.exec(['-i', 'input.mp4', '-vf', 'scale=-1:720', 'output.mp4']);
 // // Read the output file
 // const data = await ffmpeg.readFile('output.mp4');
 // console.log(data, 'data from convertVideoTo720p');
 // const videoBlob = new Blob([data.buffer], { type: 'video/mp4' });
 // return new File([videoBlob], 'output.mp4', { type: 'video/mp4' });
 // };
 const convertVideoTo720p = async (videoFile) => {
 console.log("Starting video conversion...");

 // Check the video resolution first
 const { height } = await getVideoMetadata(videoFile);
 console.log(`Video height: ${height}`);

 if (height <= 720) {
 console.log("No conversion needed. Returning original file.");
 return videoFile;
 }

 const ffmpeg = ffmpegRef.current;
 console.log("FFmpeg instance loaded. Writing file to memory...");

 // await ffmpeg.writeFile('input.mp4', await fetchFile(videoFile));
 // console.log("File written. Starting conversion...");
 console.log("Fetching file for FFmpeg:", videoFile);
 const fetchedFile = await fetchFile(videoFile);
 console.log("File fetched successfully:", fetchedFile);
 console.log("Checking FFmpeg memory before writing...");
 console.log(`File size: ${fetchedFile.length} bytes (~${(fetchedFile.length / 1024 / 1024).toFixed(2)} MB)`);

 if (fetchedFile.length > 50 * 1024 * 1024) { // 50MB limit
 console.error("File is too large for FFmpeg WebAssembly!");
 message.error("File too large. Try a smaller video.");
 return;
 }

 console.log("Memory seems okay. Writing file to FFmpeg...");
 const fileName = `video_${Date.now()}.mp4`; // Generate a unique name
 console.log(`Using filename: ${fileName}`);

 await ffmpeg.writeFile(fileName, fetchedFile);
 console.log(`File successfully written to FFmpeg memory as ${fileName}.`);

 await ffmpeg.exec(['-i', 'input.mp4', '-vf', 'scale=-1:720', 'output.mp4']);
 console.log("Conversion completed. Reading output file...");

 const data = await ffmpeg.readFile('output.mp4');
 console.log("File read successful. Creating new File object.");

 const videoBlob = new Blob([data.buffer], { type: 'video/mp4' });
 const convertedFile = new File([videoBlob], 'output.mp4', { type: 'video/mp4' });

 console.log(convertedFile, "converted video from convertVideoTo720p");

 return convertedFile;
 };


 const onFinish = async (values) => {
 // Ensure a video is selected
 if (!videoFileRef.current) {
 message.error("Please select a video file.");
 return;
 }

 // Create FormData
 const formData = new FormData();
 if (imageFile) {
 formData.append("image", imageFile);
 }

 try {
 message.info("Processing video. Please wait...");

 // Convert the video to 720p only if needed
 const convertedVideo = await convertVideoTo720p(videoFileRef.current);
 console.log(convertedVideo, 'convertedVideo from onFinish');

 formData.append("media", videoFileRef.current);

 formData.append("data", JSON.stringify(values));

 // Upload manually to the backend
 const response = await createWorkoutVideo(formData).unwrap();
 console.log(response, 'response from add video');

 message.success("Video added successfully!");
 form.resetFields(); // Reset form
 setVideoFile(null); // Clear file

 } catch (error) {
 message.error(error.data?.message || "Failed to add video.");
 }

 // if (videoFile) {
 // message.info("Processing video. Please wait...");
 // try {
 // // Convert the video to 720p only if needed
 // const convertedVideo = await convertVideoTo720p(videoFile);
 // formData.append("media", convertedVideo);
 // } catch (conversionError) {
 // message.error("Video conversion failed.");
 // return;
 // }
 // }
 // formData.append("data", JSON.stringify(values)); // Convert text fields to JSON

 // try {
 // const response = await createWorkoutVideo(formData).unwrap();
 // console.log(response, 'response from add video');

 // message.success("Video added successfully!");
 // form.resetFields(); // Reset form
 // setFile(null); // Clear file
 // } catch (error) {
 // message.error(error.data?.message || "Failed to add video.");
 // }
 };

 const handleBackButtonClick = () => {
 navigate(-1); // This takes the user back to the previous page
 };

 const videoUploadProps = {
 name: 'video',
 // action: 'https://660d2bd96ddfa2943b33731c.mockapi.io/api/upload',
 // headers: {
 // authorization: 'authorization-text',
 // },
 // beforeUpload: (file) => {
 // const isVideo = file.type.startsWith('video/');
 // if (!isVideo) {
 // message.error('You can only upload video files!');
 // }
 // return isVideo;
 // },
 // onChange(info) {
 // if (info.file.status === 'done') {
 // message.success(`${info.file.name} video uploaded successfully`);
 // } else if (info.file.status === 'error') {
 // message.error(`${info.file.name} video upload failed.`);
 // }
 // },
 beforeUpload: (file) => {
 const isVideo = file.type.startsWith('video/');
 if (!isVideo) {
 message.error('You can only upload video files!');
 return Upload.LIST_IGNORE; // Prevents the file from being added to the list
 }
 videoFileRef.current = file; // Store file in ref
 // setVideoFile(file); // Store the file in state instead of uploading it automatically
 return false; // Prevent auto-upload
 },
 };

 const imageUploadProps = {
 name: 'image',
 action: 'https://660d2bd96ddfa2943b33731c.mockapi.io/api/upload',
 headers: {
 authorization: 'authorization-text',
 },
 beforeUpload: (file) => {
 const isImage = file.type.startsWith('image/');
 if (!isImage) {
 message.error('You can only upload image files!');
 }
 return isImage;
 },
 onChange(info) {
 if (info.file.status === 'done') {
 message.success(`${info.file.name} image uploaded successfully`);
 } else if (info.file.status === 'error') {
 message.error(`${info.file.name} image upload failed.`);
 }
 },
 };
 return (
 <>
 <div classname="flex items-center gap-2 text-xl cursor-pointer">
 <faangleleft></faangleleft>
 <h1 classname="font-semibold">Add Video</h1>
 </div>
 <div classname="rounded-lg py-4 border-[#79CDFF] border-2 shadow-lg mt-8 bg-white">
 <div classname="space-y-[24px] min-h-[83vh] bg-light-gray rounded-2xl">
 <h3 classname="text-2xl text-[#174C6B] mb-4 border-b border-[#79CDFF]/50 pb-3 pl-16 font-semibold">
 Adding Video
 </h3>
 <div classname="w-full px-16">
 / style={{ maxWidth: 600, margin: '0 auto' }}
 >
 {/* Section 1 */}
 {/* <space direction="vertical" style="{{"> */}
 {/* <space size="large" direction="horizontal" classname="responsive-space"> */}
 <div classname="grid grid-cols-2 gap-8 mt-8">
 <div>
 <space size="large" direction="horizontal" classname="responsive-space-section-2">

 {/* Video */}
 Upload Video}
 name="media"
 className="responsive-form-item"
 // rules={[{ required: true, message: 'Please enter the package amount!' }]}
 >
 <upload maxcount="{1}">
 <button style="{{" solid="solid">
 <span style="{{" 600="600">Select a video</span>
 <iovideocamoutline size="{20}" color="#174C6B"></iovideocamoutline>
 </button>
 </upload>
 

 {/* Thumbnail */}
 Upload Image}
 name="image"
 className="responsive-form-item"
 // rules={[{ required: true, message: 'Please enter the package amount!' }]}
 >
 <upload maxcount="{1}">
 <button style="{{" solid="solid">
 <span style="{{" 600="600">Select an image</span>
 <cicamera size="{25}" color="#174C6B"></cicamera>
 </button>
 </upload>
 

 {/* Title */}
 Video Title}
 name="name"
 className="responsive-form-item-section-2"
 >
 <input type="text" placeholder="Enter video title" style="{{&#xA;" solid="solid" />
 
 </space>
 </div>
 </div>

 {/* </space> */}
 {/* </space> */}


 {/* Submit Button */}
 
 <div classname="p-4 mt-10 text-center mx-auto flex items-center justify-center">
 
 <span classname="text-white font-semibold">{isLoading ? 'Uploading...' : 'Upload'}</span>
 
 </div>
 
 
 </div>
 </div>
 </div>
 >
 )
}

export default AddWorkoutVideo







Would appreciate any insights or suggestions. Thanks !


-
-
native memory and two thread
26 février 2013, par user1978722I have two еркуфвы in each of which I cause native function of memory allocation
then function working with it and then function memory releasing this
Java codethread1 :
@Override
protected Void doInBackground(Void...params) {
width_=FFMpegWrapper.getWidth(src);
height_=FFMpegWrapper.getHeight(src);
handle = FFMpegWrapper.openFile(src);
for (int i=f1+1;i15*ost)-1000000);
ByteBuffer my_buffer2 = FFMpegWrapper.allocNative2(bufferSize);
FFMpegWrapper.getFrame2(handle, kadr, width_, height_, my_buffer2);
Bitmap dest = Bitmap.createBitmap(width_, height_, Bitmap.Config.ARGB_8888);
dest.copyPixelsFromBuffer(my_buffer2);
OutputStream outStream = null;
File file = new File(extStorageDirectory, "file"+toString().valueOf(i)+".png");
Log.v("ttag",extStorageDirectory+"/file"+toString().valueOf(i)+".png");
try {
outStream = new FileOutputStream(file);
dest.compress(Bitmap.CompressFormat.PNG, 100, outStream);
outStream.flush();
outStream.close();
}
catch(Exception e)
{}
FFMpegWrapper.freeNative2();
mProgressStatus =i;
allProgress=allProgress+1;
this.publishProgress(mProgressStatus);
}
// TODO Auto-generated method stub
return null;
}thread2 :
@Override
protected Void doInBackground(Void...params) {
width_=FFMpegWrapper.getWidth(src);
height_=FFMpegWrapper.getHeight(src);
handle = FFMpegWrapper.openFile(src);
for (int i=0;i15*ost)-1000000);
ByteBuffer my_buffer = FFMpegWrapper.allocNative(bufferSize);
FFMpegWrapper.getFrame(handle, kadr, width_, height_, my_buffer);
Log.v("ttag",toString().valueOf(kadr));
Bitmap dest = Bitmap.createBitmap(width_, height_, Bitmap.Config.ARGB_8888);
dest.copyPixelsFromBuffer(my_buffer);
OutputStream outStream = null;
File file = new File(extStorageDirectory, "file"+toString().valueOf(i)+".png");
Log.v("ttag",extStorageDirectory+"/file"+toString().valueOf(i)+".png");
try {
outStream = new FileOutputStream(file);
dest.compress(Bitmap.CompressFormat.PNG, 100, outStream);
outStream.flush();
outStream.close();
//dest.
}
catch(Exception e)
{}
FFMpegWrapper.freeNative();
mProgressStatus =i;
allProgress=allProgress+1;
this.publishProgress(mProgressStatus);
}
// TODO Auto-generated method stub
return null;
}and functions on jni side :
jint Java_artemxxl_projects_livewallpapercreator_FFMpegWrapper_getFrame(JNIEnv *env, jobject thiz, thandle_file handleFile, jlong timeUS, jint width, jint height, jobject buffer) {
// LOGI("file= %d",handleFile);
AVFormatContext* ctx = ((struct thandle*)handleFile)->ctx;
AVCodecContext* codecCtx = ((struct thandle*)handleFile)->codecCtx;
AVPacket* packet = ((struct thandle*)handleFile)->packet;
int videoStream = ((struct thandle*)handleFile)->videoStream;
jshort* buff = (jshort*) (*env)->GetDirectBufferAddress(env, buffer);
AVFrame* frame = avcodec_alloc_frame(); //YUV frame
avcodec_get_frame_defaults(frame);
int frameNumber = timeUS;
//LOGI("avtb= %d",AV_TIME_BASE);
int64_t pos = frameNumber * AV_TIME_BASE / 1000000;
int64_t seek_target= av_rescale_q(pos, AV_TIME_BASE_Q, ctx->streams[videoStream]->time_base);
int res = avformat_seek_file(ctx
, videoStream
, INT64_MIN
, seek_target//* AV_TIME_BASE
, INT64_MAX
, 0);
//LOGI("seek: %d f=%ld pos=%lld st=%lld", res, frameNumber, (int64_t)pos, seek_target);
if (res >= 0) {
avcodec_flush_buffers(codecCtx);
// LOGI("flushed");
}
av_init_packet(packet);
AVFrame* frameRGB = avcodec_alloc_frame();
avcodec_get_frame_defaults(frameRGB);
enum PixelFormat pixel_format = PIX_FMT_RGBA;
avpicture_fill((AVPicture*) frameRGB
, (uint8_t*)buff
, pixel_format
, codecCtx->width
, codecCtx->height
);
while (av_read_frame(ctx, packet) == 0) {
LOGI("pts1=%lld st1=%lld", packet->pts, seek_target);
if (packet->stream_index == videoStream) {
int gotPicture = 0;
int bytesDecompressed = avcodec_decode_video2(codecCtx, frame, &gotPicture, packet);
if (gotPicture && packet->pts >= seek_target) {
// LOGI("opana");
// конвертируем данные из формата YUV в RGB24
struct SwsContext* scaleCtx = sws_getContext(frame->width,
frame->height,
(enum PixelFormat)frame->format
, width
, height
, pixel_format
, SWS_BICUBIC
, 0, 0, 0);
int height = sws_scale(scaleCtx
, frame->data
, frame->linesize
, 0
, frame->height
, frameRGB->data
, frameRGB->linesize);
break;
}
av_free_packet(packet);
}
}
//LOGI("ended");
av_free(frameRGB);
av_free(frame);
return 0;
}
static jobject globalRef;
jobject Java_artemxxl_projects_livewallpapercreator_FFMpegWrapper_allocNative(JNIEnv* env, jobject thiz, jlong size)
{
void* buffer = malloc(size);
jobject directBuffer = (*env)->NewDirectByteBuffer(env,buffer, size);
globalRef = (*env)->NewGlobalRef(env,directBuffer);
return globalRef;
}
void Java_artemxxl_projects_livewallpapercreator_FFMpegWrapper_freeNative(JNIEnv* env, jobject thiz)
{
void *buffer = (*env)->GetDirectBufferAddress(env,globalRef);
(*env)->DeleteGlobalRef(env,globalRef);
free(buffer);
LOGI("free1");
}
///////////////////////////////////////////////////////////////////////////////////////////////////////////////////
jint Java_artemxxl_projects_livewallpapercreator_FFMpegWrapper_getFrame2(JNIEnv *env, jobject thiz, thandle_file handleFile, jlong timeUS, jint width, jint height, jobject buffer) {
//LOGI("file= %d",handleFile);
AVFormatContext* ctx = ((struct thandle*)handleFile)->ctx;
AVCodecContext* codecCtx = ((struct thandle*)handleFile)->codecCtx;
AVPacket* packet = ((struct thandle*)handleFile)->packet;
int videoStream = ((struct thandle*)handleFile)->videoStream;
jshort* buff = (jshort*) (*env)->GetDirectBufferAddress(env, buffer);
AVFrame* frame = avcodec_alloc_frame(); //YUV frame
avcodec_get_frame_defaults(frame);
int frameNumber = timeUS;
//LOGI("avtb= %d",AV_TIME_BASE);
int64_t pos = frameNumber * AV_TIME_BASE / 1000000;
int64_t seek_target= av_rescale_q(pos, AV_TIME_BASE_Q, ctx->streams[videoStream]->time_base);
int res = avformat_seek_file(ctx
, videoStream
, INT64_MIN
, seek_target//* AV_TIME_BASE
, INT64_MAX
, 0);
//LOGI("seek: %d f=%ld pos=%lld st=%lld", res, frameNumber, (int64_t)pos, seek_target);
if (res >= 0) {
avcodec_flush_buffers(codecCtx);
//LOGI("flushed");
}
av_init_packet(packet);
AVFrame* frameRGB = avcodec_alloc_frame();
avcodec_get_frame_defaults(frameRGB);
enum PixelFormat pixel_format = PIX_FMT_RGBA;
avpicture_fill((AVPicture*) frameRGB
, (uint8_t*)buff
, pixel_format
, codecCtx->width
, codecCtx->height
);
while (av_read_frame(ctx, packet) == 0) {
LOGI("pts2=%lld st2=%lld", packet->pts, seek_target);
if (packet->stream_index == videoStream) {
int gotPicture = 0;
int bytesDecompressed = avcodec_decode_video2(codecCtx, frame, &gotPicture, packet);
//LOGI("pred_opana");
if (gotPicture && packet->pts >= seek_target) {
//LOGI("opana");
// конвертируем данные из формата YUV в RGB24
struct SwsContext* scaleCtx = sws_getContext(frame->width,
frame->height,
(enum PixelFormat)frame->format
, width
, height
, pixel_format
, SWS_BICUBIC
, 0, 0, 0);
int height = sws_scale(scaleCtx
, frame->data
, frame->linesize
, 0
, frame->height
, frameRGB->data
, frameRGB->linesize);
break;
}
av_free_packet(packet);
}
}
//LOGI("ended");
av_free(frameRGB);
av_free(frame);
return 0;
}
static jobject globalRef2;
jobject Java_artemxxl_projects_livewallpapercreator_FFMpegWrapper_allocNative2(JNIEnv* env, jobject thiz, jlong size)
{
void* buffer = malloc(size);
jobject directBuffer = (*env)->NewDirectByteBuffer(env,buffer, size);
globalRef2 = (*env)->NewGlobalRef(env,directBuffer);
return globalRef2;
}
void Java_artemxxl_projects_livewallpapercreator_FFMpegWrapper_freeNative2(JNIEnv* env, jobject thiz)
{
void *buffer = (*env)->GetDirectBufferAddress(env,globalRef2);
(*env)->DeleteGlobalRef(env,globalRef2);
free(buffer);
LOGI("free2");
}when I release memory in one of threads
that I receive an error from the secondhere logs :
02-26 17:44:21.680: I/com.domain.tag(855): initialize_passed
02-26 17:44:21.810: D/dalvikvm(855): GC_CONCURRENT freed 208K, 6% free 13183K/14023K, paused 14ms+8ms, total 37ms
02-26 17:44:21.810: D/AbsListView(855): [unregisterDoubleTapMotionListener]
02-26 17:44:21.810: I/MotionRecognitionManager(855): .unregisterListener : / listener count = 0->0, listener=android.widget.AbsListView$4@42cdcda0
02-26 17:44:21.810: W/CursorWrapperInner(855): Cursor finalized without prior close()
02-26 17:44:21.930: I/com.domain.tag(855): pts2=234133 st2=235160
02-26 17:44:21.945: V/ost(855): 0
02-26 17:44:21.945: V/sec(855): 1
02-26 17:44:21.945: V/start(855): 234627000
02-26 17:44:21.945: V/start(855): 234627
02-26 17:44:21.945: I/com.domain.tag(855): pts1=232098 st1=234627
02-26 17:44:21.960: I/com.domain.tag(855): pts2=233344 st2=235160
02-26 17:44:21.960: I/com.domain.tag(855): pts2=234166 st2=235160
02-26 17:44:21.975: I/com.domain.tag(855): pts1=231125 st1=234627
02-26 17:44:21.975: I/com.domain.tag(855): pts1=232131 st1=234627
02-26 17:44:21.985: I/com.domain.tag(855): pts2=234200 st2=235160
02-26 17:44:21.995: I/com.domain.tag(855): pts1=232164 st1=234627
02-26 17:44:22.010: I/com.domain.tag(855): pts2=234233 st2=235160
02-26 17:44:22.015: I/com.domain.tag(855): pts1=232198 st1=234627
02-26 17:44:22.030: I/com.domain.tag(855): pts2=234266 st2=235160
02-26 17:44:22.040: I/com.domain.tag(855): pts1=232231 st1=234627
02-26 17:44:22.055: I/com.domain.tag(855): pts2=234300 st2=235160
02-26 17:44:22.065: I/com.domain.tag(855): pts1=232264 st1=234627
02-26 17:44:22.075: I/com.domain.tag(855): pts2=234333 st2=235160
02-26 17:44:22.085: I/com.domain.tag(855): pts1=232298 st1=234627
02-26 17:44:22.100: I/com.domain.tag(855): pts2=234366 st2=235160
02-26 17:44:22.105: I/com.domain.tag(855): pts1=232331 st1=234627
02-26 17:44:22.120: I/com.domain.tag(855): pts2=234400 st2=235160
02-26 17:44:22.130: I/com.domain.tag(855): pts1=232365 st1=234627
02-26 17:44:22.145: I/com.domain.tag(855): pts2=233685 st2=235160
02-26 17:44:22.145: I/com.domain.tag(855): pts2=234433 st2=235160
02-26 17:44:22.150: I/com.domain.tag(855): pts1=232398 st1=234627
02-26 17:44:22.165: I/com.domain.tag(855): pts2=234467 st2=235160
02-26 17:44:22.175: I/com.domain.tag(855): pts1=231509 st1=234627
02-26 17:44:22.175: I/com.domain.tag(855): pts1=232431 st1=234627
02-26 17:44:22.185: I/com.domain.tag(855): pts2=234500 st2=235160
02-26 17:44:22.195: I/com.domain.tag(855): pts1=232465 st1=234627
02-26 17:44:22.210: I/com.domain.tag(855): pts2=234533 st2=235160
02-26 17:44:22.220: I/com.domain.tag(855): pts1=232498 st1=234627
02-26 17:44:22.230: I/com.domain.tag(855): pts2=234567 st2=235160
02-26 17:44:22.245: I/com.domain.tag(855): pts1=232531 st1=234627
02-26 17:44:22.250: I/com.domain.tag(855): pts2=234600 st2=235160
02-26 17:44:22.265: I/com.domain.tag(855): pts1=232565 st1=234627
02-26 17:44:22.275: I/com.domain.tag(855): pts2=234633 st2=235160
02-26 17:44:22.290: I/com.domain.tag(855): pts1=232598 st1=234627
02-26 17:44:22.295: I/com.domain.tag(855): pts2=234667 st2=235160
02-26 17:44:22.310: I/com.domain.tag(855): pts1=232631 st1=234627
02-26 17:44:22.325: I/com.domain.tag(855): pts2=234700 st2=235160
02-26 17:44:22.335: I/com.domain.tag(855): pts1=232665 st1=234627
02-26 17:44:22.345: I/com.domain.tag(855): pts2=234734 st2=235160
02-26 17:44:22.355: I/com.domain.tag(855): pts1=232698 st1=234627
02-26 17:44:22.365: I/com.domain.tag(855): pts2=234767 st2=235160
02-26 17:44:22.380: I/com.domain.tag(855): pts1=232732 st1=234627
02-26 17:44:22.390: I/com.domain.tag(855): pts2=234800 st2=235160
02-26 17:44:22.400: I/com.domain.tag(855): pts1=232765 st1=234627
02-26 17:44:22.415: I/com.domain.tag(855): pts2=234834 st2=235160
02-26 17:44:22.425: I/com.domain.tag(855): pts1=232798 st1=234627
02-26 17:44:22.440: I/com.domain.tag(855): pts2=234069 st2=235160
02-26 17:44:22.440: I/com.domain.tag(855): pts2=234867 st2=235160
02-26 17:44:22.450: I/com.domain.tag(855): pts1=231893 st1=234627
02-26 17:44:22.450: I/com.domain.tag(855): pts1=232832 st1=234627
02-26 17:44:22.460: I/com.domain.tag(855): pts2=234900 st2=235160
02-26 17:44:22.475: I/com.domain.tag(855): pts1=232865 st1=234627
02-26 17:44:22.485: I/com.domain.tag(855): pts2=234934 st2=235160
02-26 17:44:22.500: I/com.domain.tag(855): pts1=232898 st1=234627
02-26 17:44:22.510: I/com.domain.tag(855): pts2=234967 st2=235160
02-26 17:44:22.525: I/com.domain.tag(855): pts1=232932 st1=234627
02-26 17:44:22.530: I/com.domain.tag(855): pts2=235000 st2=235160
02-26 17:44:22.555: I/com.domain.tag(855): pts1=232965 st1=234627
02-26 17:44:22.555: I/com.domain.tag(855): pts2=235034 st2=235160
02-26 17:44:22.580: I/com.domain.tag(855): pts2=235067 st2=235160
02-26 17:44:22.580: I/com.domain.tag(855): pts1=232998 st1=234627
02-26 17:44:22.605: I/com.domain.tag(855): pts2=235101 st2=235160
02-26 17:44:22.610: I/com.domain.tag(855): pts1=233032 st1=234627
02-26 17:44:22.630: I/com.domain.tag(855): pts2=235134 st2=235160
02-26 17:44:22.635: I/com.domain.tag(855): pts1=233065 st1=234627
02-26 17:44:22.655: I/com.domain.tag(855): pts2=235167 st2=235160
02-26 17:44:22.660: I/com.domain.tag(855): pts1=233099 st1=234627
02-26 17:44:22.690: I/com.domain.tag(855): pts1=233132 st1=234627
02-26 17:44:22.705: D/dalvikvm(855): GC_FOR_ALLOC freed 434K, 10% free 12753K/14023K, paused 17ms, total 17ms
02-26 17:44:22.710: I/dalvikvm-heap(855): Grow heap (frag case) to 13.759MB for 786448-byte allocation
02-26 17:44:22.715: I/com.domain.tag(855): pts1=232234 st1=234627
02-26 17:44:22.715: I/com.domain.tag(855): pts1=233165 st1=234627
02-26 17:44:22.735: D/dalvikvm(855): GC_FOR_ALLOC freed 0K, 9% free 13521K/14855K, paused 25ms, total 25ms
02-26 17:44:22.735: I/com.domain.tag(855): pts1=233199 st1=234627
02-26 17:44:22.745: V/ttag(855): /storage/sdcard0/temp1/file8.png
02-26 17:44:22.755: D/dalvikvm(855): GC_CONCURRENT freed 2K, 9% free 13527K/14855K, paused 2ms+2ms, total 20ms
02-26 17:44:22.760: I/com.domain.tag(855): pts1=233232 st1=234627
02-26 17:44:22.785: I/com.domain.tag(855): pts1=233265 st1=234627
02-26 17:44:22.810: I/com.domain.tag(855): pts1=233299 st1=234627
02-26 17:44:22.835: I/com.domain.tag(855): pts1=233332 st1=234627
02-26 17:44:22.855: I/com.domain.tag(855): pts1=233366 st1=234627
02-26 17:44:22.880: I/com.domain.tag(855): pts1=233399 st1=234627
02-26 17:44:22.905: I/com.domain.tag(855): pts1=233432 st1=234627
02-26 17:44:22.955: I/com.domain.tag(855): pts1=233466 st1=234627
02-26 17:44:23.000: I/com.domain.tag(855): pts1=233499 st1=234627
02-26 17:44:23.030: I/com.domain.tag(855): pts1=232637 st1=234627
02-26 17:44:23.030: I/com.domain.tag(855): pts1=233532 st1=234627
02-26 17:44:23.060: I/com.domain.tag(855): pts1=233566 st1=234627
02-26 17:44:23.080: I/com.domain.tag(855): pts1=233599 st1=234627
02-26 17:44:23.105: I/com.domain.tag(855): free2
02-26 17:44:23.105: I/com.domain.tag(855): pts2=234133 st2=235227
02-26 17:44:23.115: I/com.domain.tag(855): pts1=233344 st1=234627
02-26 17:44:23.115: I/com.domain.tag(855): pts1=234166 st1=234627
02-26 17:44:23.140: I/com.domain.tag(855): pts2=234200 st2=235227
02-26 17:44:23.140: I/com.domain.tag(855): pts1=234233 st1=234627
02-26 17:44:24.035: I/com.domain.tag(855): pts1=234266 st1=234627
02-26 17:44:24.035: I/com.domain.tag(855): pts1=234300 st1=234627
02-26 17:44:24.035: I/com.domain.tag(855): pts1=234333 st1=234627
02-26 17:44:24.035: I/com.domain.tag(855): pts1=234366 st1=234627
02-26 17:44:24.035: I/com.domain.tag(855): pts1=234400 st1=234627
02-26 17:44:24.035: I/com.domain.tag(855): pts1=233685 st1=234627
02-26 17:44:24.035: I/com.domain.tag(855): pts1=234433 st1=234627
02-26 17:44:24.035: I/com.domain.tag(855): pts1=234467 st1=234627
02-26 17:44:24.040: I/com.domain.tag(855): pts1=234500 st1=234627
02-26 17:44:24.040: I/com.domain.tag(855): pts1=234533 st1=234627
02-26 17:44:24.040: I/com.domain.tag(855): pts1=234567 st1=234627
02-26 17:44:24.040: I/com.domain.tag(855): pts1=234600 st1=234627
02-26 17:44:24.040: I/com.domain.tag(855): pts1=234633 st1=234627
02-26 17:44:24.050: I/com.domain.tag(855): pts2=234667 st2=235227
02-26 17:44:24.055: V/ttag(855): 234627000
02-26 17:44:24.075: D/dalvikvm(855): GC_FOR_ALLOC freed 776K, 15% free 12755K/14855K, paused 21ms, total 21ms
02-26 17:44:24.075: I/com.domain.tag(855): pts2=234700 st2=235227
02-26 17:44:24.080: I/dalvikvm-heap(855): Grow heap (frag case) to 13.761MB for 786448-byte allocation
02-26 17:44:24.100: I/com.domain.tag(855): pts2=234734 st2=235227
02-26 17:44:24.110: D/dalvikvm(855): GC_CONCURRENT freed <1K, 9% free 13523K/14855K, paused 13ms+2ms, total 30ms
02-26 17:44:24.110: D/dalvikvm(855): WAIT_FOR_CONCURRENT_GC blocked 17ms
02-26 17:44:24.110: D/dalvikvm(855): WAIT_FOR_CONCURRENT_GC blocked 18ms
02-26 17:44:24.110: V/ttag(855): /storage/sdcard0/temp1/file0.png
02-26 17:44:24.135: I/com.domain.tag(855): pts2=234767 st2=235227
02-26 17:44:24.170: I/com.domain.tag(855): pts2=234800 st2=235227
02-26 17:44:24.195: I/com.domain.tag(855): pts2=234834 st2=235227
02-26 17:44:24.220: I/com.domain.tag(855): pts2=234069 st2=235227
02-26 17:44:24.220: I/com.domain.tag(855): pts2=234867 st2=235227
02-26 17:44:24.245: I/com.domain.tag(855): pts2=234900 st2=235227
02-26 17:44:24.275: I/com.domain.tag(855): pts2=234934 st2=235227
02-26 17:44:24.300: I/com.domain.tag(855): pts2=234967 st2=235227
02-26 17:44:24.325: I/com.domain.tag(855): pts2=235000 st2=235227
02-26 17:44:24.350: I/com.domain.tag(855): pts2=235034 st2=235227
02-26 17:44:24.380: I/com.domain.tag(855): pts2=235067 st2=235227
02-26 17:44:24.405: I/com.domain.tag(855): pts2=235101 st2=235227
02-26 17:44:24.430: I/com.domain.tag(855): pts2=235134 st2=235227
02-26 17:44:24.445: I/com.domain.tag(855): free1
02-26 17:44:24.445: V/ost(855): 1
02-26 17:44:24.445: V/sec(855): 1
02-26 17:44:24.445: V/start(855): 234627000
02-26 17:44:24.445: V/start(855): 234627
02-26 17:44:24.445: I/com.domain.tag(855): pts1=232098 st1=234694
02-26 17:44:24.445: I/com.domain.tag(855): pts1=231125 st1=234694
02-26 17:44:24.445: I/com.domain.tag(855): pts1=232131 st1=234694
02-26 17:44:24.455: I/com.domain.tag(855): pts1=232164 st1=234694
02-26 17:44:24.485: I/com.domain.tag(855): pts2=232198 st2=235227
02-26 17:44:24.715: I/com.domain.tag(855): pts1=232231 st1=234694
02-26 17:44:24.725: I/com.domain.tag(855): pts1=232264 st1=234694
02-26 17:44:24.725: I/com.domain.tag(855): pts1=232298 st1=234694
02-26 17:44:24.725: I/com.domain.tag(855): pts1=232331 st1=234694
02-26 17:44:24.725: I/com.domain.tag(855): pts1=232365 st1=234694
02-26 17:44:24.725: I/com.domain.tag(855): pts1=232398 st1=234694
02-26 17:44:24.730: I/com.domain.tag(855): pts1=231509 st1=234694
02-26 17:44:24.730: I/com.domain.tag(855): pts1=232431 st1=234694
02-26 17:44:24.730: I/com.domain.tag(855): pts1=232465 st1=234694
02-26 17:44:24.730: I/com.domain.tag(855): pts1=232498 st1=234694
02-26 17:44:24.750: I/com.domain.tag(855): pts2=232531 st2=235227
02-26 17:44:24.960: I/com.domain.tag(855): pts1=232565 st1=234694
02-26 17:44:24.960: I/com.domain.tag(855): pts1=232598 st1=234694
02-26 17:44:24.960: I/com.domain.tag(855): pts1=232631 st1=234694
02-26 17:44:24.960: I/com.domain.tag(855): pts1=232665 st1=234694
02-26 17:44:24.965: I/com.domain.tag(855): pts1=232698 st1=234694
02-26 17:44:24.965: I/com.domain.tag(855): pts1=232732 st1=234694
02-26 17:44:24.965: I/com.domain.tag(855): pts1=232765 st1=234694
02-26 17:44:24.965: I/com.domain.tag(855): pts1=232798 st1=234694
02-26 17:44:24.980: I/com.domain.tag(855): pts2=231893 st2=235227
02-26 17:44:24.980: I/com.domain.tag(855): pts2=232832 st2=235227
02-26 17:44:25.210: I/com.domain.tag(855): pts1=232865 st1=234694
02-26 17:44:25.210: I/com.domain.tag(855): pts1=232898 st1=234694
02-26 17:44:25.210: I/com.domain.tag(855): pts1=232932 st1=234694
02-26 17:44:25.210: I/com.domain.tag(855): pts1=232965 st1=234694
02-26 17:44:25.210: I/com.domain.tag(855): pts1=232998 st1=234694
02-26 17:44:25.230: I/com.domain.tag(855): pts2=233032 st2=235227
02-26 17:44:25.245: I/com.domain.tag(855): pts1=233065 st1=234694
02-26 17:44:25.260: I/com.domain.tag(855): pts2=233099 st2=235227
02-26 17:44:25.715: I/com.domain.tag(855): pts1=233132 st1=234694
02-26 17:44:25.725: I/com.domain.tag(855): pts1=232234 st1=234694
02-26 17:44:25.725: I/com.domain.tag(855): pts1=233165 st1=234694
02-26 17:44:25.730: I/com.domain.tag(855): pts1=233199 st1=234694
02-26 17:44:25.735: I/com.domain.tag(855): pts1=233232 st1=234694
02-26 17:44:25.740: I/com.domain.tag(855): pts1=233265 st1=234694
02-26 17:44:25.740: I/com.domain.tag(855): pts1=233299 st1=234694
02-26 17:44:25.745: I/com.domain.tag(855): pts1=233332 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233366 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233399 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233432 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233466 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233499 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=232637 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233532 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233566 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233599 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233632 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233666 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233699 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233733 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233766 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233799 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=232970 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233833 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233866 st1=234694
02-26 17:44:25.755: I/com.domain.tag(855): pts1=233899 st1=234694
02-26 17:44:25.760: I/com.domain.tag(855): pts1=233933 st1=234694
02-26 17:44:25.760: I/com.domain.tag(855): pts1=233966 st1=234694
02-26 17:44:25.760: I/com.domain.tag(855): pts1=233999 st1=234694
02-26 17:44:25.760: I/com.domain.tag(855): pts1=234033 st1=234694
02-26 17:44:25.760: I/com.domain.tag(855): pts1=234066 st1=234694
02-26 17:44:25.760: I/com.domain.tag(855): pts1=234100 st1=234694
02-26 17:44:25.760: I/com.domain.tag(855): pts1=234133 st1=234694
02-26 17:44:25.760: I/com.domain.tag(855): pts1=233344 st1=234694
02-26 17:44:25.760: I/com.domain.tag(855): pts1=234166 st1=234694
02-26 17:44:25.760: I/com.domain.tag(855): pts1=234200 st1=234694
02-26 17:44:25.760: I/com.domain.tag(855): pts1=234233 st1=234694
02-26 17:44:25.760: I/com.domain.tag(855): pts1=234266 st1=234694
02-26 17:44:25.760: I/com.domain.tag(855): pts1=234300 st1=234694
02-26 17:44:25.775: I/com.domain.tag(855): pts2=234333 st2=235227
02-26 17:44:26.115: I/com.domain.tag(855): pts1=234366 st1=234694
02-26 17:44:26.120: I/com.domain.tag(855): pts1=234400 st1=234694
02-26 17:44:26.120: I/com.domain.tag(855): pts1=233685 st1=234694
02-26 17:44:26.120: I/com.domain.tag(855): pts1=234433 st1=234694
02-26 17:44:26.120: I/com.domain.tag(855): pts1=234467 st1=234694
02-26 17:44:26.125: I/com.domain.tag(855): pts1=234500 st1=234694
02-26 17:44:26.125: I/com.domain.tag(855): pts1=234533 st1=234694
02-26 17:44:26.125: I/com.domain.tag(855): pts1=234567 st1=234694
02-26 17:44:26.125: I/com.domain.tag(855): pts1=234600 st1=234694
02-26 17:44:26.130: I/com.domain.tag(855): pts1=234633 st1=234694
02-26 17:44:26.130: I/com.domain.tag(855): pts1=234667 st1=234694
02-26 17:44:26.130: I/com.domain.tag(855): pts1=234700 st1=234694
02-26 17:44:26.135: I/com.domain.tag(855): pts2=234734 st2=235227
02-26 17:44:26.135: V/ttag(855): 234693666
02-26 17:44:26.160: D/dalvikvm(855): GC_FOR_ALLOC freed 781K, 15% free 12756K/14855K, paused 21ms, total 21ms
02-26 17:44:26.160: I/dalvikvm-heap(855): Grow heap (frag case) to 13.761MB for 786448-byte allocation
02-26 17:44:26.165: I/com.domain.tag(855): pts2=234767 st2=235227
02-26 17:44:26.175: D/dalvikvm(855): GC_CONCURRENT freed <1K, 9% free 13523K/14855K, paused 2ms+2ms, total 16ms
02-26 17:44:26.175: D/dalvikvm(855): WAIT_FOR_CONCURRENT_GC blocked 14ms
02-26 17:44:26.175: D/dalvikvm(855): WAIT_FOR_CONCURRENT_GC blocked 14ms
02-26 17:44:26.180: V/ttag(855): /storage/sdcard0/temp1/file1.png
02-26 17:44:26.185: A/libc(855): @@@ ABORTING: HEAP MEMORY CORRUPTION IN tmalloc_large addr=0x0008fffb
02-26 17:44:26.185: A/libc(855): Fatal signal 11 (SIGSEGV) at 0xdeadbaad (code=1), thread 2047 (AsyncTask #1)in what my error ?
-
How to Check Website Traffic As Accurately As Possible
18 août 2023, par Erin — Analytics Tips