
Recherche avancée
Autres articles (61)
-
Soumettre améliorations et plugins supplémentaires
10 avril 2011Si vous avez développé une nouvelle extension permettant d’ajouter une ou plusieurs fonctionnalités utiles à MediaSPIP, faites le nous savoir et son intégration dans la distribution officielle sera envisagée.
Vous pouvez utiliser la liste de discussion de développement afin de le faire savoir ou demander de l’aide quant à la réalisation de ce plugin. MediaSPIP étant basé sur SPIP, il est également possible d’utiliser le liste de discussion SPIP-zone de SPIP pour (...) -
Diogene : création de masques spécifiques de formulaires d’édition de contenus
26 octobre 2010, parDiogene 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 (...) -
Support de tous types de médias
10 avril 2011Contrairement à beaucoup de logiciels et autres plate-formes modernes de partage de documents, MediaSPIP a l’ambition de gérer un maximum de formats de documents différents qu’ils soient de type : images (png, gif, jpg, bmp et autres...) ; audio (MP3, Ogg, Wav et autres...) ; vidéo (Avi, MP4, Ogv, mpg, mov, wmv et autres...) ; contenu textuel, code ou autres (open office, microsoft office (tableur, présentation), web (html, css), LaTeX, Google Earth) (...)
Sur d’autres sites (5492)
-
Revision 22d83a0ab7 : Merge "Replace RD modeling with a fixed point approximation."
8 janvier 2014, par Alex ConverseChanged Paths :
Modify /vp9/encoder/vp9_rdopt.c
Merge "Replace RD modeling with a fixed point approximation." -
Revision 872b207b78 : Moves transform type defines to vp9_common Moves transform type defines to vp9_
30 septembre 2014, par Deb MukherjeeChanged Paths :
Modify /vp9/common/vp9_common.h
Modify /vp9/common/vp9_idct.h
Modify /vp9/common/vp9_rtcd_defs.pl
Moves transform type defines to vp9_commonMoves transform type defines to vp9_common.h from vp9_idct.h
so that they can be included in vp9_rtcd_defs.pl safely.Change-Id : Id5106227bee5934f7ce8b06f2eb9fa8a9a2e0ddb
-
C# .net mvc Process return encoding progress (FFMpeg) to client initiated with ajax
19 décembre 2014, par user1585895I am using FFMpeg to encode wav to mp3s, and on completion download the final .zip to the client.
All works great, and I can Debug.WriteLine the progress of the encoding, but I would like to return _percentage back to the client to do some UI updates based on the value of _percentage and if all encoding is done, Im not sure how to approach this.
My thinking is as follows :
- ajax post to CreateAndDownloadAlbum(List trackIds, int productId)
- loop through List and create a new Process, run
— parse StdError to get encoding percentage in myProcess_ErrorData(object source, DataReceivedEventArgs e)
— send _percentage value at timed intervals back to CreateAndDownloadAlbum
— update UI based on value of _percentage, when all is complete break and call public ActionResult SendFileDownload()
Any input would be great.
Thanks !
front end AJAX call to post list of file Ids to download
var data = $('#downloadAlbum').serialize();
$.ajax({
url: "/Admin/CreateAndDownloadAlbum",
method: "POST",
data: data,
dataType: 'json',
success: function(result) {
// wait here for _percentage
// if not 100, call again to get new _percentage value
// if 100, update UI, move to next file being encoded
// if all encoding is complete, call SendFileDownload() in controller
}
});then the controller code
[HttpPost]
public void CreateAndDownloadAlbum(List<trackstodownload> trackIds, int productId)
{
_numTracksToDownload = trackIds.Count;
var product = _productRepository.GetProductById(productId);
var artist = _artistRepository.GetArtistById(product.ArtistId);
var folderGuid = Guid.NewGuid();
_zipFolder = string.Concat(artist.ArtistName.ToUpper().Replace(" ", "_"), "[", product.ProductName.ToUpper().Replace(" ", "_"), "].zip");
_mp3FolderPath = Server.MapPath("/Files/" + productId + "/" + folderGuid);
_zipDownloadPath = Server.MapPath("/Delivery/" + _zipFolder);
if (!Directory.Exists(Server.MapPath("/Files/" + productId + "/" + folderGuid)))
{
Directory.CreateDirectory(Server.MapPath("/Files/" + productId + "/" + folderGuid));
}
foreach (var z in trackIds)
{
var track = _trackRepository.GetTrackById(z.TrackId);
var process = new Process();
var startInfo = new ProcessStartInfo
{
WindowStyle = System.Diagnostics.ProcessWindowStyle.Hidden,
FileName = "F:\\Development\\ffmpeg\\ffmpeg.exe",
RedirectStandardOutput = true,
RedirectStandardError = true,
UseShellExecute = false
};
var startFile = Path.Combine("F:\\Development","Files", track.ProductId.ToString(), track.TrackFileName);
var endFile = Path.Combine("F:\\Development", "Files", track.ProductId.ToString(), folderGuid.ToString(), track.TrackFileName.Replace(".wav", ".mp3"));
startInfo.Arguments = "-i " + startFile + " -b:a 320k " + endFile + " -stats";
process.StartInfo = startInfo;
process.EnableRaisingEvents = true;
process.Exited += myProcess_exited;
process.OutputDataReceived += myProcess_OutputData;
process.ErrorDataReceived += myProcess_ErrorData;
try
{
process.Start();
process.BeginOutputReadLine();
process.BeginErrorReadLine();
if (process.HasExited == false)
{
process.WaitForExit();
}
}
catch (Exception)
{
throw;
}
}
SendFileDownload();
}
public ActionResult SendFileDownload()
{
// zip and move to delivery folder
using (var zip = new ZipFile())
{
zip.AddDirectory(_mp3FolderPath, _zipFolder);
zip.Save(_zipDownloadPath);
}
// delete items in temp guid folder
var downloadedMessageInfo = new DirectoryInfo(_mp3FolderPath);
foreach (var f in downloadedMessageInfo.GetFiles())
{
f.Delete();
}
// delete temp folder
Directory.Delete(_mp3FolderPath);
// download file
string file = _zipDownloadPath;
return File(file, "application/force-download", Path.GetFileName(file));
}
public void myProcess_exited(Object source, EventArgs e)
{
Debug.WriteLine("myProcess_exited ===================================");
_duration = new TimeSpan(0, 0, 0);
_frameTime = new TimeSpan(0, 0, 0);
_percentage = 0;
_numEncodedTracks++; // using this to tell me if all tracks have been encoded
}
public void myProcess_OutputData(object source, DataReceivedEventArgs e)
{
}
public void myProcess_ErrorData(object source, DataReceivedEventArgs e)
{
string strMessage = e.Data;
if (!string.IsNullOrEmpty(strMessage) && (strMessage.Contains("Duration: ") || strMessage.Contains("size=")))
{
if (_duration != null)
{
if (strMessage.Contains("Duration: "))
{
_strDuration = strMessage.Substring(strMessage.IndexOf("Duration: ") + ("Duration: ").Length,
("00:00:00.00").Length);
char[] d_delHrMn = new char[] { ':' };
string[] d_tempHrMn = _strDuration.Split(d_delHrMn, StringSplitOptions.RemoveEmptyEntries);
char[] d_delSec = new char[] { '.' };
string[] d_tempSec = d_tempHrMn[2].Split(d_delSec, StringSplitOptions.RemoveEmptyEntries);
var d_hour = d_tempHrMn[0] == "0" ? 0 : Convert.ToInt32(d_tempHrMn[0]);
var d_min = d_tempHrMn[1] == "0" ? 0 : Convert.ToInt32(d_tempHrMn[1]);
var d_sec = d_tempSec[0] == "0" ? 0 : Convert.ToInt32(d_tempSec[0]);
_duration = new TimeSpan(d_hour, d_min, d_sec);
}
}
if (strMessage.Contains("size="))
{
_strFrameTime = strMessage.Substring(strMessage.IndexOf("time=") + ("time=").Length,
("00:00:00.00").Length);
char[] f_delHrMn = new char[] { ':' };
string[] f_tempHrMn = _strFrameTime.Split(f_delHrMn, StringSplitOptions.RemoveEmptyEntries);
char[] f_delSec = new char[] { '.' };
string[] f_tempSec = f_tempHrMn[2].Split(f_delSec, StringSplitOptions.RemoveEmptyEntries);
var f_hour = f_tempHrMn[0] == "0" ? 0 : Convert.ToInt32(f_tempHrMn[0]);
var f_min = f_tempHrMn[1] == "0" ? 0 : Convert.ToInt32(f_tempHrMn[1]);
var f_sec = f_tempSec[0] == "0" ? 0 : Convert.ToInt32(f_tempSec[0]);
_frameTime = new TimeSpan(f_hour, f_min, f_sec);
}
if (_strDuration != "00:00:00.00" && _strFrameTime != "00:00:00.00" && _percentage < 100)
{
_percentage = _frameTime.TotalMilliseconds / _duration.TotalMilliseconds * 100;
Debug.WriteLine(_percentage + " || " + _frameTime + " " + _duration);
}
}
}
</trackstodownload>