0 Pluspunkte 0 Minuspunkte

Ich habe ein Formular mit Dateiupload. Ich möchte die Adresse an die das Formular die Daten sendet mit Curl aufrufen und die Formulardaten in Curl angeben.

curl_setopt($ch, CURLOPT_URL, 'http://domain.com');
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_POST, array( 'key1' => 'value1', 'key2' => 'value2', 'image' => '?????????' ));

Wie kann ich aber ein Bild mitsenden?

von  

1 Antwort

0 Pluspunkte 0 Minuspunkte

Du kannst das Bild als CurlFile in der CURLOPT_POSTFIELDS Option angeben.

// Pfad zur Bilddatei auf deinem Server
$imageFilePath = 'image.jpg';

// Daten, die du zusammen mit dem Bild senden möchtest
$postData = array(
    'key1' => 'value1',
    'key2' => 'value2'
);

// Erstelle ein Array mit den POST-Daten, einschließlich des Bildes
$postFields = array_merge(
    $postData,
    array(
        'image' => new CurlFile($imageFilePath, mime_content_type($imageFilePath), basename($imageFilePath))
    )
);

$ch = curl_init();

curl_setopt($ch, CURLOPT_URL, 'https://example.com/test.php');
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_POST, true);
curl_setopt($ch, CURLOPT_POSTFIELDS, $postFields);

$response = curl_exec($ch);

von