Menú

Mostrar Mensajes

Esta sección te permite ver todos los mensajes escritos por este usuario. Ten en cuenta que sólo puedes ver los mensajes escritos en zonas a las que tienes acceso en este momento.

Mostrar Mensajes Menú

Mensajes - 1mpuls0

#721
Foro Libre / Re: Como se llama esta fuente?
13 Marzo 2013, 18:16 PM
Cita de: corax en  9 Marzo 2013, 10:30 AM
Te lo diría, pero la última vez que preguntaste por una fuente y te dije cual era no te molestaste en dar ni las gracias, así que... no.

http://foro.elhacker.net/empty-t380550.0.html

:-*

Pff y solo por eso comentas, deberías saber que no muchos agradecen o comentan si la solución que propones sirvió para el problema en tema. Incluso yo lo he hecho y hay varias razones.
Mejor te hubieses ahorrado tu comentario y no venir de nena.

Este un foro y el hecho de que alguien no te haya escrito "Gracias" no quiere decir que no este agradecido, que logras con que alguien lo haga (puntos?, satisfaces tu ego), digo tampoco está de más hacerlo de vez en cuando.

Con respecto al tema no tengo idea xD estuve tratando de buscarla pero solo encontré parecidas.

Saludos.
#722
xD

Algo que te recomiendo muchisisisimo es que imprimas tu consulta y la ejecutes en tu SMBD directamente así podrás ver en donde está el error en tu consulta.

Intenta con get

Código (php-brief) [Seleccionar]

$id=$_GET["id"];
$sql = "SELECT * FROM grupos WHERE id=".((int)$id)." LIMIT 1";


Saludos
#723
PHP / Re: Funcion filemsize
13 Marzo 2013, 16:30 PM
Cual es el error que envía? xD

Saludos.
#724
Desarrollo Web / Re: Case en MySQL
13 Marzo 2013, 16:29 PM
Hola.
Que tipo de datos son tus campos en mysql?


Saludos.
#725
Cita de: Platanito Mx en 12 Marzo 2013, 16:12 PM
Gracias Darhius

No sé que tan bueno sea lo siguiente:

Generar una vista para las computadoras por usuario
Generar una vista para las impresoras por usuario
Generar una vista para los telefonos por usuario
etc. etc.

despues hacer en PHP la conexion a la BD
después hacer la consulta en las tablas
¿esta bien?

El punto es que una vista en realidad es una tabla, pero facilitan mucho las consultas sobre todo cuando tienes que relacionar información muy parecida.
En lo personal para mi es buena idea que realices la creación de las vistas ayudan mucho cuando se relaciona entre varias tablas.

#726
Hola.


Debe ser
$row["campo1"] //el nombre del campo entre comillas dobles
o bien puede ser
$row[0] //el indice del campo EN EL SELECT no en la tabla.

Saludos.
#728
Cita de: PabloStriker en 19 Mayo 2012, 11:50 AM
-   Debemos descargar este archivo: http://www.mediafire.com/?h1rclajwoppj5yy

Como se llama "este archivo" ¬¬? deberías colocar el nombre, el link no funciona :S


Saludos.
#729
Voy a dejar las clases con su respectivo autor y fuente por si llegara a desaparecer el link.


Código (java) [Seleccionar]

package net.codejava.networking;
 
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.OutputStreamWriter;
import java.net.HttpURLConnection;
import java.net.URL;
import java.net.URLEncoder;
import java.util.ArrayList;
import java.util.Iterator;
import java.util.List;
import java.util.Map;
 
/**
 * This class encapsulates methods for requesting a server via HTTP GET/POST and
 * provides methods for parsing response from the server.
 *
 * @author www.codejava.net
 *
 */
public class HttpUtility {
 
    /**
     * Represents an HTTP connection
     */
    private static HttpURLConnection httpConn;
 
    /**
     * Makes an HTTP request using GET method to the specified URL.
     *
     * @param requestURL
     *            the URL of the remote server
     * @return An HttpURLConnection object
     * @throws IOException
     *             thrown if any I/O error occurred
     */
    public static HttpURLConnection sendGetRequest(String requestURL)
            throws IOException {
        URL url = new URL(requestURL);
        httpConn = (HttpURLConnection) url.openConnection();
        httpConn.setUseCaches(false);
 
        httpConn.setDoInput(true); // true if we want to read server's response
        httpConn.setDoOutput(false); // false indicates this is a GET request
 
        return httpConn;
    }
 
    /**
     * Makes an HTTP request using POST method to the specified URL.
     *
     * @param requestURL
     *            the URL of the remote server
     * @param params
     *            A map containing POST data in form of key-value pairs
     * @return An HttpURLConnection object
     * @throws IOException
     *             thrown if any I/O error occurred
     */
    public static HttpURLConnection sendPostRequest(String requestURL,
            Map<String, String> params) throws IOException {
        URL url = new URL(requestURL);
        httpConn = (HttpURLConnection) url.openConnection();
        httpConn.setUseCaches(false);
 
        httpConn.setDoInput(true); // true indicates the server returns response
 
        StringBuffer requestParams = new StringBuffer();
 
        if (params != null && params.size() > 0) {
 
            httpConn.setDoOutput(true); // true indicates POST request
 
            // creates the params string, encode them using URLEncoder
            Iterator<String> paramIterator = params.keySet().iterator();
            while (paramIterator.hasNext()) {
                String key = paramIterator.next();
                String value = params.get(key);
                requestParams.append(URLEncoder.encode(key, "UTF-8"));
                requestParams.append("=").append(
                        URLEncoder.encode(value, "UTF-8"));
                requestParams.append("&");
            }
 
            // sends POST data
            OutputStreamWriter writer = new OutputStreamWriter(
                    httpConn.getOutputStream());
            writer.write(requestParams.toString());
            writer.flush();
        }
 
        return httpConn;
    }
 
    /**
     * Returns only one line from the server's response. This method should be
     * used if the server returns only a single line of String.
     *
     * @return a String of the server's response
     * @throws IOException
     *             thrown if any I/O error occurred
     */
    public static String readSingleLineRespone() throws IOException {
        InputStream inputStream = null;
        if (httpConn != null) {
            inputStream = httpConn.getInputStream();
        } else {
            throw new IOException("Connection is not established.");
        }
        BufferedReader reader = new BufferedReader(new InputStreamReader(
                inputStream));
 
        String response = reader.readLine();
        reader.close();
 
        return response;
    }
 
    /**
     * Returns an array of lines from the server's response. This method should
     * be used if the server returns multiple lines of String.
     *
     * @return an array of Strings of the server's response
     * @throws IOException
     *             thrown if any I/O error occurred
     */
    public static String[] readMultipleLinesRespone() throws IOException {
        InputStream inputStream = null;
        if (httpConn != null) {
            inputStream = httpConn.getInputStream();
        } else {
            throw new IOException("Connection is not established.");
        }
 
        BufferedReader reader = new BufferedReader(new InputStreamReader(
                inputStream));
        List<String> response = new ArrayList<String>();
 
        String line = "";
        while ((line = reader.readLine()) != null) {
            response.add(line);
        }
        reader.close();
 
        return (String[]) response.toArray(new String[0]);
    }
     
    /**
     * Closes the connection if opened
     */
    public static void disconnect() {
        if (httpConn != null) {
            httpConn.disconnect();
        }
    }
}


Código (java) [Seleccionar]

package net.codejava.networking;

import java.io.IOException;
import java.util.HashMap;
import java.util.Map;

public class HttpUtilityTester {

    /**
     * This program uses the HttpUtility class to send a GET request to
     * Google home page; and send a POST request to Gmail login page.
     */
    public static void main(String[] args) {
        // test sending GET request
        String requestURL = "http://www.google.com";
        try {
            HttpUtility.sendGetRequest(requestURL);
            String[] response = HttpUtility.readMultipleLinesRespone();
            for (String line : response) {
                System.out.println(line);
            }
        } catch (IOException ex) {
            ex.printStackTrace();
        }
        HttpUtility.disconnect();
         
         
        System.out.println("=====================================");
         
        // test sending POST request
        Map<String, String> params = new HashMap<String, String>();
        requestURL = "https://accounts.google.com/ServiceLoginAuth";
        params.put("Email", "your_email");
        params.put("Passwd", "your_password");
         
        try {
            HttpUtility.sendPostRequest(requestURL, params);
            String[] response = HttpUtility.readMultipleLinesRespone();
            for (String line : response) {
                System.out.println(line);
            }
        } catch (IOException ex) {
            ex.printStackTrace();
        }
        HttpUtility.disconnect();
    }
}


Autor: www.codejava.net
Fuente: http://www.codejava.net/java-se/networking/an-http-utility-class-to-send-getpost-request

Saludos
#730
Java / Re: ORDENAR DATOS DESDE UN BOTON
9 Marzo 2013, 07:43 AM
Cita de: jelsir en  9 Marzo 2013, 06:37 AM
no de mucho lo que necesito es ordenar columnas

Si lo entiendo pero eso que hace es un ejemplo básico, podrías buscar la manera de hacerlo, me imagino que es posible aunque nunca lo he intentado.


Saludos.