月別アーカイブ: 2025年2月

PHPでSlackへメッセージ送信

PHPでSlackへメッセージ送信するサンプル。

Slackの該当チャンネルで、チャンネル詳細〜インテグレーション〜アプリを追加する、でIncomming Webhookを追加。
その際に、チャンネルを指定(ここで新規作成も可)&投稿者名を設定し、Webhook URLを拾う。
あとはChatWorkとほぼ一緒。(要php-curl)

<?php

class SlackComponent
{
    /**
     * Slackへメッセージ送信
     * @param $url : Incomming WebhookのWebhook URL
     * @param $channel : #チャンネル名
     * @param $bodyText : 内容
     * @return  string | false
     *      error : ?
     *      success: "ok"
     */
    public static function send(string $url, string $channel, string $bodyText) : string | false
    {
        $ch = curl_init();
        $options = [
            CURLOPT_URL => $url,
            CURLOPT_RETURNTRANSFER => true,
            CURLOPT_SSL_VERIFYPEER => false,
            CURLOPT_POST => true,
            CURLOPT_POSTFIELDS => http_build_query([
                'payload' => json_encode([
                    'channel' => $channel, // #チャンネル名
                    'text' => $bodyText, //本文
                ]),
            ])
        ];
        curl_setopt_array($ch, $options);
        $res = curl_exec($ch);
        curl_close($ch);

        if ($res === false) {
            return false;
        }
        return $res;
    }
}

呼び出し側は、

$url = 'https://hooks.slack.com/services/XXXXXXXXX/xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx';
$channel = '#test';

$res = SlackComponent::send($url, $channel, 'this is test');
if ($res !== 'ok') {
    //fail
}
else {
    //success
}

こんな感じでするっと’ok’が返ってくる。

PHPでChatWorkへメッセージ送信

Line-Notifyが2025年3月末で終了するとのことで、代替を探してみたがどれもパッとせず。

LINE Official AccountでのメッセージAPIも200通/月以上は有料(5,000円/月)となるので小規模では使えず。

とりあえずの用途として顧客へ通知するわけではなく、申込みフォームからの申込みを管理者側へ通知できれば良いので、SlackかChatWorkへの投稿ができればスマホにアプリ入れれば通知くるのでまぁいいかと。

で、ChatWorkへのPOSTをPHPで簡単に。(要php-curl : >sudo apt install php-curl)

<?php

class ChatWorkComponent
{
    public static function send(string $roomId, string $token, string $bodyText) : array | false
    {
        $options = array(
            CURLOPT_URL => 'https://api.chatwork.com/v2/rooms/'.$roomId.'/messages',
            CURLOPT_HTTPHEADER => [
                'X-ChatWorkToken: '. $token,
                'Content-Type: application/x-www-form-urlencoded'
            ],
            CURLOPT_RETURNTRANSFER => true,
            CURLOPT_SSL_VERIFYPEER => true,
            CURLOPT_POST => true,
            CURLOPT_POSTFIELDS =>
                http_build_query(['body' => $bodyText, 'self_unread=0'])
        );

        $ch = curl_init();
        curl_setopt_array($ch, $options);
        $res = curl_exec($ch);
        curl_close($ch);

        if ($res === false) {
            return false;
        }
        return json_decode($res, true);
    }
}

こんな感じのを

$roomId = 'XXXXXXXXX';
$token = 'xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx';

$res = ChatworkComponent::send($roomId, $token, 'this is test');
if ($res !== false) {
    if (array_key_exists('message_id', $res)) {
        //success
    }
    else {
        //fail
    }
}
else {
    //fail
}

こんな感じで呼び出してやる。