Derivada del peso

Hola a todos,
Tengo el siguiente caso: Cada 200 ms hago una lectura de una báscula donde hay un recipiente de agua que se va vaciando por un tubo y mi objetivo es calcular el caudal de agua que pasa por el tubo. Hay alguna funcion en labview  que permita obtener la tendencia del caudal?

Lo que creo que puedes hacer es la derivada discreta del peso, con la función "Derivative" te muestro en la captura adjunta. De este modo podrás evaluar la variación del peso en función del tiempo. Se encuentra en el diagrama de bloques >> (Botón derecho) Paleta de funciones >> Mathematics >> Integration & Diffentiation. Me temo que no hay nada más.
Puedes encontrar más información de esta función en la ayuda de LabVIEW:
http://digital.ni.com/manuals.nsf/websearch/7C3F895E4B50A03D862578D400575C01
Saludos.
Attachments:
devivada.jpg ‏222 KB

Similar Messages

  • Dov'è la stima del peso del file da esportare?

    Ciao. quando esporto un file in premiere, nel box delle opzioni non c'è la stima del peso del file. come mai? uso un imac e premiere pro in italiano. Grazie

    Salve!
    Cosa intendete per valore caratteristico (indicabile manualmente sulla curva)?
    Intendete che quel valore caratteristico non si puó calcolare ma deve essere "puntato" (per esempio con un cursore) sulla curva e poi salvato in un canale?
    La creazione dei vari cicli e il calcolo del massimo puó essere fatto abbastanza velocemente, il fatto é che se create un canale per ogni ciclo (piú i canali originali) vi ritrovate con veramente tanti dati nella memoria RAM e questo puó rallentare il sistema.
    Nell'esempio sotto creo solo canali per i risultati, dove per ogni ciclo calcolo il valore massimo.
    Per quanto concerne il vostro secondo valore (quello manuale), potete precisarmi cosa intendete?
    Saluti
    Ken
    Allegati:
    Calcolo canali.txt ‏5 KB

  • Help with ComboBox Selection Update

    Hello,
    I am trying to make this application display all its labels in a different language depending on which locale the user picks from the ComboBox. The variables are being read from the ResourceBundles correctly (see command-line debugging statements) but I cannot get the pane to 'refresh' when the item is selected. I've tried everything I can think of! Please help! :)
    (This assignment was to internationalize a program we wrote for a previous assignment, so this program wasn't originally written to do this. I am trying to add this functionality to my existing project, so it's not ideal).
    Thank you for any advice, help or hints you can give!
    Program(PrjGUI)
    import java.awt.*;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import java.awt.event.ItemEvent;
    import java.awt.event.ItemListener;
    import javax.swing.*;
    import java.text.DateFormat;
    import java.util.Calendar;
    import java.util.GregorianCalendar;
    import java.util.Locale;
    import java.util.ResourceBundle;
    import java.util.TimeZone;
    public class PrjGUI extends JFrame
       //**** Instance Variables for both classes
       private JRadioButton optGram, optOz;
       private JTextField txtWeightEnter, txtResult, txtDateTime;
       private JButton cmdConvert;
       private JComboBox comboSelectLocale;
            //arrays--one for combo box list, and the other for values to use when a particular list item is selected
       private String[] localeList = {"English, USA", "Fran\u00E7ais, France", "Espag\u00F1ol, M\u00E9xico"};
       private Locale[] localeCode = {(new Locale("en", "US")), (new Locale("fr", "FR")), (new Locale("es", "MX"))};
       private JLabel lblChoose, lblWeightEnter;
       protected String titleTxt, enterTxt, btnTxt, gramTxt, ozTxt, resultDisplayTxt, localeTimeZone, dateFormat;
       protected ResourceBundle res;
       protected Locale currentLocale;
       //declare Handler Object
       private CmdConvertWeight convertWeight;
       //**************main method******************
       public static void main(String[] args)
          PrjGUI convertWeight1 = new PrjGUI();
       }//end of main******************************
       //constructor
       public PrjGUI()
          //create panel for components
          Container pane = getContentPane();
          //set the layout
          pane.setLayout(new GridLayout(0, 1, 5, 5));
          //set the color
          pane.setBackground(Color.GREEN);
          //make a font to use in components
          Font font1 = new Font("SansSerif", Font.BOLD, 16);
          /**New calendar object to display the date and time*/
          GregorianCalendar calendar = new GregorianCalendar();
          DateFormat formatter = DateFormat.getDateTimeInstance(DateFormat.FULL, DateFormat.FULL, Locale.US);
          /**currentLocale = localeCode[comboSelectLocale.getSelectedIndex()];
          DateFormat formatter = DateFormat.getDateTimeInstance(DateFormat.FULL, DateFormat.FULL, currentLocale); //uses key for ResourceBundle*/
          TimeZone timeZone = TimeZone.getTimeZone("CST");
          //TimeZone timeZone = TimeZone.getTimeZone(localeTimeZone); //uses key for resourceBundle
          formatter.setTimeZone(timeZone);
          //***create UI objects***
          /**NEW OBJECTS FOR prjInternational:
           * a drop-down combobox, a label, and a txt field
          txtDateTime = new JTextField(formatter.format(calendar.getTime()));
          //txtDateTime = formatter.format(calendar.getTime());
          lblChoose = new JLabel("Please choose your language.");
          lblChoose.setFont(font1);
          lblChoose.setBackground(new Color(0, 212, 255)); //aqua blue
          comboSelectLocale = new JComboBox(localeList);
          comboSelectLocale.setFont(font1);
          comboSelectLocale.setBackground(new Color(0, 212, 255)); //aqua blue
          //comboSelectLocale.setSelectedIndex(0);
          //add a listener to the combo box to get the selected item
          /**default values for variables so I can debug--at the moment
           * I can't get the resouceBundle to work--it can't locate the
           * file.  So I will hard code these in for now.
          /*titleTxt="Food Weight Converter";
          enterTxt="Please enter the Weight you wish to convert.";
          btnTxt="Convert this weight!";
          gramTxt="grams";
          ozTxt="oz";
          resultDisplayTxt="Result will display here.";*/
          comboSelectLocale.addItemListener(new ItemListener()
               public void itemStateChanged(ItemEvent e)
                    res = setCurrentLocale(comboSelectLocale.getSelectedIndex());
                    System.out.println(res.getString("enterTxt"));
                    updateItems(res);
                  //set variables from Resource Bundle
                  /* titleTxt = res.getString("titleTxt");
                   System.out.println(res.getString("enterTxt")); //debug
                   enterTxt = res.getString("enterTxt");
                   btnTxt = res.getString("enterTxt");
                   gramTxt = res.getString("gramTxt");
                   ozTxt = res.getString("ozTxt");
                   resultDisplayTxt = res.getString("resultDisplayTxt");*/
          //2 radio buttons
          //optGram = new JRadioButton("grams", true);
          optGram = new JRadioButton(gramTxt, true);
          //optOz = new JRadioButton("oz.");
          optOz = new JRadioButton(ozTxt);
          optGram.setBackground(Color.GREEN);
          optGram.setFont(font1);
          optOz.setBackground(Color.GREEN);
          optOz.setFont(font1);
          //button group so only one can be chosen
          ButtonGroup weightUnit = new ButtonGroup();
          weightUnit.add(optGram);
          weightUnit.add(optOz);
          //label and text field for weight
          //JLabel lblWeightEnter = new JLabel("Please enter the weight you wish to convert:");
          JLabel lblWeightEnter = new JLabel(enterTxt);
          lblWeightEnter.setFont(font1);
          txtWeightEnter = new JTextField("20.05", 6);
          txtWeightEnter.setBackground(new Color(205, 255, 0)); //lime green
          txtWeightEnter.setFont(font1);
          //button to make conversion
          //cmdConvert = new JButton("Convert this weight!");
          cmdConvert = new JButton(btnTxt);
          cmdConvert.setFont(font1);
          //textfield to display result
          //txtResult = new JTextField("Result will display here");
          txtResult = new JTextField(resultDisplayTxt);
          txtResult.setBackground(new Color(205, 255, 0)); //lime green
          txtResult.setFont(font1);
          //register the handler
          convertWeight = new CmdConvertWeight();
          cmdConvert.addActionListener(convertWeight);
          //add content to pane
          pane.add(txtDateTime);
          pane.add(lblChoose);
          pane.add(comboSelectLocale);
          pane.add(lblWeightEnter);
          pane.add(txtWeightEnter);
          pane.add(optGram);
          pane.add(optOz);
          pane.add(cmdConvert);
          pane.add(txtResult);
          //create window for object
          setTitle(titleTxt);
          setSize(400, 300);
          setVisible(true);
          setLocationRelativeTo(null);
          setDefaultCloseOperation(EXIT_ON_CLOSE);
       }//end of constructor
       /**  ACTION LISTENER CLASS TO RESPOND TO USER'S INPUT (EVENTS) **/
       private class CmdConvertWeight implements ActionListener
          public void actionPerformed(ActionEvent e)
             //System.out.println("we made it to the Action Listener"); //debug
             //get info from fields
             double weight = Double.parseDouble(txtWeightEnter.getText());
             double weightConvert = 0;
             String weightConvertString;
             if (optGram.isSelected())//if user's weight is in grams, converting to oz
             weightConvert = weight/28.35;
             weightConvertString = Double.toString(weightConvert);
             txtResult.setText(txtWeightEnter.getText() + " grams is equal to " + weightConvertString + " oz.");
             }//end if gram select
             else if (optOz.isSelected())//if user's weight is in oz, converting to grams
             weightConvert = weight*28.35;
             weightConvertString = Double.toString(weightConvert);
             txtResult.setText(txtWeightEnter.getText() + " oz. is equal to " + weightConvertString + " grams.");
             }//end if oz select
         }//end actionPerformed
      }//end CmdConvertWeight
       /**setCurrentLocale method from combo box listener*/
       public ResourceBundle setCurrentLocale(int index)
            Locale currentLocale = localeCode[index];
            System.out.println(currentLocale); //debug
            System.out.println("MyResource_" + currentLocale); //debug
            ResourceBundle res = ResourceBundle.getBundle("MyResource_" + currentLocale);
            return res;
       }//end setCurrentLocale
       public void updateItems(ResourceBundle res)
            //convertWeight1.setTitle(res.getString(titleTxt));
            System.out.println(res.getString(btnTxt));//debug
            lblWeightEnter.setText(res.getString(enterTxt));
            optGram.setText(res.getString(gramTxt));
            optOz.setText(res.getString(ozTxt));
            cmdConvert.setText(res.getString(btnTxt));
            txtResult.setText(res.getString(resultDisplayTxt));
       }//end updateItems
    }//end of class PrjGUIResourceBundles(each in a different file)
    public class MyResource_fr_FR extends java.util.ListResourceBundle
         static final Object[][] contents =
              {"titleTxt", "Convertisseur de poids de nourriture"},
              {"enterTxt", "Veuillez \u00E9crire le poids que vous souhaitez convertir."},
              {"btnTxt", "Convertissez ce poids!"},
              {"gramTxt", "grammes"},
              {"ozTxt", "onces"},
              {"resultDisplayTxt", "Le r\u00E9sultat montrera ici."},
              {"localeTimeZone", "CET"},
              {"dateFormat", "Locale.FR"}
         public Object[][] getContents()
              return contents;
    public class MyResource_es_MX extends java.util.ListResourceBundle
         static final Object[][] contents =
              {"titleTxt", "Convertidor del peso del alimento"},
              {"enterTxt", "Incorpore por favor el peso que usted desea convertir."},
              {"btnTxt", "\u00F1convierta este peso!"},
              {"gramTxt", "gramos"},
              {"ozTxt", "onzas"},
              {"resultDisplayTxt", "El resultado exhibir\u00E1 aqu\u00ED."},
              {"localeTimeZone", "CST"},
              {"dateFormat", "Locale.MX"}     
         public Object[][] getContents()
              return contents;
    public class MyResource_en_US extends java.util.ListResourceBundle
         static final Object[][] contents =
              {"titleTxt", "Food Weight Converter"},
              {"enterTxt", "Please enter the weight you wish to convert."},
              {"btnTxt", "Convert this weight!"},
              {"gramTxt", "grams"},
              {"ozTxt", "oz"},
              {"resultDisplayTxt", "Result will display here."},
              {"localeTimeZone", "CST"},
              {"dateFormat", "Locale.US"}
         public Object[][] getContents()
              return contents;
    }Edited by: JessePhoenix on Nov 2, 2008 8:30 PM

    catman2u wrote:
    does anyone from Lenovo actually read this forum?
    From the Communiy Rules in the Welcome section....
     Objectives of Lenovo Discussion Forums
    These communities have been created to provide a high quality atmosphere in which users of Lenovo products and services may share experiences and expertise. While members from Lenovo may participate at intervals to engage in the discussions and offer advice and suggestions, this forum is not designed as a dedicated and staffed support channel. This is an informal and public forum, and Lenovo does not guarantee the accuracy of information and advice posted here -- see important Warranty information below.
    No amount of ranting is going to get you anything more than you will achieve with a clear exposition of your issue... so you might want to try doing that instead of ranting and assuming that everyone already knows what you know etc etc.
    Cheers,
    Bill
    I don't work for Lenovo

  • PORQUE AL CAMBIAR LA TARJETA DEL ITUNES ME HICIERON UN CARGO DE $300 PESOS A LA NUEVA TARJETA?

    no se porque me hicieron un cargo en mi tarjeta de credito al cambiarla al itunes, me hicieron un cargo de $300.. porque?
    saludos

    Hopefully you can understand my English reply.
    I don't think it's a power supply problem.
    It might be this card is not supported, but under the VIDEO heading in the BIOS make sure it is set to PCE and not IGD or AUTOMATIC. If it is set to PCE and you're still getting the 4233 beep code, then my guess the card is not supported.
    I think your M55p has a PCIe x16 slot, but the documentation seems to suggest the the video upgrade options use DDR2 video memory.  The HD5450 is a PCIe x16 card, which has DDR3 memory.
    I think there is an incompatibility with capability of the old chipset on your M55p and the speed of the HD5450.  It's working in your HP machine because that machine is probably "stronger" than the older M55p.
    From a post in this forum back in 2010:  "no ATI 5xxx series graphics card are supported in any Thinkcentre or Thinkstation machines".  You can't use the HD5450 in this older machine.

  • Quiero dejar y evidenciar mi opinion respecto al Iphone y que todos pueda leerlo pero en una pagina oficial del producto ya que tengo derecho a exponer mi insatisfaccion con este deplorable y costoso producto, donde lo puedo hacer?

    Quiero iniciar este comentario indicando que el IPHONE es y fue la peor compra de mi vida. Anteriormente era usuario de teléfonos Nokia y posteriormente BlackBerry. Toco hacer la renovación de mi contrato con la compañía celular y me ofrecieron un Iphone, lo que sería mi primer teléfono de Apple y contando con la infinidad de promesas del producto y su muy mal aplicado plan de PRODUCTO MAS CARO DEL MERCADO POR MAYOR CALIDAD pues decidí aceptar la renovación con este producto y pagando más dinero de lo que normalmente pagaría por un teléfono, pues les comento….. GRAVE ERROR!! Muy grave error. Como dicen por ahí, no se sabe lo que se tiene hasta que se pierde. Era feliz con mis teléfonos BlackBerry.
    Primer problema, la batería. Creo que deberían permitir a los usuarios de Iphone poder ponerle un conector para usar un par de baterías energizer porque apuesto a que el conejito con el tambor dura mil horas más que la batería del Iphone 5, por eso debería permitirnos conectarle la batería de nuestra preferencia. Aunque hasta altura, creo que el Iphone necesita más una batería de carro con un alternador conectado a nuestros pies para poder mantener la batería de carro cargada porque si la dejamos sola con el iphone no duraría ni 2 horas.
    Segundo problema, quien les dijo a la gente de Apple que resulta divertido y usuable obligar a los usuarios de sus productos a que solo puedan conectar el teléfono a una sola computadora sin tener que hacer malabares y millones de configuraciones para que no te borre los datos cargados previamente?.
    Tercera decepción, para el dinero que resulta de la inversión de comprar un Iphone, creo que al menos deberían estar constantemente monitoreando la satisfacción del cliente respecto al producto y aun mas, monitorear la atención que dan las operadoras que venden sus productos porque la verdad es que dejan mucho que desear. La señora que me vende el café todos los días me atiende mil veces mejor que en cualquiera de los operadores que venden sus productos.
    Cuarta decepción, me di cuenta que lo que realmente estoy pagando al comprar un Iphone 5 es decir que tengo un Iphone 5, un estatus, porque contrario a la calidad que se obtiene con esto deja mucho, demasiado que desear. De no ser por el dinero que pague desde la segunda semana de haber adquirido su producto ya lo habría empleado como sujetapapeles y me habría comprado nuevamente un BlackBerry.
    Quinta decepción, el falso cristal irrompible y que jamás se pueda rayar. Maravillado con que un cuchillo o una llave o todas las pruebas que hacen en internet no generaba ningún desgaste en el cristal, pues les falto guardar el teléfono en el bolsillo de sus pantalones junto a una tarjeta de crédito o una tarjeta plástica por una semana de su vida cotidiana y encontrarse con que efectivamente, tendrá mil marcas y adiós a la supuesta pantalla que no se raya.
    Sexta decepción, yo tengo una maestría en administración de tecnologías y sistemas, no soy geólogo ni ingeniero industrial o alguna rama del saber referente a los materiales, pero en mi poco conocimiento del tema, yo esperaba que una supuesta carcasa de aluminio fuera más resistente que el plástico o al menos  que soportara más que este, y mi sorpresa se encuentra al ocurrirme un incidente en el cual mi teléfono tuvo una caída de una altura aproximada de 9 centímetros de separación de mi mano a una mesa con tope de piedra. Tal incidente basto para que mi supuesto maravilloso producto de Apple con carcasa de aluminio se le hiciera una marca del tamaño y calibre como la que se le hizo a mi Blackberry 9520 cuando lo soltaron desde un primer piso de un edificio. Debo destacar que después de colocarle la batería y la tapa a mi blackberry, este funciono perfectamente, cosa que después de 9 centímetros de altura en el Iphone 5 les doy por garantía que este se podría pulverizar.
    Séptima decepción, hoy hice entrega de lo que considero el producto más decepcionante que adquirí en mi vida al operador Movistar de México para hacer valida su garantía y resulta que me indican que deberán mandar a reparación el teléfono y me entregan a cambio un teléfono que no llegaría a decirse que es de gamma baja, porque no existe una calificación menor, el mismo con sistema Android, y para mi sorpresa me doy cuenta que este teléfono de juguete tiene un mejor sistema operativo que el Iphone 5 que adquirí por muchísimo dinero, y este teléfono de juguete no cuesta ni lo que costaría los audífonos de Apple. Aunado a esto, tengo que esperar más de 15 días para que me regrese mi tamagochi (mascota virtual de la época de los 90) con la casi total seguridad de ser el mismo producto de porquería.
    Octava decepción, uno diría que un producto que la empresa se jacte de decir que es inteligente, podría manejar varias aplicaciones a la vez, exactamente la cámara fotográfica y una aplicación que usa GPS al mismo tiempo y tener su rendimiento casi al 100%. Sorpresa, es totalmente falso ya que el rendimiento de la batería se reduce al 50% aunado a una lentitud sorprendente y a que el teléfono entre en un estado catatónico de shock y se apague para que cuando lo intentes encender te de la indicación de que la batería se terminó y si esperas unos 20 minutos lo intentes encender y este lo haga como por arte de magia, eso sí, con el indicador de batería más bajo aun de lo que lo habías dejado al momento de apagarse.
    Novena decepción, después de un costo de cerca de 9mil pesos mexicanos por un Iphone 5 que según yo era el teléfono de punta, resulta que el mismo producto que yo compre 45 días después bajo su precio cerca del 40% debido a que en el mercado se encontraba el nuevo Iphone 5S (letra S correspondiente a ****?, sopenco?, sátira?, sonso?), porque resulta que a Apple le parece interesante sacar una nueva versión de sus productos cada 6 meses para que la costosa inversión que hagas al termino de 6 meses tenga un costo de la mitad.
    Señores de Apple, tengan por entendido que estoy completamente decepcionado de la calidad de su producto el cual se encuentra excesivamente sobre valorado en cuestión de costo/calidad, costo/beneficio y costo/satisfacción y tal vez no les importe en lo absoluto la opinión de una persona, pero esta persona al menos podrá dar la peor referencia de su producto a unas 100 personas, y tal vez de esas 100 personas al menos el 5% seguirá mi recomendación y así sucesivamente llegare a más personas. Y tal vez esto no les importe ya que no representaría ni el 1% de los ingresos de su compañía, pero les puedo jurar que cada vez que pueda en lo que resta de mi vida, daré una recomendación a todo el que conozca, JAMAS COMPRES UN PRODUCTO APPLE, porque jamás tendrás la calidad que esperas por el costo que tiene.

    Hola,
    Podrías enviarnos la dirección del enlace a ese hilo en el foro en inglés? Gracias.
    Las instalaciones requieren que los navegadores web estén cerrados, en ocasiones también hay que cerrar otras aplicaciones, y si hay una instalación fallida o anterior hay que descargar y ejecutar una utilidad que elimina todos los archivos instalados para permitir que se pueda volver a intentar.

  • Hola! me he comprado una carcasa de plastico protectora para un macbook air. una vez puesta me he dado cuenta que la tapa (donde la pantalla) se cierra mas rapido que antes (por el peso creo). ¿es normal? ¿Afecta al ordenador? gracias

    Hola
    me he comprado una carcasa de plastico protectora para un macbook air (2013) y, una vez puesta, me he dado cuenta que la tapa de la pantalla se cierra mas facilmente (de golpe). No se si es por el peso o porqué. ¿es normal? ¿puede afectar al ordenador?
    Muchas gracias

    Para el caso 2 en el que que modificas la BIOS a legacy el disco duro aparece para el orden de arranque, con esta configuración Windows no carga normalmente verdad? mismo mensaje mostrador desde un inicio, recomendable en la pestaña exit verificar que en las preferencias de sistema operativo, este para Windows 7 en el caso de no estar este parámetro colocar en otros.
    Si con esto persiste el mensaje problema, intenta arrancar el instalador de Windows 7 y verificar si el disco duro, para intentar verificar si es que el problema es debido a error en el arranque de Windows o de plano no tienes ningún sistema en disco que arrancar.
    Un saludo.
    @Antony_Vamu
    Comunidad en Español  English Community  Deutsche Community  РусскоязычноеСообщество
    Mis Lenovo: Y560p,Z580,Z500 touch,S920,T400,G50-70 ,Soy voluntario no trabajo para Lenovo, las opiniones expresadas por mi no representan a Lenovo, no se responde a preguntas de manera privada debes crear un nuevo tema, números del centro de llamada Lenovo Aquí , reglas de participación del foro Aquí , si encontraste solución a tu problema marcarlo aceptándolo como solucionado!!!!!

  • Perdí la barra de abajo del correo electrónico, como la recupero?

    Perdí la barra de abajo del correo electrónico, como la recupero?

    Tiene razon Zeruelrojo, apple es una mierda, tengo 208 pesos, queria gastarlos en aplicaciones, antiguamente usaba mi cuenta y compraba en 1 ipod touch 2g y sin problemas, adquiri 1 iphone 3g de 8gb, asocie mi cuenta con el dispositivo y hasta ahi no habia problemas, pero a la hora de comprar aplicaciones o accesorios dentro de las apps, me pide que responda preguntas que no recuerdo haber agregado en mi cuenta de apple, y dije ok no hay problema, debe haber 1 forma de resetearlas, y si la hay, pero a la hora que revise mi contacto de recuperacion veo que el correo ya esta dado de alta y no es el mismo de mi cuenta
    veo que el correo es el siguiente
    SOY DE MÉXICO, cuando carajos agregue un correo de españa? la terminacion en la imagen se muestra ".es"
    ahora, tiene que haber 1 forma de resetear ese correo, andube buscando y no la hay al parecer, todo tiene que ser por soporte tecnico o de alguna manera, lo que le estan haciendo a los usuarios como nosotros, que hacemos TODO LEGAL
    practicamente me estan negando el hacer uso de mi dinero y eso me enoja y me molesta, escribo esto en domingo 07/abril/2013
    mañana hablare directamente con alguien de soporte tecnico....
    si no me resuelven mi problema pueden olvidarse de que siga consumiendo tanto productos como dinero electronico.
    les sugiero que hagan lo mismo, ya que esto para 1 demanda se que no haran nada.
    podran ver que si nos unimos quizas en 1 futuro hagan algo al respecto.
    Soy tecnico informatico y el servicio tecnico que ofrecen es una mierda, disculpen mi vocabulario pero eso es.....
    esta mal estructurado y mal hecho su servicio de ayuda al cliente.
    saludos desde querétaro méxico.
    <Email Edited by Host>

  • Los precios están en pesos o dólares?

    Los precios son en pesos o dólares?

    Hola
    entiendo que son los formatos PLD que no muestran las imágenes correctas.
    Si es esto, debes revisar en Gestión --> Inicialización del sistema --> Parámetros Generales --> Vías de acceso.
    En Imágenes debe aparecer la carpeta donde tengas estos ficheros.
    Un saludo
    Agustín Marcos Cividanes

  • Desincrustar fuentes para reducir peso

    Hola, tengo un problema he creado un formulario pdf, al que le he añadido unas fuentes nuevas. Todo correcto, pero cuando he guardado el documento al final, habia pasado del 5mgs que ocupaba a 40mg increible. He usado el optimizador de pdf, he puesto para auditar y me dice que el 98% de peso es de las fuentes (solo he añadido 2 fuentes nuevas), las que desincrustado, pero el archivo se reduce en 1 mg como mucho, he probado a quitar ese tipo de fuente y tambien lo mismo. A que se debe? como puedo hacer para que se reduzca el peso, me parece una barbaridad que por incluir unas fuentes aumente tan radicalmente el tamaño. No se supongo que hago algo mal o no se, gracias un saludo.

    Ok, os voy a intentar poner toda la información que me pedís, uso Acrobat XI pro. Respecto a las fuentes solo se sacar esto que pongo a continuación (si me indicáis donde se saca mas información de ellas estaré encantado de proporcionarla) :
    - Nombre de la fuente: Please write me a song. Disposición: Opentype, Truetype contornos
    - Nombre de la fuente: Vijaya bold (negrita). Disposición: Opentype, firmado digitalmente, Truetype contornos, Versión: 5,91
    Y añado captura del uso de espacio que me proporciona el acrobat del mismo archivo pdf
    Si he probado a guardarlo de todas las maneras que decís y sigue igual, se reduce un mg como mucho, algo insignificante, iré probando a tocar mas pestañas en el optimizador de pdf, de todos modos si veis algo que no os cuadre me lo decís, igual es una tontería que hago mal.
    Gracias por vuestro tiempo.

  • Como puedo reclamar una tarjeta no rembolsable de 200 pesos al borrar por accidente el codigo

    hi i want to know how to use a 200 pesos card that did not know and use the delete key and could not change me for that and I was told that they communicate why I write and I just want to know and I could give the number of operator that handles these cards that can speak Spanish to see what would be done

    mira soy relativamente nuevo usando labview pero conozco el protocolo a la perfeccion y tengo mucha experiencia en la implementacion del mismo,si me dijeras como reproducir lo que estas haciendo te podria ayudar
    yo he tratado de desarrollar el protocolo a partir de los telegramas pero no he podido convertir las tamas de string a numero

  • Projector works on Dell Venue Pro 11 tablet?

    Hi there
    I am trying to run a director 11.5 windows projector (made on a mac) on Dell Venue 11 Pro tablet (win 8.1/1920x1080/baytrail CPU) and am having problems with "alignment" on the screen. The 1920x1080 movie seems to be loading but fills only about 60% of the screen. You can see the desktop through the other 40%. It appears that the movie (at normal size) has been shifted up by 250 pixels and to the left by 400 pixels and is playing. So you are seeing the desktop through lower "SW" portion of the screen.
    This particular movie ran fine on a microsoft surface pro tablet a few months ago (no access to that projector file, I republsihed). Unfortuntately I do not have access to that surface tablet anymore. I am wondering if there is a problem with the integrated graphics hardware and/or the processor in the dell. The venue has the new baytrail processor and integrated intel graphics. The surface pro has an i5 processor.
    Thanks in advance for any help.
    AK

    Made some other windows projectors (on the mac) with the following results and run on the dell venue tablet.
    (1) 1600x900 - similar problem with only part of screen showing
    (2) 1280x720 - projector seems to be working and displaying properly. The projector image is scaled to fill the full 1920 screen width.
    I am beginning to think that there is a problem with the intel integrated graphics hardware. I should add that the problem I am having also occured a few months ago when I tested a similar projector with a acer iconia w3 tablet (8 inch screen/windows 8.0/1280x800/atom Z2760 CPU/intel Graphics Media Accelerator HD hardware).
    I hope that problem has a solution, hopefully coming as a director 11.6 upgrade and director 12.1 upgrade. I think this combination of cpu and graphics hardware is a going to do pretty good business.

  • Installation problem on Dell P4 machine...

    While I was trying to install Solaris 8 to a Dell P4 machine (8100 series), after the "Copyright..." line, the installation process never gets to the section where it should display "Configuring /dev and /devices".
    Each time the installation gets to the menu to choose the installation method (Interactive or JumpStart), after running a few more processes, the system displays "Skipping System Dump: No dump device configured" and then the machine reboots. It keeps doing the same thing over and over but I do not see any error message and the screen clears rigth away when it reboots.
    Any help would be appreciated.

    This case is similar to the case handled by Jurgen Keil on Digest Number 385 except that my case, it has a different error message.
    At the prompt "Select type of installation" (or the prompt
    "Select (b)oot or (i)nterpreter:", I type the command "b kadb -d". I see a General Protection Fault and some messages which cause the system to reboot. But I can't capture all the errors/messages cuz there's no system dump device configured.
    How do I configured the system dump device so I can send you more details?
    Thank you.

  • 20" iMac and external Dell 24" : doesn't work with Mini DVI to DV adapter!

    Help! My lovely Dell HP LP2475w 24" Monitor can't be used as an external monitor. The native screen resolution is 1900x1200 60Hz. The Apple site claims the iMac is capable of being able to output this resolution.
    When the HP is plugged in via the apple mini to dvi adapter a (tested) DVI lead, it recognises the monitor, but can't bring it to life. Just an occasional flash. In the resolution listing for the HP, the native resolution 1900x1200 isn't listed.
    Plugging a cruddy old 20" Samsung with the same DVI leads works with no problems.
    I NEED to use the HP for my Photo editing, and phone calls to Apples support have proved fruitless.
    Does anyone have a 20" Intel iMac and an HP LP2475w set up that works?
    Many thanks for any help.

    I'm glad you got it working!
    So do you have it working at full 1900x1200? I've noticed a few more oddities about my iMac on this monitor. First off is that initially I could only go as high as 1680x1050, which I think is the native resolution of the iMac. Now I actually see two more options, one of which being 1920x1200. This surprises me since you couldn't get it to a full 1920. Both resolutions produce the same size image on the HP, but the 1680x1050 is fuzzier. It's odd to me, same dimensions just a little less clear. I can stretch that using the HP's settings to full screen, but I cannot adjust the 1920/1200 image even though there is a black border around it.
    Can you tell me what color settings you have on the HP? I have really struggled to find something I like. I actually like how things look in my iMac, and my MBP. I can't get things to look the same on the HP. I also feel like text is just a hair fuzzier on the HP than on either the iMac or MBP. I'm tempted to try a used 23" Apple Cinema Display, but I'm not sure I'll have any better luck with that. I mostly concerned about the image quality when I use my laptop, and for some reason I'm not getting great results with the HP or Dell externals that I've tried.

  • Bluetooth Driver for dell(Inspiron N5110(ST: 3v82np1 ) is still not working well.

    Hi,
    I have tried installing "Dell Wireless 1701
    802.11 b/g/n, Bluetooth v3.0+HS Driver "
    But I saw neither wireless nor Bluetooth was defined.
    As  the drivers listed below are only  the driver for wireless and bluetooth, I almost tried all of them, except the last three.
    File TitleImportanceRelease DateVersionActions
    Intel Centrino Wireless-N 1030 WiFi Driver 
    (Driver) 
    Other Formats
    Description
    Intel 6230/N1030/N1000 WiFi Driver for win7 64-bit This package provides the driver for the Intel Centrino Wireless-N 1030 WiFi Driver and imore…
    Intel Centrino Wireless-N 1030/Advanced-N 6230
    Bluetooth Adapter Driver 
    (Driver)
    Description
    This package provides the Intel Centrino Wireless-N 1030/Advanced-N 6230 Bluetooth Adapter Driver and is supported on Inspiron N5110 and Vosmore…
    Dell Wireless 1701 802.11 b/g/n, Bluetooth v3.0+HS
    Driver 
    (Driver)
    Description
    This package provides the Dell Wireless 1701 802.11 b/g/n, Bluetooth v3.0+HS Driver and is supported on Inspiron N5110 and Vostro Notebook 3more…
    Dell Wireless 1702 WiFi + Bluetooth Driver 
    (Driver)
    s
    Description
    This package provides the Dell Wireless 1702 802.11 b/g/n, Bluetooth 3.0+HS Driver and is supported on Inspiron and Vostro Notebook models tmore…
    Intel Centrino Wireless-N 1000, Centrino Advanced-N
    6230, Centrino Wireless-N 1030, v.14.2.0.10, A01 
    (Driver)
    Recommended
    Description
    This package provides the Intel Centrino Wireless-N 1000/1030, Advanced-N 6230 Driver and is supported on Inspiron N5110 and Vostro Notebook more…
    Intel Centrino Advanced-N 6230/Wireless-N 1030
    Bluetooth Adapter Driver 
    (Driver)
    Description
    This package provides the Intel Centrino Advanced-N 6230/Wireless-N 1030 Bluetooth Adapter Driver and is supported on Inspiron N5110 and Vosmore…
    Add to My Download List
    Dell Wireless WLAN 1502 Half Mini-Card Driver 
    (Driver)
    Description
    This package provides the driver for Dell Wireless WLAN 1502 Half Mini-Card and is supported on Inspiron Notebook and Vostro Notebook modelmore
    Intel WiMax Link 6150 Driver 
    (Driver)
    Description
    This package provides the Intel WiMax Link 6150 Driver and is supported on Inspirion and XPS Notebook models that are running the following
    Realtek RTL8111E-VB Gigabit and RTL8105E-VB 10/100
    Ethernet Controller Driver 
    (Driver)
    Description
    This package provides the Realtek RTL8111E-VB Gigabit and RTL8105E-VB 10/100 Ethernet Controller Driver and is supported on Inspiron N5110 amore…
    I had to install Dell Wireless 1702 WiFi +
    Bluetooth Driver
    The wireless adapter was defined by this driver, however, the Bluetooth still has an exclamation mark in front of it, and when the Dell WLAN and Bluetooth client installation finished, a pop up message said that Windows couldn't install the device
    well, although there was a folder added in documents folder named 'Bluetooth Folder'
    Yes, the Bluetooth was named with 'Generic Bluetooth adapter' before installing 'Driver above'. However, after installing the driver above, the Bluetooth adapter named with ' Dell wireless 1702 Bluetooth v3.0". But as you see it's
    still not working will.
    The sceen shot shows the device manger before installing  Dell
    Wireless 1702 WiFi + Bluetooth Driver
    These screen shots shows the device manger after installing  Dell
    Wireless 1702 WiFi + Bluetooth Driver
    I've lit windows detect the operating program for this device on the internet, it said "Windows has detected that the operating  program of this device is up to date. As this screenshot shows.
    What should I do because nothing lift to try? If you have a look at the ninth drivers in my previous message, you will see that no other drivers for Bluetooth lift.
    Also, I have tried  to install Intel
    Centrino Wireless-N 1030 WiFi Driver 
    But I have been told that "the installation is blocked', This package of installation cannot be installed on your system' I don't know what this
    means, is it because Dell Wireless 1702 WiFi +
    Bluetooth Driver is being installed
    Could you please take some of your preciout time out to read carefully my points below to finish this problem?
    first:
    Yes, if you had a look at my first post, you would have seen that I really have downloaded and installed the drivers suitable for bluetooth, which was only Dell
    Wireless 1702 WiFi + Bluetooth Driver, which made the bluetooth recognized by Windows 7(64Bit). However, the bluetooth in the device manager still has an exclamation mark as it is shown in the device manager.
    I don't have any other drviers which can do more than the what Dell
    Wireless 1702 WiFi + Bluetooth Driver did because I have tried all the drivers listed under 'Network', exept the what are for Etherent.
    Yes, when I have tried adding the bluetooth between two laptops(Mohammad and Nasreen).  the bluetooth was added for both laptops as you see in these screenshots below:
    The Bluetooth devices of Nasreen's laptop whose bluetooth is having some problems in Device mangage.
    The Bluetooth devices of Mohammad's laptop  whosse Bluetooh is defined well in device manager.
    But there is still problem in the device managre as shown in the screenshot listed before.
    Second: (Important) That when I want to send files or recieving between two bluetooth added in either laptop, I could send them. Also, when I open the Mohammad's bluetooth added in Nansreen's laptop( screenshot
    below), I can show what is inside it.
     However, when I open the the Nasreen's bluetooth addd in Mohammad's laptop, I noticed  no reponse at all because as you see that disconnected is written in fornt "Nasreen-Pc" as this screenshot: 
    Although sometimes Nasreen-Pc gets connected as screenshot below, but I am still not able to open the Bluetooth folder of Nasreen-pc from Mohammad-pc. When trying to do that, no response is there.
    In other times, Nasreen-pc gets connected for a while, but it comes back disconnected.
    Third:: I noticed that the name of Laptop whose Bluetooth was added listed in 'My computer' for the laptop whose Bluetooth is having some problems in the device manager.(First Screen shot below)  However,
    the name of the laptop whose Bluetooth is having problems wasn't listed on other laptop's "my computer"(Second Screen shot below)
    Finally: : when I clicked "right-click" on "Nasreen-PC" and then clicking on "detecting and troublshooting issues", I found that windows informed me that :
    But which driver should I reinstall because I have already installed the Dell
    Wireless 1702 WiFi + Bluetooth Driver almost twice?
    A man should convert his anger and sadness into strength to continue living in this life.

    Certain driver packages contain drivers from some of the essential services only and for additional services, separate drivers must be installed. Additionally, the service is installed only if a compatible device is installed (or paired).
    Therefore, you are seeing the error.
    If you are using the Bluetooth L2CAP Interface and Bluetooth Remote Control services and not able to install the services, you can try unpairing the device, restart the PC, pair the device and then check. If that too fails, you need to install a suitable
    driver, sometimes even other OEM drivers solve the issue. You can Bing/Google about this. You can also contact Dell Support for more information.
    Balaji Kundalam
    Thanks a lot,
    I really didn't understand what you mean with in your first part the service is installed only if a compatible device is installed (or paired).
    The Bluetooth is integrated with
    the laptop, then  where other services will come from, all service are related to Bluetooth.
    If there are some additional services not related to Bluetooth,
    then how can I either let them functioning well or disable them in order to get rid of the yellow exclamation mark
    on the name of my laptop in the Device and printers.
    Also, I really have installed a
    BCBT7(Broadcom Bluetooth) for HP which really defined the same Bluetooth issue,
    Device manager after installing the entire setup of driver BCBT7(Broadcom Bluetooth) on HP laptop
    but  when trying to install the same
     BCBT7(Broadcom Bluetooth)  on Dell,  I faced the error below, although there is an icon for Bluetooth in
    the system tray. Also, the Bluetooth is integrated as
    you have seen in the device manager. 
    You didn't answer me: Third:: I noticed that the name of Laptop whose Bluetooth was added listed in 'My computer' for the laptop whose
    Bluetooth is having some problems in the device manager.(First Screen shot below)  However, the name of the laptop whose Bluetooth is having problems wasn't listed on other laptop's "my computer"(Second Screen shot below)
    A man should convert his anger and sadness into strength to continue living in this life.

  • Ipod not being detected on my dell latitude620

    I just got a dell latitude 620 laptop
    My ipod is being detected as a "device"
    My ipod will charge, but itunes does not recognize it.
    I've uninstalled itunes and reinstalled it twice.
    And tried about 90% of what apple support suggests
    There is nothing wrong with the laptop...that im aware of.
    Please help
    - manic mass

    When you uninstalled iTunes, did you uninstall *everything*? Take a look at http://support.apple.com/kb/ht1925 , and make sure you completely uninstall iTunes, including the drivers, before you reinstall. If that doesn't work, you might try going back to the last version of iTunes you knew was working -- at least, that will eliminate the question of whether it is iTunes or the iPod. Lastly, sometimes rebooting either the computer and/or the iPod (remember the 5Rs) can sometimes solve the issue.

Maybe you are looking for

  • Can't download songs from icloud

    I am trying to copy a few songs from my iCloud onto an old iPod. The songs appear in my itunes library with the little cloud, but it won't allow me to click on the cloud to download it.  Any suggestions?

  • C5280 All-In-One Won't Print on CD

    I have tried everything to get the C5280 to print on a printable CD, but I keep getting an error message on the printer that the CD/DVD tray is open.  To the best of my knowledge, everything is closed. Is there a tray I don't know about?   I have tur

  • Satellite A200-27Z - How to unblock KeNotify on Windows Vista?

    Hi everyone, Well, that subject pretty much says it all. I'm doing a cleanup - on my Satellite A200-27Z - and I my Windows Vista keeps blocking KeNotify.exe on startup. Answers on Google etc. are contradictory - "it's safe!" - "no, don't touch it!" -

  • Dial Up?

    I have access to only a dial up service. Can I take my old airport base station and some how hook it up so it will work with this new? or can I take one of apple's usb modems and plug it into the new AirPort Extream 802.11n's usb port and some how us

  • DocSign plugin sample

    Hi All, I want to develop my own digital signature handler and provide full functionality of digitally signing the document. I'm looking into DocSign plugin sample provided with the Acrobat SDK. Due to the documentation: "This sample does not provide