POSIX C++ API & SDK Docs 5.4.0
Get code: source
SDK version
Always use the latest SDK version to have access to the newest features and avoid security vulnerabilities, bugs, and performance issues.
Hello World
We recommend you use the Makefiles as a starting point in your own projects (whether they are based on Make or some other build tool / system or IDE).
Makefiles
-
The Makefile to build for POSIX C++ is available at posix.mk. Please take a look at README for general info about the repo layout & contents.
-
The Makefile for Posix C++ with SSL/TLS (via OpenSSL) is available at posix_openssl.mk in the repo. See /openssl/README.md for info on how to build with OpenSSL on POSIX C++ and other OpenSSL related data.
Including the header
To include the PubNub POSIX C++ headers into your app, you must include pubnub.hpp
:
1#include "pubnub.hpp"
2#include <iostream>
Once the header has been included, its easy to make calls to the PubNub service via the POSIX C++ API. The PubNub POSIX C++ API is flexible, supporting many different calling patterns. As such, before we dive in to actual coding samples, its important to go over the different types of calling patterns provided by the PubNub POSIX C++ client's futures support.
C++ calling patterns: futures
pubnub::futres
The pubnub::futres
class name is a portmanteau, blending C++ future
with enum pubnub_res
. It was purposely not named pubnub::future
to avoid namespacing conflicts.
Both POSIX and Windows C++ SDKs use the pubnub::futres
class, based on the std::future
class (introduced in C++ 11) which provides a way to track the outcome of an operation asynchronously. Every operation that the SDK initiates with PubNub returns a futures
object. This object allows to track the progress and completion of the operation via the status identifiers.
Using futures synchronously
There are several ways to use futures synchronously:
- Single
await()
orget()
- Separated
start_await()
andend_await()
- Your own
last_result()
loop
Single await() or get()
The pubnub::futres::await()
method, similar to the pubnub_await()
function from the C sync
interface, is used to await the outcome of a transaction/operation. Since its function is the same as std::future<>::get()
, we provide a synonym
, and you can call pubnub::futres::get()
with the same effect.
1pubnub::context pb("demo", "demo");
2pubnub::futres f = pb.publish("hello_world", "\"Here I am!\"");
3if (PNR_OK == f.await()) {
4 std::cout << "Published OK" << std::endl;
5}
6pubnub::futres f = pb.publish("hello_world", "\"Stuck in the middle\"");
7if (PNR_OK == f.get()) {
8 std::cout << "Published OK (again)" << std::endl;
9}
Separated start_await() and end_await()
You don't have to await at once
. You can start the await, and finish later. This is useful if you are working with more than one context, so you start an operation on one context, then start the await on that context, proceed to start an operation on another context and then end the started await.
1pubnub::context pb("demo", "demo");
2pubnub::context pbsub("demo", "demo");
3pbsub.subscribe("hello_world").await(); // connect
4pubnub::futres fsub = pbsub.subscribe("hello_world");
5fsub.start_await();
6pubnub::futres f = pb.publish("hello_world", "\"with you!\"");
7if (PNR_OK == f.await()) {
8 std::cout << "Published OK" << std::endl;
9}
10if (PNR_OK == fsub.end_await()) {
11 std::cout << "Received messages:" << std::endl;
12 for (auto &&msg : pbsub.get_all()) {
13 std::cout << msg << std::endl;
14 }
15}
Your own last_result() loop
You don't have to use the await()
functions. You can call last_result()
in a loop and perform other operations. If you aren't doing other operations, this pattern won't be that useful for you -- in that case, just call await()
.
1pubnub::context pb("demo", "demo");
2pubnub::futres f = pb.publish("hello_world", "\"Waiting for Godot\"");
3for (;;) {
4 pubnub_res result = f.last_result();
5 if (result() == PNR_STARTED) {
6 // Do something while we wait
7 play_some_tetris();
8 }
9 else if (PNR_OK == f.get()) {
10 std::cout << "Published OK" << std::endl;
11 }
12}
Using futures asynchronously
All asynchronous logic is built upon pubnub::futres::then()
(similar to what is available in some future
libraries, and proposed for addition to C++17). There are several ways to use futures asynchronously:
- Using futures with a callback
- Using futures with a lambda
- Using futures with a function object
Using futures with a callback
By providing a free function or a static class method, you'll be using the C++ client similarly to that of the C callback
interface.
Required UUID
Always set the UUID
to uniquely identify the user or device that connects to PubNub. This UUID
should be persisted, and should remain unchanged for the lifetime of the user or the device. If you don't set the UUID
, you won't be able to connect to PubNub.
1static void on_publish(pubnub::context &pb, pubnub_res result)
2{
3 if (PNR_OK == result) {
4 std::cout << "Published OK" << std::endl;
5 }
6}
7
8int main(int argc, char *argv[])
9{
10 pubnub::context pb("demo", "demo");
11 pubnub::futres f = pb.publish("hello_world", "\"Don't call us\"");
12 f.then(on_publish);
13 return 0;
14}
Using futures with a lambda
Instead of a function, you can also pass a lambda to pubnub::futres::then
:
1pubnub::context pb("demo", "demo");
2pubnub::futres f = pb.publish("hello_world", "\"Lambda\"");
3f.then([=](pubnub::context &pb, pubnub_res result) {
4 if (PNR_OK == result) {
5 std::cout << "Published OK" << std::endl;
6 }
7 pubnub::futres f2 = pb.publish("hello_world", "\"the ultimate\"");
8 f2.then([=](pubnub::context &pb, pubnub_res result) {
9 if (PNR_OK == result) {
10 std::cout << "Published OK (nested)" << std::endl;
11 }
12 });
13});
Using futures with a function object
You can pass a callable object to pubnub::futres::then()
- that is, an object of a class with an overloaded function call operator:
Required UUID
Always set the UUID
to uniquely identify the user or device that connects to PubNub. This UUID
should be persisted, and should remain unchanged for the lifetime of the user or the device. If you don't set the UUID
, you won't be able to connect to PubNub.
1class bean_counter {
2 int beans;
3 public:
4 bean_counter() : beans(0) {}
5 void operator()(pubnub::context &pb, pubnub_res result) {
6 if (PNR_OK == result) {
7 ++beans;
8 }
9 std::cout << "Published " << beans << " beans" << std::endl;
10 }
11};
12
13int main(int argc, char *argv[])
14{
15 pubnub::context pb("demo", "demo");
show all 22 linesSince std::function<>
is a generic function object, if you have one, just pass it to pubnub::futres::then:
1void planet_express(std::function<void(pubnub::context&,pubnub_res)> parcel)
2{
3 pubnub::context pb("demo", "demo");
4 pubnub::futres f = pb.publish("hello_world", "\"Deliver\"");
5 f.then(parcel);
6}
Memory allocation
This client uses dynamic memory allocation for the PubNub contexts, but the usage is the same as for any other Pubnub C client - always use pubnub_alloc()
to create a context (and check its return value) and always use pubnub_free()
to dispose of a context.
Required UUID
Always set the UUID
to uniquely identify the user or device that connects to PubNub. This UUID
should be persisted, and should remain unchanged for the lifetime of the user or the device. If you don't set the UUID
, you won't be able to connect to PubNub.
1#include "pubnub_alloc.h"
2#include <stdio.h>
3int main()
4{
5 pubnub_t *ctx = pubnub_alloc();
6 if (NULL == ctx) {
7 puts("Couldn't allocate a Pubnub context");
8 return -1;
9 }
10 /* Do something with ctx...
11 and then: */
12 pubnub_free(ctx);
13 return 0;
14}
Timers
We only provide one timer - the (total) transaction
timer. In general, it is started when a transaction is started and stopped when a transaction is finished. If it expires, the transaction will be cancelled. Keep in mind that this canceling is local, so, for example, if you already published a message, but, for some reason, the HTTP response didn't arrive in time, this canceling will not revoke
the publish - it will just stop the wait for response.
If the transaction timer expires, the outcome of the transaction will be timeout
- different than when you cancel a transaction yourself.
The actual duration of the timer is at least as long as you set it. It could be significantly higher, depending on various platform issues. But, in general, it will be close to what you set.
You should set the timer after initializing the context and before starting a transaction. The duration you set will be used for all subsequent transactions, regardless of their type (i.e. for publish and subscribe and all other).
Thread safety
C-core supports thread-safe operation, though, for performance, you may think about not using it. To use thread-safety support, define the preprocessor symbol PUBNUB_THREADSAFE
(just define it, the value does not matter).
Thread-safe usage
Thread safety is internal. Just because you can access the PubNub context through the PubNub C-core SDK API from different threads safely, doesn't mean you're off the hook
for your own data that is related to a context. For example, if you're using the callback interface and signalling an event from it to other (worker
) thread(s), you have to synchronise that data transfer yourself.
If you compiled thread-safety support in, you are free to access the same context from different threads, pretty much in any way you wish. However, there are some advised guidelines you should follow:
- If you're using the sync blocking interface, threads that come to wait on the context may wait a long time, so try to avoid it (also, re-think your whole need for a thread-safe C-core)
- If you're using the sync non-blocking interface by calling
pubnub_await
, things are pretty much the same as for sync blocking interface - If you're using the sync non-blocking interface and avoid
pubnub_await
, waiting threads will not block so long, but, pretty much the only useful thing you can do is cancel a transaction from another thread. - Using the sync interface, it's perfectly fine to call
pubnub_await
orpubnub_last_result
in different threads, but, you probably shouldn't do that, as it will make debugging harder. - If you're using the callback interface, it's perfectly fine to call Functions from your callback, but, you should avoid doing that, except for some helper functions. Following this guideline will make your debugging, thus life, a lot easier
Thread-unsafe usage
If you compile without thread-safety support, obviously, you will have an SDK which is not thread safe - that is, it is not safe to use a single context from more than one thread at the same time. So, if you're using such SDK configuration in a multithreaded code, which, on POSIX, you likely are, then:
- If at all possible, use a single context from only one thread - the one that created it.
- If this is not possible, provide some synchronization yourself, for example, using pthread condition variables, or just mutexes, or some higher abstraction, like message queues.
- As a special case, if you're using the callback interface, you can start a transaction in one thread and then don't touch the context from that thread any more - use it only in the callback. This is safe.
Threads and contexts
Keep in mind that it is perfectly safe to use different contexts from different threads at the same time. To each (thread) its own (context).
Transaction and operation
The Posix C++ SDK operates as a set of transactions. A transaction is initiated by the client SDK and is defined as a single message exchange between the SDK and PubNub service. Every interaction that the client SDK initiates with PubNub is sequenced as a series of transactions which ultimately results in a PubNub service-specific operation.
Status and Events
The SDK provides a set of status and event identifiers which can help developers interact with the library. The status identifier codes are returned as part of the SDK's API invocation. These are used by the developer to check for status of transactions or for detecting normal / abnormal conditions in an API call. Some of the commonly used status codes are as follows
PNR_OK
: Success, the transaction finished successfullyPNR_STARTED
: The previously initiated transaction has started.PNR_IN_PROGRESS
: Indicates that the previous transaction with PubNub service is still in progress.
Refer to the API docs for a complete list of status identifiers supported by the library.
Events
refer to the PubNub REST operations which are initiated by the client SDK. The most common example of events are subscribe and publish. A client subscribing for a channel is a subscribe event and a client publishing a message on a channel is a publish event.
Some of the common event identifiers are as follows:
PBTT_SUBSCRIBE
: Subscriber operationPBTT_PUBLISH
: Publish operation
Refer to the API docs for a complete list of operations supported by the SDK.
Calling patterns
This SDK provides sync
and callback
(notification) interfaces for retrieving the outcome of a Pubnub request/transaction/operation.
Sync
The sync
interface works like this:
- Start a transaction (say, publish - using
pubnub_publish()
) - Either
pubnub_await()
the outcome, or use your own loop in which you checkif (PNR_STARTED != pubnub_last_result())
- Handle the outcome as you wish
This is illustrated in the Hello World
example below (which is the same for any platform that supports sync
interface).
Callback
The callback
interface is somewhat more flexible, uses less CPU resources, but is, in general, a little harder to use. One way to use it is to emulate the sync
interface:
- Create a callback function (
my_callback
) per the prototype required bypubnub_register_callback()
- In
my_callback()
, use a condition variable to signal that outcome was received - Set the callback via
pubnub_register_callback()
- Start a transaction (say, publish - using
pubnub_publish()
) - Wait on the condition variable (the same one used in
my_callback
) - Handle the outcome as you wish
This is illustrated in the Hello World
example below, using pthreads condition variable. Obviously, on platforms that don't support pthreads you will use some similar API (for example, SetEvent/WaitForSingleObject on Windows).
There are other ways to use the callback interface, like the state machine
or similar, where the callback will handle the outcome of a transaction but will also start the next Pubnub transaction, or do other stuff that it needs to do. This is application-specific, so we don't provide an example here.
Hello World sample code
Now that we delved into the inner workings of it all, lets get started with a simple, complete example using all the possible futures calling patterns to init, then publish and subscribe:
Required UUID
Always set the UUID
to uniquely identify the user or device that connects to PubNub. This UUID
should be persisted, and should remain unchanged for the lifetime of the user or the device. If you don't set the UUID
, you won't be able to connect to PubNub.
1// Sync version
2#include "pubnub.hpp"
3#include <iostream>
4const std::string channel("hello_world");
5
6void hello_world() {
7 enum pubnub_res res;
8 enum pubnub_res res2;
9
10 pubnub::context pn("", "demo");
11 pubnub::context pn2("demo", "demo");
12 std::string uuid("myUniqueUUID");
13 pn.set_uuid(uuid);
14
15 int loop = 0;
show all 42 lines1// Lambdas version
2#include "pubnub.hpp"
3
4#include <iostream>
5
6const std::string channel("hello_world");
7
8void publish() {
9 pubnub_res res;
10
11 pubnub::context pn("demo", "demo");
12 res = pn.publish(channel, "\"Hello from PubNub Docs!\"").await();
13
14 if (PNR_OK == res || PNR_PUBLISH_FAILED == res) {
15 std::cout << pn.last_publish_result() << std::endl;
show all 49 lines1// Functions version
2#include "pubnub.hpp"
3#include <iostream>
4
5const std::string channel("hello_world");
6static bool done = false;
7static bool first = true;
8
9static void on_publish(pubnub::context &pn, pubnub_res res) {
10 if (PNR_OK == res || PNR_PUBLISH_FAILED == res) {
11 std::cout << pn.last_publish_result() << std::endl;
12 }
13}
14
15void on_subscribe(pubnub::context &pn, pubnub_res res) {
show all 44 linesCopy and paste examples
In addition to the Hello World sample code, we also provide some copy and paste snippets of common API functions:
Init
Instantiate a new Pubnub instance. Only the subscribe_key
is mandatory. Also include publish_key
if you intend to publish from this instance, and the secret_key
if you wish to perform Access Manager administrative operations from this Posix C++ instance.
secret_key
It is not a best practice to include the secret key in client-side code for security reasons.
When you init with secret_key
, you get root permissions for the Access Manager. With this feature you don't have to grant access to your servers to access channel data. The servers get all access on all channels.
Required UUID
Always set the UUID
to uniquely identify the user or device that connects to PubNub. This UUID
should be persisted, and should remain unchanged for the lifetime of the user or the device. If you don't set the UUID
, you won't be able to connect to PubNub.
1pubnub::context pn("my_pubkey", "my_subkey");
2std::string uuid("myUniqueUUID");
3pn.set_uuid(uuid);
1// Lambdas
2void time(pubnub::context &ipn) {
3 ipn.time().then([=](pubnub::context &pn, pubnub_res res) {
4 if (PNR_OK == res) {
5 std::cout << pn.get() << std::endl;
6 } else {
7 std::cout << "Request failed" << std::endl;
8 }
9 });
10}
1// Functions
2void on_time(pubnub::context &pn, pubnub_res res) {
3 if (PNR_OK == res) {
4 std::cout << pn.get() << std::endl;
5 } else {
6 std::cout << "Request failed" << std::endl;
7 }
8}
9
10void time(pubnub::context &pn) {
11 pn.time().then(on_time);
12}
Subscribe
Subscribe (listen on) a channel (it's async!):
Retrieving messages
Typically, you will want two separate contexts for publish and subscribe anyway. If you are changing the set of channels you subscribe to, you should first call leave()
on the old set.
The subscribe()
interface is essentially a transaction to start listening on the channel for arrival of next message. This has to be followed by a call to the method get()
or get_all( )
to retrieve the actual message, once the subscribe transaction completes successfully. This needs to be performed every time it is desired to retrieve a message from the channel.
1// Sync
2void subscribe(pubnub::context &pn) {
3 enum pubnub_res res;
4
5 for (;;) {
6 res = pn.subscribe("my_channel").await();
7
8 if (PNR_OK == res) {
9 std::vector<std::string> msg = pn.get_all();
10
11 for (std::vector<std::string>::iterator it = msg.begin(); it != msg.end(); ++it) {
12 std::cout << *it << std::endl;
13 }
14 } else {
15 std::cout << "Request failed" << std::endl;
show all 19 lines1// Lambdas
2void subscribe(pubnub::context &ipn) {
3 ipn.subscribe("my_channel").then([=](pubnub::context &pn, pubnub_res res) {
4 auto msg = pn.get_all();
5
6 if (PNR_OK == res) {
7 for (auto &&m: msg) {
8 std::cout << m << std::endl;
9 }
10
11 } else {
12 std::cout << "Request failed" << std::endl;
13 }
14 });
15}
1// Functions
2void on_subscribe(pubnub::context &pn, pubnub_res res) {
3 if (PNR_OK == res) {
4 std::vector<std::string> msg = pn.get_all();
5
6 for (std::vector<std::string>::iterator it = msg.begin(); it != msg.end(); ++it) {
7 std::cout << *it << std::endl;
8 }
9 } else {
10 std::cout << "Request failed" << std::endl;
11 }
12}
13
14void subscribe(pubnub::context &pn) {
15 pn.subscribe("my_channel").then(on_subscribe);
show all 16 linesPublish
Publish a message to a channel:
1// Sync
2void publish(pubnub::context &pn) {
3 enum pubnub_res res;
4
5 res = pn.publish("my_channel", "\"Hello from the PubNub C++ SDK!\"").await();
6
7 if (PNR_OK == res) {
8 std::cout << pn.last_publish_result() << std::endl;
9 } else {
10 std::cout << "Publish request failed" << std::endl;
11 }
12}
1// Lambdas
2void publish(pubnub::context &pn) {
3 pn.publish("my_channel", "\"Hello from the PubNub C++ SDK!\"").
4 then([=](pubnub::context &pn, pubnub_res res) {
5 if (PNR_OK == res) {
6 std::cout << pn.last_publish_result() << std::endl;
7 } else {
8 std::cout << "Publish request failed" << std::endl;
9 }
10 });
11}
1// Functions
2static void on_publish(pubnub::context &pn, pubnub_res res) {
3 if (PNR_OK == res) {
4 std::cout << pn.last_publish_result() << std::endl;
5 } else {
6 std::cout << "Publish request failed" << std::endl;
7 }
8}
9
10void publish(pubnub::context &pn) {
11 pn.publish("my_channel", "\"Hello from the PubNub C++ SDK!\"").then(on_publish);
12}
Here now
Get occupancy of who's here now
on the channel by UUID:
Requires Presence
This method requires that the Presence add-on is enabled for your key in the Admin Portal.
For information on how to receive presence events and what those events are, refer to Presence Events.
1// Sync
2void here_now(pubnub::context &pn) {
3 enum pubnub_res res;
4
5 res = pn.here_now("my_channel").await();
6
7 if (PNR_OK == res) {
8 std::cout << pn.get() << std::endl;
9 } else {
10 std::cout << "Here Now request failed" << std::endl;
11 }
12}
1// Lambdas
2void here_now(pubnub::context &pn) {
3 pn.here_now("my_channel").then([=](pubnub::context &pn, pubnub_res res) {
4 if (PNR_OK == res) {
5 std::cout << pn.get() << std::endl;
6 } else {
7 std::cout << "Here Now request failed" << std::endl;
8 }
9 });
10}
1// Functions
2void on_here_now(pubnub::context &pn, pubnub_res res) {
3 if (PNR_OK == res) {
4 std::cout << pn.get() << std::endl;
5 } else {
6 std::cout << "Here Now request failed" << std::endl;
7 }
8}
9
10void here_now(pubnub::context &pn) {
11 pn.here_now("my_channel").then(on_here_now);
12}
Presence
Subscribe to real-time Presence events, such as join
, leave
, and timeout
, by UUID. Setting the presence attribute to a callback will subscribe to presents events on my_channel
:
Requires Presence
This method requires that the Presence add-on is enabled for your key in the Admin Portal.
For information on how to receive presence events and what those events are, refer to Presence Events.
1// Sync
2void presence(pubnub::context &pn) {
3 enum pubnub_res res;
4 bool done = false;
5
6 while (!done) {
7 res = pn.subscribe("my_channel-pnpres").await();
8
9 if (PNR_OK == res) {
10 std::vector<std::string> msg = pn.get_all();
11
12 for (std::vector<std::string>::iterator it = msg.begin(); it != msg.end(); ++it) {
13 std::cout << *it << std::endl;
14 }
15
show all 24 lines1// Lambdas
2void presence(pubnub::context &ipn) {
3 bool done = false;
4
5 while (!done) {
6 ipn.subscribe("my_channel-pnpres").then([&](pubnub::context &pn, pubnub_res res) {
7 auto msg = pn.get_all();
8
9 if (PNR_OK == res) {
10 for (auto &&m: msg) {
11 std::cout << m << std::endl;
12 }
13
14 if (msg.size() > 0) {
15 done = true;
show all 22 lines1// Functions
2void on_presence(pubnub::context &pn, pubnub_res res) {
3 if (PNR_OK == res) {
4 std::vector<std::string> msg = pn.get_all();
5
6 for (std::vector<std::string>::iterator it = msg.begin(); it != msg.end(); ++it) {
7 std::cout << *it << std::endl;
8 }
9
10 if (msg.size() > 0) {
11 done = true;
12 }
13 } else {
14 std::cout << "Error" << std::endl;
15 }
show all 22 linesHistory
Retrieve published messages from archival storage:
Requires Message Persistence
This method requires that Message Persistence is enabled for your key in the Admin Portal.
1// Sync
2void history(pubnub::context &pn) {
3 enum pubnub_res res;
4
5 res = pn.history("history_channel", 100).await();;
6
7 if (PNR_OK == res) {
8 std::vector<std::string> msg = pn.get_all();
9
10 for (std::vector<std::string>::iterator it = msg.begin(); it != msg.end(); ++it) {
11 std::cout << *it << std::endl;
12 }
13 } else {
14 std::cout << "History request failed" << std::endl;
15 }
show all 16 lines1// Lambdas
2void history(pubnub::context &ipn) {
3 ipn.history("history_channel").then([=](pubnub::context &pn, pubnub_res res) {
4 auto msg = pn.get_all();
5
6 if (PNR_OK == res) {
7 for (auto &&m: msg) {
8 std::cout << m << std::endl;
9 }
10 } else {
11 std::cout << "Request failed" << std::endl;
12 }
13 });
14}
1// Functions
2void on_history(pubnub::context &pn, pubnub_res res) {
3 if (PNR_OK == res) {
4 std::vector<std::string> msg = pn.get_all();
5
6 for (std::vector<std::string>::iterator it = msg.begin(); it != msg.end(); ++it) {
7 std::cout << *it << std::endl;
8 }
9 } else {
10 std::cout << "History request failed" << std::endl;
11 }
12}
13
14void history(pubnub::context &pn) {
15 pn.history("history_channel", 100).then(on_history);
show all 16 linesUnsubscribe
Stop subscribing (listening) to a channel.
To unsubscribe
, you need to cancel a subscribe transaction.
-
If you configured SDK to be thread-safe, you can cancel at any time, but, the cancelling may actually fail - i.e., your thread may wait for another thread to finish working with the context, and by the time your cancel request gets processed, the transaction may finish.
-
If you configured SDK to not be thread-safe, the only safe way to do it is to use the
sync
interface and:- Set the context to use
non-blocking I/O
. - Wait for the outcome in a loop, checking for
pubnub_last_result()
- rather than callingpubnub_await()
. - If a condition occurs that prompts you to
unsubscribe
, callcancel()
. - Wait for the cancellation to finish (here you can call
pubnub_await()
, unless you want to do other stuff while you wait).
- Set the context to use
1auto futr = ctx.subscribe( "my_channel");
2/* If we don't set non-blocking I/O, we can't get out of a blocked read */
3ctx.set_blocking_io(pubnub::blocking);
4/* Can't use await() here, it will block */
5auto pbresult = PNR_STARTED;
6while (PNR_STARTED == pbresult) {
7 pbresult = futr.last_result();
8 /* Somehow decide we want to quit / unsubscribe */
9 if (should_stop()) {
10 ctx.cancel();
11 /* If we don't have anything else to do, it's OK to await now,
12 * but you could again have a loop "against" pubnub_last_result()
13 */
14 pbresult = futr.await();
15 break;
show all 20 lines