Documentation ¶
Overview ¶
Package twilio simplifies interaction with the Twilio API.
The twilio-go library should be your first choice for interacting with the Twilio API; it offers forward compatibility, very fine-grained control of API access, best-in-class control over how long to wait for requests to complete, and great debuggability when things go wrong. Get started by creating a Client:
client := twilio.NewClient("AC123", "123", nil)
All of the Twilio resources are available as properties on the Client. Let's walk through some of the example use cases.
Creating a Resource ¶
Resources that can create new methods take a url.Values as an argument, and pass all arguments to the Twilio API. This method ensures forward compatibility; any new arguments that get invented can be added in client-side code.
data := url.Values{"To": []string{"+1foo"}, "From": []string{"+1foo"}, "Body": []string{"+1foo"}} msg, err := client.Messages.Create(context.TODO(), data)
Getting an Instance Resource ¶
Call Get() with a particular sid.
number, err := client.IncomingNumbers.Get(context.TODO(), "PN123") fmt.Println(number.PhoneNumber)
Updating an Instance Resource ¶
Call Update() with a particular sid and a url.Values.
data := url.Values{} data.Set("Status", string(twilio.StatusCompleted)) call, err := client.Calls.Update("CA123", data)
Getting a List Resource ¶
There are two flavors of interaction. First, if all you want is a single Page of resources, optionally with filters:
page, err := client.Recordings.GetPage(context.TODO(), url.Values{})
To control the page size, set "PageSize": "N" in the url.Values{} field. Twilio defaults to returning 50 results per page if this is not set.
Alternatively you can get a PageIterator and call Next() to repeatedly retrieve pages.
iterator := client.Calls.GetPageIterator(url.Values{"From": []string{"+1foo"}}) for { page, err := iterator.Next(context.TODO()) // NoMoreResults means you've reached the end. if err == twilio.NoMoreResults { break } fmt.Println("start", page.Start) }
Twilio Monitor ¶
Twilio Monitor subresources are available on the Client under the Monitor field, e.g.
alert, err := client.Monitor.Alerts.Get(context.TODO(), "NO123")
Custom Types ¶
There are several custom types and helper functions designed to make your job easier. Where possible, we try to parse values from the Twilio API into a datatype that makes more sense. For example, we try to parse timestamps into Time values, durations into time.Duration, integer values into uints, even if the API returns them as strings, e.g. "3".
All phone numbers have type PhoneNumber. By default these are E.164, but can be printed in Friendly()/Local() variations as well.
num, _ := twilio.NewPhoneNumber("+1 (415) 555-1234") fmt.Println(num.Friendly()) // "+1 415 555 1234"
Any times returned from the Twilio API are of type TwilioTime, which has two properties - Valid (a bool), and Time (a time.Time). Check Valid before using the related Time.
if msg.DateSent.Valid { fmt.Println(msg.DateSent.Time.Format(time.Kitchen) }
There are constants for every Status in the API, for example StatusQueued, which has the value "queued". You can call Friendly() on any Status to get an uppercase version of the status, e.g.
twilio.StatusInProgress.Friendly() // "In Progress"
Example ¶
package main import ( "context" "fmt" "net/url" "time" "github.com/kevinburke/rest" twilio "github.com/kevinburke/twilio-go" ) var callURL, _ = url.Parse("https://kev.inburke.com/zombo/zombocom.mp3") func main() { client := twilio.NewClient("AC123", "123", nil) // Send a SMS msg, _ := client.Messages.SendMessage("+14105551234", "+14105556789", "Sent via go :) ✓", nil) fmt.Println(msg.Sid, msg.FriendlyPrice()) // Make a call call, _ := client.Calls.MakeCall("+14105551234", "+14105556789", callURL) fmt.Println(call.Sid, call.FriendlyPrice()) _, err := client.IncomingNumbers.BuyNumber("+1badnumber") // Twilio API errors are converted to rest.Error types if err != nil { restErr, ok := err.(*rest.Error) if ok { fmt.Println(restErr.Title) fmt.Println(restErr.Type) } } // Find all calls from a number data := url.Values{"From": []string{"+14105551234"}} iterator := client.Calls.GetPageIterator(data) ctx, cancel := context.WithTimeout(context.TODO(), 1*time.Minute) defer cancel() for { page, err := iterator.Next(ctx) if err == twilio.NoMoreResults { break } for _, call := range page.Calls { fmt.Println(call.Sid, call.To) } } }
Output:
Example (BuyNumber) ¶
package main import ( "context" "fmt" "net/url" twilio "github.com/kevinburke/twilio-go" ) func main() { client := twilio.NewClient("AC123", "123", nil) ctx := context.TODO() // Find a number in the 925 area code var data url.Values data.Set("AreaCode", "925") numbers, _ := client.AvailableNumbers.Local.GetPage(ctx, "US", data) // Buy the first one (if there's at least one to buy) if len(numbers.Numbers) == 0 { fmt.Println("No phone numbers available") return } number := numbers.Numbers[0] var buyData url.Values buyData.Set("PhoneNumber", string(number.PhoneNumber)) boughtNumber, _ := client.IncomingNumbers.Create(ctx, buyData) fmt.Println("bought number!", boughtNumber.PhoneNumber) }
Output:
Example (Wireless) ¶
package main import ( "context" "fmt" twilio "github.com/kevinburke/twilio-go" ) func main() { client := twilio.NewClient("AC123", "123", nil) sim, _ := client.Wireless.Sims.Get(context.TODO(), "DE123") fmt.Println(sim.Status) }
Output:
Index ¶
- Constants
- Variables
- func GetExpectedTwilioSignature(host string, authToken string, URL string, postForm url.Values) (expectedTwilioSignature string)
- func ValidateIncomingRequest(host string, authToken string, req *http.Request) (err error)
- type Account
- type AccountPage
- type AccountPageIterator
- type AccountService
- func (a *AccountService) Create(ctx context.Context, data url.Values) (*Account, error)
- func (a *AccountService) Get(ctx context.Context, sid string) (*Account, error)
- func (a *AccountService) GetPage(ctx context.Context, data url.Values) (*AccountPage, error)
- func (c *AccountService) GetPageIterator(data url.Values) *AccountPageIterator
- func (a *AccountService) Update(ctx context.Context, sid string, data url.Values) (*Account, error)
- type Activity
- type ActivityPage
- type ActivityPageIterator
- type ActivityService
- func (r *ActivityService) Create(ctx context.Context, data url.Values) (*Activity, error)
- func (r *ActivityService) Delete(ctx context.Context, sid string) error
- func (r *ActivityService) Get(ctx context.Context, sid string) (*Activity, error)
- func (ins *ActivityService) GetPage(ctx context.Context, data url.Values) (*ActivityPage, error)
- func (c *ActivityService) GetPageIterator(data url.Values) *ActivityPageIterator
- func (ipn *ActivityService) Update(ctx context.Context, sid string, data url.Values) (*Activity, error)
- type Alert
- type AlertPage
- type AlertPageIterator
- type AlertService
- func (a *AlertService) Get(ctx context.Context, sid string) (*Alert, error)
- func (a *AlertService) GetAlertsInRange(start time.Time, end time.Time, data url.Values) AlertPageIterator
- func (a *AlertService) GetNextAlertsInRange(start time.Time, end time.Time, nextPageURI string) AlertPageIterator
- func (a *AlertService) GetPage(ctx context.Context, data url.Values) (*AlertPage, error)
- func (a *AlertService) GetPageIterator(data url.Values) AlertPageIterator
- type AllDataUsage
- type AnsweredBy
- type Application
- type ApplicationPage
- type ApplicationPageIterator
- type ApplicationService
- func (c *ApplicationService) Create(ctx context.Context, data url.Values) (*Application, error)
- func (r *ApplicationService) Delete(ctx context.Context, sid string) error
- func (c *ApplicationService) Get(ctx context.Context, sid string) (*Application, error)
- func (c *ApplicationService) GetPage(ctx context.Context, data url.Values) (*ApplicationPage, error)
- func (c *ApplicationService) GetPageIterator(data url.Values) *ApplicationPageIterator
- func (a *ApplicationService) Update(ctx context.Context, sid string, data url.Values) (*Application, error)
- type AvailableNumber
- type AvailableNumberBase
- type AvailableNumberPage
- type AvailableNumberService
- type Call
- type CallEvent
- type CallEventsPage
- type CallEventsPageIterator
- type CallEventsService
- type CallMetric
- type CallMetricsPage
- type CallMetricsPageIterator
- type CallMetricsService
- type CallPage
- type CallPageIterator
- type CallParty
- type CallProperties
- type CallService
- func (c *CallService) Cancel(sid string) (*Call, error)
- func (c *CallService) Create(ctx context.Context, data url.Values) (*Call, error)
- func (c *CallService) Get(ctx context.Context, sid string) (*Call, error)
- func (c *CallService) GetCallsInRange(start time.Time, end time.Time, data url.Values) CallPageIterator
- func (c *CallService) GetNextCallsInRange(start time.Time, end time.Time, nextPageURI string) CallPageIterator
- func (c *CallService) GetPage(ctx context.Context, data url.Values) (*CallPage, error)
- func (c *CallService) GetPageIterator(data url.Values) CallPageIterator
- func (c *CallService) GetRecordings(ctx context.Context, callSid string, data url.Values) (*RecordingPage, error)
- func (c *CallService) GetRecordingsIterator(callSid string, data url.Values) *RecordingPageIterator
- func (c *CallService) Hangup(sid string) (*Call, error)
- func (c *CallService) MakeCall(from string, to string, u *url.URL) (*Call, error)
- func (c *CallService) Redirect(sid string, u *url.URL) (*Call, error)
- func (c *CallService) Update(ctx context.Context, sid string, data url.Values) (*Call, error)
- type CallSummary
- type CallSummaryAttributes
- type CallSummaryService
- type CallerIDRequest
- type CallerLookup
- type CarrierLookup
- type CheckPhoneNumber
- type Client
- func NewClient(accountSid string, authToken string, httpClient *http.Client) *Client
- func NewFaxClient(accountSid string, authToken string, httpClient *http.Client) *Client
- func NewInsightsClient(accountSid string, authToken string, httpClient *http.Client) *Client
- func NewLookupClient(accountSid string, authToken string, httpClient *http.Client) *Client
- func NewMonitorClient(accountSid string, authToken string, httpClient *http.Client) *Client
- func NewNotifyClient(accountSid string, authToken string, httpClient *http.Client) *Client
- func NewPricingClient(accountSid string, authToken string, httpClient *http.Client) *Client
- func NewTaskRouterClient(accountSid string, authToken string, httpClient *http.Client) *Client
- func NewVerifyClient(accountSid string, authToken string, httpClient *http.Client) *Client
- func NewVideoClient(accountSid string, authToken string, httpClient *http.Client) *Client
- func NewWirelessClient(accountSid string, authToken string, httpClient *http.Client) *Client
- func (c *Client) CreateResource(ctx context.Context, pathPart string, data url.Values, v interface{}) error
- func (c *Client) DeleteResource(ctx context.Context, pathPart string, sid string) error
- func (c *Client) GetNextPage(ctx context.Context, fullUri string, v interface{}) error
- func (c *Client) GetResource(ctx context.Context, pathPart string, sid string, v interface{}) error
- func (c *Client) ListResource(ctx context.Context, pathPart string, data url.Values, v interface{}) error
- func (c *Client) MakeRequest(ctx context.Context, method string, pathPart string, data url.Values, ...) error
- func (c *Client) RequestOnBehalfOf(subaccountSid string)
- func (c *Client) UpdateResource(ctx context.Context, pathPart string, sid string, data url.Values, ...) error
- func (c *Client) UseSecretKey(key string)
- type Code
- type Command
- type CommandPage
- type CommandPageIterator
- type CommandService
- func (c *CommandService) Create(ctx context.Context, data url.Values) (*Command, error)
- func (c *CommandService) Get(ctx context.Context, sid string) (*Command, error)
- func (f *CommandService) GetPage(ctx context.Context, data url.Values) (*CommandPage, error)
- func (f *CommandService) GetPageIterator(data url.Values) CommandPageIterator
- func (c *CommandService) Send(ctx context.Context, sid string, text string) (*Command, error)
- type CommandUsage
- type CommandsUsage
- type Conference
- type ConferencePage
- type ConferencePageIterator
- type ConferenceService
- func (c *ConferenceService) Get(ctx context.Context, sid string) (*Conference, error)
- func (c *ConferenceService) GetConferencesInRange(start time.Time, end time.Time, data url.Values) ConferencePageIterator
- func (c *ConferenceService) GetNextConferencesInRange(start time.Time, end time.Time, nextPageURI string) ConferencePageIterator
- func (c *ConferenceService) GetPage(ctx context.Context, data url.Values) (*ConferencePage, error)
- func (c *ConferenceService) GetPageIterator(data url.Values) ConferencePageIterator
- type CountriesPricePage
- type CountryMessagingPriceService
- func (cmps *CountryMessagingPriceService) Get(ctx context.Context, isoCountry string, data url.Values) (*MessagePrices, error)
- func (cmps *CountryMessagingPriceService) GetPage(ctx context.Context, data url.Values) (*CountriesPricePage, error)
- func (cmps *CountryMessagingPriceService) GetPageIterator(data url.Values) *CountryPricePageIterator
- type CountryPhoneNumberPriceService
- func (cpnps *CountryPhoneNumberPriceService) Get(ctx context.Context, isoCountry string, data url.Values) (*NumberPrices, error)
- func (cpnps *CountryPhoneNumberPriceService) GetPage(ctx context.Context, data url.Values) (*CountriesPricePage, error)
- func (cpnps *CountryPhoneNumberPriceService) GetPageIterator(data url.Values) *CountryPricePageIterator
- type CountryPricePageIterator
- type CountryVoicePriceService
- func (cvps *CountryVoicePriceService) Get(ctx context.Context, isoCountry string, data url.Values) (*VoicePrices, error)
- func (cvps *CountryVoicePriceService) GetPage(ctx context.Context, data url.Values) (*CountriesPricePage, error)
- func (cvps *CountryVoicePriceService) GetPageIterator(data url.Values) *CountryPricePageIterator
- type CredentialType
- type CumulativeMetrics
- type DataUsage
- type Direction
- type Edge
- type EdgeMetadata
- type EdgeMetrics
- type EdgeProperties
- type EdgeSummary
- type Fax
- type FaxPage
- type FaxPageIterator
- type FaxService
- func (f *FaxService) Cancel(sid string) (*Fax, error)
- func (f *FaxService) Create(ctx context.Context, data url.Values) (*Fax, error)
- func (f *FaxService) Get(ctx context.Context, sid string) (*Fax, error)
- func (f *FaxService) GetPage(ctx context.Context, data url.Values) (*FaxPage, error)
- func (f *FaxService) GetPageIterator(data url.Values) FaxPageIterator
- func (f *FaxService) SendFax(from string, to string, mediaURL *url.URL) (*Fax, error)
- func (c *FaxService) Update(ctx context.Context, sid string, data url.Values) (*Fax, error)
- type InboundPrice
- type IncomingNumberService
- func (ipn *IncomingNumberService) BuyNumber(phoneNumber string) (*IncomingPhoneNumber, error)
- func (ipn *IncomingNumberService) Get(ctx context.Context, sid string) (*IncomingPhoneNumber, error)
- func (ins *IncomingNumberService) GetPage(ctx context.Context, data url.Values) (*IncomingPhoneNumberPage, error)
- func (c *IncomingNumberService) GetPageIterator(data url.Values) *IncomingPhoneNumberPageIterator
- func (ipn *IncomingNumberService) Release(ctx context.Context, sid string) error
- func (ipn *IncomingNumberService) Update(ctx context.Context, sid string, data url.Values) (*IncomingPhoneNumber, error)
- type IncomingPhoneNumber
- type IncomingPhoneNumberPage
- type IncomingPhoneNumberPageIterator
- type IntervalMetrics
- type Key
- type KeyPage
- type KeyPageIterator
- type KeyService
- func (c *KeyService) Create(ctx context.Context, data url.Values) (*Key, error)
- func (r *KeyService) Delete(ctx context.Context, sid string) error
- func (c *KeyService) Get(ctx context.Context, sid string) (*Key, error)
- func (c *KeyService) GetPage(ctx context.Context, data url.Values) (*KeyPage, error)
- func (c *KeyService) GetPageIterator(data url.Values) *KeyPageIterator
- func (a *KeyService) Update(ctx context.Context, sid string, data url.Values) (*Key, error)
- type LogLevel
- type LookupPhoneNumbersService
- type Media
- type MediaPage
- type MediaService
- func (m *MediaService) Get(ctx context.Context, messageSid string, sid string) (*Media, error)
- func (m *MediaService) GetImage(ctx context.Context, messageSid string, sid string) (image.Image, error)
- func (m *MediaService) GetPage(ctx context.Context, messageSid string, data url.Values) (*MediaPage, error)
- func (m *MediaService) GetURL(ctx context.Context, messageSid string, sid string) (*url.URL, error)
- type Message
- type MessagePage
- type MessagePageIterator
- type MessagePrices
- type MessageService
- func (m *MessageService) Create(ctx context.Context, data url.Values) (*Message, error)
- func (m *MessageService) Delete(ctx context.Context, sid string) error
- func (m *MessageService) Get(ctx context.Context, sid string) (*Message, error)
- func (m *MessageService) GetMediaURLs(ctx context.Context, sid string, data url.Values) ([]*url.URL, error)
- func (c *MessageService) GetMessagesInRange(start time.Time, end time.Time, data url.Values) MessagePageIterator
- func (c *MessageService) GetNextMessagesInRange(start time.Time, end time.Time, nextPageURI string) MessagePageIterator
- func (m *MessageService) GetPage(ctx context.Context, data url.Values) (*MessagePage, error)
- func (m *MessageService) GetPageIterator(data url.Values) MessagePageIterator
- func (m *MessageService) SendMessage(from string, to string, body string, mediaURLs []*url.URL) (*Message, error)
- func (m *MessageService) SendMessageWithCallback(from string, to string, body string, mediaURLs []*url.URL, callback string) (*Message, error)
- type MessagingPriceService
- type Meta
- type MetricsSummary
- type NotifyCredential
- type NotifyCredentialPage
- type NotifyCredentialPageIterator
- type NotifyCredentialsService
- func (n *NotifyCredentialsService) Create(ctx context.Context, data url.Values) (*NotifyCredential, error)
- func (n *NotifyCredentialsService) CreateAPN(ctx context.Context, friendlyName string, cert string, privateKey string, ...) (*NotifyCredential, error)
- func (n *NotifyCredentialsService) CreateFCM(ctx context.Context, friendlyName string, secret string) (*NotifyCredential, error)
- func (n *NotifyCredentialsService) CreateGCM(ctx context.Context, friendlyName string, apiKey string) (*NotifyCredential, error)
- func (n *NotifyCredentialsService) Delete(ctx context.Context, sid string) error
- func (n *NotifyCredentialsService) Get(ctx context.Context, sid string) (*NotifyCredential, error)
- func (n *NotifyCredentialsService) GetPage(ctx context.Context, data url.Values) (*NotifyCredentialPage, error)
- func (n *NotifyCredentialsService) GetPageIterator(data url.Values) *NotifyCredentialPageIterator
- func (n *NotifyCredentialsService) Update(ctx context.Context, sid string, data url.Values) (*NotifyCredential, error)
- type NotifyService
- type NullAnsweredBy
- type NumMedia
- type NumberCapability
- type NumberPrices
- type NumberPurchasingService
- type NumberVoicePriceService
- type OutboundCallPrice
- type OutboundSMSPrice
- type OutgoingCallerID
- type OutgoingCallerIDPage
- type OutgoingCallerIDPageIterator
- type OutgoingCallerIDService
- func (c *OutgoingCallerIDService) Create(ctx context.Context, data url.Values) (*CallerIDRequest, error)
- func (o *OutgoingCallerIDService) Delete(ctx context.Context, sid string) error
- func (o *OutgoingCallerIDService) Get(ctx context.Context, sid string) (*OutgoingCallerID, error)
- func (o *OutgoingCallerIDService) GetPage(ctx context.Context, data url.Values) (*OutgoingCallerIDPage, error)
- func (o *OutgoingCallerIDService) GetPageIterator(data url.Values) *OutgoingCallerIDPageIterator
- func (o *OutgoingCallerIDService) Update(ctx context.Context, sid string, data url.Values) (*OutgoingCallerID, error)
- type Page
- type PageIterator
- type Participant
- type ParticipantService
- type PhoneLookup
- type PhoneNumber
- type PhoneNumberPrice
- type PhoneNumberPriceService
- type PrefixPrice
- type PriceCountry
- type Queue
- type QueuePage
- type QueuePageIterator
- type QueueService
- func (c *QueueService) Create(ctx context.Context, data url.Values) (*Queue, error)
- func (c *QueueService) Delete(ctx context.Context, sid string) error
- func (c *QueueService) Get(ctx context.Context, sid string) (*Queue, error)
- func (c *QueueService) GetPage(ctx context.Context, data url.Values) (*QueuePage, error)
- func (c *QueueService) GetPageIterator(data url.Values) *QueuePageIterator
- type Recording
- type RecordingPage
- type RecordingPageIterator
- type RecordingService
- func (r *RecordingService) Delete(ctx context.Context, sid string) error
- func (r *RecordingService) Get(ctx context.Context, sid string) (*Recording, error)
- func (r *RecordingService) GetPage(ctx context.Context, data url.Values) (*RecordingPage, error)
- func (r *RecordingService) GetPageIterator(data url.Values) *RecordingPageIterator
- func (r *RecordingService) GetTranscriptions(ctx context.Context, recordingSid string, data url.Values) (*TranscriptionPage, error)
- type Room
- type RoomPage
- type RoomPageIterator
- type RoomService
- func (r *RoomService) Complete(sid string) (*Room, error)
- func (r *RoomService) Create(ctx context.Context, data url.Values) (*Room, error)
- func (r *RoomService) Get(ctx context.Context, sidOrUniqueName string) (*Room, error)
- func (r *RoomService) GetPage(ctx context.Context, data url.Values) (*RoomPage, error)
- func (r *RoomService) GetPageIterator(data url.Values) *RoomPageIterator
- type SDKEdge
- type SDKEdgeEvents
- type SDKEdgeProperties
- type SDKEdgeSummary
- type Segments
- type Sim
- type SimPage
- type SimPageIterator
- type SimService
- func (s *SimService) Get(ctx context.Context, sid string) (*Sim, error)
- func (f *SimService) GetPage(ctx context.Context, data url.Values) (*SimPage, error)
- func (f *SimService) GetPageIterator(data url.Values) SimPageIterator
- func (s *SimService) GetUsageRecords(ctx context.Context, simSid string, data url.Values) (*SimUsageRecordPage, error)
- func (s *SimService) GetUsageRecordsIterator(simSid string, data url.Values) SimUsageRecordPageIterator
- func (c *SimService) Update(ctx context.Context, sid string, data url.Values) (*Sim, error)
- type SimUsageRecord
- type SimUsageRecordPage
- type SimUsageRecordPageIterator
- type Status
- type SupportedCountries
- type SupportedCountriesService
- type SupportedCountry
- type TaskQueue
- type TaskQueuePage
- type TaskQueuePageIterator
- type TaskQueueService
- func (r *TaskQueueService) Create(ctx context.Context, data url.Values) (*TaskQueue, error)
- func (r *TaskQueueService) Delete(ctx context.Context, sid string) error
- func (r *TaskQueueService) Get(ctx context.Context, sid string) (*TaskQueue, error)
- func (ins *TaskQueueService) GetPage(ctx context.Context, data url.Values) (*TaskQueuePage, error)
- func (c *TaskQueueService) GetPageIterator(data url.Values) *TaskQueuePageIterator
- func (ipn *TaskQueueService) Update(ctx context.Context, sid string, data url.Values) (*TaskQueue, error)
- type Transcription
- type TranscriptionPage
- type TranscriptionPageIterator
- type TranscriptionService
- func (c *TranscriptionService) Delete(ctx context.Context, sid string) error
- func (c *TranscriptionService) Get(ctx context.Context, sid string) (*Transcription, error)
- func (c *TranscriptionService) GetPage(ctx context.Context, data url.Values) (*TranscriptionPage, error)
- func (c *TranscriptionService) GetPageIterator(data url.Values) *TranscriptionPageIterator
- type TwilioDuration
- type TwilioTime
- type UsagePeriod
- type Values
- type VerifyPhoneNumber
- type VerifyPhoneNumberService
- func (v *VerifyPhoneNumberService) Check(ctx context.Context, verifyServiceID string, data url.Values) (*CheckPhoneNumber, error)
- func (v *VerifyPhoneNumberService) Create(ctx context.Context, verifyServiceID string, data url.Values) (*VerifyPhoneNumber, error)
- func (v *VerifyPhoneNumberService) Get(ctx context.Context, verifyServiceID string, sid string) (*VerifyPhoneNumber, error)
- type VideoMedia
- type VideoRecording
- type VideoRecordingPage
- type VideoRecordingPageIterator
- type VideoRecordingService
- func (vr *VideoRecordingService) Delete(ctx context.Context, sid string) error
- func (vr *VideoRecordingService) Get(ctx context.Context, sid string) (*VideoRecording, error)
- func (vr *VideoRecordingService) GetPage(ctx context.Context, data url.Values) (*VideoRecordingPage, error)
- func (vr *VideoRecordingService) GetPageIterator(data url.Values) *VideoRecordingPageIterator
- func (vr *VideoRecordingService) Media(ctx context.Context, sid string) (*VideoMedia, error)
- type VoiceInsightsService
- type VoiceNumberPrices
- type VoicePriceService
- type VoicePrices
- type Worker
- type WorkerPage
- type WorkerPageIterator
- type WorkerService
- func (r *WorkerService) Create(ctx context.Context, data url.Values) (*Worker, error)
- func (r *WorkerService) Delete(ctx context.Context, sid string) error
- func (r *WorkerService) Get(ctx context.Context, sid string) (*Worker, error)
- func (ins *WorkerService) GetPage(ctx context.Context, data url.Values) (*WorkerPage, error)
- func (c *WorkerService) GetPageIterator(data url.Values) *WorkerPageIterator
- func (ipn *WorkerService) Update(ctx context.Context, sid string, data url.Values) (*Worker, error)
- type Workflow
- type WorkflowPage
- type WorkflowPageIterator
- type WorkflowService
- func (r *WorkflowService) Create(ctx context.Context, data url.Values) (*Workflow, error)
- func (r *WorkflowService) Delete(ctx context.Context, sid string) error
- func (r *WorkflowService) Get(ctx context.Context, sid string) (*Workflow, error)
- func (ins *WorkflowService) GetPage(ctx context.Context, data url.Values) (*WorkflowPage, error)
- func (c *WorkflowService) GetPageIterator(data url.Values) *WorkflowPageIterator
- func (ipn *WorkflowService) Update(ctx context.Context, sid string, data url.Values) (*Workflow, error)
- type WorkspaceService
Examples ¶
Constants ¶
const ( TypeGCM = CredentialType("gcm") TypeFCM = CredentialType("fcm") TypeAPN = CredentialType("apn") )
Credential type. Currently APNS, FCM and GCM types are supported. https://www.twilio.com/docs/api/notify/rest/credentials
const APISearchLayout = "2006-01-02"
Format expected by Twilio for searching date ranges. Monitor and other API's offer better date search filters
const APIVersion = "2010-04-01"
The APIVersion to use. Your mileage may vary using other values for the APIVersion; the resource representations may not match.
const AnsweredByHuman = AnsweredBy("human")
const AnsweredByMachine = AnsweredBy("machine")
const CodeAccountSuspended = 30002
const CodeCarrierViolation = 30007
const CodeDocumentParseFailure = 12100
const CodeForbiddenPhoneNumber = 13225
const CodeHTTPConnectionFailure = 11205
const CodeHTTPProtocolViolation = 11206
const CodeHTTPRetrievalFailure = 11200
const CodeLandline = 30006
const CodeMessageBlocked = 30004
const CodeMessagePriceExceedsMaxPrice = 30010
const CodeMissingSegment = 30009
const CodeNoInternationalAuthorization = 13227
const CodeQueueOverflow = 30001
const CodeReplyLimitExceeded = 14107
const CodeSayInvalidText = 13520
const CodeUnknownDestination = 30005
const CodeUnknownError = 30008
const CodeUnreachable = 30003
const DirectionInbound = Direction("inbound")
const DirectionOutboundAPI = Direction("outbound-api")
const DirectionOutboundCall = Direction("outbound-call")
const DirectionOutboundDial = Direction("outbound-dial")
const DirectionOutboundReply = Direction("outbound-reply")
const DirectionTrunkingOriginating = Direction("trunking-originating")
const DirectionTrunkingTerminating = Direction("trunking-terminating")
const EventsPathPart = "Events"
const FaxVersion = "v1"
const InsightsVersion = "v1"
const LogLevelDebug = LogLevel("debug")
const LogLevelError = LogLevel("error")
const LogLevelNotice = LogLevel("notice")
const LogLevelWarning = LogLevel("warning")
const LookupBaseURL = "https://lookups.twilio.com"
Lookup service
const LookupVersion = "v1"
const MetricsPathPart = "Metrics"
const MonitorVersion = "v1"
Version of the Twilio Monitor API.
const NotifyBaseURL = "https://notify.twilio.com"
const NotifyVersion = "v1"
const PricingVersion = "v2"
Version of the Twilio Pricing API.
const RoomType = "group"
types of video room
const RoomTypePeerToPeer = "peer-to-peer"
const StatusAccepted = Status("accepted")
const StatusActive = Status("active")
const StatusBusy = Status("busy")
const StatusCanceled = Status("canceled")
const StatusClosed = Status("closed")
const StatusCompleted = Status("completed")
const StatusDelivered = Status("delivered")
const StatusFailed = Status("failed")
const StatusInProgress = Status("in-progress")
const StatusNoAnswer = Status("no-answer")
const StatusProcessing = Status("processing")
const StatusQueued = Status("queued")
const StatusReceived = Status("received")
const StatusReceiving = Status("receiving")
const StatusRinging = Status("ringing")
const StatusSending = Status("sending")
const StatusSent = Status("sent")
const StatusSuspended = Status("suspended")
const StatusUndelivered = Status("undelivered")
const SummaryPathPart = "Summary"
const TaskQueuePathPart = "TaskQueues"
const TaskRouterVersion = "v1"
const TimeLayout = "Mon, 2 Jan 2006 15:04:05 -0700"
The reference time, as it appears in the Twilio API.
const VerifyBaseURL = "https://verify.twilio.com"
Verify service
const VerifyVersion = "v2"
const Version = "2.4"
The twilio-go version. Run "make release" to bump this number.
const VideoVersion = "v1"
const WirelessVersion = "v1"
Version of the Twilio Wireless API.
const WorkersPathPart = "Workers"
const WorkflowPathPart = "Workflows"
Variables ¶
var BaseURL = "https://api.twilio.com"
The base URL serving the API. Override this for testing.
var DefaultRegion = "US"
DefaultRegion is the region used to parse phone numbers without a leading international prefix.
var Epoch = time.Date(2005, 1, 1, 0, 0, 0, 0, time.UTC)
Epoch is a time that predates the formation of the company (January 1, 2005). Use this for start filters when you don't want to filter old results.
var ErrEmptyNumber = errors.New("twilio: The provided phone number was empty")
var FaxBaseURL = "https://fax.twilio.com"
var HeatDeath = time.Date(6000, 1, 1, 0, 0, 0, 0, time.UTC)
HeatDeath is a sentinel time that should outdate the extinction of the company. Use this with GetXInRange calls when you don't want to specify an end date. Feel free to adjust this number in the year 5960 or so.
var InsightsBaseUrl = "https://insights.twilio.com"
Voice Insights service
var MediaClient = http.Client{ Timeout: defaultTimeout, CheckRedirect: func(req *http.Request, via []*http.Request) error { return http.ErrUseLastResponse }, }
MediaClient is used for fetching images and does not follow redirects.
var MonitorBaseURL = "https://monitor.twilio.com"
The base URL for Twilio Monitor.
var NoMoreResults = errors.New("twilio: No more results")
NoMoreResults is returned if you reach the end of the result set while paging through resources.
var PricingBaseURL = "https://pricing.twilio.com"
The base URL for Twilio Pricing.
var TaskRouterBaseUrl = "https://taskrouter.twilio.com"
var VideoBaseUrl = "https://video.twilio.com"
Video service
var WirelessBaseURL = "https://wireless.twilio.com"
The base URL for Twilio Wireless.
Functions ¶
func ValidateIncomingRequest ¶
ValidateIncomingRequest returns an error if the incoming req could not be validated as coming from Twilio.
This process is frequently error prone, especially if you are running behind a proxy, or Twilio is making requests with a port in the URL. See https://www.twilio.com/docs/security#validating-requests for more information
Types ¶
type Account ¶
type Account struct { Sid string `json:"sid"` FriendlyName string `json:"friendly_name"` Type string `json:"type"` AuthToken string `json:"auth_token"` OwnerAccountSid string `json:"owner_account_sid"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` Status Status `json:"status"` SubresourceURIs map[string]string `json:"subresource_uris"` URI string `json:"uri"` }
type AccountPage ¶
type AccountPageIterator ¶
type AccountPageIterator struct {
// contains filtered or unexported fields
}
AccountPageIterator lets you retrieve consecutive AccountPages.
func (*AccountPageIterator) Next ¶
func (c *AccountPageIterator) Next(ctx context.Context) (*AccountPage, error)
Next returns the next page of resources. If there are no more resources, NoMoreResults is returned.
type AccountService ¶
type AccountService struct {
// contains filtered or unexported fields
}
func (*AccountService) Create ¶
Create a new Account with the specified values.
https://www.twilio.com/docs/api/rest/subaccounts#creating-subaccounts
func (*AccountService) GetPage ¶
func (a *AccountService) GetPage(ctx context.Context, data url.Values) (*AccountPage, error)
func (*AccountService) GetPageIterator ¶
func (c *AccountService) GetPageIterator(data url.Values) *AccountPageIterator
GetPageIterator returns a AccountPageIterator with the given page filters. Call iterator.Next() to get the first page of resources (and again to retrieve subsequent pages).
type Activity ¶
type Activity struct { Sid string `json:"sid"` AccountSid string `json:"account_sid"` FriendlyName string `json:"friendly_name"` Available bool `json:"available"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` URL string `json:"url"` WorkspaceSid string `json:"workspace_sid"` }
type ActivityPage ¶
type ActivityPageIterator ¶
type ActivityPageIterator struct {
// contains filtered or unexported fields
}
func (*ActivityPageIterator) Next ¶
func (c *ActivityPageIterator) Next(ctx context.Context) (*ActivityPage, error)
Next returns the next page of resources. If there are no more resources, NoMoreResults is returned.
type ActivityService ¶
type ActivityService struct {
// contains filtered or unexported fields
}
func (*ActivityService) Create ¶
Create creates a new Activity.
For a list of valid parameters see https://www.twilio.com/docs/taskrouter/api/activities#action-create.
func (*ActivityService) Delete ¶
func (r *ActivityService) Delete(ctx context.Context, sid string) error
Delete deletes an Activity.
See https://www.twilio.com/docs/taskrouter/api/activities#action-delete for more.
func (*ActivityService) Get ¶
Get retrieves an Activity by its sid.
See https://www.twilio.com/docs/taskrouter/api/activities#action-get for more.
func (*ActivityService) GetPage ¶
func (ins *ActivityService) GetPage(ctx context.Context, data url.Values) (*ActivityPage, error)
GetPage retrieves an ActivityPage, filtered by the given data.
func (*ActivityService) GetPageIterator ¶
func (c *ActivityService) GetPageIterator(data url.Values) *ActivityPageIterator
GetPageIterator returns an iterator which can be used to retrieve pages.
type Alert ¶
type Alert struct { Sid string `json:"sid"` AccountSid string `json:"account_sid"` // For Calls, AlertText is a series of key=value pairs separated by // ampersands AlertText string `json:"alert_text"` APIVersion string `json:"api_version"` DateCreated TwilioTime `json:"date_created"` DateGenerated TwilioTime `json:"date_generated"` DateUpdated TwilioTime `json:"date_updated"` ErrorCode Code `json:"error_code"` LogLevel LogLevel `json:"log_level"` MoreInfo string `json:"more_info"` RequestMethod string `json:"request_method"` RequestURL string `json:"request_url"` RequestVariables Values `json:"request_variables"` ResponseBody string `json:"response_body"` ResponseHeaders Values `json:"response_headers"` ResourceSid string `json:"resource_sid"` ServiceSid json.RawMessage `json:"service_sid"` URL string `json:"url"` }
Alert represents a single Twilio Alert.
func (*Alert) Description ¶
Description tries as hard as possible to give you a one sentence description of this Alert, based on its contents. Description does not include a trailing period.
func (*Alert) StatusCode ¶
StatusCode attempts to return a HTTP status code for this Alert. Returns 0 if the status code cannot be found.
type AlertPageIterator ¶
type AlertPageIterator interface { // Next returns the next page of resources. If there are no more resources, // NoMoreResults is returned. Next(context.Context) (*AlertPage, error) }
AlertPageIterator lets you retrieve consecutive pages of resources.
type AlertService ¶
type AlertService struct {
// contains filtered or unexported fields
}
func (*AlertService) GetAlertsInRange ¶
func (a *AlertService) GetAlertsInRange(start time.Time, end time.Time, data url.Values) AlertPageIterator
GetAlertsInRange gets an Iterator containing conferences in the range [start, end), optionally further filtered by data. GetAlertsInRange panics if start is not before end. Any date filters provided in data will be ignored. If you have an end, but don't want to specify a start, use twilio.Epoch for start. If you have a start, but don't want to specify an end, use twilio.HeatDeath for end.
Assumes that Twilio returns resources in chronological order, latest first. If this assumption is incorrect, your results will not be correct.
Returned AlertPages will have at most PageSize results, but may have fewer, based on filtering.
func (*AlertService) GetNextAlertsInRange ¶
func (a *AlertService) GetNextAlertsInRange(start time.Time, end time.Time, nextPageURI string) AlertPageIterator
GetNextAlertsInRange retrieves the page at the nextPageURI and continues retrieving pages until any results are found in the range given by start or end, or we determine there are no more records to be found in that range.
If AlertPage is non-nil, it will have at least one result.
func (*AlertService) GetPage ¶
GetPage returns a single Page of resources, filtered by data.
See https://www.twilio.com/docs/api/monitor/alerts#list-get-filters.
Example ¶
package main import ( "context" "fmt" "log" "net/url" twilio "github.com/kevinburke/twilio-go" ) func main() { client := twilio.NewClient("AC123", "123", nil) data := url.Values{} data.Set("ResourceSid", "SM123") page, err := client.Monitor.Alerts.GetPage(context.TODO(), data) if err != nil { log.Fatal(err) } for _, alert := range page.Alerts { fmt.Println(alert.Sid) } }
Output:
func (*AlertService) GetPageIterator ¶
func (a *AlertService) GetPageIterator(data url.Values) AlertPageIterator
GetPageIterator returns a AlertPageIterator with the given page filters. Call iterator.Next() to get the first page of resources (and again to retrieve subsequent pages).
type AllDataUsage ¶
type AllDataUsage struct { // TODO: ugh, naming DataUsage Home *DataUsage `json:"home"` InternationalRoaming []*DataUsage `json:"international_roaming"` NationalRoaming *DataUsage `json:"national_roaming"` }
func (*AllDataUsage) UnmarshalJSON ¶
func (d *AllDataUsage) UnmarshalJSON(data []byte) error
type AnsweredBy ¶
type AnsweredBy string
type Application ¶
type Application struct { AccountSid string `json:"account_sid"` APIVersion string `json:"api_version"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` FriendlyName string `json:"friendly_name"` MessageStatusCallback string `json:"message_status_callback"` Sid string `json:"sid"` SMSFallbackMethod string `json:"sms_fallback_method"` SMSFallbackURL string `json:"sms_fallback_url"` SMSURL string `json:"sms_url"` StatusCallback string `json:"status_callback"` StatusCallbackMethod string `json:"status_callback_method"` URI string `json:"uri"` VoiceCallerIDLookup bool `json:"voice_caller_id_lookup"` VoiceFallbackMethod string `json:"voice_fallback_method"` VoiceFallbackURL string `json:"voice_fallback_url"` VoiceMethod string `json:"voice_method"` VoiceURL string `json:"voice_url"` }
A Twilio Application. For more documentation, see https://www.twilio.com/docs/api/rest/applications#instance
type ApplicationPage ¶
type ApplicationPage struct { Page Applications []*Application `json:"applications"` }
type ApplicationPageIterator ¶
type ApplicationPageIterator struct {
// contains filtered or unexported fields
}
ApplicationPageIterator lets you retrieve consecutive pages of resources.
func (*ApplicationPageIterator) Next ¶
func (c *ApplicationPageIterator) Next(ctx context.Context) (*ApplicationPage, error)
Next returns the next page of resources. If there are no more resources, NoMoreResults is returned.
type ApplicationService ¶
type ApplicationService struct {
// contains filtered or unexported fields
}
func (*ApplicationService) Create ¶
func (c *ApplicationService) Create(ctx context.Context, data url.Values) (*Application, error)
Create a new Application. This request must include a FriendlyName, and can include these values: https://www.twilio.com/docs/api/rest/applications#list-post-optional-parameters
func (*ApplicationService) Delete ¶
func (r *ApplicationService) Delete(ctx context.Context, sid string) error
Delete the Application with the given sid. If the Application has already been deleted, or does not exist, Delete returns nil. If another error or a timeout occurs, the error is returned.
func (*ApplicationService) Get ¶
func (c *ApplicationService) Get(ctx context.Context, sid string) (*Application, error)
func (*ApplicationService) GetPage ¶
func (c *ApplicationService) GetPage(ctx context.Context, data url.Values) (*ApplicationPage, error)
func (*ApplicationService) GetPageIterator ¶
func (c *ApplicationService) GetPageIterator(data url.Values) *ApplicationPageIterator
GetPageIterator returns a ApplicationPageIterator with the given page filters. Call iterator.Next() to get the first page of resources (and again to retrieve subsequent pages).
func (*ApplicationService) Update ¶
func (a *ApplicationService) Update(ctx context.Context, sid string, data url.Values) (*Application, error)
Update the application with the given data. Valid parameters may be found here: https://www.twilio.com/docs/api/rest/applications#instance-post
type AvailableNumber ¶
type AvailableNumber struct { FriendlyName string `json:"friendly_name"` PhoneNumber PhoneNumber `json:"phone_number"` Lata string `json:"lata"` RateCenter string `json:"rate_center"` Latitude string `json:"latitude"` Longitude string `json:"longitude"` Region string `json:"region"` PostalCode string `json:"postal_code"` ISOCountry string `json:"iso_country"` Capabilities *NumberCapability `json:"capabilities"` AddressRequirements string `json:"address_requirements"` Beta bool `json:"beta"` }
The subresources of the AvailableNumbers resource let you search for local, toll-free and mobile phone numbers that are available for you to purchase. See https://www.twilio.com/docs/api/rest/available-phone-numbers for details
type AvailableNumberBase ¶
type AvailableNumberBase struct {
// contains filtered or unexported fields
}
func (*AvailableNumberBase) GetPage ¶
func (s *AvailableNumberBase) GetPage(ctx context.Context, isoCountry string, filters url.Values) (*AvailableNumberPage, error)
GetPage returns a page of available phone numbers.
For more information, see the Twilio documentation: https://www.twilio.com/docs/api/rest/available-phone-numbers#local https://www.twilio.com/docs/api/rest/available-phone-numbers#toll-free https://www.twilio.com/docs/api/rest/available-phone-numbers#mobile
type AvailableNumberPage ¶
type AvailableNumberPage struct { URI string `json:"uri"` Numbers []*AvailableNumber `json:"available_phone_numbers"` }
type AvailableNumberService ¶
type AvailableNumberService struct { Local *AvailableNumberBase Mobile *AvailableNumberBase TollFree *AvailableNumberBase SupportedCountries *SupportedCountriesService }
type Call ¶
type Call struct { Sid string `json:"sid"` From PhoneNumber `json:"from"` To PhoneNumber `json:"to"` Status Status `json:"status"` StartTime TwilioTime `json:"start_time"` EndTime TwilioTime `json:"end_time"` Duration TwilioDuration `json:"duration"` AccountSid string `json:"account_sid"` Annotation json.RawMessage `json:"annotation"` AnsweredBy NullAnsweredBy `json:"answered_by"` CallerName types.NullString `json:"caller_name"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` Direction Direction `json:"direction"` ForwardedFrom PhoneNumber `json:"forwarded_from"` GroupSid string `json:"group_sid"` ParentCallSid string `json:"parent_call_sid"` PhoneNumberSid string `json:"phone_number_sid"` Price string `json:"price"` PriceUnit string `json:"price_unit"` APIVersion string `json:"api_version"` URI string `json:"uri"` }
func (*Call) Ended ¶
Ended returns true if the Call has reached a terminal state, and false otherwise, or if the state can't be determined.
func (*Call) EndedUnsuccessfully ¶
EndedUnsuccessfully returns true if the Call has reached a terminal state and that state isn't "completed".
func (*Call) FriendlyPrice ¶
FriendlyPrice flips the sign of the Price (which is usually reported from the API as a negative number) and adds an appropriate currency symbol in front of it. For example, a PriceUnit of "USD" and a Price of "-1.25" is reported as "$1.25".
type CallEventsPage ¶
type CallEventsPageIterator ¶
type CallEventsPageIterator struct {
// contains filtered or unexported fields
}
func (*CallEventsPageIterator) Next ¶
func (c *CallEventsPageIterator) Next(ctx context.Context) (*CallEventsPage, error)
type CallEventsService ¶
type CallEventsService struct {
// contains filtered or unexported fields
}
func (*CallEventsService) GetPage ¶
func (s *CallEventsService) GetPage(ctx context.Context, data url.Values) (*CallEventsPage, error)
Returns a list of events for a call. For more information on valid values, See https://www.twilio.com/docs/voice/insights/api/call-events-resource#get-call-events
func (*CallEventsService) GetPageIterator ¶
func (s *CallEventsService) GetPageIterator(data url.Values) *CallEventsPageIterator
type CallMetric ¶
type CallMetric struct { AccountSid string `json:"account_sid"` CallSid string `json:"call_sid"` CarrierEdge *EdgeMetrics `json:"carrier_edge,omitempty"` ClientEdge *EdgeMetrics `json:"client_edge,omitempty"` Direction string `json:"direction"` Edge string `json:"edge"` SDKEdge *EdgeMetrics `json:"sdk_edge,omitempty"` SIPEdge *EdgeMetrics `json:"sip_edge,omitempty"` Timestamp TwilioTime `json:"timestamp"` }
type CallMetricsPage ¶
type CallMetricsPage struct { Metrics []CallMetric `json:"metrics"` Meta Meta `json:"meta"` }
type CallMetricsPageIterator ¶
type CallMetricsPageIterator struct {
// contains filtered or unexported fields
}
func (*CallMetricsPageIterator) Next ¶
func (c *CallMetricsPageIterator) Next(ctx context.Context) (*CallMetricsPage, error)
type CallMetricsService ¶
type CallMetricsService struct {
// contains filtered or unexported fields
}
func (*CallMetricsService) GetPage ¶
func (s *CallMetricsService) GetPage(ctx context.Context, data url.Values) (*CallMetricsPage, error)
Returns a list of metrics for a call. For more information on valid values, See https://www.twilio.com/docs/voice/insights/api/call-metrics-resource#get-call-metrics
func (*CallMetricsService) GetPageIterator ¶
func (s *CallMetricsService) GetPageIterator(data url.Values) *CallMetricsPageIterator
type CallPageIterator ¶
type CallPageIterator interface { // Next returns the next page of resources. If there are no more resources, // NoMoreResults is returned. Next(context.Context) (*CallPage, error) }
CallPageIterator lets you retrieve consecutive pages of resources.
type CallParty ¶
type CallParty struct { Callee string `json:"callee"` Caller string `json:"caller"` Carrier string `json:"carrier"` Connection string `json:"connection"` CountryCode string `json:"country_code"` CountrySubdivision string `json:"country_subdivision"` City string `json:"city"` Location struct { Lat float64 `json:"lat"` Lon float64 `json:"lon"` } `json:"location"` IPAddress string `json:"ip_address"` NumberPrefix string `json:"number_prefix"` }
type CallProperties ¶
type CallService ¶
type CallService struct {
// contains filtered or unexported fields
}
func (*CallService) Cancel ¶
func (c *CallService) Cancel(sid string) (*Call, error)
Cancel an in-progress Call with the given sid. Cancel will not affect in-progress Calls, only those in queued or ringing.
func (*CallService) GetCallsInRange ¶
func (c *CallService) GetCallsInRange(start time.Time, end time.Time, data url.Values) CallPageIterator
GetCallsInRange gets an Iterator containing calls in the range [start, end), optionally further filtered by data. GetCallsInRange panics if start is not before end. Any date filters provided in data will be ignored. If you have an end, but don't want to specify a start, use twilio.Epoch for start. If you have a start, but don't want to specify an end, use twilio.HeatDeath for end.
Assumes that Twilio returns resources in chronological order, latest first. If this assumption is incorrect, your results will not be correct.
Returned CallPages will have at most PageSize results, but may have fewer, based on filtering.
Example ¶
package main import ( "context" "fmt" "log" "net/url" "time" twilio "github.com/kevinburke/twilio-go" ) func main() { // Get all calls between 10:34:00 Oct 26 and 19:25:59 Oct 27, NYC time. nyc, _ := time.LoadLocation("America/New_York") start := time.Date(2016, 10, 26, 22, 34, 00, 00, nyc) end := time.Date(2016, 10, 27, 19, 25, 59, 00, nyc) client := twilio.NewClient("AC123", "123", nil) iter := client.Calls.GetCallsInRange(start, end, url.Values{}) ctx, cancel := context.WithTimeout(context.TODO(), 10*time.Second) defer cancel() for { page, err := iter.Next(ctx) if err == twilio.NoMoreResults { break } if err != nil { log.Fatal(err) } for i, call := range page.Calls { fmt.Printf("%d: %s (%s)", i, call.Sid, call.DateCreated.Time) } } }
Output:
func (*CallService) GetNextCallsInRange ¶
func (c *CallService) GetNextCallsInRange(start time.Time, end time.Time, nextPageURI string) CallPageIterator
GetNextCallsInRange retrieves the page at the nextPageURI and continues retrieving pages until any results are found in the range given by start or end, or we determine there are no more records to be found in that range.
If CallPage is non-nil, it will have at least one result.
func (*CallService) GetPageIterator ¶
func (c *CallService) GetPageIterator(data url.Values) CallPageIterator
GetPageIterator returns an iterator which can be used to retrieve pages.
func (*CallService) GetRecordings ¶
func (c *CallService) GetRecordings(ctx context.Context, callSid string, data url.Values) (*RecordingPage, error)
GetRecordings returns an array of recordings for this Call. Note there may be more than one Page of results.
func (*CallService) GetRecordingsIterator ¶
func (c *CallService) GetRecordingsIterator(callSid string, data url.Values) *RecordingPageIterator
GetRecordings returns an iterator of recording pages for this Call. Note there may be more than one Page of results.
func (*CallService) Hangup ¶
func (c *CallService) Hangup(sid string) (*Call, error)
Hang up an in-progress call.
func (*CallService) MakeCall ¶
MakeCall starts a new Call from the given phone number to the given phone number, dialing the url when the call connects. MakeCall is a wrapper around Create; if you need more configuration, call that function directly.
type CallSummary ¶
type CallSummary struct { AccountSid string `json:"account_sid"` Attributes CallSummaryAttributes `json:"attributes"` CallSid string `json:"call_sid"` CallState Status `json:"call_state"` CallType string `json:"call_type"` CarrierEdge *Edge `json:"carrier_edge,omitempty"` ClientEdge *Edge `json:"client_edge,omitempty"` ConnectDuration int `json:"connect_duration"` Duration int `json:"duration"` EndTime TwilioTime `json:"end_time"` From CallParty `json:"from"` ProcessingState string `json:"processing_state"` Properties CallProperties `json:"properties"` SDKEdge *SDKEdge `json:"sdk_edge,omitempty"` SIPEdge *Edge `json:"sip_edge,omitempty"` StartTime TwilioTime `json:"start_time"` Tags map[string]string `json:"tags"` To CallParty `json:"to"` URL string `json:"url"` }
type CallSummaryAttributes ¶
type CallSummaryAttributes struct {
ConferenceParticipant bool `json:"conference_participant"`
}
type CallSummaryService ¶
type CallSummaryService struct {
// contains filtered or unexported fields
}
func (*CallSummaryService) Get ¶
func (s *CallSummaryService) Get(ctx context.Context) (*CallSummary, error)
Gets a call summary resource from the Voice Insights API. See https://www.twilio.com/docs/voice/insights/api/call-summary-resource#get-call-summary
func (*CallSummaryService) GetPartial ¶
func (s *CallSummaryService) GetPartial(ctx context.Context) (*CallSummary, error)
Gets a partial call summary resource from the Voice Insights API. A completed call summary may take up to a half hour to generate, but a partial summary record will be available within ten minutes of a call ending. See https://www.twilio.com/docs/voice/insights/api/call-summary-resource#get-call-summary
type CallerIDRequest ¶
type CallerIDRequest struct { AccountSid string `json:"account_sid"` PhoneNumber PhoneNumber `json:"phone_number"` FriendlyName string `json:"friendly_name"` // Usually six digits, but a string to avoid stripping leading 0's ValidationCode string `json:"validation_code"` CallSid string `json:"call_sid"` }
type CallerLookup ¶
type CarrierLookup ¶
type CheckPhoneNumber ¶
type CheckPhoneNumber struct { Sid string `json:"sid"` ServiceSid string `json:"service_sid"` AccountSid string `json:"account_sid"` To string `json:"to"` Channel string `json:"channel"` Status string `json:"status"` Valid bool `json:"valid"` Amount types.NullString `json:"amount"` Payee types.NullString `json:"payee"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` }
type Client ¶
type Client struct { *rest.Client Monitor *Client Pricing *Client Fax *Client Wireless *Client Notify *Client Lookup *Client Verify *Client Video *Client TaskRouter *Client Insights *Client // FullPath takes a path part (e.g. "Messages") and // returns the full API path, including the version (e.g. // "/2010-04-01/Accounts/AC123/Messages"). FullPath func(pathPart string) string // The API version. APIVersion string AccountSid string AuthToken string // The API Client uses these resources Accounts *AccountService Applications *ApplicationService Calls *CallService Conferences *ConferenceService IncomingNumbers *IncomingNumberService Keys *KeyService Media *MediaService Messages *MessageService OutgoingCallerIDs *OutgoingCallerIDService Queues *QueueService Recordings *RecordingService Transcriptions *TranscriptionService AvailableNumbers *AvailableNumberService // NewMonitorClient initializes these services Alerts *AlertService // NewPricingClient initializes these services Voice *VoicePriceService Messaging *MessagingPriceService PhoneNumbers *PhoneNumberPriceService // NewFaxClient initializes these services Faxes *FaxService // NewWirelessClient initializes these services Sims *SimService Commands *CommandService // NewNotifyClient initializes these services Credentials *NotifyCredentialsService // NewLookupClient initializes these services LookupPhoneNumbers *LookupPhoneNumbersService // NewVerifyClient initializes these services Verifications *VerifyPhoneNumberService // NewVideoClient initializes these services Rooms *RoomService VideoRecordings *VideoRecordingService // NewTaskRouterClient initializes these services Workspace func(sid string) *WorkspaceService // NewInsightsClient initializes these services VoiceInsights func(sid string) *VoiceInsightsService }
func NewClient ¶
NewClient creates a Client for interacting with the Twilio API. This is the main entrypoint for API interactions; view the methods on the subresources for more information.
func NewFaxClient ¶
NewFaxClient returns a Client for use with the Twilio Fax API.
func NewInsightsClient ¶
func NewLookupClient ¶
NewLookupClient returns a new Client to use the lookups API
func NewMonitorClient ¶
NewMonitorClient returns a Client for use with the Twilio Monitor API.
func NewNotifyClient ¶
func NewPricingClient ¶
NewPricingClient returns a new Client to use the pricing API
func NewTaskRouterClient ¶
NewTaskRouterClient returns a Client for use with the Twilio TaskRouter API.
Example ¶
package main import ( "context" "net/url" twilio "github.com/kevinburke/twilio-go" ) func main() { client := twilio.NewTaskRouterClient("AC123", "123", nil) data := url.Values{"FriendlyName": []string{"On Call"}} client.Workspace("WS123").Activities.Create(context.TODO(), data) }
Output:
func NewVerifyClient ¶
NewVerifyClient returns a new Client to use the verify API
func NewVideoClient ¶
NewVideoClient returns a new Client to use the video API
func NewWirelessClient ¶
NewWirelessClient returns a Client for use with the Twilio Wireless API.
func (*Client) CreateResource ¶
func (c *Client) CreateResource(ctx context.Context, pathPart string, data url.Values, v interface{}) error
CreateResource makes a POST request to the given resource.
func (*Client) DeleteResource ¶
func (*Client) GetNextPage ¶
GetNextPage fetches the Page at fullUri and decodes it into v. fullUri should be a next_page_uri returned in the response to a paging request, and should be the full path, eg "/2010-04-01/.../Messages?Page=1&PageToken=..."
func (*Client) GetResource ¶
GetResource retrieves an instance resource with the given path part (e.g. "/Messages") and sid (e.g. "MM123").
func (*Client) ListResource ¶
func (*Client) MakeRequest ¶
func (c *Client) MakeRequest(ctx context.Context, method string, pathPart string, data url.Values, v interface{}) error
Make a request to the Twilio API.
func (*Client) RequestOnBehalfOf ¶
RequestOnBehalfOf will make all future client requests using the same Account Sid and Auth Token for Basic Auth, but will use the provided subaccountSid in the URL. Use this to make requests on behalf of a subaccount, using the parent account's credentials.
RequestOnBehalfOf is *not* thread safe, and modifies the Client's behavior for all requests going forward.
RequestOnBehalfOf should only be used with api.twilio.com, not (for example) Twilio Monitor - the newer API's do not include the account sid in the URI.
To authenticate using a subaccount sid / auth token, create a new Client using that account's credentials.
func (*Client) UpdateResource ¶
func (*Client) UseSecretKey ¶
UseSecretKey will use the provided secret key to authenticate to the API (instead of the AccountSid).
For more information about secret keys, see https://www.twilio.com/docs/api/rest/keys.
Example ¶
package main import ( twilio "github.com/kevinburke/twilio-go" ) func main() { client := twilio.NewClient("AC123", "123", nil) client.UseSecretKey("SK123") client.Messages.SendMessage("123", "456", "Sending with secret key...", nil) }
Output:
type Code ¶
type Code int
A Twilio error code. A full list can be found here: https://www.twilio.com/docs/api/errors/reference
func (*Code) UnmarshalJSON ¶
type Command ¶
type Command struct { Sid string `json:"sid"` SimSid string `json:"sim_sid"` Command string `json:"command"` Direction Direction `json:"direction"` // A string representing which mode to send the SMS message using. // May be "text" or "binary". If omitted, the default SMS mode is text. CommandMode string `json:"command_mode"` Status Status `json:"status"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` AccountSid string `json:"account_sid"` URL string `json:"url"` }
Command represents a Command resource.
type CommandPage ¶
CommandPage represents a page of Commands.
type CommandPageIterator ¶
type CommandPageIterator interface { // Next returns the next page of resources. If there are no more resources, // NoMoreResults is returned. Next(context.Context) (*CommandPage, error) }
type CommandService ¶
type CommandService struct {
// contains filtered or unexported fields
}
func (*CommandService) GetPage ¶
func (f *CommandService) GetPage(ctx context.Context, data url.Values) (*CommandPage, error)
GetPage returns a single Page of resources, filtered by data.
See https://www.twilio.com/docs/api/wireless/rest-api/command#list-get
func (*CommandService) GetPageIterator ¶
func (f *CommandService) GetPageIterator(data url.Values) CommandPageIterator
GetPageIterator returns a CommandPageIterator with the given page filters. Call iterator.Next() to get the first page of resources (and again to retrieve subsequent pages).
type CommandUsage ¶
type CommandsUsage ¶
type CommandsUsage struct { CommandUsage Home *CommandUsage `json:"home"` InternationalRoaming []*CommandUsage `json:"international_roaming"` NationalRoaming *CommandUsage `json:"national_roaming"` }
type Conference ¶
type Conference struct { Sid string `json:"sid"` // Call status, StatusInProgress or StatusCompleted Status Status `json:"status"` FriendlyName string `json:"friendly_name"` // The conference region, probably "us1" Region string `json:"region"` DateCreated TwilioTime `json:"date_created"` AccountSid string `json:"account_sid"` APIVersion string `json:"api_version"` DateUpdated TwilioTime `json:"date_updated"` URI string `json:"uri"` SubresourceURIs map[string]string `json:"subresource_uris"` CallSidEndingConference types.NullString `json:"call_sid_ending_conference"` }
type ConferencePage ¶
type ConferencePage struct { Page Conferences []*Conference }
type ConferencePageIterator ¶
type ConferencePageIterator interface { // Next returns the next page of resources. If there are no more resources, // NoMoreResults is returned. Next(context.Context) (*ConferencePage, error) }
type ConferenceService ¶
type ConferenceService struct {
// contains filtered or unexported fields
}
func (*ConferenceService) Get ¶
func (c *ConferenceService) Get(ctx context.Context, sid string) (*Conference, error)
func (*ConferenceService) GetConferencesInRange ¶
func (c *ConferenceService) GetConferencesInRange(start time.Time, end time.Time, data url.Values) ConferencePageIterator
GetConferencesInRange gets an Iterator containing conferences in the range [start, end), optionally further filtered by data. GetConferencesInRange panics if start is not before end. Any date filters provided in data will be ignored. If you have an end, but don't want to specify a start, use twilio.Epoch for start. If you have a start, but don't want to specify an end, use twilio.HeatDeath for end.
Assumes that Twilio returns resources in chronological order, latest first. If this assumption is incorrect, your results will not be correct.
Returned ConferencePages will have at most PageSize results, but may have fewer, based on filtering.
func (*ConferenceService) GetNextConferencesInRange ¶
func (c *ConferenceService) GetNextConferencesInRange(start time.Time, end time.Time, nextPageURI string) ConferencePageIterator
GetNextConferencesInRange retrieves the page at the nextPageURI and continues retrieving pages until any results are found in the range given by start or end, or we determine there are no more records to be found in that range.
If ConferencePage is non-nil, it will have at least one result.
func (*ConferenceService) GetPage ¶
func (c *ConferenceService) GetPage(ctx context.Context, data url.Values) (*ConferencePage, error)
func (*ConferenceService) GetPageIterator ¶
func (c *ConferenceService) GetPageIterator(data url.Values) ConferencePageIterator
GetPageIterator returns a ConferencePageIterator with the given page filters. Call iterator.Next() to get the first page of resources (and again to retrieve subsequent pages).
type CountriesPricePage ¶
type CountriesPricePage struct { Meta Meta `json:"meta"` Countries []*PriceCountry `json:"countries"` }
type CountryMessagingPriceService ¶
type CountryMessagingPriceService struct {
// contains filtered or unexported fields
}
func (*CountryMessagingPriceService) Get ¶
func (cmps *CountryMessagingPriceService) Get(ctx context.Context, isoCountry string, data url.Values) (*MessagePrices, error)
returns the message price by country
func (*CountryMessagingPriceService) GetPage ¶
func (cmps *CountryMessagingPriceService) GetPage(ctx context.Context, data url.Values) (*CountriesPricePage, error)
returns a list of countries where Twilio messaging services are available and the corresponding URL for retrieving the country specific messaging prices.
func (*CountryMessagingPriceService) GetPageIterator ¶
func (cmps *CountryMessagingPriceService) GetPageIterator(data url.Values) *CountryPricePageIterator
GetPageIterator returns an iterator which can be used to retrieve pages.
type CountryPhoneNumberPriceService ¶
type CountryPhoneNumberPriceService struct {
// contains filtered or unexported fields
}
func (*CountryPhoneNumberPriceService) Get ¶
func (cpnps *CountryPhoneNumberPriceService) Get(ctx context.Context, isoCountry string, data url.Values) (*NumberPrices, error)
returns the phone number price by country
func (*CountryPhoneNumberPriceService) GetPage ¶
func (cpnps *CountryPhoneNumberPriceService) GetPage(ctx context.Context, data url.Values) (*CountriesPricePage, error)
returns a list of countries where Twilio phone numbers are supported
func (*CountryPhoneNumberPriceService) GetPageIterator ¶
func (cpnps *CountryPhoneNumberPriceService) GetPageIterator(data url.Values) *CountryPricePageIterator
GetPageIterator returns an iterator which can be used to retrieve pages.
type CountryPricePageIterator ¶
type CountryPricePageIterator struct {
// contains filtered or unexported fields
}
func (*CountryPricePageIterator) Next ¶
func (c *CountryPricePageIterator) Next(ctx context.Context) (*CountriesPricePage, error)
Next returns the next page of resources. If there are no more resources, NoMoreResults is returned.
type CountryVoicePriceService ¶
type CountryVoicePriceService struct {
// contains filtered or unexported fields
}
func (*CountryVoicePriceService) Get ¶
func (cvps *CountryVoicePriceService) Get(ctx context.Context, isoCountry string, data url.Values) (*VoicePrices, error)
https://www.twilio.com/docs/voice/pricing#pricing-voice-country-instance-resource returns the call price by country
func (*CountryVoicePriceService) GetPage ¶
func (cvps *CountryVoicePriceService) GetPage(ctx context.Context, data url.Values) (*CountriesPricePage, error)
returns a list of countries where Twilio voice services are available and the corresponding URL for retrieving the country specific voice prices.
func (*CountryVoicePriceService) GetPageIterator ¶
func (cvps *CountryVoicePriceService) GetPageIterator(data url.Values) *CountryPricePageIterator
GetPageIterator returns an iterator which can be used to retrieve pages.
type CredentialType ¶
type CredentialType string
type CumulativeMetrics ¶
type CumulativeMetrics struct { Jitter MetricsSummary `json:"jitter"` PacketsReceived int `json:"packets_received"` PacketsLost int `json:"packets_lost"` }
type DataUsage ¶
type DataUsage struct { Download types.Bits `json:"download"` Total types.Bits `json:"total"` Upload types.Bits `json:"upload"` Units string `json:"units"` }
func (*DataUsage) UnmarshalJSON ¶
type Edge ¶
type Edge struct { Metrics struct { Inbound EdgeSummary `json:"inbound"` Outbound EdgeSummary `json:"outbound"` } `json:"metrics"` Properties EdgeProperties `json:"properties"` }
type EdgeMetadata ¶
type EdgeMetrics ¶
type EdgeMetrics struct { Codec int `json:"codec"` CodecName string `json:"codec_name"` Cumulative CumulativeMetrics `json:"cumulative"` Interval *IntervalMetrics `json:"interval,omitempty"` Metadata EdgeMetadata `json:"metadata"` }
type EdgeProperties ¶
type EdgeProperties struct { Direction string `json:"direction"` MediaRegion string `json:"media_region"` SignalingRegion string `json:"signaling_region"` TwilioMediaIP string `json:"twilio_media_ip"` TwilioSignalingIP string `json:"twilio_signaling_ip"` ExternalMediaIP string `json:"external_media_ip"` ExternalSignalingIP string `json:"external_signaling_ip"` SIPCallID string `json:"sip_call_id"` UserAgent string `json:"user_agent"` SelectedRegion string `json:"selected_region"` Region string `json:"region"` DisconnectedBy string `json:"disconnected_by"` TrunkSID string `json:"trunk_sid"` }
type EdgeSummary ¶
type EdgeSummary struct { Codec int `json:"codec"` CodecName string `json:"codec_name"` PacketsReceived int `json:"packets_received"` PacketsSent int `json:"packets_sent"` PacketsLost int `json:"packets_lost"` PacketsLossPercentage float64 `json:"packets_loss_percentage"` Jitter MetricsSummary `json:"jitter"` Latency MetricsSummary `json:"latency"` PacketDelayVariation map[string]int `json:"packet_delay_variation"` }
type Fax ¶
type Fax struct { Sid string `json:"sid"` AccountSid string `json:"account_sid"` From PhoneNumber `json:"from"` To PhoneNumber `json:"to"` Direction Direction `json:"direction"` NumPages uint `json:"num_pages"` Duration uint `json:"duration"` MediaURL string `json:"media_url"` Status Status `json:"status"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` Price string `json:"price"` PriceUnit string `json:"price_unit"` Quality string `json:"quality"` URL string `json:"url"` APIVersion string `json:"api_version"` }
Example ¶
package main import ( "context" "fmt" twilio "github.com/kevinburke/twilio-go" ) func main() { faxer := twilio.NewFaxClient("AC123", "123", nil) fax, _ := faxer.Faxes.Get(context.TODO(), "FX123") fmt.Print(fax.Sid) }
Output:
func (*Fax) FriendlyPrice ¶
FriendlyPrice flips the sign of the Price (which is usually reported from the API as a negative number) and adds an appropriate currency symbol in front of it. For example, a PriceUnit of "USD" and a Price of "-1.25" is reported as "$1.25".
type FaxPageIterator ¶
type FaxPageIterator interface { // Next returns the next page of resources. If there are no more resources, // NoMoreResults is returned. Next(context.Context) (*FaxPage, error) }
FaxPageIterator lets you retrieve consecutive pages of resources.
type FaxService ¶
type FaxService struct {
// contains filtered or unexported fields
}
func (*FaxService) Cancel ¶
func (f *FaxService) Cancel(sid string) (*Fax, error)
Cancel an in-progress Fax with the given sid. Cancel will not affect in-progress Faxes, only those in queued or in-progress.
Example ¶
package main import ( twilio "github.com/kevinburke/twilio-go" ) func main() { faxer := twilio.NewFaxClient("AC123", "123", nil) faxer.Faxes.Cancel("FX123") }
Output:
func (*FaxService) Create ¶
Create a fax with the given url.Values. For more information on valid values, see https://www.twilio.com/docs/api/fax/rest/faxes#fax-list-post or use the SendFax helper.
func (*FaxService) GetPage ¶
GetPage returns a single Page of resources, filtered by data.
See https://www.twilio.com/docs/api/fax/rest/faxes#fax-list-get.
func (*FaxService) GetPageIterator ¶
func (f *FaxService) GetPageIterator(data url.Values) FaxPageIterator
GetPageIterator returns a FaxPageIterator with the given page filters. Call iterator.Next() to get the first page of resources (and again to retrieve subsequent pages).
func (*FaxService) SendFax ¶
SendFax sends an outbound Fax with the given mediaURL. For more control over the parameters, use FaxService.Create.
Example ¶
package main import ( "net/url" twilio "github.com/kevinburke/twilio-go" ) var pdfURL, _ = url.Parse("https://kev.inburke.com/foo.pdf") func main() { faxer := twilio.NewFaxClient("AC123", "123", nil) faxer.Faxes.SendFax("123", "456", pdfURL) }
Output:
type InboundPrice ¶
type IncomingNumberService ¶
type IncomingNumberService struct { *NumberPurchasingService Local *NumberPurchasingService TollFree *NumberPurchasingService // contains filtered or unexported fields }
func (*IncomingNumberService) BuyNumber ¶
func (ipn *IncomingNumberService) BuyNumber(phoneNumber string) (*IncomingPhoneNumber, error)
BuyNumber attempts to buy the provided phoneNumber and returns it if successful.
func (*IncomingNumberService) Get ¶
func (ipn *IncomingNumberService) Get(ctx context.Context, sid string) (*IncomingPhoneNumber, error)
Get retrieves a single IncomingPhoneNumber.
func (*IncomingNumberService) GetPage ¶
func (ins *IncomingNumberService) GetPage(ctx context.Context, data url.Values) (*IncomingPhoneNumberPage, error)
GetPage retrieves an IncomingPhoneNumberPage, filtered by the given data.
func (*IncomingNumberService) GetPageIterator ¶
func (c *IncomingNumberService) GetPageIterator(data url.Values) *IncomingPhoneNumberPageIterator
GetPageIterator returns an iterator which can be used to retrieve pages.
func (*IncomingNumberService) Release ¶
func (ipn *IncomingNumberService) Release(ctx context.Context, sid string) error
Release removes an IncomingPhoneNumber from your account.
func (*IncomingNumberService) Update ¶
func (ipn *IncomingNumberService) Update(ctx context.Context, sid string, data url.Values) (*IncomingPhoneNumber, error)
Tries to update the incoming phone number's properties, and returns the updated resource representation if successful. https://www.twilio.com/docs/api/rest/incoming-phone-numbers#instance-post
type IncomingPhoneNumber ¶
type IncomingPhoneNumber struct { Sid string `json:"sid"` PhoneNumber PhoneNumber `json:"phone_number"` FriendlyName string `json:"friendly_name"` DateCreated TwilioTime `json:"date_created"` AccountSid string `json:"account_sid"` AddressRequirements string `json:"address_requirements"` APIVersion string `json:"api_version"` Beta bool `json:"beta"` Capabilities *NumberCapability `json:"capabilities"` DateUpdated TwilioTime `json:"date_updated"` EmergencyAddressSid types.NullString `json:"emergency_address_sid"` EmergencyStatus string `json:"emergency_status"` SMSApplicationSid string `json:"sms_application_sid"` SMSFallbackMethod string `json:"sms_fallback_method"` SMSFallbackURL string `json:"sms_fallback_url"` SMSMethod string `json:"sms_method"` SMSURL string `json:"sms_url"` StatusCallback string `json:"status_callback"` StatusCallbackMethod string `json:"status_callback_method"` TrunkSid types.NullString `json:"trunk_sid"` URI string `json:"uri"` VoiceApplicationSid string `json:"voice_application_sid"` VoiceCallerIDLookup bool `json:"voice_caller_id_lookup"` VoiceFallbackMethod string `json:"voice_fallback_method"` VoiceFallbackURL string `json:"voice_fallback_url"` VoiceMethod string `json:"voice_method"` VoiceURL string `json:"voice_url"` }
type IncomingPhoneNumberPage ¶
type IncomingPhoneNumberPage struct { Page IncomingPhoneNumbers []*IncomingPhoneNumber `json:"incoming_phone_numbers"` }
type IncomingPhoneNumberPageIterator ¶
type IncomingPhoneNumberPageIterator struct {
// contains filtered or unexported fields
}
func (*IncomingPhoneNumberPageIterator) Next ¶
func (c *IncomingPhoneNumberPageIterator) Next(ctx context.Context) (*IncomingPhoneNumberPage, error)
Next returns the next page of resources. If there are no more resources, NoMoreResults is returned.
type IntervalMetrics ¶
type Key ¶
type Key struct { DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` Sid string `json:"sid"` FriendlyName string `json:"friendly_name"` Secret string `json:"secret"` }
A Twilio Key. For more documentation, see https://www.twilio.com/docs/api/rest/keys#instance
type KeyPageIterator ¶
type KeyPageIterator struct {
// contains filtered or unexported fields
}
KeyPageIterator lets you retrieve consecutive pages of resources.
type KeyService ¶
type KeyService struct {
// contains filtered or unexported fields
}
func (*KeyService) Create ¶
Create a new Key. Note the Secret is only returned in response to a Create, you can't retrieve it later.
func (*KeyService) Delete ¶
func (r *KeyService) Delete(ctx context.Context, sid string) error
Delete the Key with the given sid. If the Key has already been deleted, or does not exist, Delete returns nil. If another error or a timeout occurs, the error is returned.
func (*KeyService) GetPageIterator ¶
func (c *KeyService) GetPageIterator(data url.Values) *KeyPageIterator
GetPageIterator returns a KeyPageIterator with the given page filters. Call iterator.Next() to get the first page of resources (and again to retrieve subsequent pages).
type LookupPhoneNumbersService ¶
type LookupPhoneNumbersService struct {
// contains filtered or unexported fields
}
func (*LookupPhoneNumbersService) Get ¶
func (s *LookupPhoneNumbersService) Get(ctx context.Context, phone string, data url.Values) (*PhoneLookup, error)
Get calls the lookups API to retrieve information about a phone number
type Media ¶
type Media struct { Sid string `json:"sid"` ContentType string `json:"content_type"` AccountSid string `json:"account_sid"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` ParentSid string `json:"parent_sid"` URI string `json:"uri"` }
type MediaService ¶
type MediaService struct {
// contains filtered or unexported fields
}
A MediaService lets you retrieve a message's associated Media.
func (*MediaService) GetImage ¶
func (m *MediaService) GetImage(ctx context.Context, messageSid string, sid string) (image.Image, error)
GetImage downloads a Media object and returns an image.Image. The documentation isn't great on what happens - as of October 2016, we make a request to the Twilio API, then to media.twiliocdn.com, then to a S3 URL. We then download that image and decode it based on the provided content-type.
type Message ¶
type Message struct { Sid string `json:"sid"` Body string `json:"body"` From PhoneNumber `json:"from"` To PhoneNumber `json:"to"` Price string `json:"price"` Status Status `json:"status"` AccountSid string `json:"account_sid"` MessagingServiceSid types.NullString `json:"messaging_service_sid"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` DateSent TwilioTime `json:"date_sent"` NumSegments Segments `json:"num_segments"` NumMedia NumMedia `json:"num_media"` PriceUnit string `json:"price_unit"` Direction Direction `json:"direction"` SubresourceURIs map[string]string `json:"subresource_uris"` URI string `json:"uri"` APIVersion string `json:"api_version"` ErrorCode Code `json:"error_code"` ErrorMessage string `json:"error_message"` }
func (*Message) FriendlyPrice ¶
FriendlyPrice flips the sign of the Price (which is usually reported from the API as a negative number) and adds an appropriate currency symbol in front of it. For example, a PriceUnit of "USD" and a Price of "-1.25" is reported as "$1.25".
type MessagePage ¶
A MessagePage contains a Page of messages.
type MessagePageIterator ¶
type MessagePageIterator interface { // Next returns the next page of resources. If there are no more resources, // NoMoreResults is returned. Next(context.Context) (*MessagePage, error) }
MessagePageIterator lets you retrieve consecutive pages of resources.
type MessagePrices ¶
type MessagePrices struct { Country string `json:"country"` IsoCountry string `json:"iso_country"` OutboundSMSPrices []OutboundSMSPrice `json:"outbound_sms_prices"` InboundSmsPrices []InboundPrice `json:"inbound_sms_prices"` PriceUnit string `json:"price_unit"` URL string `json:"url"` }
type MessageService ¶
type MessageService struct {
// contains filtered or unexported fields
}
func (*MessageService) Create ¶
Create a message with the given url.Values. For more information on valid values, see https://www.twilio.com/docs/api/rest/sending-messages or use the SendMessage helper.
func (*MessageService) Delete ¶
func (m *MessageService) Delete(ctx context.Context, sid string) error
Delete the Message with the given sid. If the Message has already been deleted, or does not exist, Delete returns nil. If another error or a timeout occurs, the error is returned.
func (*MessageService) Get ¶
Example ¶
package main import ( "context" "fmt" twilio "github.com/kevinburke/twilio-go" ) func main() { client := twilio.NewClient("AC123", "123", nil) message, _ := client.Messages.Get(context.TODO(), "SM123") fmt.Println(message.Status) }
Output:
func (*MessageService) GetMediaURLs ¶
func (m *MessageService) GetMediaURLs(ctx context.Context, sid string, data url.Values) ([]*url.URL, error)
GetMediaURLs gets the URLs of any media for this message. This uses threads to retrieve all URLs simultaneously; if retrieving any URL fails, we return an error for the entire request.
The data can be used to filter the list of returned Media as described here: https://www.twilio.com/docs/api/rest/media#list-get-filters
As of October 2016, only 10 MediaURLs are permitted per message. No attempt is made to page through media resources; omit the PageSize parameter in data, or set it to a value greater than 10, to retrieve all resources.
func (*MessageService) GetMessagesInRange ¶
func (c *MessageService) GetMessagesInRange(start time.Time, end time.Time, data url.Values) MessagePageIterator
GetMessagesInRange gets an Iterator containing calls in the range [start, end), optionally further filtered by data. GetMessagesInRange panics if start is not before end. Any date filters provided in data will be ignored. If you have an end, but don't want to specify a start, use twilio.Epoch for start. If you have a start, but don't want to specify an end, use twilio.HeatDeath for end.
Assumes that Twilio returns resources in chronological order, latest first. If this assumption is incorrect, your results will not be correct.
Returned MessagePages will have at most PageSize results, but may have fewer, based on filtering.
Example ¶
package main import ( "context" "fmt" "log" "net/url" "time" twilio "github.com/kevinburke/twilio-go" ) func main() { // Get all messages between 10:34:00 Oct 26 and 19:25:59 Oct 27, NYC time. nyc, _ := time.LoadLocation("America/New_York") start := time.Date(2016, 10, 26, 22, 34, 00, 00, nyc) end := time.Date(2016, 10, 27, 19, 25, 59, 00, nyc) client := twilio.NewClient("AC123", "123", nil) iter := client.Messages.GetMessagesInRange(start, end, url.Values{}) ctx, cancel := context.WithTimeout(context.Background(), 10*time.Second) defer cancel() for { page, err := iter.Next(ctx) if err == twilio.NoMoreResults { break } if err != nil { log.Fatal(err) } for i, message := range page.Messages { fmt.Printf("%d: %s (%s)", i, message.Sid, message.DateCreated.Time) } } }
Output:
func (*MessageService) GetNextMessagesInRange ¶
func (c *MessageService) GetNextMessagesInRange(start time.Time, end time.Time, nextPageURI string) MessagePageIterator
GetNextMessagesInRange retrieves the page at the nextPageURI and continues retrieving pages until any results are found in the range given by start or end, or we determine there are no more records to be found in that range.
If MessagePage is non-nil, it will have at least one result.
func (*MessageService) GetPage ¶
func (m *MessageService) GetPage(ctx context.Context, data url.Values) (*MessagePage, error)
GetPage returns a single page of resources. To retrieve multiple pages, use GetPageIterator.
func (*MessageService) GetPageIterator ¶
func (m *MessageService) GetPageIterator(data url.Values) MessagePageIterator
GetPageIterator returns an iterator which can be used to retrieve pages.
func (*MessageService) SendMessage ¶
func (m *MessageService) SendMessage(from string, to string, body string, mediaURLs []*url.URL) (*Message, error)
SendMessage sends an outbound Message with the given body or mediaURLs.
func (*MessageService) SendMessageWithCallback ¶
func (m *MessageService) SendMessageWithCallback(from string, to string, body string, mediaURLs []*url.URL, callback string) (*Message, error)
SendMessageWithCallback sends an outbound Message with the given body or mediaURLs. Returns status callbacks to given url.
type MessagingPriceService ¶
type MessagingPriceService struct {
Countries *CountryMessagingPriceService
}
type Meta ¶
type Meta struct { FirstPageURL string `json:"first_page_url"` NextPageURL types.NullString `json:"next_page_url"` PreviousPageURL types.NullString `json:"previous_page_url"` Key string `json:"key"` Page uint `json:"page"` PageSize uint `json:"page_size"` }
type MetricsSummary ¶
type NotifyCredential ¶
type NotifyCredential struct { Sid string `json:"sid"` FriendlyName string `json:"friendly_name"` AccountSid string `json:"account_sid"` Type CredentialType `json:"type"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` URL string `json:"url"` }
type NotifyCredentialPage ¶
type NotifyCredentialPage struct { Page Credentials []*NotifyCredential `json:"credentials"` }
type NotifyCredentialPageIterator ¶
type NotifyCredentialPageIterator struct {
// contains filtered or unexported fields
}
func (*NotifyCredentialPageIterator) Next ¶
func (r *NotifyCredentialPageIterator) Next(ctx context.Context) (*NotifyCredentialPage, error)
Next returns the next page of resources. If there are no more resources, NoMoreResults is returned.
type NotifyCredentialsService ¶
type NotifyCredentialsService struct {
// contains filtered or unexported fields
}
func (*NotifyCredentialsService) Create ¶
func (n *NotifyCredentialsService) Create(ctx context.Context, data url.Values) (*NotifyCredential, error)
func (*NotifyCredentialsService) CreateAPN ¶
func (n *NotifyCredentialsService) CreateAPN(ctx context.Context, friendlyName string, cert string, privateKey string, sandbox bool) (*NotifyCredential, error)
func (*NotifyCredentialsService) CreateFCM ¶
func (n *NotifyCredentialsService) CreateFCM(ctx context.Context, friendlyName string, secret string) (*NotifyCredential, error)
To create an FCM credential, use Secret parameter, which can be found in your Firebase console as Server key See https://www.twilio.com/docs/api/notify/rest/credentials#create-a-credential for details
func (*NotifyCredentialsService) CreateGCM ¶
func (n *NotifyCredentialsService) CreateGCM(ctx context.Context, friendlyName string, apiKey string) (*NotifyCredential, error)
func (*NotifyCredentialsService) Delete ¶
func (n *NotifyCredentialsService) Delete(ctx context.Context, sid string) error
func (*NotifyCredentialsService) Get ¶
func (n *NotifyCredentialsService) Get(ctx context.Context, sid string) (*NotifyCredential, error)
func (*NotifyCredentialsService) GetPage ¶
func (n *NotifyCredentialsService) GetPage(ctx context.Context, data url.Values) (*NotifyCredentialPage, error)
func (*NotifyCredentialsService) GetPageIterator ¶
func (n *NotifyCredentialsService) GetPageIterator(data url.Values) *NotifyCredentialPageIterator
GetPageIterator returns an iterator which can be used to retrieve pages.
func (*NotifyCredentialsService) Update ¶
func (n *NotifyCredentialsService) Update(ctx context.Context, sid string, data url.Values) (*NotifyCredential, error)
type NotifyService ¶
type NotifyService struct {
Credentials *NotifyCredentialsService
}
type NullAnsweredBy ¶
type NullAnsweredBy struct { Valid bool AnsweredBy AnsweredBy }
type NumberCapability ¶
type NumberPrices ¶
type NumberPrices struct { Country string `json:"country"` IsoCountry string `json:"iso_country"` PhoneNumberPrices []PhoneNumberPrice `json:"phone_number_prices"` PriceUnit string `json:"price_unit"` URL string `json:"url"` }
type NumberPurchasingService ¶
type NumberPurchasingService struct {
// contains filtered or unexported fields
}
func (*NumberPurchasingService) Create ¶
func (n *NumberPurchasingService) Create(ctx context.Context, data url.Values) (*IncomingPhoneNumber, error)
Create a phone number (buy a number) with the given values.
type NumberVoicePriceService ¶
type NumberVoicePriceService struct {
// contains filtered or unexported fields
}
func (*NumberVoicePriceService) Get ¶
func (nvps *NumberVoicePriceService) Get(ctx context.Context, destinationNumber string, data url.Values) (*VoiceNumberPrices, error)
https://www.twilio.com/docs/voice/pricing#list-uri-by-origination-number returns the call price by number or numbers pair
type OutboundCallPrice ¶
type OutboundSMSPrice ¶
type OutboundSMSPrice struct { Carrier string `json:"carrier"` MCC string `json:"mcc"` MNC string `json:"mnc"` Prices []InboundPrice `json:"prices"` }
type OutgoingCallerID ¶
type OutgoingCallerID struct { Sid string `json:"sid"` FriendlyName string `json:"friendly_name"` PhoneNumber PhoneNumber `json:"phone_number"` AccountSid string `json:"account_sid"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` URI string `json:"uri"` }
type OutgoingCallerIDPage ¶
type OutgoingCallerIDPage struct { Page OutgoingCallerIDs []*OutgoingCallerID `json:"outgoing_caller_ids"` }
type OutgoingCallerIDPageIterator ¶
type OutgoingCallerIDPageIterator struct {
// contains filtered or unexported fields
}
OutgoingCallerIDPageIterator lets you retrieve consecutive pages of resources.
func (*OutgoingCallerIDPageIterator) Next ¶
func (o *OutgoingCallerIDPageIterator) Next(ctx context.Context) (*OutgoingCallerIDPage, error)
Next returns the next page of resources. If there are no more resources, NoMoreResults is returned.
type OutgoingCallerIDService ¶
type OutgoingCallerIDService struct {
// contains filtered or unexported fields
}
func (*OutgoingCallerIDService) Create ¶
func (c *OutgoingCallerIDService) Create(ctx context.Context, data url.Values) (*CallerIDRequest, error)
Create a new OutgoingCallerID. Note the ValidationCode is only returned in response to a Create, you can't retrieve it later.
https://www.twilio.com/docs/api/rest/outgoing-caller-ids#list-post
func (*OutgoingCallerIDService) Delete ¶
func (o *OutgoingCallerIDService) Delete(ctx context.Context, sid string) error
Delete the Caller ID with the given sid. If the ID has already been deleted, or does not exist, Delete returns nil. If another error or a timeout occurs, the error is returned.
func (*OutgoingCallerIDService) Get ¶
func (o *OutgoingCallerIDService) Get(ctx context.Context, sid string) (*OutgoingCallerID, error)
func (*OutgoingCallerIDService) GetPage ¶
func (o *OutgoingCallerIDService) GetPage(ctx context.Context, data url.Values) (*OutgoingCallerIDPage, error)
func (*OutgoingCallerIDService) GetPageIterator ¶
func (o *OutgoingCallerIDService) GetPageIterator(data url.Values) *OutgoingCallerIDPageIterator
GetPageIterator returns a OutgoingCallerIDPageIterator with the given page filters. Call iterator.Next() to get the first page of resources (and again to retrieve subsequent pages).
func (*OutgoingCallerIDService) Update ¶
func (o *OutgoingCallerIDService) Update(ctx context.Context, sid string, data url.Values) (*OutgoingCallerID, error)
Update the caller ID with the given data. Valid parameters may be found here: https://www.twilio.com/docs/api/rest/outgoing-caller-ids#list
type Page ¶
type Page struct { FirstPageURI string `json:"first_page_uri"` Start uint `json:"start"` End uint `json:"end"` NumPages uint `json:"num_pages"` Total uint `json:"total"` NextPageURI types.NullString `json:"next_page_uri"` PreviousPageURI types.NullString `json:"previous_page_uri"` PageSize uint `json:"page_size"` }
type PageIterator ¶
type PageIterator struct {
// contains filtered or unexported fields
}
func NewNextPageIterator ¶
func NewNextPageIterator(client *Client, nextPageURI string) *PageIterator
NewNextPageIterator returns a PageIterator based on the provided nextPageURI, and is designed for iterating if you have a nextPageURI and not a list of query values.
NewNextPageIterator panics if nextPageURI is empty.
func NewPageIterator ¶
func NewPageIterator(client *Client, data url.Values, pathPart string) *PageIterator
NewPageIterator returns a PageIterator that can be used to iterate through values. Call Next() to get the first page of values (and again to get subsequent pages). If there are no more results, NoMoreResults is returned.
func (*PageIterator) Next ¶
func (p *PageIterator) Next(ctx context.Context, v interface{}) error
Next asks for the next page of resources and decodes the results into v.
func (*PageIterator) SetNextPageURI ¶
func (p *PageIterator) SetNextPageURI(npuri types.NullString)
type Participant ¶
type Participant struct { AccountSid string `json:"account_sid"` CallSid string `json:"call_sid"` ConferenceSid string `json:"conference_sid"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` EndConferenceOnExit bool `json:"end_conference_on_exit"` Hold bool `json:"hold"` Muted bool `json:"muted"` StartConferenceOnEnter bool `json:"start_conference_on_enter"` URI string `json:"uri"` }
type ParticipantService ¶
type ParticipantService struct{}
type PhoneLookup ¶
type PhoneLookup struct { CountryCode string `json:"country_code"` PhoneNumber string `json:"phone_number"` NationalFormat string `json:"national_format"` URL string `json:"url"` CallerName CallerLookup `json:"caller_name"` Carrier CarrierLookup `json:"carrier"` }
type PhoneNumber ¶
type PhoneNumber string
func NewPhoneNumber ¶
func NewPhoneNumber(pn string) (PhoneNumber, error)
NewPhoneNumber parses the given value as a phone number or returns an error if it cannot be parsed as one. If a phone number does not begin with a plus sign, we assume it's a national number in the region specified by DefaultRegion. Numbers are stored in E.164 format.
func (PhoneNumber) Friendly ¶
func (pn PhoneNumber) Friendly() string
Friendly returns a friendly international representation of the phone number, for example, "+14105554092" is returned as "+1 410-555-4092". If the phone number is not in E.164 format, we try to parse it as a US number. If we cannot parse it as a US number, it is returned as is.
func (PhoneNumber) Local ¶
func (pn PhoneNumber) Local() string
Local returns a friendly national representation of the phone number, for example, "+14105554092" is returned as "(410) 555-4092". If the phone number is not in E.164 format, we try to parse it as a US number. If we cannot parse it as a US number, it is returned as is.
type PhoneNumberPrice ¶
type PhoneNumberPriceService ¶
type PhoneNumberPriceService struct {
Countries *CountryPhoneNumberPriceService
}
type PrefixPrice ¶
type PriceCountry ¶
type Queue ¶
type Queue struct { Sid string `json:"sid"` AverageWaitTime uint `json:"average_wait_time"` CurrentSize uint `json:"current_size"` FriendlyName string `json:"friendly_name"` MaxSize uint `json:"max_size"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` AccountSid string `json:"account_sid"` URI string `json:"uri"` }
type QueuePageIterator ¶
type QueuePageIterator struct {
// contains filtered or unexported fields
}
type QueueService ¶
type QueueService struct {
// contains filtered or unexported fields
}
func (*QueueService) Delete ¶
func (c *QueueService) Delete(ctx context.Context, sid string) error
Delete the Queue with the given sid. If the Queue has already been deleted, or does not exist, Delete returns nil. If another error or a timeout occurs, the error is returned.
func (*QueueService) GetPageIterator ¶
func (c *QueueService) GetPageIterator(data url.Values) *QueuePageIterator
GetPageIterator returns a QueuePageIterator with the given page filters. Call iterator.Next() to get the first page of resources (and again to retrieve subsequent pages).
type Recording ¶
type Recording struct { Sid string `json:"sid"` Duration TwilioDuration `json:"duration"` CallSid string `json:"call_sid"` Status Status `json:"status"` Price string `json:"price"` PriceUnit string `json:"price_unit"` DateCreated TwilioTime `json:"date_created"` AccountSid string `json:"account_sid"` APIVersion string `json:"api_version"` Channels uint `json:"channels"` DateUpdated TwilioTime `json:"date_updated"` URI string `json:"uri"` }
func (*Recording) FriendlyPrice ¶
FriendlyPrice flips the sign of the Price (which is usually reported from the API as a negative number) and adds an appropriate currency symbol in front of it. For example, a PriceUnit of "USD" and a Price of "-1.25" is reported as "$1.25".
type RecordingPage ¶
type RecordingPageIterator ¶
type RecordingPageIterator struct {
// contains filtered or unexported fields
}
func (*RecordingPageIterator) Next ¶
func (r *RecordingPageIterator) Next(ctx context.Context) (*RecordingPage, error)
Next returns the next page of resources. If there are no more resources, NoMoreResults is returned.
type RecordingService ¶
type RecordingService struct {
// contains filtered or unexported fields
}
func (*RecordingService) Delete ¶
func (r *RecordingService) Delete(ctx context.Context, sid string) error
Delete the Recording with the given sid. If the Recording has already been deleted, or does not exist, Delete returns nil. If another error or a timeout occurs, the error is returned.
func (*RecordingService) GetPage ¶
func (r *RecordingService) GetPage(ctx context.Context, data url.Values) (*RecordingPage, error)
func (*RecordingService) GetPageIterator ¶
func (r *RecordingService) GetPageIterator(data url.Values) *RecordingPageIterator
GetPageIterator returns an iterator which can be used to retrieve pages.
func (*RecordingService) GetTranscriptions ¶
func (r *RecordingService) GetTranscriptions(ctx context.Context, recordingSid string, data url.Values) (*TranscriptionPage, error)
type Room ¶
type Room struct { Sid string `json:"sid"` AccountSid string `json:"account_sid"` Type string `json:"type"` EnableTurn bool `json:"enable_turn"` UniqueName string `json:"unique_name"` StatusCallback string `json:"status_callback"` StatusCallbackMethod string `json:"status_callback_method"` MaxParticipants uint `json:"max_participants"` RecordParticipantsOnConnect bool `json:"record_participants_on_connect"` Duration uint `json:"duration"` MediaRegion string `json:"media_region"` Status Status `json:"status"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` EndTime TwilioTime `json:"end_time"` URL string `json:"url"` Links map[string]string `json:"links"` }
type RoomPageIterator ¶
type RoomPageIterator struct {
// contains filtered or unexported fields
}
type RoomService ¶
type RoomService struct {
// contains filtered or unexported fields
}
func (*RoomService) Complete ¶
func (r *RoomService) Complete(sid string) (*Room, error)
Complete an in-progress Room with the given sid. All connected Participants will be immediately disconnected from the Room.
func (*RoomService) Create ¶
Create a room with the given url.Values. For more information on valid values, see https://www.twilio.com/docs/api/video/rooms-resource#post-parameters or use the
func (*RoomService) Get ¶
Get finds a single Room resource by its sid or unique name, or returns an error.
func (*RoomService) GetPage ¶
Returns a list of rooms. For more information on valid values, see https://www.twilio.com/docs/api/video/rooms-resource#get-list-resource
func (*RoomService) GetPageIterator ¶
func (r *RoomService) GetPageIterator(data url.Values) *RoomPageIterator
GetPageIterator returns an iterator which can be used to retrieve pages.
type SDKEdge ¶
type SDKEdge struct { Metrics struct { Inbound SDKEdgeSummary `json:"inbound"` Outbound SDKEdgeSummary `json:"outbound"` } `json:"metrics"` Properties SDKEdgeProperties `json:"properties"` Events SDKEdgeEvents `json:"events"` }
type SDKEdgeEvents ¶
type SDKEdgeProperties ¶
type SDKEdgeSummary ¶
type SDKEdgeSummary struct { EdgeSummary MOS MetricsSummary `json:"mos"` RTT MetricsSummary `json:"rtt"` Tags map[string]string `json:"tags"` AudioOut MetricsSummary `json:"audio_out"` AudioIn MetricsSummary `json:"audio_in"` }
type Sim ¶
type Sim struct { Sid string `json:"sid"` UniqueName string `json:"unique_name"` Status Status `json:"status"` FriendlyName types.NullString `json:"friendly_name"` ICCID string `json:"iccid"` CommandsCallbackMethod string `json:"commands_callback_method"` CommandsCallbackURL types.NullString `json:"commands_callback_url"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` RatePlanSid string `json:"rate_plan_sid"` SMSURL types.NullString `json:"sms_url"` SMSMethod types.NullString `json:"sms_method"` SMSFallbackMethod types.NullString `json:"sms_fallback_method"` SMSFallbackURL types.NullString `json:"sms_fallback_url"` VoiceURL types.NullString `json:"voice_url"` VoiceMethod types.NullString `json:"voice_method"` VoiceFallbackMethod types.NullString `json:"voice_fallback_method"` VoiceFallbackURL types.NullString `json:"voice_fallback_url"` URL string `json:"url"` AccountSid string `json:"account_sid"` Links map[string]string `json:"links"` }
Sim represents a Sim resource.
type SimPageIterator ¶
type SimPageIterator interface { // Next returns the next page of resources. If there are no more resources, // NoMoreResults is returned. Next(context.Context) (*SimPage, error) }
SimPageIterator lets you retrieve consecutive pages of resources.
type SimService ¶
type SimService struct {
// contains filtered or unexported fields
}
func (*SimService) GetPage ¶
GetPage returns a single Page of resources, filtered by data.
See https://www.twilio.com/docs/api/wireless/rest-api/sim#list-get.
func (*SimService) GetPageIterator ¶
func (f *SimService) GetPageIterator(data url.Values) SimPageIterator
GetPageIterator returns a SimPageIterator with the given page filters. Call iterator.Next() to get the first page of resources (and again to retrieve subsequent pages).
func (*SimService) GetUsageRecords ¶
func (s *SimService) GetUsageRecords(ctx context.Context, simSid string, data url.Values) (*SimUsageRecordPage, error)
GetUsageRecords finds a page of UsageRecord resources.
func (*SimService) GetUsageRecordsIterator ¶
func (s *SimService) GetUsageRecordsIterator(simSid string, data url.Values) SimUsageRecordPageIterator
type SimUsageRecord ¶
type SimUsageRecord struct { AccountSid string `json:"account_sid"` Commands CommandsUsage `json:"commands"` Data AllDataUsage `json:"data"` Period UsagePeriod `json:"period"` SimSid string `json:"sim_sid"` }
type SimUsageRecordPage ¶
type SimUsageRecordPage struct { Meta Meta `json:"meta"` UsageRecords []*SimUsageRecord `json:"usage_records"` }
type SimUsageRecordPageIterator ¶
type SimUsageRecordPageIterator interface { // Next returns the next page of resources. If there are no more resources, // NoMoreResults is returned. Next(context.Context) (*SimUsageRecordPage, error) }
type Status ¶
type Status string
The status of a resource ("accepted", "queued", etc). For more information, see
https://www.twilio.com/docs/api/rest/message https://www.twilio.com/docs/api/fax/rest/faxes#fax-status-values
type SupportedCountries ¶
type SupportedCountries struct { URI string `json:"uri"` Countries []*SupportedCountry `json:"countries"` }
type SupportedCountriesService ¶
type SupportedCountriesService struct {
// contains filtered or unexported fields
}
func (*SupportedCountriesService) Get ¶
func (s *SupportedCountriesService) Get(ctx context.Context, beta bool) (*SupportedCountries, error)
Get returns supported countries. If beta is true, only include countries where phone numbers new to the Twilio platform are available. If false, do not include new inventory.
See https://www.twilio.com/docs/phone-numbers/api/available-phone-numbers#countries
type SupportedCountry ¶
type SupportedCountry struct { // The ISO Country code to lookup phone numbers for. CountryCode string `json:"country_code"` Country string `json:"country"` URI string `json:"uri"` // If true, all phone numbers available in this country are new to the Twilio platform. // If false, all numbers are not in the Twilio Phone Number Beta program. Beta bool `json:"beta"` SubresourceURIs map[string]string `json:"subresource_uris"` }
type TaskQueue ¶
type TaskQueue struct { Sid string `json:"sid"` AccountSid string `json:"account_sid"` FriendlyName string `json:"friendly_name"` AssignmentActivityName string `json:"assignment_activity_name"` AssignmentActivitySid string `json:"assignment_activity_sid"` ReservationActivityName string `json:"reservation_activity_name"` ReservationActivitySid string `json:"reservation_activity_sid"` TargetWorkers string `json:"target_workers"` TaskOrder string `json:"task_order"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` URL string `json:"url"` WorkspaceSid string `json:"workspace_sid"` MaxReservedWorkers int `json:"max_reserved_workers"` }
type TaskQueuePage ¶
type TaskQueuePageIterator ¶
type TaskQueuePageIterator struct {
// contains filtered or unexported fields
}
func (*TaskQueuePageIterator) Next ¶
func (c *TaskQueuePageIterator) Next(ctx context.Context) (*TaskQueuePage, error)
Next returns the next page of resources. If there are no more resources, NoMoreResults is returned.
type TaskQueueService ¶
type TaskQueueService struct {
// contains filtered or unexported fields
}
func (*TaskQueueService) Delete ¶
func (r *TaskQueueService) Delete(ctx context.Context, sid string) error
func (*TaskQueueService) GetPage ¶
func (ins *TaskQueueService) GetPage(ctx context.Context, data url.Values) (*TaskQueuePage, error)
GetPage retrieves an TaskQueuePage, filtered by the given data.
func (*TaskQueueService) GetPageIterator ¶
func (c *TaskQueueService) GetPageIterator(data url.Values) *TaskQueuePageIterator
GetPageIterator returns an iterator which can be used to retrieve pages.
type Transcription ¶
type Transcription struct { Sid string `json:"sid"` TranscriptionText string `json:"transcription_text"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` Duration TwilioDuration `json:"duration"` Price string `json:"price"` PriceUnit string `json:"price_unit"` RecordingSid string `json:"recording_sid"` Status Status `json:"status"` Type string `json:"type"` AccountSid string `json:"account_sid"` APIVersion string `json:"api_version"` URI string `json:"uri"` }
func (*Transcription) FriendlyPrice ¶
func (t *Transcription) FriendlyPrice() string
FriendlyPrice flips the sign of the Price (which is usually reported from the API as a negative number) and adds an appropriate currency symbol in front of it. For example, a PriceUnit of "USD" and a Price of "-1.25" is reported as "$1.25".
type TranscriptionPage ¶
type TranscriptionPage struct { Page Transcriptions []*Transcription }
type TranscriptionPageIterator ¶
type TranscriptionPageIterator struct {
// contains filtered or unexported fields
}
func (*TranscriptionPageIterator) Next ¶
func (c *TranscriptionPageIterator) Next(ctx context.Context) (*TranscriptionPage, error)
Next returns the next page of resources. If there are no more resources, NoMoreResults is returned.
type TranscriptionService ¶
type TranscriptionService struct {
// contains filtered or unexported fields
}
func (*TranscriptionService) Delete ¶
func (c *TranscriptionService) Delete(ctx context.Context, sid string) error
Delete the Transcription with the given sid. If the Transcription has already been deleted, or does not exist, Delete returns nil. If another error or a timeout occurs, the error is returned.
func (*TranscriptionService) Get ¶
func (c *TranscriptionService) Get(ctx context.Context, sid string) (*Transcription, error)
Get returns a single Transcription or an error.
func (*TranscriptionService) GetPage ¶
func (c *TranscriptionService) GetPage(ctx context.Context, data url.Values) (*TranscriptionPage, error)
func (*TranscriptionService) GetPageIterator ¶
func (c *TranscriptionService) GetPageIterator(data url.Values) *TranscriptionPageIterator
GetPageIterator returns a TranscriptionPageIterator with the given page filters. Call iterator.Next() to get the first page of resources (and again to retrieve subsequent pages).
type TwilioDuration ¶
func (TwilioDuration) String ¶
func (td TwilioDuration) String() string
func (*TwilioDuration) UnmarshalJSON ¶
func (td *TwilioDuration) UnmarshalJSON(b []byte) error
type TwilioTime ¶
TwilioTime can parse a timestamp returned in the Twilio API and turn it into a valid Go Time struct.
func NewTwilioTime ¶
func NewTwilioTime(val string) *TwilioTime
NewTwilioTime returns a TwilioTime instance. val should be formatted using the TimeLayout.
func (*TwilioTime) MarshalJSON ¶
func (tt *TwilioTime) MarshalJSON() ([]byte, error)
func (*TwilioTime) UnmarshalJSON ¶
func (t *TwilioTime) UnmarshalJSON(b []byte) error
type UsagePeriod ¶
type Values ¶
Values has the methods of url.Values, but can decode JSON from the response_headers field of an Alert.
func (*Values) UnmarshalJSON ¶
type VerifyPhoneNumber ¶
type VerifyPhoneNumber struct { Sid string `json:"sid"` ServiceSid string `json:"service_sid"` AccountSid string `json:"account_sid"` To PhoneNumber `json:"to"` Channel string `json:"channel"` Status string `json:"status"` Valid bool `json:"valid"` Lookup PhoneLookup `json:"lookup"` Amount types.NullString `json:"amount"` Payee types.NullString `json:"payee"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` URL string `json:"url"` }
type VerifyPhoneNumberService ¶
type VerifyPhoneNumberService struct {
// contains filtered or unexported fields
}
func (*VerifyPhoneNumberService) Check ¶
func (v *VerifyPhoneNumberService) Check(ctx context.Context, verifyServiceID string, data url.Values) (*CheckPhoneNumber, error)
Check calls the Verify API to check if a user-provided token is correct. https://www.twilio.com/docs/verify/api-beta/verification-check-beta#check-a-verification-1
func (*VerifyPhoneNumberService) Create ¶
func (v *VerifyPhoneNumberService) Create(ctx context.Context, verifyServiceID string, data url.Values) (*VerifyPhoneNumber, error)
Create calls the Verify API to start a new verification. https://www.twilio.com/docs/verify/api-beta/verification-beta#start-new-verification
func (*VerifyPhoneNumberService) Get ¶
func (v *VerifyPhoneNumberService) Get(ctx context.Context, verifyServiceID string, sid string) (*VerifyPhoneNumber, error)
Get calls the Verify API to retrieve information about a verification. https://www.twilio.com/docs/verify/api-beta/verification-beta#fetch-a-verification-1
type VideoMedia ¶
type VideoMedia struct {
Location string `json:"location"`
}
type VideoRecording ¶
type VideoRecording struct { Sid string `json:"sid"` Duration uint `json:"duration"` Status Status `json:"status"` DateCreated TwilioTime `json:"date_created"` SourceSid string `json:"source_sid"` URI string `json:"uri"` Size uint `json:"size"` Type string `json:"type"` ContainerFormat string `json:"container_format"` Codec string `json:"codec"` GroupingSids map[string]string `json:"grouping_sids"` Links map[string]string `json:"links"` }
type VideoRecordingPage ¶
type VideoRecordingPage struct { Meta Meta `json:"meta"` Recordings []*VideoRecording `json:"recordings"` }
type VideoRecordingPageIterator ¶
type VideoRecordingPageIterator struct {
// contains filtered or unexported fields
}
func (*VideoRecordingPageIterator) Next ¶
func (vr *VideoRecordingPageIterator) Next(ctx context.Context) (*VideoRecordingPage, error)
Next returns the next page of resources. If there are no more resources, NoMoreResults is returned.
type VideoRecordingService ¶
type VideoRecordingService struct {
// contains filtered or unexported fields
}
func (*VideoRecordingService) Delete ¶
func (vr *VideoRecordingService) Delete(ctx context.Context, sid string) error
Delete the VideoRecording with the given sid. If the VideoRecording has already been deleted, or does not exist, Delete returns nil. If another error or a timeout occurs, the error is returned.
func (*VideoRecordingService) Get ¶
func (vr *VideoRecordingService) Get(ctx context.Context, sid string) (*VideoRecording, error)
Returns the VideoRecording with the given sid.
func (*VideoRecordingService) GetPage ¶
func (vr *VideoRecordingService) GetPage(ctx context.Context, data url.Values) (*VideoRecordingPage, error)
Returns a list of recordings. For more information on valid values, see https://www.twilio.com/docs/api/video/recordings-resource#recordings-list-resource
func (*VideoRecordingService) GetPageIterator ¶
func (vr *VideoRecordingService) GetPageIterator(data url.Values) *VideoRecordingPageIterator
GetPageIterator returns an iterator which can be used to retrieve pages.
func (*VideoRecordingService) Media ¶
func (vr *VideoRecordingService) Media(ctx context.Context, sid string) (*VideoMedia, error)
When you make a request to this URL, Twilio will generate a temporary URL for accessing this binary data, and issue an HTTP 302 redirect response to your request. The Recording will be returned in the format as described in the metadata.
type VoiceInsightsService ¶
type VoiceInsightsService struct { Summary *CallSummaryService Metrics *CallMetricsService Events *CallEventsService }
type VoiceNumberPrices ¶
type VoiceNumberPrices struct { Country string `json:"country"` IsoCountry string `json:"iso_country"` DestinationNumber string `json:"destination_number"` OriginationNumber string `json:"origination_number"` InboundCallPrice InboundPrice `json:"inbound_call_price"` OutboundCallPrices []OutboundCallPrice `json:"outbound_call_prices"` PriceUnit string `json:"price_unit"` URL string `json:"url"` }
type VoicePriceService ¶
type VoicePriceService struct { Countries *CountryVoicePriceService Numbers *NumberVoicePriceService }
type VoicePrices ¶
type VoicePrices struct { Country string `json:"country"` IsoCountry string `json:"iso_country"` OutboundPrefixPrices []PrefixPrice `json:"outbound_prefix_prices"` InboundCallPrices []InboundPrice `json:"inbound_call_prices"` PriceUnit string `json:"price_unit"` URL string `json:"url"` }
type Worker ¶
type Worker struct { Sid string `json:"sid"` AccountSid string `json:"account_sid"` FriendlyName string `json:"friendly_name"` // A string that contains JSON attributes, for example: // `{"type": "support"}` Attributes string `json:"attributes"` ActivityName string `json:"activity_name"` ActivitySid string `json:"activity_sid"` Available bool `json:"available"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` URL string `json:"url"` WorkspaceSid string `json:"workspace_sid"` }
type WorkerPage ¶
type WorkerPageIterator ¶
type WorkerPageIterator struct {
// contains filtered or unexported fields
}
func (*WorkerPageIterator) Next ¶
func (c *WorkerPageIterator) Next(ctx context.Context) (*WorkerPage, error)
type WorkerService ¶
type WorkerService struct {
// contains filtered or unexported fields
}
func (*WorkerService) Create ¶
Create creates a new Worker.
For a list of valid parameters see https://www.twilio.com/docs/taskrouter/api/workers#action-create.
func (*WorkerService) Delete ¶
func (r *WorkerService) Delete(ctx context.Context, sid string) error
Delete deletes a Worker.
See https://www.twilio.com/docs/taskrouter/api/workers#action-delete for more.
func (*WorkerService) Get ¶
Get retrieves a Worker by its sid.
See https://www.twilio.com/docs/taskrouter/api/workers#action-get for more.
func (*WorkerService) GetPage ¶
func (ins *WorkerService) GetPage(ctx context.Context, data url.Values) (*WorkerPage, error)
func (*WorkerService) GetPageIterator ¶
func (c *WorkerService) GetPageIterator(data url.Values) *WorkerPageIterator
type Workflow ¶
type Workflow struct { Sid string `json:"sid"` AccountSid string `json:"account_sid"` FriendlyName string `json:"friendly_name"` // A string that contains JSON configuration, for example: // // `{"task_routing":{"default_filter":{ // "queue":"WQ0c1274082082355320d8a41f94eb57aa" // }}}` Configuration string `json:"configuration"` AssignmentCallbackURL string `json:"assignment_callback_url"` FallbackAssignmentCallbackURL string `json:"fallback_assignment_callback_url"` TaskReservationTimeout int `json:"task_reservation_timeout"` DateCreated TwilioTime `json:"date_created"` DateUpdated TwilioTime `json:"date_updated"` URL string `json:"url"` WorkspaceSid string `json:"workspace_sid"` }
type WorkflowPage ¶
type WorkflowPageIterator ¶
type WorkflowPageIterator struct {
// contains filtered or unexported fields
}
func (*WorkflowPageIterator) Next ¶
func (c *WorkflowPageIterator) Next(ctx context.Context) (*WorkflowPage, error)
type WorkflowService ¶
type WorkflowService struct {
// contains filtered or unexported fields
}
func (*WorkflowService) Create ¶
Create creates a new Workflow.
For a list of valid parameters see https://www.twilio.com/docs/taskrouter/api/workflows#action-create.
func (*WorkflowService) Delete ¶
func (r *WorkflowService) Delete(ctx context.Context, sid string) error
Delete deletes a Workflow.
See https://www.twilio.com/docs/taskrouter/api/workflows#action-delete for more.
func (*WorkflowService) Get ¶
Get retrieves a Workflow by its sid.
See https://www.twilio.com/docs/taskrouter/api/workflows#action-get for more.
func (*WorkflowService) GetPage ¶
func (ins *WorkflowService) GetPage(ctx context.Context, data url.Values) (*WorkflowPage, error)
func (*WorkflowService) GetPageIterator ¶
func (c *WorkflowService) GetPageIterator(data url.Values) *WorkflowPageIterator
type WorkspaceService ¶
type WorkspaceService struct { Activities *ActivityService Queues *TaskQueueService Workflows *WorkflowService Workers *WorkerService }
WorkspaceService lets you interact with a TaskRouter Workspace.
Source Files ¶
- accounts.go
- alert_descriptions.go
- alerts.go
- applications.go
- available_phone_numbers.go
- calls.go
- codes.go
- conferences.go
- doc.go
- fax.go
- http.go
- http_ctx.go
- keys.go
- lookup.go
- media.go
- media_go17.go
- messages.go
- notify.go
- notify_credentials.go
- outgoingcallerids.go
- page.go
- participants.go
- phonenumbers.go
- prices_messaging.go
- prices_number.go
- prices_voice.go
- queue.go
- recording.go
- room.go
- task_router.go
- task_router_activity.go
- task_router_queue.go
- task_router_worker.go
- task_router_workflow.go
- transcription.go
- types.go
- validation.go
- verify.go
- video_recording.go
- voice_insights.go
- voice_insights_events.go
- voice_insights_metrics.go
- voice_insights_summary.go
- wireless.go
- wireless_commands.go
Directories ¶
Path | Synopsis |
---|---|
cmd
|
|
report-data-usage
Binary report-data-usage reports information about how much data your sim cards have used.
|
Binary report-data-usage reports information about how much data your sim cards have used. |
report-data-usage-server
Binary report-data-usage-server sends info to your SIM about how much data has been used.
|
Binary report-data-usage-server sends info to your SIM about how much data has been used. |
Package datausage has utilities for retrieving data usage from a SIM card.
|
Package datausage has utilities for retrieving data usage from a SIM card. |
Create them on your server and pass them to a client to help verify a client's identity, and to grant access to features in client API's.
|
Create them on your server and pass them to a client to help verify a client's identity, and to grant access to features in client API's. |