CRM 팩스: Fax.Plus를 Salesforce, HubSpot, Pipedrive와 통합

Fax.Plus를 사용하면 CRM 시스템에서 직접 팩스를 쉽게 보낼 수 있습니다. Salesforce, HubSpot, Zoho 또는 Pipedrive를 사용하는 경우에도 당사의 통합 기능을 통해 CRM 플랫폼을 벗어나지 않고도 팩스를 빠르게 보내고 받을 수 있습니다.

재정
우리는 세계에서 가장 큰 브랜드들을 지원합니다
유엔3MIBMAirbuseset
Politico 로고PhilipsRoche 로고Harvard
CRM 팩스 전송

Fax.Plus CRM 통합

자체 앱의 모든 팩스 기능

워크플로 자동화 및 간소화

팩스 작업을 자동화하여 시간을 절약하고 오류를 줄이며 생산성을 높입니다. CRM에서 고객 또는 환자 데이터를 업데이트할 때 확인 또는 후속 팩스를 자동으로 보냅니다.
매우 안전한 솔루션

HIPAA 준수 팩스 전송 보장

CRM에서 직접 민감한 환자 정보(PHI)를 안전하게 보냅니다. 환자 의뢰, 검사 결과 및 의료 기록에 대한 안전하고 규정을 준수하는 팩스가 필요한 의료 제공자에게 적합합니다.
문서 보관 아이콘

향상된 기록 관리

전송 및 수신된 팩스를 CRM 내에 직접 저장하여 쉽게 추적하고 문서화 정확도를 향상시킵니다.

CRM을 위한 강력한 팩스 API

Fax.Plus는 JavaScript, Node.js, Ruby, Python 및 Java와 같은 널리 사용되는 개발 플랫폼과 호환되는 강력하면서도 사용하기 쉬운 팩스 API를 제공합니다. OAuth 2.0 또는 개인 액세스 토큰(PAT)을 사용하여 쉽게 인증하고 포괄적인 팩스 기능을 소프트웨어에 통합할 수 있습니다.

자세한 API 문서를 활용하여 사용자 정의된 팩스 솔루션을 만들고, RESTful API를 활용하고, Webhooks를 통해 실시간 알림을 통합하세요.

1const axios = require('axios');
2const OutboxApiFp = require('@alohi/faxplus-api').OutboxApiFp;
3const Configuration = require('@alohi/faxplus-api').Configuration;
4
5const config = new Configuration({
6    accessToken: accessToken,
7    basePath: 'https://restapi.fax.plus/v3',
8    // Header required only when using the OAuth2 token scheme
9    baseOptions: {
10        headers: {
11          "x-fax-clientid": clientId,
12        }
13    }
14});
15
16async function sendFax() {
17    const reqParams = {
18        "userId": '13d8z73c',
19        "payloadOutbox": {
20            "comment": {
21                "tags": [
22                    "tag1",
23                    "tag2"
24                ],
25                "text": "text comment"
26            },
27            "files": [
28                "filetosend.pdf"
29            ],
30            "from": "+12345667",
31            "options": {
32                "enhancement": true,
33                "retry": {
34                    "count": 2,
35                    "delay": 15
36                }
37            },
38            "send_time": "2000-01-01 01:02:03 +0000",
39            "to": [
40                "+12345688",
41                "+12345699"
42            ],
43            "return_ids": true
44        }
45    }
46    const req = await OutboxApiFp(config).sendFax(reqParams);
47    const resp = await req(axios);
48}
49
50sendFax()
from faxplus import ApiClient, OutboxApi, OutboxComment, RetryOptions, OutboxOptions, OutboxCoverPage, PayloadOutbox
from faxplus.configuration import Configuration

outbox_comment = OutboxComment(tags=['tag1', 'tag2'],
    text='text comment')

retry_options = RetryOptions(count=2, delay=15)

outbox_options = OutboxOptions(enhancement=True, retry=retry_options)

outbox_cover_page = OutboxCoverPage()

payload_outbox = PayloadOutbox(from='+12345667',
    to=['+12345688', '+12345699'],
    files=['filetosend.pdf'],
    comment=outbox_comment,
    options=outbox_options,
    send_time='2000-01-01 01:02:03 +0000',
    return_ids=True,
    cover_page=outbox_cover_page)

conf = Configuration()
conf.access_token = access_token
# header_name and header_value required only when using the OAuth2 token scheme
api_client = ApiClient(header_name='x-fax-clientid', header_value=client_id, configuration=conf)
api = OutboxApi(api_client)
resp = api.send_fax(
    user_id='13d8z73c',
    body=payload_outbox
)
<?php

require 'vendor/autoload.php';

$headers = array(
    'Accept' => 'application/json',
    'Authorization' => 'Bearer {access-token}',
    // The x-fax-clientid header is required only when using the OAuth2 token scheme
    'x-fax-clientid' => '{client ID}',
);

$client = new GuzzleHttp\Client();

// Define array of request body.
$request_body = ...;  // See request body example

try {
    $response = $client->request('POST','https://restapi.fax.plus/v3/accounts/{user_id}/outbox', array(
        'headers' => $headers,
        'json' => $request_body,
        )
    );
    print_r($response->getBody()->getContents());
 }
 catch (GuzzleHttp\Exception\BadResponseException $e) {
    // handle exception or api errors.
    print_r($e->getMessage());
 }

 // ...
package main

import (
       "bytes"
       "net/http"
)

func main() {

    headers := map[string][]string{
        // The x-fax-clientid header is required only when using the OAuth2 token scheme
        "Content-Type": []string{"application/json"},
        "Accept": []string{"application/json"},
        "Authorization": []string{"Bearer {access-token}"},
        "x-fax-clientid": []string{"YOUR CLIENT_ID"}
    }

    data := bytes.NewBuffer([]byte{jsonReq})
    req, err := http.NewRequest("POST", "https://restapi.fax.plus/v3/accounts/{user_id}/outbox", data)
    req.Header = headers

    client := &http.Client{}
    resp, err := client.Do(req)
    // ...
}
CRM 팩스 전송

Salesforce, HubSpot, Zoho, Pipedrive 등을 위한 간단한 CRM 팩스 통합

프로그래밍 가능 API

Salesforce 팩스 통합

Fax.Plus를 Salesforce에 직접 연결하여 모든 팩스 활동을 한 곳에서 관리하세요. 팩스 보내기, 받기 및 추적.
프로그래밍 가능 API

HubSpot 팩스 통합

Fax.Plus를 HubSpot과 쉽게 통합하여 문서 전송을 자동화하고, 팩스 상호 작용을 추적하고, 전체 워크플로 효율성을 개선하세요.
프로그래밍 가능 API

Zoho CRM 팩스 통합

새로운 환자 의뢰를 받거나 환자 상태를 업데이트하는 것과 같은 이벤트 또는 트리거를 기반으로 Zoho CRM에서 고객에게 팩스를 보냅니다. 들어오는 팩스를 CRM 이벤트로 편리하게 기록하여 프로세스를 간소화합니다.
프로그래밍 가능 API

Pipedrive Fax 통합

Fax.Plus를 Pipedrive와 연결하여 팩스 프로세스를 자동화하고, 커뮤니케이션을 원활하게 추적하고, CRM 생산성을 향상시키세요.
프로그래밍 가능 API

Microsoft Dynamics Fax

Fax.Plus는 Microsoft Dynamics와 연결되어 Dynamics CRM 플랫폼에서 간소화된 커뮤니케이션, 자동화된 팩스 워크플로 및 포괄적인 기록 관리를 지원합니다.
Zapier 로고

더 많은 옵션을 위해 Zapier를 통해 통합

Zapier를 통해 Fax.Plus를 수백 개의 다른 애플리케이션에 연결하여 팩스 워크플로에서 훨씬 더 큰 자동화와 유연성을 실현할 수도 있습니다.

흰색 배경에 긴 그림자가 드리워진 시계 아이콘

코드를 작성하지 않고 반복적인 작업을 자동화하세요.

맞춤형 워크플로를 구축하여 시간을 절약하세요.

맞춤형 워크플로를 구축하여 시간을 절약하세요.

이미 사용하고 있는 5,000개 이상의 앱을 연결하세요.

이미 사용하고 있는 5,000개 이상의 앱을 연결하세요.

핵심 기능은 영원히 무료입니다. Premium 기능은 14일 무료 평가판을 이용할 수 있습니다.

핵심 기능은 영원히 무료입니다. Premium 기능은 14일 무료 평가판을 이용할 수 있습니다.

제품 이미지

Fax.Plus 사용자에게 인기

Fax.plus 아이콘Google Drive 아이콘
creditletter 아이콘 Fax.plus 아이콘
clg 앱 아이콘Fax.plus 아이콘
Fax.plus 아이콘Teams 아이콘
Google Drive 아이콘Fax.plus 아이콘
Fax.plus 아이콘Salesforce 아이콘
Hubspot 아이콘Fax.plus 아이콘
Zoho 아이콘Fax.plus 아이콘
Fax.plus 아이콘Teams 아이콘
Google Drive 아이콘Fax.plus 아이콘
Fax.plus 아이콘Google Drive 아이콘
creditletter 아이콘 Fax.plus 아이콘
clg 앱 아이콘Fax.plus 아이콘
Fax.plus 아이콘Teams 아이콘
Google Drive 아이콘Fax.plus 아이콘

Fax.Plus로 할 수 있는 모든 것을 알아보세요.

당사의 최첨단 팩스 솔루션이 귀사의 Business에 어떻게 도움이 되는지 알고 싶으십니까?
데모를 예약하시면 당사 담당자가 맞춤형 데모를 위해 귀하에게 연락할 것입니다.

제휴 파트너가 되어 보세요!

제휴 프로그램에 참여하여 고객에게 탁월한 온라인 팩스 솔루션을 제공하십시오.
파트너 되기