Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Converting PHP curl_setopt() to Python Requests and to CLI curl

I am trying to convert the following PHP curl_setopt() to the equivalent within Python Requests as well as for CLI curl. For Python, if not possible in Requests, I will resort using pycurl.

curl_setopt($process, CURLOPT_RETURNTRANSFER, true);
curl_setopt($process, CURLOPT_SSL_VERIFYPEER, false);

Here is the working PHP curl code:

$params = array(
    'username' => $username,
    'password' => $password
);

$params_string = json_encode($params);

$process = curl_init($url);
curl_setopt($process, CURLOPT_RETURNTRANSFER, true);
curl_setopt($process, CURLOPT_SSL_VERIFYPEER, false);
curl_setopt($process, CURLOPT_POSTFIELDS, $params_string);

$headers = array();
$headers[] = 'Content-Type: application/json';
curl_setopt($process, CURLOPT_HTTPHEADER, $headers);

$data = curl_exec ($process);

curl_close ($process);   

I am at a loss what I need to set within Python Requests for those two PHP curl_setopt(s).

And I have tried the following in CLI curl, but I got a Bad Request error:

AUTHENTICATE_DATA="usename=${USERNAME}&password=${PASSWORD}"

AUTHENTICATE_RESPONSE=$(curl \
  -X POST \
  -H 'Content-Type: application/json' \
  --data-urlencode "${AUTHENTICATE_DATA}" \
  -v \
  ${AUTHENTICATE_URL})

echo ${AUTHENTICATE_RESPONSE}

What do I need?

Thank you, appreciate the assistance.

like image 222
jeff00seattle Avatar asked Mar 13 '23 14:03

jeff00seattle


1 Answers

Using requests:

import requests

url = 'https://...'
username = 'username'
password = 'supersecret'

# curl_setopt($process, CURLOPT_RETURNTRANSFER, true);
# PHP bashing time: Who in their right minds would create a function
# that spews its return value to stdout by default, unless explicitly
# instructed not to do so.
resp = requests.post(

    # $process = curl_init($url);
    url,

    # $params = array(
    #    'username' => $username,
    #    'password' => $password
    # );
    # $params_string = json_encode($params);
    # curl_setopt($process, CURLOPT_POSTFIELDS, $params_string);
    # $headers[] = 'Content-Type: application/json';
    # curl_setopt($process, CURLOPT_HTTPHEADER, $headers);
    json=dict(username=username, password=password),

    # curl_setopt($process, CURLOPT_SSL_VERIFYPEER, false);
    # note: you shouldn't do this, really
    verify=False,

)

data = resp.text
# or if you expect json response
data = resp.json()
like image 137
Ilja Everilä Avatar answered Mar 15 '23 05:03

Ilja Everilä