Recherche avancée

Médias (91)

Autres articles (84)

  • MediaSPIP en mode privé (Intranet)

    17 septembre 2013, par

    À partir de la version 0.3, un canal de MediaSPIP peut devenir privé, bloqué à toute personne non identifiée grâce au plugin "Intranet/extranet".
    Le plugin Intranet/extranet, lorsqu’il est activé, permet de bloquer l’accès au canal à tout visiteur non identifié, l’empêchant d’accéder au contenu en le redirigeant systématiquement vers le formulaire d’identification.
    Ce système peut être particulièrement utile pour certaines utilisations comme : Atelier de travail avec des enfants dont le contenu ne doit pas (...)

  • Diogene : création de masques spécifiques de formulaires d’édition de contenus

    26 octobre 2010, par

    Diogene est un des plugins ? SPIP activé par défaut (extension) lors de l’initialisation de MediaSPIP.
    A quoi sert ce plugin
    Création de masques de formulaires
    Le plugin Diogène permet de créer des masques de formulaires spécifiques par secteur sur les trois objets spécifiques SPIP que sont : les articles ; les rubriques ; les sites
    Il permet ainsi de définir en fonction d’un secteur particulier, un masque de formulaire par objet, ajoutant ou enlevant ainsi des champs afin de rendre le formulaire (...)

  • MediaSPIP version 0.1 Beta

    16 avril 2011, par

    MediaSPIP 0.1 beta est la première version de MediaSPIP décrétée comme "utilisable".
    Le fichier zip ici présent contient uniquement les sources de MediaSPIP en version standalone.
    Pour avoir une installation fonctionnelle, 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 (...)

Sur d’autres sites (5088)

  • Socket.io client in js and server in Socket.io go doesn't send connected messege and data

    24 mars 2023, par OmriHalifa

    I am using ffmpeg and socket.io and I have some issues. I'm trying to send a connection request to a server written in Go through React, but I'm unable to connect to it. I tried adding the events in useEffect and it's still not working, what should I do ? i attaching my code in js and in go :
main.go

    


    package main

import (
    "log"

    "github.com/gin-gonic/gin"

    socketio "github.com/googollee/go-socket.io"
)

func main() {
    router := gin.New()

    server := socketio.NewServer(nil)

    server.OnConnect("/", func(s socketio.Conn) error {
        s.SetContext("")
        log.Println("connected:", s.ID())
        return nil
    })

    server.OnEvent("/", "notice", func(s socketio.Conn, msg string) {
        log.Println("notice:", msg)
        s.Emit("reply", "have "+msg)
    })

    server.OnEvent("/", "transcoded-video", func(s socketio.Conn, data string) {
        log.Println("transcoded-video:", data)
    })

    server.OnEvent("/", "bye", func(s socketio.Conn) string {
        last := s.Context().(string)
        s.Emit("bye", last)
        s.Close()
        return last
    })

    server.OnError("/", func(s socketio.Conn, e error) {
        log.Println("meet error:", e)
    })

    server.OnDisconnect("/", func(s socketio.Conn, reason string) {
        log.Println("closed", reason)
    })

    go func() {
        if err := server.Serve(); err != nil {
            log.Fatalf("socketio listen error: %s\n", err)
        }
    }()
    defer server.Close()

    if err := router.Run(":8000"); err != nil {
        log.Fatal("failed run app: ", err)
    }
}



    


    App.js

    


    import &#x27;./App.css&#x27;;&#xA;import { useEffect } from &#x27;react&#x27;;&#xA;import { createFFmpeg, fetchFile } from &#x27;@ffmpeg/ffmpeg&#x27;;&#xA;import { io } from &#x27;socket.io-client&#x27;; &#xA;&#xA;function App() {&#xA;  const socket = io("http://localhost:8000",function() {&#xA;    // Send a message to the server when the client is connected&#xA;    socket.emit(&#x27;clientConnected&#x27;, &#x27;Client has connected to the server!&#x27;);&#xA;  })&#xA;&#xA;  const ffmpegWorker = createFFmpeg({&#xA;    log: true&#xA;  })&#xA;&#xA;  // Initialize FFmpeg when the component is mounted&#xA;  async function initFFmpeg() {&#xA;    await ffmpegWorker.load();&#xA;  }&#xA;&#xA;  async function transcode(webcamData) {&#xA;    const name = &#x27;record.webm&#x27;;&#xA;    await ffmpegWorker.FS(&#x27;writeFile&#x27;, name, await fetchFile(webcamData));&#xA;    await ffmpegWorker.run(&#x27;-i&#x27;, name, &#x27;-preset&#x27;, &#x27;ultrafast&#x27;, &#x27;-threads&#x27;, &#x27;4&#x27;, &#x27;output.mp4&#x27;);&#xA;    const data = ffmpegWorker.FS(&#x27;readFile&#x27;, &#x27;output.mp4&#x27;);&#xA;    &#xA;    // Set the source of the output video element to the transcoded video data&#xA;    const video = document.getElementById(&#x27;output-video&#x27;);&#xA;    video.src = URL.createObjectURL(new Blob([data.buffer], { type: &#x27;video/mp4&#x27; }));&#xA;    &#xA;    // Remove the output.mp4 file from the FFmpeg virtual file system&#xA;    ffmpegWorker.FS(&#x27;unlink&#x27;, &#x27;output.mp4&#x27;);&#xA;    &#xA;    // Emit a "transcoded-video" event to the server with the transcoded video data&#xA;    socket.emit("transcoded-video", data.buffer)&#xA;  }&#xA;  &#xA;  &#xA;&#xA;  let mediaRecorder;&#xA;  let chunks = [];&#xA;  &#xA;  // Request access to the user&#x27;s camera and microphone and start recording&#xA;  function requestMedia() {&#xA;    const webcam = document.getElementById(&#x27;webcam&#x27;);&#xA;    navigator.mediaDevices.getUserMedia({ video: true, audio: true })&#xA;    .then(async (stream) => {&#xA;      webcam.srcObject = stream;&#xA;      await webcam.play();&#xA;&#xA;      // Set up a MediaRecorder instance to record the video and audio&#xA;      mediaRecorder = new MediaRecorder(stream);&#xA;&#xA;      // Add the recorded data to the chunks array&#xA;      mediaRecorder.ondataavailable = async (e) => {&#xA;        chunks.push(e.data);&#xA;      }&#xA;&#xA;      // Transcode the recorded video data after the MediaRecorder stops&#xA;      mediaRecorder.onstop = async () => {&#xA;        await transcode(new Uint8Array(await (new Blob(chunks)).arrayBuffer()));&#xA;&#xA;        // Clear the chunks array after transcoding&#xA;        chunks = [];&#xA;&#xA;        // Start the MediaRecorder again after a 0 millisecond delay&#xA;        setTimeout(() => {&#xA;          mediaRecorder.start();&#xA;          &#xA;          // Stop the MediaRecorder after 3 seconds&#xA;          setTimeout(() => {&#xA;            mediaRecorder.stop();&#xA;          }, 500);&#xA;        }, 0);&#xA;      }&#xA;&#xA;      // Start the MediaRecorder&#xA;      mediaRecorder.start();&#xA;&#xA;      // Stop the MediaRecorder after 3 seconds&#xA;      setTimeout(() => {&#xA;        mediaRecorder.stop();&#xA;      }, 700);&#xA;    })&#xA;  }&#xA;  &#xA;  useEffect(() => {&#xA;    // Set up event listeners for the socket connection&#xA;    socket.on(&#x27;/&#x27;, function(){&#xA;      // Log a message when the client is connected to the server&#xA;      console.log("Connected to server!"); &#xA;    });&#xA;&#xA;    socket.on(&#x27;transcoded-video&#x27;, function(data){&#xA;      // Log the received data for debugging purposes&#xA;      console.log("Received transcoded video data:", data); &#xA;    });&#xA;&#xA;    socket.on(&#x27;notice&#x27;, function(data){&#xA;      // Emit a "notice" event back to the server to acknowledge the received data&#xA;      socket.emit("notice", "ping server!");&#xA;    });&#xA;&#xA;    socket.on(&#x27;bye&#x27;, function(data){&#xA;      // Log the received data and disconnect from the server&#xA;      console.log("Server sent:", data); &#xA;      socket.disconnect();&#xA;    });&#xA;&#xA;    socket.on(&#x27;disconnect&#x27;, function(){&#xA;      // Log a message when the client is disconnected from the server&#xA;      console.log("Disconnected from server!"); &#xA;    });&#xA;  }, [])&#xA;&#xA;  return (&#xA;    <div classname="App">&#xA;      <div>&#xA;          <video muted="{true}"></video>&#xA;          <video autoplay="autoplay"></video>&#xA;      </div>&#xA;      <button>start streaming</button>&#xA;    </div>&#xA;  );&#xA;}&#xA;&#xA;export default App;&#xA;

    &#xA;

    What can i do to fix it ? thank you !!

    &#xA;

  • Ytdl-Core / FFMPEG in NodeJs : Cannot find a matching stream for unlabeled input pad 0 on filter Parsed_split_0

    25 mars 2023, par VenoM

    So I'm using ytdl-core & ffmpeg to convert some videos from YouTube to MP4 and then manipulate them in a way or take screenshots. But the issue I'm facing is - some videos are downloaded and are completely playable, but others are corrupt.

    &#xA;

    This is the error I get when I try to take screenshot of the corrupted video :

    &#xA;

    &#xA;

    Error : ffmpeg exited with code 1 : Cannot find a matching stream for unlabeled input pad 0 on filter Parsed_split_0

    &#xA;

    &#xA;

    And obviously, error is there because the video is corrupted, but WHY is that the case ?

    &#xA;

    Here's my code (read TL ;DR below) :

    &#xA;

      router.post("/screenshot", async (req, res) => {&#xA;  const urlToScreenshot = req.body.url;&#xA;  const timestamp = parseInt(req.body.t, 10);&#xA;  const YouTubeURL = `https://youtube.com/watch?v=${urlToScreenshot}`;&#xA;  const filename = uuidv4();&#xA;&#xA;  const videoPath = `${filePath}/${filename}.mp4`;&#xA;&#xA;  const downloadStartTime = timestamp - 3;&#xA;  const downloadEndTime = timestamp &#x2B; 3;&#xA;&#xA;  const videoStream = ytdl(YouTubeURL, {&#xA;    quality: "highest",&#xA;  });&#xA;&#xA;  const ffmpegCommand = ffmpeg(videoStream)&#xA;    .setStartTime(downloadStartTime)&#xA;    .duration(downloadEndTime - downloadStartTime)&#xA;    .outputOptions("-c:v", "libx264")&#xA;    .outputOptions("-c:a", "copy")&#xA;    .outputOptions("-b:v", "10M")&#xA;    .outputOptions("-filter:v", "scale=1920:1080")&#xA;    .outputOptions("-q:v", "1")&#xA;    .outputOptions("-reconnect", "1") // enable reconnection attempts&#xA;    .outputOptions("-ignore_io_errors", "1") // ignore input/output errors&#xA;    .on("end", async () => {&#xA;      console.log("Video downloaded successfully: " &#x2B; videoPath);&#xA;&#xA;      const screenshotPath = `${filePath}/${filename}.png`;&#xA;      ffmpeg(videoPath)&#xA;        .screenshots({&#xA;          count: 1,&#xA;          timemarks: ["1"],&#xA;          folder: filePath,&#xA;          filename: `${filename}.png`,&#xA;        })&#xA;        .on("end", async () => {&#xA;          console.log(`Screenshot saved successfully: ${screenshotPath}`);&#xA;          try {&#xA;            const cloudinaryResult = await cloudinary.uploader.upload(&#xA;              screenshotPath&#xA;            );&#xA;            const screenshotUrl = cloudinaryResult.secure_url;&#xA;            console.log(`Screenshot uploaded to Cloudinary: ${screenshotUrl}`);&#xA;            // await unlink(videoPath);&#xA;            console.log(`Video file deleted: ${videoPath}`);&#xA;            // await unlink(screenshotPath);&#xA;            console.log(`Screenshot file deleted: ${screenshotPath}`);&#xA;            res.status(200).json({ screenshotUrl });&#xA;          } catch (err) {&#xA;            console.error(&#xA;              "An error occurred while uploading the screenshot to Cloudinary:",&#xA;              err&#xA;            );&#xA;            // await unlink(videoPath);&#xA;            // await unlink(screenshotPath);&#xA;            res.status(500).send("Internal Server Error");&#xA;          }&#xA;        })&#xA;        .on("error", async (err) => {&#xA;          console.error("An error occurred while taking the screenshot:", err);&#xA;          // await unlink(videoPath);&#xA;          // await unlink(screenshotPath);&#xA;          res.status(500).send("Internal Server Error");&#xA;        });&#xA;    })&#xA;    .on("error", async (err) => {&#xA;      console.error("An error occurred while downloading the video:", err);&#xA;      await unlink(videoPath); // delete the file on error&#xA;      res.status(500).send("Internal Server Error");&#xA;    })&#xA;    .save(videoPath);&#xA;&#xA;  // console.log(ffmpegCommand);&#xA;});&#xA;

    &#xA;

    Code Summary : Basically I'm passing the videoID and timestamp (because I want to download a certain section of the video, not the whole video), it downloads the video, then takes a screenshot of the video at a certain timestamp (i.e 1st second) and sends the screenshot to Cloudinary (a cloud file storage).

    &#xA;

    This works fine for 50% of the videos I've tried, but doesn't for other videos.

    &#xA;

    Here's a picture of a corrupt video and a working video.

    &#xA;

    enter image description here

    &#xA;

    Working Video

    &#xA;

    Corrupt Video

    &#xA;

    Some help would be greatly appreciated !

    &#xA;

  • Cannot find a matching stream for unlabeled input pad 0 on filter Parsed_split_0

    26 mars 2023, par VenoM

    So I'm using ytdl-core & ffmpeg to convert some videos from YouTube to MP4 and then manipulate them in a way or take screenshots. But the issue I'm facing is - some videos are downloaded and are completely playable, but others are corrupt.

    &#xA;

    This is the error I get when I try to take screenshot of the corrupted video :

    &#xA;

    &#xA;

    Error : ffmpeg exited with code 1 : Cannot find a matching stream for unlabeled input pad 0 on filter Parsed_split_0

    &#xA;

    &#xA;

    And obviously, error is there because the video is corrupted, but WHY is that the case ?

    &#xA;

    Here's my code (read TL ;DR below) :

    &#xA;

      router.post("/screenshot", async (req, res) => {&#xA;  const urlToScreenshot = req.body.url;&#xA;  const timestamp = parseInt(req.body.t, 10);&#xA;  const YouTubeURL = `https://youtube.com/watch?v=${urlToScreenshot}`;&#xA;  const filename = uuidv4();&#xA;&#xA;  const videoPath = `${filePath}/${filename}.mp4`;&#xA;&#xA;  const downloadStartTime = timestamp - 3;&#xA;  const downloadEndTime = timestamp &#x2B; 3;&#xA;&#xA;  const videoStream = ytdl(YouTubeURL, {&#xA;    quality: "highest",&#xA;  });&#xA;&#xA;  const ffmpegCommand = ffmpeg(videoStream)&#xA;    .setStartTime(downloadStartTime)&#xA;    .duration(downloadEndTime - downloadStartTime)&#xA;    .outputOptions("-c:v", "libx264")&#xA;    .outputOptions("-c:a", "copy")&#xA;    .outputOptions("-b:v", "10M")&#xA;    .outputOptions("-filter:v", "scale=1920:1080")&#xA;    .outputOptions("-q:v", "1")&#xA;    .outputOptions("-reconnect", "1") // enable reconnection attempts&#xA;    .outputOptions("-ignore_io_errors", "1") // ignore input/output errors&#xA;    .on("end", async () => {&#xA;      console.log("Video downloaded successfully: " &#x2B; videoPath);&#xA;&#xA;      const screenshotPath = `${filePath}/${filename}.png`;&#xA;      ffmpeg(videoPath)&#xA;        .screenshots({&#xA;          count: 1,&#xA;          timemarks: ["1"],&#xA;          folder: filePath,&#xA;          filename: `${filename}.png`,&#xA;        })&#xA;        .on("end", async () => {&#xA;          console.log(`Screenshot saved successfully: ${screenshotPath}`);&#xA;          try {&#xA;            const cloudinaryResult = await cloudinary.uploader.upload(&#xA;              screenshotPath&#xA;            );&#xA;            const screenshotUrl = cloudinaryResult.secure_url;&#xA;            console.log(`Screenshot uploaded to Cloudinary: ${screenshotUrl}`);&#xA;            // await unlink(videoPath);&#xA;            console.log(`Video file deleted: ${videoPath}`);&#xA;            // await unlink(screenshotPath);&#xA;            console.log(`Screenshot file deleted: ${screenshotPath}`);&#xA;            res.status(200).json({ screenshotUrl });&#xA;          } catch (err) {&#xA;            console.error(&#xA;              "An error occurred while uploading the screenshot to Cloudinary:",&#xA;              err&#xA;            );&#xA;            // await unlink(videoPath);&#xA;            // await unlink(screenshotPath);&#xA;            res.status(500).send("Internal Server Error");&#xA;          }&#xA;        })&#xA;        .on("error", async (err) => {&#xA;          console.error("An error occurred while taking the screenshot:", err);&#xA;          // await unlink(videoPath);&#xA;          // await unlink(screenshotPath);&#xA;          res.status(500).send("Internal Server Error");&#xA;        });&#xA;    })&#xA;    .on("error", async (err) => {&#xA;      console.error("An error occurred while downloading the video:", err);&#xA;      await unlink(videoPath); // delete the file on error&#xA;      res.status(500).send("Internal Server Error");&#xA;    })&#xA;    .save(videoPath);&#xA;&#xA;  // console.log(ffmpegCommand);&#xA;});&#xA;

    &#xA;

    Code Summary : Basically I'm passing the videoID and timestamp (because I want to download a certain section of the video, not the whole video), it downloads the video, then takes a screenshot of the video at a certain timestamp (i.e 1st second) and sends the screenshot to Cloudinary (a cloud file storage).

    &#xA;

    This works fine for 50% of the videos I've tried, but doesn't for other videos.

    &#xA;

    Here's a picture of a corrupt video and a working video.

    &#xA;

    enter image description here

    &#xA;

    Working Video

    &#xA;

    Corrupt Video

    &#xA;

    Some help would be greatly appreciated !

    &#xA;