elhacker.net cabecera Bienvenido(a), Visitante. Por favor Ingresar o Registrarse
¿Perdiste tu email de activación?.

 

 


Tema destacado: Únete al Grupo Steam elhacker.NET


  Mostrar Mensajes
Páginas: [1] 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 ... 1236
1  Media / Multimedia / Re: Unir video (mp4) + audio (mp4) "opus" en: 1 Mayo 2024, 05:53 am
Lo estoy haciendo con avidemux, pero para ello primero tengo que pasar online la pista de audio mp4 "opus" a mp3, y busco uno que lo haga todo directamente.

Como alternativa a FFMPEG, y solo en caso de que NO te resulte necesario preservar el formato de contenedor MP4:

Lo único que necesitas para combinar una pista de audio OPUS en un contenedor de video MP4, es MKVToolnix. Es tan sencillo como cargar el archivo de video, arrastrar el archivo de audio para añadirlo al contenedor, y darle al botón "Iniciar multiplexado" para generar el nuevo video de forma lossless. Eso sí, el formato del nuevo contenedor será Matroska (MKV).

 - https://mkvtoolnix.download/downloads.html#windows

Este procedimiento de multiplexado lo puedes automatizar mediante el uso de mkvmerge.exe por línea de comandos, en caso de que lo necesitases.

Un saludo.
2  Programación / .NET (C#, VB.NET, ASP) / Re: Librería de Snippets para VB.NET !! (Compartan aquí sus snippets) en: 27 Abril 2024, 03:03 am
Comparto un enfoque y uso alternativo al código que he publicado arriba. Este enfoque nos permite atribuir nombres específicos a una enumeración para mostrarlos en un property grid.

Modo de empleo:

Código
  1. Imports System.Componentmodel
  2.  
  3. <TypeConverter(GetType(EnumDescriptionConverter))>
  4. Public Enum TestEnum
  5.    <Description("My Upper Camel Case Name")> MyUpperCamelCaseName = 1
  6.    <Description("My Lower Camel Case Name")> myLowerCamelCaseName = 2
  7.    <Description("My Upper Snake Case Name")> My_Upper_Snake_Case_Name = 3
  8.    <Description("My lower snake case Name")> my_lower_snake_case_Name = 4
  9.    <Description("My Mixed value 123 QWERTY 456 wtf_")> MyMixed_value123_QWERTY456wtf_ = 5
  10.    <Description("Rare case STRANGE Name 123 aZ Az 456")> ___rare_case_STRANGE_Name___________123_aZ_Az_4_5_6_ = 6
  11. End Enum

Código
  1. <DefaultValue(TestEnum.MyUpperCamelCaseName)>
  2. Public Property Test As TestEnum = TestEnum.MyUpperCamelCaseName

El código:

Código
  1. Imports System.ComponentModel
  2. Imports System.Globalization
  3. Imports System.Reflection
  4.  
  5. Public NotInheritable Class EnumDescriptionConverter : Inherits EnumConverter
  6.  
  7. ''' <summary>
  8. ''' Initializes a new instance of the <see cref="EnumDescriptionConverter"/> class.
  9. ''' </summary>
  10. ''' <param name="type">A <see cref="T:System.Type" /> that represents the type of enumeration to associate with this enumeration converter.</param>
  11. Public Sub New(type As Type)
  12. MyBase.New(type)
  13. End Sub
  14.  
  15. ''' <summary>
  16. ''' Returns whether this converter can convert the object to the specified type, using the specified context.
  17. ''' </summary>
  18. '''
  19. ''' <param name="context">
  20. ''' An <see cref="ITypeDescriptorContext"/> that provides a format context.
  21. ''' </param>
  22. '''
  23. ''' <param name="destinationType">
  24. ''' A <see cref="Type"/> that represents the type you want to convert to.
  25. ''' </param>
  26. '''
  27. ''' <returns>
  28. ''' <see langword="True"/> if this converter can perform the conversion; otherwise, <see langword="False"/>.
  29. ''' </returns>
  30. Public Overrides Function CanConvertTo(context As ITypeDescriptorContext, destinationType As Type) As Boolean
  31.  
  32. Return destinationType Is GetType(String) OrElse
  33.   MyBase.CanConvertTo(context, destinationType)
  34.  
  35. End Function
  36.  
  37. ''' <summary>
  38. ''' Returns whether this converter can convert an object of the given type to the type of this converter,
  39. ''' using the specified context.
  40. ''' </summary>
  41. '''
  42. ''' <param name="context">
  43. ''' An <see cref="ITypeDescriptorContext"/> that provides a format context.
  44. ''' </param>
  45. '''
  46. ''' <param name="sourceType">
  47. ''' A <see cref="Type" /> that represents the type you want to convert from.
  48. ''' </param>
  49. '''
  50. ''' <returns>
  51. ''' <see langword="True"/> if this converter can perform the conversion; otherwise, <see langword="False"/>.
  52. ''' </returns>
  53. Public Overrides Function CanConvertFrom(context As ITypeDescriptorContext, sourceType As Type) As Boolean
  54.  
  55. Return sourceType Is GetType(String) OrElse
  56.   MyBase.CanConvertFrom(context, sourceType)
  57.  
  58. End Function
  59.  
  60. ''' <summary>
  61. ''' Converts the given value object to the specified type, using the specified context and culture information.
  62. ''' </summary>
  63. '''
  64. ''' <param name="context">
  65. ''' An <see cref="ITypeDescriptorContext"/> that provides a format context.
  66. ''' </param>
  67. '''
  68. ''' <param name="culture">
  69. ''' A <see cref="CultureInfo"/>. If null is passed, the current culture is assumed.
  70. ''' </param>
  71. '''
  72. ''' <param name="value">
  73. ''' The <see cref="Object"/> to convert.
  74. ''' </param>
  75. '''
  76. ''' <param name="destinationType">
  77. ''' The <see cref="Type"/> to convert the <paramref name="value"/> parameter to.
  78. ''' </param>
  79. '''
  80. ''' <returns>
  81. ''' An <see cref="Object"/> that represents the converted value.
  82. ''' </returns>
  83. <DebuggerStepThrough>
  84. Public Overrides Function ConvertTo(context As ITypeDescriptorContext, culture As CultureInfo, value As Object, destinationType As Type) As Object
  85.  
  86. Dim fi As FieldInfo = Me.EnumType.GetField([Enum].GetName(Me.EnumType, value))
  87. Dim dna As DescriptionAttribute = CType(Attribute.GetCustomAttribute(fi, GetType(DescriptionAttribute)), DescriptionAttribute)
  88. Return If(dna IsNot Nothing, dna.Description, value.ToString())
  89.  
  90. End Function
  91.  
  92. ''' <summary>
  93. ''' Converts the given object to the type of this converter, using the specified context and culture information.
  94. ''' </summary>
  95. '''
  96. ''' <param name="context">
  97. ''' An <see cref="ITypeDescriptorContext"/> that provides a format context.
  98. ''' </param>
  99. '''
  100. ''' <param name="culture">
  101. ''' The <see cref="CultureInfo"/> to use as the current culture.
  102. ''' </param>
  103. '''
  104. ''' <param name="value">
  105. ''' The <see cref="Object"/> to convert.
  106. ''' </param>
  107. '''
  108. ''' <returns>
  109. ''' An <see cref="Object"/> that represents the converted value.
  110. ''' </returns>
  111. <DebuggerStepThrough>
  112. Public Overrides Function ConvertFrom(context As ITypeDescriptorContext, culture As CultureInfo, value As Object) As Object
  113.  
  114. For Each fi As FieldInfo In Me.EnumType.GetFields()
  115. Dim dna As DescriptionAttribute = CType(Attribute.GetCustomAttribute(fi, GetType(DescriptionAttribute)), DescriptionAttribute)
  116. If (dna IsNot Nothing) AndAlso DirectCast(value, String) = dna.Description Then
  117. Return [Enum].Parse(Me.EnumType, fi.Name, ignoreCase:=False)
  118. End If
  119. Next fi
  120.  
  121. Return [Enum].Parse(Me.EnumType, DirectCast(value, String))
  122.  
  123. End Function
  124.  
  125. End Class
  126.  
3  Programación / .NET (C#, VB.NET, ASP) / Re: Librería de Snippets para VB.NET !! (Compartan aquí sus snippets) en: 27 Abril 2024, 01:20 am
Comparto otro type converter, para convertir los nombres de los valores de una Enum, a una representación amistosa para mostrarlos, por ejemplo, en un propertygrid.

Este convertidor está optimizado para nombres de enumeración escritos en upper/lower snake case y upper/lower camel case.

Las palabras se separan con un espacio en blanco convencional, y los guiones bajos se reemplazan por un espacio en blanco unicode.

Ejemplo de uso:

Código
  1. <TypeConverter(GetType(EnumNameFormatterConverter))>
  2. Public Enum TestEnum
  3.    MyUpperCamelCaseName
  4.    myLowerCamelCaseName
  5.    My_Upper_Snake_Case_Name
  6.    my_lower_snake_case_name
  7.  
  8.    MyMixed_value123_WTF456wtf_
  9.  
  10.    ___rare_case_STRANGE_Name___________123_aZ_Az_4_5_6_
  11. End Enum

Código
  1. <DefaultValue(TestEnum.MyUpperCamelCaseName)>
  2. Public Property Test As TestEnum = TestEnum.MyUpperCamelCaseName

Sin formato:


Con formato:




El código:

EnumNameFormatterConverter.vb
Código
  1. Imports System.ComponentModel
  2. Imports System.Globalization
  3. Imports System.Runtime.InteropServices
  4. Imports System.Text
  5.  
  6. ''' <summary>
  7. ''' Provides conversion functionality between the value names of an <see cref="[Enum]"/> to a friendly string representation.
  8. ''' <para></para>
  9. ''' This converter is optimized for enum names written in either upper/lower snake case or upper/lower camel case:
  10. ''' <list type="bullet">
  11. '''     <item><description>Snake case: Each word is separated by underscores (e.g.: "My_Value").</description></item>
  12. '''     <item><description>Camel case: Each word is separated by a capitalized letter (e.g.: "MyValue").</description></item>
  13. ''' </list>
  14. ''' </summary>
  15. Public NotInheritable Class EnumNameFormatterConverter : Inherits EnumConverter
  16.  
  17.    ''' <summary>
  18.    ''' Initializes a new instance of the <see cref="EnumNameFormatterConverter"/> class.
  19.    ''' </summary>
  20.    ''' <param name="type">A <see cref="T:System.Type" /> that represents the type of enumeration to associate with this enumeration converter.</param>
  21.    Public Sub New(type As Type)
  22.        MyBase.New(type)
  23.    End Sub
  24.  
  25.    ''' <summary>
  26.    ''' Returns whether this converter can convert an object of the given type to the type of this converter,
  27.    ''' using the specified context.
  28.    ''' </summary>
  29.    '''
  30.    ''' <param name="context">
  31.    ''' An <see cref="ITypeDescriptorContext"/> that provides a format context.
  32.    ''' </param>
  33.    '''
  34.    ''' <param name="sourceType">
  35.    ''' A <see cref="Type" /> that represents the type you want to convert from.
  36.    ''' </param>
  37.    '''
  38.    ''' <returns>
  39.    ''' <see langword="True"/> if this converter can perform the conversion; otherwise, <see langword="False"/>.
  40.    ''' </returns>
  41.    Public Overrides Function CanConvertFrom(context As ITypeDescriptorContext, sourceType As Type) As Boolean
  42.  
  43.        Return sourceType Is GetType(String) OrElse
  44.               MyBase.CanConvertFrom(context, sourceType)
  45.  
  46.    End Function
  47.  
  48.    ''' <summary>
  49.    ''' Returns whether this converter can convert the object to the specified type, using the specified context.
  50.    ''' </summary>
  51.    '''
  52.    ''' <param name="context">
  53.    ''' An <see cref="ITypeDescriptorContext"/> that provides a format context.
  54.    ''' </param>
  55.    '''
  56.    ''' <param name="destinationType">
  57.    ''' A <see cref="Type"/> that represents the type you want to convert to.
  58.    ''' </param>
  59.    '''
  60.    ''' <returns>
  61.    ''' <see langword="True"/> if this converter can perform the conversion; otherwise, <see langword="False"/>.
  62.    ''' </returns>
  63.    Public Overrides Function CanConvertTo(context As ITypeDescriptorContext, destinationType As Type) As Boolean
  64.  
  65.        Return destinationType Is GetType(String) OrElse
  66.               MyBase.CanConvertTo(context, destinationType)
  67.  
  68.    End Function
  69.  
  70.    ''' <summary>
  71.    ''' Converts the given object to the type of this converter, using the specified context and culture information.
  72.    ''' </summary>
  73.    '''
  74.    ''' <param name="context">
  75.    ''' An <see cref="ITypeDescriptorContext"/> that provides a format context.
  76.    ''' </param>
  77.    '''
  78.    ''' <param name="culture">
  79.    ''' The <see cref="CultureInfo"/> to use as the current culture.
  80.    ''' </param>
  81.    '''
  82.    ''' <param name="value">
  83.    ''' The <see cref="Object"/> to convert.
  84.    ''' </param>
  85.    '''
  86.    ''' <returns>
  87.    ''' An <see cref="Object"/> that represents the converted value.
  88.    ''' </returns>
  89.    <DebuggerStepThrough>
  90.    Public Overrides Function ConvertFrom(context As ITypeDescriptorContext, culture As CultureInfo, value As Object) As Object
  91.  
  92.        If TypeOf value Is String Then
  93.            value = DirectCast(value, String).Replace(" ", "").Replace(Convert.ToChar(&H205F), "_"c)
  94.            Return [Enum].Parse(Me.EnumType, value, ignoreCase:=True)
  95.        End If
  96.  
  97.        Return MyBase.ConvertFrom(context, culture, value)
  98.  
  99.    End Function
  100.  
  101.    ''' <summary>
  102.    ''' Converts the given value object to the specified type, using the specified context and culture information.
  103.    ''' </summary>
  104.    '''
  105.    ''' <param name="context">
  106.    ''' An <see cref="ITypeDescriptorContext"/> that provides a format context.
  107.    ''' </param>
  108.    '''
  109.    ''' <param name="culture">
  110.    ''' A <see cref="CultureInfo"/>. If null is passed, the current culture is assumed.
  111.    ''' </param>
  112.    '''
  113.    ''' <param name="value">
  114.    ''' The <see cref="Object"/> to convert.
  115.    ''' </param>
  116.    '''
  117.    ''' <param name="destinationType">
  118.    ''' The <see cref="Type"/> to convert the <paramref name="value"/> parameter to.
  119.    ''' </param>
  120.    '''
  121.    ''' <returns>
  122.    ''' An <see cref="Object"/> that represents the converted value.
  123.    ''' </returns>
  124.    <DebuggerStepThrough>
  125.    Public Overrides Function ConvertTo(context As ITypeDescriptorContext, culture As CultureInfo, value As Object, destinationType As Type) As Object
  126.  
  127.        If destinationType = GetType(String) Then
  128.            Dim name As String = [Enum].GetName(value.GetType(), value)
  129.            If Not String.IsNullOrEmpty(name) Then
  130.                Return Me.FormatName(name)
  131.            End If
  132.        End If
  133.  
  134.        Return MyBase.ConvertTo(context, culture, value, destinationType)
  135.  
  136.    End Function
  137.  
  138.    ''' <summary>
  139.    ''' Formats the name of a <see cref="[Enum]"/> value to a friendly name.
  140.    ''' </summary>
  141.    '''
  142.    ''' <param name="name">
  143.    ''' <see cref="[Enum]"/> value name.
  144.    ''' </param>
  145.    '''
  146.    ''' <returns>
  147.    ''' The resulting friendly name.
  148.    ''' </returns>
  149.    <DebuggerStepThrough>
  150.    Private Function FormatName(name As String) As String
  151.        Dim sb As New StringBuilder()
  152.        Dim previousChar As Char
  153.        Dim previousCharIsWhiteSpace As Boolean
  154.        Dim previousCharIsUpperLetter As Boolean
  155.        Dim previousCharIsDigit As Boolean
  156.        Dim lastParsedCharIsUnderscore As Boolean
  157.        Dim firstCapitalizedLetterIsAdded As Boolean
  158.  
  159.        For i As Integer = 0 To name.Length - 1
  160.            Dim c As Char = name(i)
  161.            If i = 0 Then
  162.                If c.Equals("_"c) Then
  163.                    sb.Append(Convert.ToChar(Convert.ToChar(&H205F)))
  164.                    lastParsedCharIsUnderscore = True
  165.                Else
  166.                    sb.Append(Char.ToUpper(c))
  167.                    firstCapitalizedLetterIsAdded = True
  168.                End If
  169.                Continue For
  170.            End If
  171.  
  172.            previousChar = sb.Chars(sb.Length - 1)
  173.            previousCharIsWhiteSpace = previousChar.Equals(" "c) OrElse previousChar.Equals(Convert.ToChar(&H205F))
  174.            previousCharIsUpperLetter = Char.IsUpper(previousChar)
  175.            previousCharIsDigit = Char.IsDigit(previousChar)
  176.  
  177.            If Char.IsLetter(c) Then
  178.                If previousCharIsDigit AndAlso Not previousCharIsWhiteSpace Then
  179.                    sb.Append(" "c)
  180.                End If
  181.  
  182.                If Char.IsUpper(c) Then
  183.                    If previousCharIsUpperLetter Then
  184.                        sb.Append(c)
  185.                    ElseIf Not previousCharIsWhiteSpace Then
  186.                        sb.Append(" "c)
  187.                        sb.Append(c)
  188.                    Else
  189.                        sb.Append(c)
  190.                    End If
  191.                    firstCapitalizedLetterIsAdded = True
  192.  
  193.                Else
  194.                    If Not firstCapitalizedLetterIsAdded Then
  195.                        sb.Append(Char.ToUpper(c))
  196.                        firstCapitalizedLetterIsAdded = True
  197.                    Else
  198.                        sb.Append(c)
  199.                    End If
  200.  
  201.                End If
  202.  
  203.            ElseIf Char.IsDigit(c) Then
  204.                If Not previousCharIsDigit AndAlso Not previousCharIsWhiteSpace Then
  205.                    sb.Append(" "c)
  206.                End If
  207.                sb.Append(c)
  208.  
  209.            ElseIf c.Equals("_"c) Then
  210.                If lastParsedCharIsUnderscore OrElse Not previousCharIsWhiteSpace Then
  211.                    sb.Append(Convert.ToChar(&H205F)) ' Unicode white-space: "&#8195;"
  212.                    lastParsedCharIsUnderscore = True
  213.                End If
  214.  
  215.            Else
  216.                sb.Append(c)
  217.                lastParsedCharIsUnderscore = False
  218.  
  219.            End If
  220.  
  221.        Next i
  222.  
  223.        Return sb.ToString()
  224.    End Function
  225.  
  226. End Class
  227.  
4  Programación / .NET (C#, VB.NET, ASP) / Re: Librería de Snippets para VB.NET !! (Compartan aquí sus snippets) en: 26 Abril 2024, 18:38 pm
Comparto una forma que he ideado para automatizar la traducción, al idioma actual de la aplicación, los valores booleanos en un propertygrid (por ejemplo), mediante el uso clases de atributos.







El modo de empleo es muy sencillo:

Código
  1. public class TestClass
  2.  
  3. <LocalizableBoolean>
  4. <TypeConverter(GetType(LocalizableBooleanConverter))>
  5. Public Property FeatureEnabled As Boolean = True
  6.  
  7. end class

Código
  1. Me.PropertyGrid1.SelectedObject = new TestClass()

También se puede utilizar de esta forma alternativa para una representación arbitraria en los idiomas que se especifiquen mediante un string separado por comas (en este ejemplo, el español y el francés):

Código
  1. <LocalizableBoolean("es, fr", "ssssí!!, Oui!", "nope!, Non!")>
  2. <TypeConverter(GetType(LocalizableBooleanConverter))>
  3. Public Property FeatureEnabled As Boolean = True





El código:

LocalizedBoolean.vb
Código
  1. ''' <summary>
  2. ''' Represents localized strings for <see langword="True"/> and <see langword="False"/> <see cref="Boolean"/> values.
  3. ''' </summary>
  4. <DebuggerStepThrough>
  5. Public NotInheritable Class LocalizedBoolean
  6.  
  7.    ''' <summary>
  8.    ''' The <see cref="CultureInfo"/> that represents the region for
  9.    ''' the localized strings in <see cref="LocalizedBoolean.True"/>
  10.    ''' and <see cref="LocalizedBoolean.False"/> properties.
  11.    ''' </summary>
  12.    Public ReadOnly Property Culture As CultureInfo
  13.  
  14.    ''' <summary>
  15.    ''' The localized string representation for <see langword="True"/> <see cref="Boolean"/> value.
  16.    ''' </summary>
  17.    Public ReadOnly Property [True] As String
  18.  
  19.    ''' <summary>
  20.    ''' The localized string representation for <see langword="False"/> <see cref="Boolean"/> value.
  21.    ''' </summary>
  22.    Public ReadOnly Property [False] As String
  23.  
  24.    ''' <summary>
  25.    ''' Initializes a new instance of the <see cref="LocalizedBoolean"/> class.
  26.    ''' </summary>
  27.    '''
  28.    ''' <param name="culture">
  29.    ''' The <see cref="CultureInfo"/> that represents the region for the localized strings.
  30.    ''' </param>
  31.    '''
  32.    ''' <param name="trueString">
  33.    ''' The localized string representation for <see langword="True"/> <see cref="Boolean"/> value.
  34.    ''' </param>
  35.    '''
  36.    ''' <param name="falseString">
  37.    ''' The localized string representation for <see langword="False"/> <see cref="Boolean"/> value.
  38.    ''' </param>
  39.    Public Sub New(culture As CultureInfo, trueString As String, falseString As String)
  40.        If culture Is Nothing Then
  41.            Throw New ArgumentNullException(paramName:=NameOf(culture))
  42.        End If
  43.        If String.IsNullOrWhiteSpace(trueString) Then
  44.            Throw New ArgumentNullException(paramName:=NameOf(trueString))
  45.        End If
  46.        If String.IsNullOrWhiteSpace(falseString) Then
  47.            Throw New ArgumentNullException(paramName:=NameOf(falseString))
  48.        End If
  49.  
  50.        Me.Culture = culture
  51.        Me.True = trueString
  52.        Me.False = falseString
  53.    End Sub
  54.  
  55.    ''' <summary>
  56.    ''' Prevents a default instance of the <see cref="LocalizedBoolean"/> class from being created.
  57.    ''' </summary>
  58.    Private Sub New()
  59.    End Sub
  60.  
  61. End Class

LocalizableBooleanAttribute.vb
Código:
''' <summary>
''' Specifies that a <see cref="Boolean"/> property can display localized string representations
''' for <see langword="True"/> and <see langword="False"/> values.
''' </summary>
<AttributeUsage(AttributeTargets.Property, AllowMultiple:=False, Inherited:=True)>
<DebuggerStepThrough>
Public NotInheritable Class LocalizableBooleanAttribute : Inherits Attribute

    ''' <summary>
    ''' Gets the localized boolean representations.
    ''' <para></para>
    ''' The dictionary Key is the ISO 639-1 two-letter code for the language.
    ''' </summary>
    Public ReadOnly Property Localizations As Dictionary(Of String, LocalizedBoolean)

    ''' <summary>
    ''' Initializes a new instance of the <see cref="LocalizedBoolean"/> class.
    ''' </summary>
    Public Sub New()
        Me.Localizations = New Dictionary(Of String, LocalizedBoolean)(StringComparison.OrdinalIgnoreCase) From {
            {"af", New LocalizedBoolean(CultureInfo.GetCultureInfo("af"), "Ja", "Nee")}, ' Afrikaans
            {"am", New LocalizedBoolean(CultureInfo.GetCultureInfo("am"), "እወዳለሁ", "አይደለሁ")}, ' Amharic
            {"ar", New LocalizedBoolean(CultureInfo.GetCultureInfo("ar"), "نعم", "لا")}, ' Arabic
            {"az", New LocalizedBoolean(CultureInfo.GetCultureInfo("az"), "Bəli", "Xeyr")}, ' Azerbaijani
            {"be", New LocalizedBoolean(CultureInfo.GetCultureInfo("be"), "Так", "Не")}, ' Belarusian
            {"bg", New LocalizedBoolean(CultureInfo.GetCultureInfo("bg"), "Да", "Не")}, ' Bulgarian
            {"bn", New LocalizedBoolean(CultureInfo.GetCultureInfo("bn"), "হ্যাঁ", "না")}, ' Bengali
            {"ca", New LocalizedBoolean(CultureInfo.GetCultureInfo("ca"), "Sí", "No")}, ' Catalan
            {"cs", New LocalizedBoolean(CultureInfo.GetCultureInfo("cs"), "Ano", "Ne")}, ' Czech
            {"cy", New LocalizedBoolean(CultureInfo.GetCultureInfo("cy"), "Ie", "Na")}, ' Welsh
            {"da", New LocalizedBoolean(CultureInfo.GetCultureInfo("da"), "Ja", "Nej")}, ' Danish
            {"de", New LocalizedBoolean(CultureInfo.GetCultureInfo("de"), "Ja", "Nein")}, ' German
            {"el", New LocalizedBoolean(CultureInfo.GetCultureInfo("el"), "Ναι", "Όχι")}, ' Greek
            {"en", New LocalizedBoolean(CultureInfo.GetCultureInfo("en"), "Yes", "No")}, ' English
            {"es", New LocalizedBoolean(CultureInfo.GetCultureInfo("es"), "Sí", "No")}, ' Spanish
            {"et", New LocalizedBoolean(CultureInfo.GetCultureInfo("et"), "Jah", "Ei")}, ' Estonian
            {"eu", New LocalizedBoolean(CultureInfo.GetCultureInfo("eu"), "Bai", "Ez")}, ' Basque
            {"fa", New LocalizedBoolean(CultureInfo.GetCultureInfo("fa"), "بله", "خیر")}, ' Persian
            {"fi", New LocalizedBoolean(CultureInfo.GetCultureInfo("fi"), "Kyllä", "Ei")}, ' Finnish
            {"fr", New LocalizedBoolean(CultureInfo.GetCultureInfo("fr"), "Oui", "Non")}, ' French
            {"ga", New LocalizedBoolean(CultureInfo.GetCultureInfo("ga"), "Tá", "Níl")}, ' Irish
            {"gd", New LocalizedBoolean(CultureInfo.GetCultureInfo("gd"), "Tha", "Chan eil")}, ' Scottish Gaelic
            {"gl", New LocalizedBoolean(CultureInfo.GetCultureInfo("gl"), "Si", "Non")}, ' Galician
            {"gu", New LocalizedBoolean(CultureInfo.GetCultureInfo("gu"), "હા", "ના")}, ' Gujarati
            {"hi", New LocalizedBoolean(CultureInfo.GetCultureInfo("hi"), "हाँ", "नहीं")}, ' Hindi
            {"hr", New LocalizedBoolean(CultureInfo.GetCultureInfo("hr"), "Da", "Ne")}, ' Croatian
            {"ht", New LocalizedBoolean(CultureInfo.GetCultureInfo("ht"), "Wi", "Pa")}, ' Haitian Creole
            {"hu", New LocalizedBoolean(CultureInfo.GetCultureInfo("hu"), "Igen", "Nem")}, ' Hungarian
            {"id", New LocalizedBoolean(CultureInfo.GetCultureInfo("id"), "Ya", "Tidak")}, ' Indonesian
            {"ig", New LocalizedBoolean(CultureInfo.GetCultureInfo("ig"), "Ee", "Mba")}, ' Igbo
            {"is", New LocalizedBoolean(CultureInfo.GetCultureInfo("is"), "Já", "Nei")}, ' Icelandic
            {"it", New LocalizedBoolean(CultureInfo.GetCultureInfo("it"), "Sì", "No")}, ' Italian
            {"ja", New LocalizedBoolean(CultureInfo.GetCultureInfo("ja"), "はい", "いいえ")}, ' Japanese
            {"jv", New LocalizedBoolean(CultureInfo.GetCultureInfo("jv"), "Iya", "Ora")}, ' Javanese
            {"kk", New LocalizedBoolean(CultureInfo.GetCultureInfo("kk"), "Иә", "Жоқ")}, ' Kazakh
            {"km", New LocalizedBoolean(CultureInfo.GetCultureInfo("km"), "បាទ/ចាស", "ទេ")}, ' Khmer
            {"kn", New LocalizedBoolean(CultureInfo.GetCultureInfo("kn"), "ಹೌದು", "ಇಲ್ಲ")}, ' Kannada
            {"ko", New LocalizedBoolean(CultureInfo.GetCultureInfo("ko"), "예", "아니오")}, ' Korean
            {"ku", New LocalizedBoolean(CultureInfo.GetCultureInfo("ku"), "Belê", "Na")}, ' Kurdish (Kurmanji)
            {"ky", New LocalizedBoolean(CultureInfo.GetCultureInfo("ky"), "Ооба", "Жок")}, ' Kyrgyz
            {"la", New LocalizedBoolean(CultureInfo.GetCultureInfo("la"), "Ita", "Non")}, ' Latin
            {"lg", New LocalizedBoolean(CultureInfo.GetCultureInfo("lg"), "Yee", "Nedda")}, ' Luganda
            {"lt", New LocalizedBoolean(CultureInfo.GetCultureInfo("lt"), "Taip", "Ne")}, ' Lithuanian
            {"lv", New LocalizedBoolean(CultureInfo.GetCultureInfo("lv"), "Jā", "Nē")}, ' Latvian
            {"mg", New LocalizedBoolean(CultureInfo.GetCultureInfo("mg"), "Eny", "Tsia")}, ' Malagasy
            {"mi", New LocalizedBoolean(CultureInfo.GetCultureInfo("mi"), "Āe", "Kāo")}, ' Maori
            {"mk", New LocalizedBoolean(CultureInfo.GetCultureInfo("mk"), "Да", "Не")}, ' Macedonian
            {"ml", New LocalizedBoolean(CultureInfo.GetCultureInfo("ml"), "അതെ", "ഇല്ല")}, ' Malayalam
            {"mn", New LocalizedBoolean(CultureInfo.GetCultureInfo("mn"), "Тийм", "Үгүй")}, ' Mongolian
            {"mr", New LocalizedBoolean(CultureInfo.GetCultureInfo("mr"), "होय", "नाही")}, ' Marathi
            {"ms", New LocalizedBoolean(CultureInfo.GetCultureInfo("ms"), "Ya", "Tidak")}, ' Malay
            {"mt", New LocalizedBoolean(CultureInfo.GetCultureInfo("mt"), "Iva", "Le")}, ' Maltese
            {"my", New LocalizedBoolean(CultureInfo.GetCultureInfo("my"), "ဟုတ်ကဲ့", "မဟုတ်ဘူး")}, ' Burmese
            {"ne", New LocalizedBoolean(CultureInfo.GetCultureInfo("ne"), "हो", "होइन")}, ' Nepali
            {"nl", New LocalizedBoolean(CultureInfo.GetCultureInfo("nl"), "Ja", "Nee")}, ' Dutch
            {"no", New LocalizedBoolean(CultureInfo.GetCultureInfo("no"), "Ja", "Nei")}, ' Norwegian
            {"ny", New LocalizedBoolean(CultureInfo.GetCultureInfo("ny"), "Yewo", "Ayawo")}, ' Chichewa
            {"pa", New LocalizedBoolean(CultureInfo.GetCultureInfo("pa"), "ਹਾਂ", "ਨਹੀਂ")}, ' Punjabi
            {"pl", New LocalizedBoolean(CultureInfo.GetCultureInfo("pl"), "Tak", "Nie")}, ' Polish
            {"ps", New LocalizedBoolean(CultureInfo.GetCultureInfo("ps"), "هو", "نه")}, ' Pashto
            {"pt", New LocalizedBoolean(CultureInfo.GetCultureInfo("pt"), "Sim", "Não")}, ' Portuguese
            {"rm", New LocalizedBoolean(CultureInfo.GetCultureInfo("rm"), "Gia", "Betg")}, ' Romansh
            {"ro", New LocalizedBoolean(CultureInfo.GetCultureInfo("ro"), "Da", "Nu")}, ' Romanian
            {"ru", New LocalizedBoolean(CultureInfo.GetCultureInfo("ru"), "Да", "Нет")}, ' Russian
            {"sd", New LocalizedBoolean(CultureInfo.GetCultureInfo("sd"), "هاڻي", "نه")}, ' Sindhi
            {"si", New LocalizedBoolean(CultureInfo.GetCultureInfo("si"), "ඔව්", "නැත")}, ' Sinhala
            {"sk", New LocalizedBoolean(CultureInfo.GetCultureInfo("sk"), "Áno", "Nie")}, ' Slovak
            {"sl", New LocalizedBoolean(CultureInfo.GetCultureInfo("sl"), "Da", "Ne")}, ' Slovenian
            {"sm", New LocalizedBoolean(CultureInfo.GetCultureInfo("sm"), "Ioe", "Leai")}, ' Samoan
            {"sn", New LocalizedBoolean(CultureInfo.GetCultureInfo("sn"), "Yebo", "Cha")}, ' Shona
            {"so", New LocalizedBoolean(CultureInfo.GetCultureInfo("so"), "Haa", "Maya")}, ' Somali
            {"sq", New LocalizedBoolean(CultureInfo.GetCultureInfo("sq"), "Po", "Jo")}, ' Albanian
            {"sr", New LocalizedBoolean(CultureInfo.GetCultureInfo("sr"), "Да", "Не")}, ' Serbian (Cyrillic)
            {"su", New LocalizedBoolean(CultureInfo.GetCultureInfo("su"), "Iya", "Teu")}, ' Sundanese
            {"sv", New LocalizedBoolean(CultureInfo.GetCultureInfo("sv"), "Ja", "Nej")}, ' Swedish
            {"sw", New LocalizedBoolean(CultureInfo.GetCultureInfo("sw"), "Ndiyo", "Hapana")}, ' Swahili
            {"ta", New LocalizedBoolean(CultureInfo.GetCultureInfo("ta"), "ஆம்", "இல்லை")}, ' Tamil
            {"te", New LocalizedBoolean(CultureInfo.GetCultureInfo("te"), "అవును", "కాదు")}, ' Telugu
            {"tg", New LocalizedBoolean(CultureInfo.GetCultureInfo("tg"), "Ҳа", "Не")}, ' Tajik
            {"th", New LocalizedBoolean(CultureInfo.GetCultureInfo("th"), "ใช่", "ไม่")}, ' Thai
            {"ti", New LocalizedBoolean(CultureInfo.GetCultureInfo("ti"), "እወ", "አይወ")}, ' Tigrinya
            {"tk", New LocalizedBoolean(CultureInfo.GetCultureInfo("tk"), "Hawa", "Ýok")}, ' Turkmen
            {"to", New LocalizedBoolean(CultureInfo.GetCultureInfo("to"), "ʻIo", "ʻEa")}, ' Tongan
            {"tr", New LocalizedBoolean(CultureInfo.GetCultureInfo("tr"), "Evet", "Hayır")}, ' Turkish
            {"tt", New LocalizedBoolean(CultureInfo.GetCultureInfo("tt"), "Әйе", "Юк")}, ' Tatar
            {"ug", New LocalizedBoolean(CultureInfo.GetCultureInfo("ug"), "ھەئە", "ياق")}, ' Uighur
            {"uk", New LocalizedBoolean(CultureInfo.GetCultureInfo("uk"), "Так", "Ні")}, ' Ukrainian
            {"ur", New LocalizedBoolean(CultureInfo.GetCultureInfo("ur"), "جی ہاں", "نہیں")}, ' Urdu
            {"uz", New LocalizedBoolean(CultureInfo.GetCultureInfo("uz"), "Ha", "Yo'q")}, ' Uzbek
            {"vi", New LocalizedBoolean(CultureInfo.GetCultureInfo("vi"), "Có", "Không")}, ' Vietnamese
            {"xh", New LocalizedBoolean(CultureInfo.GetCultureInfo("xh"), "Ewe", "Hayi")}, ' Xhosa
            {"yi", New LocalizedBoolean(CultureInfo.GetCultureInfo("yi"), "יאָ", "ניי")}, ' Yiddish
            {"yo", New LocalizedBoolean(CultureInfo.GetCultureInfo("yo"), "Bẹẹni", "Bẹẹkoo")}, ' Yoruba
            {"zh", New LocalizedBoolean(CultureInfo.GetCultureInfo("zh"), "是", "不")}, ' Chinese (Simplified)
            {"zu", New LocalizedBoolean(CultureInfo.GetCultureInfo("zu"), "Yebo", "Cha")} ' Zulu
        }
    End Sub

    ''' <summary>
    ''' Initializes a new instance of the <see cref="LocalizedBoolean"/> class.
    ''' </summary>
    '''
    ''' <param name="cultureNames">
    ''' A comma-separated value of the ISO 639-1 two-letter code languages (e.g.: "en,es,fr").
    ''' </param>
    '''
    ''' <param name="trueStrings">
    ''' A comma-separated value of the localized string representation for "True" boolean value (e.g.: "Yes,Sí,Oui").
    ''' </param>
    '''
    ''' <param name="falseStrings">
    ''' A comma-separated value of the localized string representation for "False" boolean value (e.g.: "No,No,Non").
    ''' </param>
    Public Sub New(cultureNames As String, trueStrings As String, falseStrings As String)
        Me.New()

        If String.IsNullOrWhiteSpace(cultureNames) Then
            Throw New ArgumentNullException(paramName:=NameOf(cultureNames))
        End If
        If String.IsNullOrWhiteSpace(trueStrings) Then
            Throw New ArgumentNullException(paramName:=NameOf(trueStrings))
        End If
        If String.IsNullOrWhiteSpace(falseStrings) Then
            Throw New ArgumentNullException(paramName:=NameOf(falseStrings))
        End If

        Dim cultureNamesArray As String() = cultureNames.Split({","c}, StringSplitOptions.RemoveEmptyEntries)
        Dim trueStringsArray As String() = trueStrings.Split({","c}, StringSplitOptions.RemoveEmptyEntries)
        Dim falseStringsArray As String() = falseStrings.Split({","c}, StringSplitOptions.RemoveEmptyEntries)

        If cultureNamesArray.Length <> trueStringsArray.Length OrElse cultureNamesArray.Length <> falseStringsArray.Length Then
            Throw New InvalidOperationException("The comma-separated values must have the same amount of tokens.")
        End If

        For i As Integer = 0 To cultureNamesArray.Length - 1
            Dim cultureName As String = cultureNamesArray(i).Trim()
            Dim trueString As String = trueStringsArray(i).Trim()
            Dim falseString As String = falseStringsArray(i).Trim()

            If cultureName.Length <> 2 Then
                Throw New InvalidOperationException("The culture name must be a ISO 639-1 two-letter code.")
            End If

            Dim localizedBoolean As New LocalizedBoolean(CultureInfo.GetCultureInfo(cultureName), trueString, falseString)
            If Me.Localizations.ContainsKey(cultureName) Then
                Me.Localizations(cultureName) = localizedBoolean
            Else
                Me.Localizations.Add(cultureName, localizedBoolean)
            End If
        Next
    End Sub

End Class

LocalizableBooleanConverter.vb
Código
  1. ''' <summary>
  2. ''' Provides conversion functionality between Boolean values and localized strings representing "True" and "False" boolean values.
  3. ''' </summary>
  4. Public Class LocalizableBooleanConverter : Inherits TypeConverter
  5.  
  6.    ''' <summary>
  7.    ''' The localized string representation for "True" boolean value.
  8.    ''' </summary>
  9.    Private trueString As String = "Yes"
  10.  
  11.    ''' <summary>
  12.    ''' The localized string representation for "False" boolean value.
  13.    ''' </summary>
  14.    Private falseString As String = "No"
  15.  
  16.    ''' <summary>
  17.    ''' Returns whether this converter can convert an object of the given type to the type of this converter,
  18.    ''' using the specified context.
  19.    ''' </summary>
  20.    '''
  21.    ''' <param name="context">
  22.    ''' An <see cref="ITypeDescriptorContext"/> that provides a format context.
  23.    ''' </param>
  24.    '''
  25.    ''' <param name="sourceType">
  26.    ''' A <see cref="Type" /> that represents the type you want to convert from.
  27.    ''' </param>
  28.    '''
  29.    ''' <returns>
  30.    ''' <see langword="True"/> if this converter can perform the conversion; otherwise, <see langword="False"/>.
  31.    ''' </returns>
  32.    Public Overrides Function CanConvertFrom(context As ITypeDescriptorContext, sourceType As Type) As Boolean
  33.  
  34.        Return sourceType = GetType(String) OrElse MyBase.CanConvertFrom(context, sourceType)
  35.  
  36.    End Function
  37.  
  38.    ''' <summary>
  39.    ''' Returns whether this converter can convert the object to the specified type, using the specified context.
  40.    ''' </summary>
  41.    '''
  42.    ''' <param name="context">
  43.    ''' An <see cref="ITypeDescriptorContext"/> that provides a format context.
  44.    ''' </param>
  45.    '''
  46.    ''' <param name="destinationType">
  47.    ''' A <see cref="Type"/> that represents the type you want to convert to.
  48.    ''' </param>
  49.    '''
  50.    ''' <returns>
  51.    ''' <see langword="True"/> if this converter can perform the conversion; otherwise, <see langword="False"/>.
  52.    ''' </returns>
  53.    Public Overrides Function CanConvertTo(context As ITypeDescriptorContext, destinationType As Type) As Boolean
  54.  
  55.        Return destinationType = GetType(String) OrElse MyBase.CanConvertTo(context, destinationType)
  56.  
  57.    End Function
  58.  
  59.    ''' <summary>
  60.    ''' Converts the given object to the type of this converter, using the specified context and culture information.
  61.    ''' </summary>
  62.    '''
  63.    ''' <param name="context">
  64.    ''' An <see cref="ITypeDescriptorContext"/> that provides a format context.
  65.    ''' </param>
  66.    '''
  67.    ''' <param name="culture">
  68.    ''' The <see cref="CultureInfo"/> to use as the current culture.
  69.    ''' </param>
  70.    '''
  71.    ''' <param name="value">
  72.    ''' The <see cref="Object"/> to convert.
  73.    ''' </param>
  74.    '''
  75.    ''' <returns>
  76.    ''' An <see cref="Object"/> that represents the converted value.
  77.    ''' </returns>
  78.    <DebuggerStepperBoundary>
  79.    Public Overrides Function ConvertFrom(context As ITypeDescriptorContext, culture As Globalization.CultureInfo, value As Object) As Object
  80.  
  81.        If TypeOf value Is String Then
  82.            Dim stringValue As String = DirectCast(value, String)
  83.            If String.Equals(stringValue, Me.trueString, StringComparison.OrdinalIgnoreCase) Then
  84.                Return True
  85.            ElseIf String.Equals(stringValue, Me.FalseString, StringComparison.OrdinalIgnoreCase) Then
  86.                Return False
  87.            End If
  88.        End If
  89.  
  90.        Return MyBase.ConvertFrom(context, culture, value)
  91.  
  92.    End Function
  93.  
  94.    ''' <summary>
  95.    ''' Converts the given value object to the specified type, using the specified context and culture information.
  96.    ''' </summary>
  97.    '''
  98.    ''' <param name="context">
  99.    ''' An <see cref="ITypeDescriptorContext"/> that provides a format context.
  100.    ''' </param>
  101.    '''
  102.    ''' <param name="culture">
  103.    ''' A <see cref="CultureInfo"/>. If null is passed, the current culture is assumed.
  104.    ''' </param>
  105.    '''
  106.    ''' <param name="value">
  107.    ''' The <see cref="Object"/> to convert.
  108.    ''' </param>
  109.    '''
  110.    ''' <param name="destinationType">
  111.    ''' The <see cref="Type"/> to convert the <paramref name="value"/> parameter to.
  112.    ''' </param>
  113.    '''
  114.    ''' <returns>
  115.    ''' An <see cref="Object"/> that represents the converted value.
  116.    ''' </returns>
  117.    <DebuggerStepperBoundary>
  118.    Public Overrides Function ConvertTo(context As ITypeDescriptorContext, culture As Globalization.CultureInfo, value As Object, destinationType As Type) As Object
  119.  
  120.        If context IsNot Nothing Then
  121.            Dim attributes As IEnumerable(Of LocalizableBooleanAttribute) =
  122.                context.PropertyDescriptor.Attributes.OfType(Of LocalizableBooleanAttribute)
  123.  
  124.            For Each attr As LocalizableBooleanAttribute In attributes
  125.                Dim uiCulture As CultureInfo = My.Application.UICulture
  126.                Dim localizedBoolean As LocalizedBoolean = Nothing
  127.                If attr.Localizations.ContainsKey(uiCulture.TwoLetterISOLanguageName) Then
  128.                    localizedBoolean = attr.Localizations(uiCulture.TwoLetterISOLanguageName)
  129.                End If
  130.  
  131.                If localizedBoolean IsNot Nothing Then
  132.                    Me.trueString = localizedBoolean.True
  133.                    Me.falseString = localizedBoolean.False
  134.                End If
  135.            Next
  136.        End If
  137.  
  138.        If destinationType = GetType(String) Then
  139.            If TypeOf value Is Boolean Then
  140.                Dim boolValue As Boolean = value
  141.                Return If(boolValue, Me.trueString, Me.falseString)
  142.            End If
  143.        End If
  144.  
  145.        Return MyBase.ConvertTo(context, culture, value, destinationType)
  146.  
  147.    End Function
  148.  
  149.    ''' <summary>
  150.    ''' Returns a collection of standard values for the data type this type converter is designed for when provided with a format context.
  151.    ''' </summary>
  152.    '''
  153.    ''' <param name="context">
  154.    ''' An <see cref="ITypeDescriptorContext"/> that provides a format context that can be used to
  155.    ''' extract additional information about the environment from which this converter is invoked.
  156.    ''' <para></para>
  157.    ''' This parameter or properties of this parameter can be null.
  158.    ''' </param>
  159.    '''
  160.    ''' <returns>
  161.    ''' A <see cref="StandardValuesCollection"/> that holds a standard set of valid values,
  162.    ''' or <see langword="null" /> if the data type does not support a standard set of values.
  163.    ''' </returns>
  164.    Public Overrides Function GetStandardValues(context As ITypeDescriptorContext) As StandardValuesCollection
  165.  
  166.        Return New StandardValuesCollection(New Boolean() {True, False})
  167.  
  168.    End Function
  169.  
  170.    ''' <summary>
  171.    ''' Returns whether this object supports a standard set of values that can be picked from a list, using the specified context.
  172.    ''' </summary>
  173.    '''
  174.    ''' <param name="context">
  175.    ''' An <see cref="ITypeDescriptorContext" /> that provides a format context.
  176.    ''' </param>
  177.    '''
  178.    ''' <returns>
  179.    ''' <see langword="True"/> if <see cref="TypeConverter.GetStandardValues"/> should be called to
  180.    ''' find a common set of values the object supports; otherwise, <see langword="False"/>.
  181.    ''' </returns>
  182.    Public Overrides Function GetStandardValuesSupported(context As ITypeDescriptorContext) As Boolean
  183.  
  184.        Return True
  185.  
  186.    End Function
  187.  
  188. End Class

NOTA: El diccionario con los idiomas y sus equivalentes para "Sí" y "No", lo ha generado ChatGPT. Puede haber fallos en las traducciones, o en los códigos ISO 639-1 de dos letras. Además, faltaría añadir muchos más idiomas: https://en.wikipedia.org/wiki/List_of_ISO_639_language_codes
5  Media / Multimedia / Re: Busco: Programa para editar (cortar/pegar) un archivo de audio AC-3 sin volver a codificarlo en: 25 Abril 2024, 01:52 am
Elektro, hecha un vistazo a este post:

Manual para sacar y editar AC3 5.1
https://www.foroseldoblaje.com/foro/viewtopic.php?t=4052

No es lo que estoy buscando, Daniel, pero gracias una vez más por ayudar.



Elektro creo que tengo lo que buscas, osea un programa que trabaje con ac3 sin recodificar. Al menos cortar corta por que lo e probado yo mismo. Las demás funciones tendrás que comprobarlo tu. Se trata del Shutter Encoder, y puedes bajarlo de aquí:
https://www.shutterencoder.com
Suerte y saludos...

Songoku


Pues.... ¡oye!, se hace algo tediosa de manejar, tan en pequeñito y escondido todo, pero lo cierto es que la función de cortar (que no es la que se llama "cortar", sino "eliminar") funciona perfectamente para cortar un segmento y preservar todo lo demás del lado izquierdo y derecho del segmento cortado, sin recodificar. Lo he probado con un audio AC-3 de 2, y 6 canales.

Si el programa tuviese una función adicional para añadir un silencio en un punto específico, eso ya sería maravilloso, pero creo que esa funcionalidad no está implementada.

Lo bueno es que es open-source y el proyecto parece bastante activo, así que... preguntaré a ver si el autor puede añadir esa función en el futuro.

Yo soy muy exigente (intento buscar el perfeccionismo), pero también soy realista, y con lo difícil que es encontrar un programa que cumpla con una o varias de estas funcionalidades... creo que por ahora no se le puede pedir más. Cortar era lo principal.

Al final lo lograste, Songoku, ¡MUCHAS GRACIAS!.
6  Media / Multimedia / Re: Busco: Programa para editar (cortar/pegar) un archivo de audio AC-3 sin volver a codificarlo en: 22 Abril 2024, 17:43 pm
Hola, algo que se me ocurrió de probar es convertir el audio AC-3 a mp3, hacer la edición con mp3DirectCut y volver a convertirlo a AC-3.

Como ya te han sugerido, Audacity es bastante bueno para eso.

Tengo las herramientas para llevar a cabo ese procedimiento, pero quiero evitarlo.

Cualquier procedimiento que implique convertir/recodificar el audio original AC-3 a otro formato compatible con el editor de audio en cuestión, no me sirve.

Además, si el audio AC-3 es 5.1, los canales adicionales se pierden (se unen) en la conversión a MP3 estéreo (2 canales).



eso de poder cortar un trozo es posible hacerlo sin recodificar siempre que lo que cortes y pegues sea del mismo archivo, pero si pretendes como me a parecido entender

En realidad yo lo que pretendo es hacer cortes y pegar segmentos del mismo audio que esté editando en ese momento; no tengo intención de hacer nada que no se haría con un MP3 en el programa "mp3DirectCut".



dependiendo de lo que quieras hacer no va a quedar mas remedio que recodificar, no es cuestión de un software u otro.

La recodificación es obligatoria, siempre que cortes o añadas a la línea de tiempo.

No quiero parecer cabezota, y os agradezco la ayuda a los cuatro, pero estoy convencido de que la recodificación no es obligatoria...

Simplemente tenemos esa percepción de obligatoriedad, por que no hemos descubierto un software que nos permita, de forma tan versátil y guiada como "mp3DirectCut", trabajar directamente sobre archivos AC-3. Quizás simplemente es que todavía nadie ha desarrollado un software así, o quizás sí, pero sea muy poco conocido y por ende difícil de hallar.

Pero en mi anterior comentario mencioné un programa por nombre "DelayCut" que se acerca algo... se acerca bastante, y cumple con el requisito de trabajar directamente (de forma lossless) sobre el archivo AC-3, aunque la forma en que se presenta la interfaz de usuario deja muchísimo que desear, sin un visualizador de ondas para reproducir el audio y permitir seleccionar un segmento que cortar (o insertar un silencio o pegar) no sirve de mucho para ciertas tareas de edición de audio, la verdad.

Antes de darme por vencido necesito seguir buscando, manteniendo la esperanza en encontrar este tipo de programa.

Gracias de nuevo.
7  Media / Multimedia / Re: Busco: Programa para editar (cortar/pegar) un archivo de audio AC-3 sin volver a codificarlo en: 22 Abril 2024, 00:32 am
da igual si sea en ac3 o en el formato que sea, osea algunas actuaciones requieren recodificación, y eso vale para CUALQUIER programa.

En realidad, Songoku, hay editores de audio, como por ejemplo mp3DirectCut, que sirve para realizar cortes, pegar, añadir silencios, hacer fade-in/fade-out entre otras cosas, y con soporte directo para los formatos MP3, MP2 y AAC, pues este programa, entre otros, es capaz de realizar todas estas ediciones directamente sobre el archivo, o también se puede guardar a un nuevo archivo, creando el archivo sin recodificación de la pista de audio editada.

Pero vamos tampoco le veo el problema.

Con Audacity (por mencionar uno de tantos editores de audio), al requerir recodificar, se pierde calidad. La pérdida en la calidad de audio puede ser mínima / ínfima / imperceptible si se codifica usando el mismo codec, mismo bitrate y los parámetros de calidad adecuados, pero siempre se va a perder una cantidad mínima, que aunque sea imperceptible, pues se pierde, y yo quiero intentar evitarlo.

En cambio, con un editor de audio que no necesitase recodificar (como mp3DirectCut), se garantiza que la calidad de audio se mantenga intacta, sin perder ni una "milésima" de calidad por imperceptible que fuese. Esto es lo que se denomina "LOSSLESS" (edición sin pérdidas) y es el tipo de edición que busco, pero para formato AC-3.

Otra opción pero de pago sería el MAGIX Sound Forge Audio Studio. Se supone que lo que no haga ese programa no lo podrá hacer nadie. Pero vamos como ya digo los milagros no existen y ciertas cosas son imposibles para cualquier programa.
Saludos...

Ni el Sound Forge ni el Vegas permiten editar de forma lossless.

Lo que busco es complicado, pero no imposible.

Mira, un programa que se acerca a lo que busco es DelayCut (https://www.videohelp.com/software/delaycut) capaz de añadir silencios a pistas AC-3 de forma lossless. El programa tiene una función para hacer cortes, pero... esa función de cortar no sirve para realizar cortes de un segmento específico en el audio (digamos, por ejemplo, que no sirve para hacer un corte desde el segundo 10, hasta el segundo 11, dejando intacto el audio anterior al segundo 10 y el audio posterior al segundo 11), o al menos yo no lo he sabido utilizar de esa forma, y además es que la interfaz gráfica... no hay visualizador de ondas, por lo que se ha de introducir manualmente los códigos de tiempo... ni siquiera eso, no se pueden introducir códigos de tiempo para hacerlo algo más fácil, sino que hay que introducir valores en milisegundos (o en otros formatos, pero valores en general que no son códigos de tiempo). Esto son cosas que puedo hacer perfectamente con otros programas command-line (ej. FFMPEG) y de forma mucho menos tediosa. No es lo que busco.

Gracias igualmente, seguiré buscando!
8  Media / Multimedia / Re: Busco: Programa para editar (cortar/pegar) un archivo de audio AC-3 sin volver a codificarlo en: 21 Abril 2024, 20:19 pm

Conocía esa opción, lamentablemente Audacity requiere recodificar el audio AC-3 para aplicar los cambios realizados al proyecto.

Gracias igualmente!
9  Media / Multimedia / Busco: Programa para editar (cortar/pegar) un archivo de audio AC-3 sin volver a codificarlo en: 21 Abril 2024, 18:11 pm
Me gustaría descubrir un programa para Windows, con una interfaz gráfica de usuario, que sea capaz de cargar un archivo de audio AC-3 para cortar (y pegar) en algunos puntos del stream de audio, sin volver a codificar el audio.

Cuando pienso en este tipo de aplicación, lo ideal sería que tuviera similitud con la interfaz de usuario de mp3DirectCut (https://mpesch3.de/):

  

Requisitos:
-----------

  - Freeware (de código abierto o no, no importa) o Freemium (parcialmente gratuito con funciones premium deshabilitadas).
  - Funciona en Windows 10 (x64).
  - Con interfaz gráfica de usuario (GUI) donde puedes seleccionar un rango, por lo que no necesitas ingresar manualmente los códigos de tiempo para cortar.
  - Tiene un visualizador de flujo de audio (o "visualizador de ondas"), como en la captura de pantalla anterior.
  - Puede reproducir el audio, cortarlo en cualquier punto y pegar un silencio en cualquier punto.
  - Edición sin pérdidas, "lossless" (es decir, no requiere volver a codificar el archivo de audio).
  - Soporta estéreo o canales 5.1.

Nota: las sugerencias de software pago también son bienvenidas, si son económicas para uso privado (no soluciones corporativas que cuestan cientos o miles de euros).

Muchas gracias por su atención.
10  Programación / .NET (C#, VB.NET, ASP) / Re: Librería de Snippets para VB.NET !! (Compartan aquí sus snippets) en: 19 Abril 2024, 18:48 pm
El siguiente código es un módulo por nombre 'Wildcard' que representa un algoritmo de coincidencia de cadenas con uso de comodines * (wildcards). Sirve como alternativa al operador Like de VB.NET.

Ejemplo de uso:

Código
  1. Dim input As String = "Hello World!"
  2. Dim pattern As String = "*e*l*o *!"
  3.  
  4. Console.WriteLine($"{NameOf(Wildcard.IsMatch)} {Wildcard.IsMatch(input, pattern)}")

El código lo he extraído del código fuente de la aplicación "RomyView" escrita en C#:


Lo he convertido a VB.NET de forma automática, y lo comparto tal cual, sin modificaciones ni adiciones. Lo he probado con varias cadenas y combinaciones de patrones de comodines, y parece funcionar a la perfección.

Wildcard.vb
Código
  1. ''' <summary>The IsMatch function below was downloaded from:
  2. ''' <a href="https://www.c-sharpcorner.com/uploadfile/b81385/efficient-string-matching-algorithm-with-use-of-wildcard-characters/">
  3. ''' Efficient String Matching Algorithm with Use of Wildcard Characters</a></summary>
  4. Public Module Wildcard
  5. ''' <summary>Tests whether specified string can be matched against provided pattern string, where
  6. ''' the pattern string may contain wildcards as follows: ? to replace any single character, and *
  7. ''' to replace any string.</summary>
  8. ''' <param name="input">String which is matched against the pattern.</param>
  9. ''' <param name="pattern">Pattern against which string is matched.</param>
  10. ''' <returns>true if <paramref name="pattern"/> matches the string <paramref name="input"/>; otherwise false.</returns>
  11. Public Function IsMatch(input As String, pattern As String) As Boolean
  12. Return IsMatch(input, pattern, "?"c, "*"c)
  13. End Function
  14.  
  15. ''' <summary>Tests whether specified string can be matched against provided pattern string.
  16. ''' Pattern may contain single- and multiple-replacing wildcard characters.</summary>
  17. ''' <param name="input">String which is matched against the pattern.</param>
  18. ''' <param name="pattern">Pattern against which string is matched.</param>
  19. ''' <param name="singleWildcard">Character which can be used to replace any single character in input string.</param>
  20. ''' <param name="multipleWildcard">Character which can be used to replace zero or more characters in input string.</param>
  21. ''' <returns>true if <paramref name="pattern"/> matches the string <paramref name="input"/>; otherwise false.</returns>
  22. Public Function IsMatch(input As String, pattern As String, singleWildcard As Char, multipleWildcard As Char) As Boolean
  23. Dim inputPosStack(((input.Length + 1) * (pattern.Length + 1)) - 1) As Integer ' Stack containing input positions that should be tested for further matching
  24. Dim patternPosStack(inputPosStack.Length - 1) As Integer ' Stack containing pattern positions that should be tested for further matching
  25. Dim stackPos As Integer = -1 ' Points to last occupied entry in stack; -1 indicates that stack is empty
  26. Dim pointTested()() As Boolean = {
  27. New Boolean(input.Length) {},
  28. New Boolean(pattern.Length) {}
  29. }
  30.  
  31. Dim inputPos As Integer = 0 ' Position in input matched up to the first multiple wildcard in pattern
  32. Dim patternPos As Integer = 0 ' Position in pattern matched up to the first multiple wildcard in pattern
  33.  
  34. ' Match beginning of the string until first multiple wildcard in pattern
  35. Do While inputPos < input.Length AndAlso patternPos < pattern.Length AndAlso pattern.Chars(patternPos) <> multipleWildcard AndAlso (input.Chars(inputPos) = pattern.Chars(patternPos) OrElse pattern.Chars(patternPos) = singleWildcard)
  36. inputPos += 1
  37. patternPos += 1
  38. Loop
  39.  
  40. ' Push this position to stack if it points to end of pattern or to a general wildcard
  41. If patternPos = pattern.Length OrElse pattern.Chars(patternPos) = multipleWildcard Then
  42. pointTested(0)(inputPos) = True
  43. pointTested(1)(patternPos) = True
  44.  
  45. stackPos += 1
  46. inputPosStack(stackPos) = inputPos
  47. patternPosStack(stackPos) = patternPos
  48. End If
  49. Dim matched As Boolean = False
  50.  
  51. ' Repeat matching until either string is matched against the pattern or no more parts remain on stack to test
  52. Do While stackPos >= 0 AndAlso Not matched
  53. inputPos = inputPosStack(stackPos) ' Pop input and pattern positions from stack
  54. patternPos = patternPosStack(stackPos) ' Matching will succeed if rest of the input string matches rest of the pattern
  55. stackPos -= 1
  56.  
  57. If inputPos = input.Length AndAlso patternPos = pattern.Length Then
  58. matched = True ' Reached end of both pattern and input string, hence matching is successful
  59. Else
  60. ' First character in next pattern block is guaranteed to be multiple wildcard
  61. ' So skip it and search for all matches in value string until next multiple wildcard character is reached in pattern
  62.  
  63. For curInputStart As Integer = inputPos To input.Length - 1
  64. Dim curInputPos As Integer = curInputStart
  65. Dim curPatternPos As Integer = patternPos + 1
  66.  
  67. If curPatternPos = pattern.Length Then ' Pattern ends with multiple wildcard, hence rest of the input string is matched with that character
  68. curInputPos = input.Length
  69. Else
  70. Do While curInputPos < input.Length AndAlso curPatternPos < pattern.Length AndAlso pattern.Chars(curPatternPos) <> multipleWildcard AndAlso (input.Chars(curInputPos) = pattern.Chars(curPatternPos) OrElse pattern.Chars(curPatternPos) = singleWildcard)
  71. curInputPos += 1
  72. curPatternPos += 1
  73. Loop
  74. End If
  75.  
  76. ' If we have reached next multiple wildcard character in pattern without breaking the matching sequence, then we have another candidate for full match
  77. ' This candidate should be pushed to stack for further processing
  78. ' At the same time, pair (input position, pattern position) will be marked as tested, so that it will not be pushed to stack later again
  79. If ((curPatternPos = pattern.Length AndAlso curInputPos = input.Length) OrElse (curPatternPos < pattern.Length AndAlso pattern.Chars(curPatternPos) = multipleWildcard)) AndAlso Not pointTested(0)(curInputPos) AndAlso Not pointTested(1)(curPatternPos) Then
  80. pointTested(0)(curInputPos) = True
  81. pointTested(1)(curPatternPos) = True
  82.  
  83. stackPos += 1
  84. inputPosStack(stackPos) = curInputPos
  85. patternPosStack(stackPos) = curPatternPos
  86. End If
  87. Next curInputStart
  88. End If
  89. Loop
  90.  
  91. Return matched
  92. End Function
  93. End Module
Páginas: [1] 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 ... 1236
WAP2 - Aviso Legal - Powered by SMF 1.1.21 | SMF © 2006-2008, Simple Machines