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


Tema destacado: (TUTORIAL) Aprende a emular Sentinel Dongle By Yapis


  Mostrar Mensajes
Páginas: 1 ... 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 [580] 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 ... 1253
5791  Programación / .NET (C#, VB.NET, ASP) / Re: Limpiar programa en: 20 Marzo 2015, 17:26 pm
"resultss3' no es un miembro de 'WindowsApplication1.Form1'.

Por qué resultss3 no es pública, es un miembro inaccesible ya que la declaras DENTRO de un Sub y su tiempo de vida es solo ese.

Resetea las que declares FUERA de los Subs.

Saludos!
5792  Programación / .NET (C#, VB.NET, ASP) / Re: Limpiar programa en: 20 Marzo 2015, 16:39 pm
Es lo que ocurre cuando tienes 100 membros en un mismo código con nombres casi identicos, te lo he dicho mil veces, tanto "resultsss" es un completo lio :-/

Tienes que hacerlo cómo lo estás haciendo, solo que debes fijarte mejor para añadir los controles que falten ya que supuestamente te estás olvidando de limpiar algún control, y por si acaso te diría que añadieses también los objetos públicos que hayas inicializado fuera de los Subs para resetear sus valores.

Ejemplo:
Código
  1.    Private Sub Button2_Click_1(ByVal sender As Object, ByVal e As EventArgs) _
  2.    Handles Button2.Click
  3.  
  4.        Me.CleanUp()
  5.  
  6.    End Sub
  7.  
  8.    Private Sub CleanUp()
  9.  
  10.        ' Tus famosos results y otras variables públicas, cómo se llamen:
  11.        Me.Resultss1 = Nothing
  12.        Me.Resultss2 = Nothing
  13.        Me.Resultss3 = Nothing
  14.        Me.VariableInteger = 0
  15.        'etc...
  16.  
  17.        ' Tus controles:
  18.        For Each tb As TextBox In Me.Controls.OfType(Of TextBox)()
  19.            tb.Clear()
  20.        Next tb
  21.        For Each gb As GroupBox In Me.Controls.OfType(Of GroupBox)()
  22.            For Each tb As TextBox In gb.Controls
  23.                tb.Clear()
  24.            Next
  25.        Next gb
  26.        Me.ListBox1.Items.Clear()
  27.        Me.ListBox2.Items.Clear()
  28.        Me.ListBox3.Items.Clear()
  29.        Me.ListBox7.Items.Clear()
  30.  
  31.    End Sub

Poco más se puede hacer por ayudarte en eso, debes revisarlo tú :P
5793  Programación / .NET (C#, VB.NET, ASP) / Re: Librería de Snippets !! (Compartan aquí sus snippets) en: 20 Marzo 2015, 00:24 am
Aquí les dejo un (casi)completo set de utilidades para manejar el registro de windows desde una aplicación .Net, tiene todo tipo de funcionalidades.

Ejemplos de uso:
Código
  1. ----------------
  2. Set RegInfo Instance
  3. ----------------
  4.  
  5.    Dim regInfo As New RegEdit.RegInfo
  6.    With regInfo
  7.        .RootKeyName = "HKCU"
  8.        .SubKeyPath = "Subkey Path"
  9.        .ValueName = "Value Name"
  10.        .ValueType = Microsoft.Win32.RegistryValueKind.String
  11.        .ValueData = "Hello World!"
  12.    End With
  13.  
  14.    Dim regInfoByte As New RegEdit.RegInfo(Of Byte())
  15.    With regInfoByte
  16.        .RootKeyName = "HKCU"
  17.        .SubKeyPath = "Subkey Path"
  18.        .ValueName = "Value Name"
  19.        .ValueType = Microsoft.Win32.RegistryValueKind.Binary
  20.        .ValueData = System.Text.Encoding.ASCII.GetBytes("Hello World!")
  21.    End With
  22.  
  23. ----------------
  24. Create SubKey
  25. ----------------
  26.  
  27.    RegEdit.CreateSubKey(fullKeyPath:="HKCU\Subkey Path\")
  28.    RegEdit.CreateSubKey(rootKeyName:="HKCU",
  29.                         subKeyPath:="Subkey Path")
  30.    RegEdit.CreateSubKey(regInfo:=regInfoByte)
  31.  
  32.    Dim regKey1 As Microsoft.Win32.RegistryKey =
  33.        RegEdit.CreateSubKey(fullKeyPath:="HKCU\Subkey Path\",
  34.                             registryKeyPermissionCheck:=Microsoft.Win32.RegistryKeyPermissionCheck.Default,
  35.                             registryOptions:=Microsoft.Win32.RegistryOptions.None)
  36.  
  37.    Dim regKey2 As Microsoft.Win32.RegistryKey =
  38.        RegEdit.CreateSubKey(rootKeyName:="HKCU",
  39.                             subKeyPath:="Subkey Path",
  40.                             registryKeyPermissionCheck:=Microsoft.Win32.RegistryKeyPermissionCheck.Default,
  41.                             registryOptions:=Microsoft.Win32.RegistryOptions.None)
  42.  
  43.    Dim regInfo2 As RegEdit.RegInfo(Of String) = RegEdit.CreateSubKey(Of String)(fullKeyPath:="HKCU\Subkey Path\")
  44.    Dim regInfo3 As RegEdit.RegInfo(Of String) = RegEdit.CreateSubKey(Of String)(rootKeyName:="HKCU",
  45.                                                                                 subKeyPath:="Subkey Path")
  46.  
  47. ----------------
  48. Create Value
  49. ----------------
  50.  
  51.    RegEdit.CreateValue(fullKeyPath:="HKCU\Subkey Path\",
  52.                        valueName:="Value Name",
  53.                        valueData:="Value Data",
  54.                        valueType:=Microsoft.Win32.RegistryValueKind.String)
  55.  
  56.    RegEdit.CreateValue(rootKeyName:="HKCU",
  57.                        subKeyPath:="Subkey Path",
  58.                        valueName:="Value Name",
  59.                        valueData:="Value Data",
  60.                        valueType:=Microsoft.Win32.RegistryValueKind.String)
  61.  
  62.    RegEdit.CreateValue(regInfo:=regInfoByte)
  63.  
  64.    RegEdit.CreateValue(Of String)(fullKeyPath:="HKCU\Subkey Path\",
  65.                                   valueName:="Value Name",
  66.                                   valueData:="Value Data",
  67.                                   valueType:=Microsoft.Win32.RegistryValueKind.String)
  68.  
  69.    RegEdit.CreateValue(Of String)(rootKeyName:="HKCU",
  70.                                   subKeyPath:="Subkey Path",
  71.                                   valueName:="Value Name",
  72.                                   valueData:="Value Data",
  73.                                   valueType:=Microsoft.Win32.RegistryValueKind.String)
  74.  
  75.    RegEdit.CreateValue(Of Byte())(regInfo:=regInfoByte)
  76.  
  77. ----------------
  78. Copy KeyTree
  79. ----------------
  80.  
  81.    RegEdit.CopyKeyTree(sourceFullKeyPath:="HKCU\Source Subkey Path\",
  82.                        targetFullKeyPath:="HKCU\Target Subkey Path\")
  83.  
  84.    RegEdit.CopyKeyTree(sourceRootKeyName:="HKCU",
  85.                        sourceSubKeyPath:="Source Subkey Path\",
  86.                        targetRootKeyName:="HKCU",
  87.                        targetSubKeyPath:="Target Subkey Path\")
  88.  
  89. ----------------
  90. Move KeyTree
  91. ----------------
  92.  
  93.    RegEdit.MoveKeyTree(sourceFullKeyPath:="HKCU\Source Subkey Path\",
  94.                        targetFullKeyPath:="HKCU\Target Subkey Path\")
  95.  
  96.    RegEdit.MoveKeyTree(sourceRootKeyName:="HKCU",
  97.                        sourceSubKeyPath:="Source Subkey Path\",
  98.                        targetRootKeyName:="HKCU",
  99.                        targetSubKeyPath:="Target Subkey Path\")
  100.  
  101. ----------------
  102. Copy SubKeys
  103. ----------------
  104.  
  105.    RegEdit.CopySubKeys(sourceFullKeyPath:="HKCU\Source Subkey Path\",
  106.                        targetFullKeyPath:="HKCU\Target Subkey Path\")
  107.  
  108.    RegEdit.CopySubKeys(sourceRootKeyName:="HKCU",
  109.                        sourceSubKeyPath:="Source Subkey Path\",
  110.                        targetRootKeyName:="HKCU",
  111.                        targetSubKeyPath:="Target Subkey Path\")
  112.  
  113. ----------------
  114. Move SubKeys
  115. ----------------
  116.  
  117.    RegEdit.MoveSubKeys(sourceFullKeyPath:="HKCU\Source Subkey Path\",
  118.                        targetFullKeyPath:="HKCU\Target Subkey Path\")
  119.  
  120.    RegEdit.MoveSubKeys(sourceRootKeyName:="HKCU",
  121.                        sourceSubKeyPath:="Source Subkey Path\",
  122.                        targetRootKeyName:="HKCU",
  123.                        targetSubKeyPath:="Target Subkey Path\")
  124.  
  125. ----------------
  126. Copy Value
  127. ----------------
  128.  
  129.    RegEdit.CopyValue(sourceFullKeyPath:="HKCU\Source Subkey Path\",
  130.                      sourceValueName:="Value Name",
  131.                      targetFullKeyPath:="HKCU\Target Subkey Path\",
  132.                      targetValueName:="Value Name")
  133.  
  134.    RegEdit.CopyValue(sourceRootKeyName:="HKCU",
  135.                      sourceSubKeyPath:="Source Subkey Path\",
  136.                      sourceValueName:="Value Name",
  137.                      targetRootKeyName:="HKCU",
  138.                      targetSubKeyPath:="Target Subkey Path\",
  139.                      targetValueName:="Value Name")
  140.  
  141. ----------------
  142. Move Value
  143. ----------------
  144.  
  145.    RegEdit.MoveValue(sourceFullKeyPath:="HKCU\Source Subkey Path\",
  146.                      sourceValueName:="Value Name",
  147.                      targetFullKeyPath:="HKCU\Target Subkey Path\",
  148.                      targetValueName:="Value Name")
  149.  
  150.    RegEdit.MoveValue(sourceRootKeyName:="HKCU",
  151.                      sourceSubKeyPath:="Source Subkey Path\",
  152.                      sourceValueName:="Value Name",
  153.                      targetRootKeyName:="HKCU",
  154.                      targetSubKeyPath:="Target Subkey Path\",
  155.                      targetValueName:="Value Name")
  156.  
  157. ----------------
  158. DeleteValue
  159. ----------------
  160.  
  161.    RegEdit.DeleteValue(fullKeyPath:="HKCU\Subkey Path\",
  162.                        valueName:="Value Name",
  163.                        throwOnMissingValue:=True)
  164.  
  165.    RegEdit.DeleteValue(rootKeyName:="HKCU",
  166.                        subKeyPath:="Subkey Path",
  167.                        valueName:="Value Name",
  168.                        throwOnMissingValue:=True)
  169.  
  170.    RegEdit.DeleteValue(regInfo:=regInfoByte,
  171.                        throwOnMissingValue:=True)
  172.  
  173. ----------------
  174. Delete SubKey
  175. ----------------
  176.  
  177.    RegEdit.DeleteSubKey(fullKeyPath:="HKCU\Subkey Path\",
  178.                         throwOnMissingSubKey:=False)
  179.  
  180.    RegEdit.DeleteSubKey(rootKeyName:="HKCU",
  181.                         subKeyPath:="Subkey Path",
  182.                         throwOnMissingSubKey:=False)
  183.  
  184.    RegEdit.DeleteSubKey(regInfo:=regInfoByte,
  185.                         throwOnMissingSubKey:=False)
  186.  
  187. ----------------
  188. Exist SubKey?
  189. ----------------
  190.  
  191.    Dim exist1 As Boolean = RegEdit.ExistSubKey(fullKeyPath:="HKCU\Subkey Path\")
  192.  
  193.    Dim exist2 As Boolean = RegEdit.ExistSubKey(rootKeyName:="HKCU",
  194.                                                subKeyPath:="Subkey Path")
  195.  
  196. ----------------
  197. Exist Value?
  198. ----------------
  199.  
  200.    Dim exist3 As Boolean = RegEdit.ExistValue(fullKeyPath:="HKCU\Subkey Path\",
  201.                                               valueName:="Value Name")
  202.  
  203.    Dim exist4 As Boolean = RegEdit.ExistValue(rootKeyName:="HKCU",
  204.                                               subKeyPath:="Subkey Path",
  205.                                               valueName:="Value Name")
  206.  
  207. ----------------
  208. Value Is Empty?
  209. ----------------
  210.  
  211.    Dim isEmpty1 As Boolean = RegEdit.ValueIsEmpty(fullKeyPath:="HKCU\Subkey Path\",
  212.                                                   valueName:="Value Name")
  213.  
  214.    Dim isEmpty2 As Boolean = RegEdit.ValueIsEmpty(rootKeyName:="HKCU",
  215.                                                   subKeyPath:="Subkey Path",
  216.                                                   valueName:="Value Name")
  217.  
  218. ----------------
  219. Export Key
  220. ----------------
  221.  
  222.    RegEdit.ExportKey(fullKeyPath:="HKCU\Subkey Path\",
  223.                      outputFile:="C:\Backup.reg")
  224.  
  225.    RegEdit.ExportKey(rootKeyName:="HKCU",
  226.                      subKeyPath:="Subkey Path",
  227.                      outputFile:="C:\Backup.reg")
  228.  
  229. ----------------
  230. Import RegFile
  231. ----------------
  232.  
  233.    RegEdit.ImportRegFile(regFilePath:="C:\Backup.reg")
  234.  
  235. ----------------
  236. Jump To Key
  237. ----------------
  238.  
  239.    RegEdit.JumpToKey(fullKeyPath:="HKCU\Subkey Path\")
  240.  
  241.    RegEdit.JumpToKey(rootKeyName:="HKCU",
  242.                      subKeyPath:="Subkey Path")
  243.  
  244. ----------------
  245. Find SubKey
  246. ----------------
  247.  
  248.    Dim regInfoSubkeyCol As IEnumerable(Of RegEdit.Reginfo) =
  249.        RegEdit.FindSubKey(rootKeyName:="HKCU",
  250.                           subKeyPath:="Subkey Path",
  251.                           subKeyName:="Subkey Name",
  252.                           matchFullSubKeyName:=False,
  253.                           ignoreCase:=True,
  254.                           searchOption:=IO.SearchOption.AllDirectories)
  255.  
  256.    For Each reg As RegEdit.RegInfo In regInfoSubkeyCol
  257.        Debug.WriteLine(reg.RootKeyName)
  258.        Debug.WriteLine(reg.SubKeyPath)
  259.        Debug.WriteLine(reg.ValueName)
  260.        Debug.WriteLine(reg.ValueData.ToString)
  261.        Debug.WriteLine("")
  262.    Next reg
  263.  
  264. ----------------
  265. Find Value
  266. ----------------
  267.  
  268.    Dim regInfoValueNameCol As IEnumerable(Of RegEdit.Reginfo) =
  269.        RegEdit.FindValue(rootKeyName:="HKCU",
  270.                              subKeyPath:="Subkey Path",
  271.                              valueName:="Value Name",
  272.                              matchFullValueName:=False,
  273.                              ignoreCase:=True,
  274.                              searchOption:=IO.SearchOption.AllDirectories)
  275.  
  276.    For Each reg As RegEdit.RegInfo In regInfoValueNameCol
  277.        Debug.WriteLine(reg.RootKeyName)
  278.        Debug.WriteLine(reg.SubKeyPath)
  279.        Debug.WriteLine(reg.ValueName)
  280.        Debug.WriteLine(reg.ValueData.ToString)
  281.        Debug.WriteLine("")
  282.    Next reg
  283.  
  284. ----------------
  285. Find Value Data
  286. ----------------
  287.  
  288.    Dim regInfoValueDataCol As IEnumerable(Of RegEdit.Reginfo) =
  289.        RegEdit.FindValueData(rootKeyName:="HKCU",
  290.                              subKeyPath:="Subkey Path",
  291.                              valueData:="Value Data",
  292.                              matchFullData:=False,
  293.                              ignoreCase:=True,
  294.                              searchOption:=IO.SearchOption.AllDirectories)
  295.  
  296.    For Each reg As RegEdit.RegInfo In regInfoValueDataCol
  297.        Debug.WriteLine(reg.RootKeyName)
  298.        Debug.WriteLine(reg.SubKeyPath)
  299.        Debug.WriteLine(reg.ValueName)
  300.        Debug.WriteLine(reg.ValueData.ToString)
  301.        Debug.WriteLine("")
  302.    Next reg
  303.  
  304. ----------------
  305. Get...
  306. ----------------
  307.  
  308.    Dim rootKeyName As String = RegEdit.GetRootKeyName(registryPath:="HKCU\Subkey Path\")
  309.    Dim subKeyPath As String = RegEdit.GetSubKeyPath(registryPath:="HKCU\Subkey Path\")
  310.    Dim rootKey As Microsoft.Win32.RegistryKey = RegEdit.GetRootKey(registryPath:="HKCU\Subkey Path\")
  311.  
  312. ----------------
  313. Get Value Data
  314. ----------------
  315.  
  316.    Dim dataObject As Object = RegEdit.GetValueData(rootKeyName:="HKCU",
  317.                                                    subKeyPath:="Subkey Path",
  318.                                                    valueName:="Value Name")
  319.  
  320.    Dim dataString As String = RegEdit.GetValueData(Of String)(fullKeyPath:="HKCU\Subkey Path\",
  321.                                                               valueName:="Value Name",
  322.                                                               registryValueOptions:=Microsoft.Win32.RegistryValueOptions.DoNotExpandEnvironmentNames)
  323.  
  324.    Dim dataByte As Byte() = RegEdit.GetValueData(Of Byte())(regInfo:=regInfoByte,
  325.                                                             registryValueOptions:=Microsoft.Win32.RegistryValueOptions.None)
  326.    Debug.WriteLine("dataByte=" & String.Join(",", dataByte))
  327.  
  328. -----------------
  329. Set UserAccessKey
  330. -----------------
  331.  
  332. RegEdit.SetUserAccessKey(fullKeyPath:="HKCU\Subkey Path",
  333.                         userAccess:={RegEdit.ReginiUserAccess.AdministratorsFullAccess})
  334.  
  335. RegEdit.SetUserAccessKey(rootKeyName:="HKCU",
  336.                         subKeyPath:="Subkey Path",
  337.                         userAccess:={RegEdit.ReginiUserAccess.AdministratorsFullAccess,
  338.                                      RegEdit.ReginiUserAccess.CreatorFullAccess,
  339.                                      RegEdit.ReginiUserAccess.SystemFullAccess})


Código fuente:
http://pastebin.com/cNM1j8Uh

Saludos!
5794  Foros Generales / Sugerencias y dudas sobre el Foro / Re: posible sugerencia; sobre compartir contenidos/ayuda con otras comunidades... en: 19 Marzo 2015, 22:01 pm
Lo que estás sugeriendo, ¿en resumen no sería copiar posts de otros foros y dejar que otros copien a elhacker.net?,
no se mucho sobre este tema, pero si no me equivoco los bots/crawlers de Google premian la originalidad, es decir, los posts únicos, y sancionan los posts duplicados, por ende sería algo malo para el SEO de elhacker.net.

Otra parte de la idea que mencionas (si no te he entendido mal) es: ¿pedir colaboración a otras páginas para que ayuden aquí a resolver dudas o publicar tutoriales por ejemplo?, en mi opinión quien quiere colaborar no hay que pedirselo, ya esté en una web amiga o enemiga si se quiere pasar por aquí a publicar algo lo hará, y los posts que publicasen de forma "forzada" seguramente serian duplicados ...volviendo al problema del SEO.

Solo es mi opinión, yo ni pincho ni corto en la decisión xD, claro está.

Saludos!
5795  Seguridad Informática / Hacking / Re: Ardamax Keylogger (repetido) en: 19 Marzo 2015, 21:39 pm
en la casilla donde se configura la combinación de teclas no me deja cambiarlo así que he buscado soluciones alternativas.

¿A que te refieres con que no te deja cambiarlo?, puedes modificar y/o desactivar la combinación perfectamente pulsando la tecla de retroceso (BackSpace):



Saludos
5796  Programación / Programación General / Re: Sintaxis REGEXP para sustituir una palabra x otra en: 19 Marzo 2015, 16:01 pm
Te pongo un breve ejemplo:

Tienes esta cadena de texto:
Código:
Hola, Mundo!

Tienes esta expresión regular:
Código:
"(.+)(\,)(\s+)(.+)(\!)"

Cada pareja de paréntesis representa un grupo, cada grupo es una especie de delimitador de captura, y a la expresión debes añadirle otra pareja de paréntesis imaginaria de esta manera: "((.+)(\,)(\s+)(.+)(\!))" que representa el primer grupo de todos (es decir la captura completa), por ende:

Grupo 0: "Hola, Mundo!"
Grupo 1: "Hola"
Grupo 2: ","
Grupo 3: " "
Grupo 4: "Mundo"
Grupo 5: "!"

Conociendo lo que hemos capturado, los grupos de los que consta la captura, el índice de los grupos, y dando por hecho que se utilice el símbolo "$" para interpretar un grupo, entonces solo debemos inercambiar los grupos en el orden deseado, por ejemplo, la unión de los grupos "$4$2$3$1$5" o también "Mundo, $1!" darían cómo resultado:
Código:
Mundo, Hola!



El programa o lenguaje que estés utilizando debe tener funcionalidades de reemplazado (o replace) cómo te ha comentado el compañero Engel Lex.

Cabe mencionar que existen diferencias de sintaxis del motor Regex puede dependiendo del lenguaje en el que se utilice, por ejemplo te puedes encontrar que los grupos se representan con un símbolo/sintaxis diferente en otro lenguaje de scripting,
además de eso, en lenguajes orientados a objetos, el manejo de los grupos se suele hacer mediante el uso de miembros (classes y propiedades), en lugar de interpretar símbolos cómo "$0".

Lee las documentación de la Wikipedia, que muy pocas fuentes superan esta información:
Regular expression - Wikipedia, the free encyclopedia
 
Por último, te muestro un ejemplo en VB.Net (en C# sería lo mismo):

Código
  1. Imports System.Text.RegularExpressions
  2.  
  3. Public NotInheritable Class Form1
  4.  
  5.    Dim input As String = "Hola, Mundo!"
  6.    Dim format As String
  7.    Dim replace As String
  8.  
  9.    Dim regEx As New Regex("(.+)(\,)(\s+)(.+)(\!)", RegexOptions.IgnoreCase)
  10.  
  11.    Private Sub Test() Handles MyBase.Shown
  12.  
  13.        Dim matches As MatchCollection = regEx.Matches(input)
  14.        Dim value1 As String = matches(0).Groups(1).Value ' "Hola"
  15.        Dim value2 As String = matches(0).Groups(2).Value ' ","
  16.        Dim value3 As String = matches(0).Groups(3).Value ' " "
  17.        Dim value4 As String = matches(0).Groups(4).Value ' "Mundo"
  18.        Dim value5 As String = matches(0).Groups(5).Value ' "!"
  19.  
  20.        format = String.Format("{0}{1}{2}{3}{4}",
  21.                               value4, value2, value3, value1, value5)
  22.  
  23.        replace = input.Replace(value1, value4).
  24.                        Replace(value3 & value4, value3 & value1)
  25.  
  26.        Debug.Print(format)
  27.        Debug.Print(replace)
  28.  
  29.    End Sub
  30.  
  31. End Class

Saludos
5797  Foros Generales / Dudas Generales / Re: ¿Que voz TTS femenina es esta? en: 19 Marzo 2015, 07:50 am
@bacanzito

Gracias por interesarte en ayudar, pero el temá ya se resolvió, porfavor intenta siempre leer la última respuesta de un tema antes de postear.

Cierro el hilo para que no vuelva a suceder :P

Saludos!
5798  Programación / .NET (C#, VB.NET, ASP) / Re: ¿Hay repercusiones al cambiar hora al sistema? en: 18 Marzo 2015, 20:21 pm
para ello importo la biblioteca kernel32.

No necesitas hacer P/Invoking a ninguna función de la API de Windows, puedes recurrir al NamesPace Microsoft.VisualBasic para modificar la fecha y hora del SO:
Código
  1. Dim d As New Date(year:=2000, month:=1, day:=1,
  2.                  hour:=0, minute:=0, second:=0)
  3.  
  4. Microsoft.VisualBasic.TimeOfDay = d
  5. Microsoft.VisualBasic.DateString = d.ToString("MM/dd/yyyy")

mi pregunta es si para el sistema operativo traerá alguna repercusión ejecutar mi aplicación digamos que cada segundo adelante 30 segundos y esté así por 3 minutos? o no representaría ningún problema.

No representa ningún problema mientras el margen sea pequeño y/o la fecha esté dentro del rango de fechas permitido.

Márgenes demasiado largos podrían surgir problemas derivados cómo:

  • Aplicaciones triales que caducan, ya que muchas aplicaciones que basan su protección en la hora interna del SO les afecta el cambio (a otras aplicaciones con algoritmos de protección más sofisticados no les afecta el cambio).

  • Alteraciones en el comportamiento de ciertas aplicaciones hasta volverse inestables y en casos extremos dejen de funcionar por completo.
    Cómo por ejemplo aplicaciones de calendarios o tareas programadas que dependan de la fecha y hora real, o una aplicación que revise actualizaciones de si misma cada 7 días, etc...

  • Seguramente otro tipo de problemas, cómo no saber en el día que estás viviendo ;).

Saludos
5799  Sistemas Operativos / Windows / Re: ¿son importantes estos programas de inicio? en: 18 Marzo 2015, 07:44 am
El nombre del primer proceso define su funcionalidad por si mismo, o al menos nos podemos hacer una idea, es una aplicación que controla/administra los eventos que son disparados por los dispositivos de Epson que tengas instalados, por lo tanto, ¿será importante?, pues al menos un poquito si que lo será.

El segundo tiene que ver con la salida de audio de Realtek, otro componente de hardware de tu equipo,
y el tercero lo mismo, de Epson.

El resto puedes deshabilitarlos sin problemas, los servicios adicionales de nVidia y todo lo relacionado con MS Office no son importantes, y mucho menos el del reproductor PowerDVD.

Saludos
5800  Foros Generales / Dudas Generales / Re: ¿Que voz TTS femenina es esta? en: 17 Marzo 2015, 07:00 am

No, no es Isabel... ¡pero sí que es Mónica! (otra voz de RealSpeak)

Un millón de gracias, por fin encuentro esa voz despues de tanto tiempo.

Sample: http://www2.freedomscientific.com/downloads/realspeak-solo-direct-voices/Audio/Monica-sample.mp3
Descarga: http://ftp://ftp.freedomscientific.com/users/hj/private/WebFiles/RSD/1.0/RSD1.0.84.101-spe-Monica-enu.exe
Otras voces: http://www2.freedomscientific.com/downloads/realspeak-solo-direct-voices/realspeak-solo-direct-downloads.asp

Un saludo!
Páginas: 1 ... 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 [580] 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 ... 1253
WAP2 - Aviso Legal - Powered by SMF 1.1.21 | SMF © 2006-2008, Simple Machines