Boost  v1.57.0
doxygen for www.boost.org
 All Classes Namespaces Files Functions Variables Typedefs Enumerations Enumerator Friends Macros Modules Pages
boost::asio::async_connect

Asynchronously establishes a socket connection by trying each endpoint in a sequence. More...

Functions

template<typename Protocol , typename SocketService , typename Iterator , typename ComposedConnectHandler >
 boost::asio::BOOST_ASIO_INITFN_RESULT_TYPE (ComposedConnectHandler, void(boost::system::error_code, Iterator)) async_connect(basic_socket< Protocol
 Asynchronously establishes a socket connection by trying each endpoint in a sequence. More...
 
SocketService Iterator boost::asio::BOOST_ASIO_MOVE_ARG (ComposedConnectHandler) handler)
 
template<typename Protocol , typename SocketService , typename Iterator , typename ConnectCondition , typename ComposedConnectHandler >
 boost::asio::BOOST_ASIO_INITFN_RESULT_TYPE (ComposedConnectHandler, void(boost::system::error_code, Iterator)) async_connect(basic_socket< Protocol
 Asynchronously establishes a socket connection by trying each endpoint in a sequence. More...
 

Variables

SocketService & boost::asio::s
 
SocketService Iterator boost::asio::begin
 
SocketService Iterator Iterator boost::asio::end
 
SocketService Iterator
ConnectCondition 
boost::asio::connect_condition
 

Detailed Description

Asynchronously establishes a socket connection by trying each endpoint in a sequence.

Function Documentation

template<typename Protocol , typename SocketService , typename Iterator , typename ComposedConnectHandler >
boost::asio::BOOST_ASIO_INITFN_RESULT_TYPE ( ComposedConnectHandler  ,
void(boost::system::error_code, Iterator)   
)

#include <boost_1_57_0/boost/asio/connect.hpp>

Asynchronously establishes a socket connection by trying each endpoint in a sequence.

This function attempts to connect a socket to one of a sequence of endpoints. It does this by repeated calls to the socket's async_connect member function, once for each endpoint in the sequence, until a connection is successfully established.

Parameters
sThe socket to be connected. If the socket is already open, it will be closed.
beginAn iterator pointing to the start of a sequence of endpoints.
handlerThe handler to be called when the connect operation completes. Copies will be made of the handler as required. The function signature of the handler must be:
void handler(
// Result of operation. if the sequence is empty, set to
// boost::asio::error::not_found. Otherwise, contains the
// error from the last connection attempt.
// On success, an iterator denoting the successfully
// connected endpoint. Otherwise, the end iterator.
Iterator iterator
);
Regardless of whether the asynchronous operation completes immediately or not, the handler will not be invoked from within this function. Invocation of the handler will be performed in a manner equivalent to using boost::asio::io_service::post().
Note
This overload assumes that a default constructed object of type Iterator represents the end of the sequence. This is a valid assumption for iterator types such as boost::asio::ip::tcp::resolver::iterator.
Example
tcp::resolver r(io_service);
tcp::resolver::query q("host", "service");
tcp::socket s(io_service);
// ...
r.async_resolve(q, resolve_handler);
// ...
void resolve_handler(
tcp::resolver::iterator i)
{
if (!ec)
{
boost::asio::async_connect(s, i, connect_handler);
}
}
// ...
void connect_handler(
tcp::resolver::iterator i)
{
// ...
}

This function attempts to connect a socket to one of a sequence of endpoints. It does this by repeated calls to the socket's async_connect member function, once for each endpoint in the sequence, until a connection is successfully established.

Parameters
sThe socket to be connected. If the socket is already open, it will be closed.
beginAn iterator pointing to the start of a sequence of endpoints.
endAn iterator pointing to the end of a sequence of endpoints.
handlerThe handler to be called when the connect operation completes. Copies will be made of the handler as required. The function signature of the handler must be:
void handler(
// Result of operation. if the sequence is empty, set to
// boost::asio::error::not_found. Otherwise, contains the
// error from the last connection attempt.
// On success, an iterator denoting the successfully
// connected endpoint. Otherwise, the end iterator.
Iterator iterator
);
Regardless of whether the asynchronous operation completes immediately or not, the handler will not be invoked from within this function. Invocation of the handler will be performed in a manner equivalent to using boost::asio::io_service::post().
Example
tcp::resolver r(io_service);
tcp::resolver::query q("host", "service");
tcp::socket s(io_service);
// ...
r.async_resolve(q, resolve_handler);
// ...
void resolve_handler(
tcp::resolver::iterator i)
{
if (!ec)
{
tcp::resolver::iterator end;
boost::asio::async_connect(s, i, end, connect_handler);
}
}
// ...
void connect_handler(
tcp::resolver::iterator i)
{
// ...
}
template<typename Protocol , typename SocketService , typename Iterator , typename ConnectCondition , typename ComposedConnectHandler >
boost::asio::BOOST_ASIO_INITFN_RESULT_TYPE ( ComposedConnectHandler  ,
void(boost::system::error_code, Iterator)   
)

#include <boost_1_57_0/boost/asio/connect.hpp>

Asynchronously establishes a socket connection by trying each endpoint in a sequence.

This function attempts to connect a socket to one of a sequence of endpoints. It does this by repeated calls to the socket's async_connect member function, once for each endpoint in the sequence, until a connection is successfully established.

Parameters
sThe socket to be connected. If the socket is already open, it will be closed.
beginAn iterator pointing to the start of a sequence of endpoints.
connect_conditionA function object that is called prior to each connection attempt. The signature of the function object must be:
Iterator next);
The ec parameter contains the result from the most recent connect operation. Before the first connection attempt, ec is always set to indicate success. The next parameter is an iterator pointing to the next endpoint to be tried. The function object should return the next iterator, but is permitted to return a different iterator so that endpoints may be skipped. The implementation guarantees that the function object will never be called with the end iterator.
handlerThe handler to be called when the connect operation completes. Copies will be made of the handler as required. The function signature of the handler must be:
void handler(
// Result of operation. if the sequence is empty, set to
// boost::asio::error::not_found. Otherwise, contains the
// error from the last connection attempt.
// On success, an iterator denoting the successfully
// connected endpoint. Otherwise, the end iterator.
Iterator iterator
);
Regardless of whether the asynchronous operation completes immediately or not, the handler will not be invoked from within this function. Invocation of the handler will be performed in a manner equivalent to using boost::asio::io_service::post().
Note
This overload assumes that a default constructed object of type Iterator represents the end of the sequence. This is a valid assumption for iterator types such as boost::asio::ip::tcp::resolver::iterator.
Example
The following connect condition function object can be used to output information about the individual connection attempts:
struct my_connect_condition
{
template <typename Iterator>
Iterator operator()(
Iterator next)
{
if (ec) std::cout << "Error: " << ec.message() << std::endl;
std::cout << "Trying: " << next->endpoint() << std::endl;
return next;
}
};
It would be used with the boost::asio::connect function as follows:
tcp::resolver r(io_service);
tcp::resolver::query q("host", "service");
tcp::socket s(io_service);
// ...
r.async_resolve(q, resolve_handler);
// ...
void resolve_handler(
tcp::resolver::iterator i)
{
if (!ec)
{
boost::asio::async_connect(s, i,
my_connect_condition(),
connect_handler);
}
}
// ...
void connect_handler(
tcp::resolver::iterator i)
{
if (ec)
{
// An error occurred.
}
else
{
std::cout << "Connected to: " << i->endpoint() << std::endl;
}
}

This function attempts to connect a socket to one of a sequence of endpoints. It does this by repeated calls to the socket's async_connect member function, once for each endpoint in the sequence, until a connection is successfully established.

Parameters
sThe socket to be connected. If the socket is already open, it will be closed.
beginAn iterator pointing to the start of a sequence of endpoints.
endAn iterator pointing to the end of a sequence of endpoints.
connect_conditionA function object that is called prior to each connection attempt. The signature of the function object must be:
Iterator next);
The ec parameter contains the result from the most recent connect operation. Before the first connection attempt, ec is always set to indicate success. The next parameter is an iterator pointing to the next endpoint to be tried. The function object should return the next iterator, but is permitted to return a different iterator so that endpoints may be skipped. The implementation guarantees that the function object will never be called with the end iterator.
handlerThe handler to be called when the connect operation completes. Copies will be made of the handler as required. The function signature of the handler must be:
void handler(
// Result of operation. if the sequence is empty, set to
// boost::asio::error::not_found. Otherwise, contains the
// error from the last connection attempt.
// On success, an iterator denoting the successfully
// connected endpoint. Otherwise, the end iterator.
Iterator iterator
);
Regardless of whether the asynchronous operation completes immediately or not, the handler will not be invoked from within this function. Invocation of the handler will be performed in a manner equivalent to using boost::asio::io_service::post().
Example
The following connect condition function object can be used to output information about the individual connection attempts:
struct my_connect_condition
{
template <typename Iterator>
Iterator operator()(
Iterator next)
{
if (ec) std::cout << "Error: " << ec.message() << std::endl;
std::cout << "Trying: " << next->endpoint() << std::endl;
return next;
}
};
It would be used with the boost::asio::connect function as follows:
tcp::resolver r(io_service);
tcp::resolver::query q("host", "service");
tcp::socket s(io_service);
// ...
r.async_resolve(q, resolve_handler);
// ...
void resolve_handler(
tcp::resolver::iterator i)
{
if (!ec)
{
tcp::resolver::iterator end;
boost::asio::async_connect(s, i, end,
my_connect_condition(),
connect_handler);
}
}
// ...
void connect_handler(
tcp::resolver::iterator i)
{
if (ec)
{
// An error occurred.
}
else
{
std::cout << "Connected to: " << i->endpoint() << std::endl;
}
}
SocketService Iterator boost::asio::BOOST_ASIO_MOVE_ARG ( ComposedConnectHandler  )

Variable Documentation

SocketService Iterator boost::asio::begin

#include <boost_1_57_0/boost/asio/connect.hpp>

Referenced by boost::accumulate(), boost::adjacent_difference(), boost::range::adjacent_find(), boost::adjacent_vertices(), boost::iterator_range_detail::iterator_range_impl< IteratorT >::adl_begin(), boost::algorithm::all(), boost::algorithm::all_of(), boost::algorithm::all_of_equal(), boost::wave::util::AllocatorStringStorage< E, A >::AllocatorStringStorage(), boost::algorithm::any_of(), boost::algorithm::any_of_equal(), boost::wave::util::SimpleStringStorage< E, A >::append(), boost::wave::util::flex_string< E, T, A, Storage >::append(), boost::geometry::detail::svg::svg_multi< MultiPolygon, detail::svg::svg_poly< boost::range_value< MultiPolygon >::type > >::apply(), boost::geometry::detail::unique::range_unique::apply(), boost::geometry::detail::overlay::stateless_predicate_based_interrupt_policy< IsAcceptableTurnPredicate, AllowEmptyTurnRange >::apply(), boost::geometry::dispatch::points_begin< Linestring, linestring_tag >::apply(), boost::geometry::detail::reverse::range_reverse::apply(), boost::geometry::detail::simplify::simplify_range_insert::apply(), boost::geometry::detail::reverse::polygon_reverse::apply(), boost::geometry::dispatch::points_begin< Ring, ring_tag >::apply(), boost::geometry::detail::unique::polygon_unique::apply(), boost::geometry::detail::remove_spikes::range_remove_spikes< Ring >::apply(), boost::geometry::detail::simplify::simplify_copy::apply(), boost::geometry::dispatch::points_begin< Polygon, polygon_tag >::apply(), boost::geometry::strategy::convex_hull::detail::get_extremes< InputRange, RangeIterator, StrategyLess, StrategyGreater >::apply(), boost::geometry::detail::append::append_range< Geometry, Range >::apply(), boost::geometry::detail::overlay::predicate_based_interrupt_policy< IsAcceptableTurnPredicate, AllowEmptyTurnRange >::apply(), boost::geometry::detail::for_each::fe_range_per_point::apply(), boost::geometry::detail::unique::multi_unique< detail::unique::range_unique >::apply(), boost::geometry::detail::area::ring_area< order_as_direction< geometry::point_order< Ring >::value >::value, geometry::closure< Ring >::value >::apply(), boost::geometry::dispatch::segments_begin< Polygon, polygon_tag >::apply(), boost::geometry::detail::svg::svg_range< Linestring, detail::svg::prefix_linestring >::apply(), boost::geometry::detail::length::range_length< Geometry, closed >::apply(), boost::geometry::dispatch::points_begin< MultiPoint, multi_point_tag >::apply(), boost::geometry::detail::for_each::fe_range_per_segment_with_closure< Closure >::apply(), boost::geometry::dispatch::points_begin< MultiLinestring, multi_linestring_tag >::apply(), boost::geometry::dispatch::convex_hull< Box, box_tag >::apply(), boost::geometry::dispatch::segments_begin< MultiLinestring, multi_linestring_tag >::apply(), boost::geometry::detail::svg::svg_poly< Polygon >::apply(), boost::geometry::detail::wkt::wkt_range< Range, opening_parenthesis, closing_parenthesis >::apply(), boost::geometry::detail::conversion::segment_to_range< Segment, LineString >::apply(), boost::geometry::dispatch::points_begin< MultiPolygon, multi_polygon_tag >::apply(), boost::geometry::dispatch::segments_begin< MultiPolygon, multi_polygon_tag >::apply(), boost::geometry::detail::correct::correct_ring< Ring, std::less< default_area_result< Ring >::type > >::apply(), boost::geometry::detail::remove_spikes::polygon_remove_spikes< Polygon >::apply(), boost::geometry::detail::touches::areal_interrupt_policy::apply(), boost::geometry::strategy::convex_hull::detail::assign_range< InputRange, RangeIterator, Container, SideStrategy >::apply(), boost::geometry::detail::conversion::range_to_range< LineString1, LineString2 >::apply(), boost::geometry::detail::transform::transform_polygon::apply(), boost::geometry::detail::for_each::fe_polygon_per_point::apply(), boost::geometry::detail::dsv::dsv_range< Linestring >::apply(), boost::geometry::detail::remove_spikes::multi_remove_spikes< MultiPolygon, detail::remove_spikes::polygon_remove_spikes< boost::range_value< MultiPolygon >::type > >::apply(), boost::geometry::dispatch::svg_map< multi_tag, Multi >::apply(), boost::geometry::detail::correct::correct_polygon< Polygon >::apply(), boost::geometry::detail::for_each::fe_polygon_per_segment::apply(), boost::geometry::dispatch::points_end< Polygon, polygon_tag >::apply(), boost::geometry::detail::simplify::simplify_multi< detail::simplify::simplify_polygon >::apply(), boost::geometry::detail::wkt::wkt_poly< Polygon, detail::wkt::prefix_polygon >::apply(), boost::geometry::strategy::simplify::detail::douglas_peucker< Point, PointDistanceStrategy, LessCompare >::apply(), boost::geometry::dispatch::segments_end< Polygon, polygon_tag >::apply(), boost::geometry::detail::conversion::polygon_to_polygon< Polygon1, Polygon2 >::apply(), boost::geometry::detail::for_each::for_each_multi< for_each_point< add_const_if_c< is_const< MultiGeometry >::value, boost::range_value< MultiGeometry >::type >::type > >::apply(), boost::geometry::detail::centroid::centroid_range_state< Closure >::apply(), boost::geometry::detail::dsv::dsv_poly< Polygon >::apply(), boost::geometry::detail::wkt::wkt_multi< Multi, detail::wkt::wkt_sequence< boost::range_value< Multi >::type >, detail::wkt::prefix_multilinestring >::apply(), boost::geometry::detail::conversion::single_to_multi< Single, Multi, convert< Single, boost::range_value< Multi >::type, tag< Single >::type, single_tag_of< tag< Multi >::type >::type, DimensionCount, false > >::apply(), boost::geometry::detail::centroid::centroid_range< geometry::closure< Ring >::value >::apply(), boost::geometry::detail::transform::transform_multi< dispatch::transform< boost::range_value< Multi1 >::type, boost::range_value< Multi2 >::type > >::apply(), boost::geometry::detail::conversion::multi_to_multi< Multi1, Multi2, convert< boost::range_value< Multi1 >::type, boost::range_value< Multi2 >::type, single_tag_of< tag< Multi1 >::type >::type, single_tag_of< tag< Multi2 >::type >::type, DimensionCount > >::apply(), boost::geometry::detail::centroid::centroid_polygon_state::apply(), boost::geometry::detail::centroid::centroid_polygon::apply(), boost::geometry::detail::centroid::centroid_multi< detail::centroid::centroid_polygon_state >::apply(), boost::geometry::detail::dsv::dsv_multi< Geometry >::apply(), boost::ptr_circular_buffer< T, CloneAllocator, Allocator >::assign(), boost::ptr_sequence_adapter< T, boost::circular_buffer< void *, Allocator >, CloneAllocator >::assign(), boost::wave::util::flex_string< E, T, A, Storage >::assign(), boost::geometry::range::at(), boost::geometry::identity_view< Range >::begin(), boost::spirit::lex::lexer< Lexer >::begin(), boost::heap::d_ary_heap< T, A0, A1, A2, A3, A4, A5 >::begin(), boost::wave::util::VectorStringStorage< E, A >::begin(), boost::wave::util::flex_string< E, T, A, Storage >::begin(), boost::range::binary_search(), boost::SinglePassRangeConcept< T >::BOOST_CONCEPT_USAGE(), boost::lockfree::stack< T, A0, A1, A2 >::bounded_push(), boost::algorithm::boyer_moore_horspool_search(), boost::algorithm::boyer_moore_search(), boost::detail::graph::brandes_betweenness_centrality_impl(), boost::bucket_sort(), boost::graph::distributed::build_reverse_graph(), boost::ptr_sequence_adapter< T, boost::circular_buffer< void *, Allocator >, CloneAllocator >::c_array(), boost::ptr_circular_buffer< T, CloneAllocator, Allocator >::c_array(), boost::wave::util::AllocatorStringStorage< E, A >::c_str(), boost::wave::util::VectorStringStorage< E, A >::c_str(), boost::chrobak_payne_straight_line_drawing(), boost::algorithm::clamp_range(), boost::xpressive::regex_compiler< BidiIter, RegexTraits, CompilerTraits >::compile(), boost::iostreams::detail::chain_base< chain< Mode, Ch, Tr, Alloc >, Ch, Tr, Alloc, Mode >::component_type(), boost::algorithm::FormatterConcept< FormatterT, FinderT, IteratorT >::constraints(), boost::hawick_circuits_detail::contains(), boost::algorithm::contains(), boost::detail::contract_edge(), boost::range::copy(), boost::numeric::odeint::copy_impl< Container1, boost::compute::vector< T, A > >::copy(), boost::numeric::odeint::copy_impl< boost::compute::vector< T, A >, Container2 >::copy(), boost::numeric::odeint::copy_impl< boost::compute::vector< T, A >, boost::compute::vector< T, A > >::copy(), boost::numeric::odeint::copy_impl< Container1, thrust::device_vector< Value > >::copy(), boost::numeric::odeint::copy_impl< openmp_state< T >, openmp_state< T > >::copy(), boost::numeric::odeint::copy_impl< thrust::device_vector< Value >, Container2 >::copy(), boost::numeric::odeint::copy_impl< thrust::device_vector< Value >, thrust::device_vector< Value > >::copy(), boost::wave::util::flex_string< E, T, A, Storage >::copy(), boost::range::copy_backward(), boost::algorithm::copy_if(), boost::range::copy_n(), boost::copy_range(), boost::algorithm::copy_until(), boost::algorithm::copy_while(), boost::core_numbers(), boost::range::count(), boost::range::count_if(), boost::counting_range(), boost::wave::util::AllocatorStringStorage< E, A >::data(), boost::wave::util::VectorStringStorage< E, A >::data(), boost::random::discrete_distribution< std::size_t, WeightType >::discrete_distribution(), boost::distance(), boost::numeric::odeint::detail::do_copying(), boost::graph::parallel::detail::do_sequential_brandes_sssp(), boost::icl::elements_begin(), boost::empty(), boost::algorithm::ends_with(), boost::geometry::detail::envelope::envelope_range_additional(), boost::range::equal(), boost::range::equal_range(), boost::algorithm::equals(), boost::range::erase(), boost::geometry::range::erase(), boost::wave::util::flex_string< E, T, A, Storage >::erase(), boost::ptr_sequence_adapter< T, boost::circular_buffer< void *, Allocator >, CloneAllocator >::erase_if(), boost::geometry::ever_circling_iterator< Iterator >::ever_circling_iterator(), boost::signals2::slot_base::expired(), boost::boyer_myrvold_impl< Graph, VertexIndexMap, StoreOldHandlesPolicy, StoreEmbeddingPolicy >::extract_kuratowski_subgraph(), boost::range::fill(), boost::range::fill_n(), boost::range::find(), boost::algorithm::find(), boost::icl::find(), boost::unit_test::basic_cstring< CharT >::find(), boost::wave::util::flex_string< E, T, A, Storage >::find(), boost::range::find_end(), boost::wave::util::flex_string< E, T, A, Storage >::find_first_not_of(), boost::range::find_first_of(), boost::wave::util::flex_string< E, T, A, Storage >::find_first_of(), boost::algorithm::find_format(), boost::algorithm::find_format_all(), boost::algorithm::find_format_all_copy(), boost::algorithm::find_format_copy(), boost::range::find_if(), boost::algorithm::find_if_not(), boost::algorithm::find_iterator< IteratorT >::find_iterator(), boost::wave::util::flex_string< E, T, A, Storage >::find_last_not_of(), boost::wave::util::flex_string< E, T, A, Storage >::find_last_of(), boost::algorithm::find_regex(), boost::icl::first(), boost::graph::distributed::fleischer_hendrickson_pinar_strong_components(), boost::range::for_each(), boost::numeric::odeint::range_algebra::for_each1(), boost::numeric::odeint::openmp_range_algebra::for_each1(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each1(), boost::numeric::odeint::thrust_algebra::for_each1(), boost::numeric::odeint::range_algebra::for_each10(), boost::numeric::odeint::openmp_range_algebra::for_each10(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each10(), boost::numeric::odeint::range_algebra::for_each11(), boost::numeric::odeint::openmp_range_algebra::for_each11(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each11(), boost::numeric::odeint::range_algebra::for_each12(), boost::numeric::odeint::openmp_range_algebra::for_each12(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each12(), boost::numeric::odeint::range_algebra::for_each13(), boost::numeric::odeint::openmp_range_algebra::for_each13(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each13(), boost::numeric::odeint::range_algebra::for_each14(), boost::numeric::odeint::openmp_range_algebra::for_each14(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each14(), boost::numeric::odeint::range_algebra::for_each15(), boost::numeric::odeint::openmp_range_algebra::for_each15(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each15(), boost::numeric::odeint::range_algebra::for_each2(), boost::numeric::odeint::openmp_range_algebra::for_each2(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each2(), boost::numeric::odeint::thrust_algebra::for_each2(), boost::numeric::odeint::range_algebra::for_each3(), boost::numeric::odeint::openmp_range_algebra::for_each3(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each3(), boost::numeric::odeint::thrust_algebra::for_each3(), boost::numeric::odeint::range_algebra::for_each4(), boost::numeric::odeint::openmp_range_algebra::for_each4(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each4(), boost::numeric::odeint::thrust_algebra::for_each4(), boost::numeric::odeint::range_algebra::for_each5(), boost::numeric::odeint::openmp_range_algebra::for_each5(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each5(), boost::numeric::odeint::thrust_algebra::for_each5(), boost::numeric::odeint::range_algebra::for_each6(), boost::numeric::odeint::openmp_range_algebra::for_each6(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each6(), boost::numeric::odeint::thrust_algebra::for_each6(), boost::numeric::odeint::range_algebra::for_each7(), boost::numeric::odeint::openmp_range_algebra::for_each7(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each7(), boost::numeric::odeint::thrust_algebra::for_each7(), boost::numeric::odeint::range_algebra::for_each8(), boost::numeric::odeint::openmp_range_algebra::for_each8(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each8(), boost::numeric::odeint::thrust_algebra::for_each8(), boost::numeric::odeint::range_algebra::for_each9(), boost::numeric::odeint::openmp_range_algebra::for_each9(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::for_each9(), boost::adaptors::format(), boost::geometry::range::front(), boost::ptr_sequence_adapter< T, boost::circular_buffer< void *, Allocator >, CloneAllocator >::front(), boost::algorithm::gather(), boost::range::generate(), boost::random::random_device::generate(), boost::spirit::karma::base_sequence< Elements, mpl::true_, strict_sequence< Elements > >::generate_impl(), boost::unit_test::token_iterator_base< range_token_iterator< Iter, CharCompare, ValueType, Reference >, iterator_value< Iter >::type, CharCompare, ValueType, Reference >::get(), boost::python::slice::get_indices(), boost::algorithm::hex(), boost::icl::hull(), boost::range::includes(), boost::inner_product(), boost::range::inplace_merge(), boost::range::insert(), boost::ptr_circular_buffer< T, CloneAllocator, Allocator >::insert(), boost::attribute_set::insert(), boost::ptr_sequence_adapter< T, boost::circular_buffer< void *, Allocator >, CloneAllocator >::insert(), boost::ptr_set_adapter< Key, std::set< void *, void_ptr_indirect_fun< Compare, Key >, Allocator >, CloneAllocator, true >::insert(), boost::ptr_map_adapter< T, boost::unordered_map< Key, void *, Hash, Pred, Allocator >, CloneAllocator, false >::insert(), boost::ptr_multiset_adapter< Key, boost::unordered_multiset< void *, void_ptr_indirect_fun< Hash, Key >, void_ptr_indirect_fun< Pred, Key >, Allocator >, CloneAllocator, false >::insert(), boost::ptr_multimap_adapter< T, boost::unordered_multimap< Key, void *, Hash, Pred, Allocator >, CloneAllocator, false >::insert(), boost::wave::util::flex_string< E, T, A, Storage >::insert(), boost::numeric::odeint::integrate_times(), boost::polygon::interact(), boost::polygon::polygon_set_data< T >::interact(), boost::range::iota(), boost::algorithm::iota(), boost::algorithm::is_decreasing(), boost::algorithm::is_increasing(), boost::is_kuratowski_subgraph(), boost::algorithm::is_partitioned(), boost::algorithm::is_permutation(), boost::range::is_sorted(), boost::algorithm::is_sorted(), boost::algorithm::is_sorted_until(), boost::algorithm::is_strictly_decreasing(), boost::algorithm::is_strictly_increasing(), boost::algorithm::iter_find(), boost::algorithm::iter_split(), boost::iterative_bit_vector_dominator_tree(), boost::algorithm::join(), boost::algorithm::join_if(), boost::algorithm::knuth_morris_pratt_search(), boost::iterator_range_detail::less_than(), boost::range::lexicographical_compare(), boost::algorithm::lexicographical_compare(), boost::signals2::slot_base::lock(), boost::detail::lock_impl(), boost::icl::lower(), boost::range::lower_bound(), boost::range_detail::make_begin_strided_iterator(), boost::algorithm::make_boyer_moore(), boost::algorithm::make_boyer_moore_horspool(), boost::range_detail::make_end_strided_iterator(), boost::range::make_heap(), boost::algorithm::make_knuth_morris_pratt(), boost::iterator_range_detail::make_range_impl(), boost::unit_test::make_range_token_iterator(), boost::numeric::odeint::detail::make_split_range(), boost::range::max_element(), boost::match_results< BidiIterator, Allocator >::maybe_assign(), boost::range::merge(), boost::ptr_sequence_adapter< T, boost::circular_buffer< void *, Allocator >, CloneAllocator >::merge(), boost::range::min_element(), boost::range::mismatch(), boost::range::next_permutation(), boost::algorithm::none_of(), boost::algorithm::none_of_equal(), boost::numeric::odeint::range_algebra::norm_inf(), boost::numeric::odeint::thrust_algebra::norm_inf(), boost::numeric::odeint::openmp_range_algebra::norm_inf(), boost::numeric::odeint::openmp_nested_algebra< InnerAlgebra >::norm_inf(), boost::range::nth_element(), boost::algorithm::one_of(), boost::algorithm::one_of_equal(), boost::algorithm::knuth_morris_pratt< patIter >::operator()(), boost::algorithm::boyer_moore_horspool< patIter, traits >::operator()(), boost::algorithm::boyer_moore< patIter, traits >::operator()(), boost::graph::distributed::neighboring_tiles_force_pairs< PositionMap >::operator()(), boost::spirit::fixed_size_queue< T, N >::operator=(), boost::wave::util::SimpleStringStorage< E, A >::operator=(), boost::wave::util::AllocatorStringStorage< E, A >::operator=(), boost::wave::util::flex_string< E, T, A, Storage >::operator[](), boost::adaptors::operator|(), boost::range_detail::operator|(), boost::out_edges(), boost::range::overwrite(), boost::graph::distributed::cc_detail::parallel_connected_components(), boost::range::partial_sort(), boost::range::partial_sort_copy(), boost::partial_sum(), boost::range::partition(), boost::algorithm::partition_copy(), boost::algorithm::partition_point(), boost::expressions::pattern_replacer< CharT >::pattern_replacer(), boost::range::pop_heap(), boost::spirit::traits::transform_attribute< iterator_range< Iterator > const, utree, karma::domain >::pre(), boost::typeindex::stl_type_index::pretty_name(), boost::range::prev_permutation(), boost::uuids::detail::sha1::process_block(), boost::msm::back::state_machine< A0, A1, A2, A3, A4 >::handle_eventless_transitions_helper< StateType, typename enable_if< typename::boost::msm::back::has_fsm_eventless_transition< StateType >::type >::type >::process_completion_event(), boost::lockfree::detail::ringbuffer_base< T >::push(), boost::lockfree::stack< T, A0, A1, A2 >::push(), boost::range::push_back(), boost::ptr_circular_buffer< T, CloneAllocator, Allocator >::push_back(), boost::range::push_front(), boost::range::push_heap(), boost::date_time::special_values_formatter< CharT >::put_special(), boost::detail::r_c_shortest_paths_dispatch(), boost::range::random_shuffle(), boost::assign::list_inserter< Function, Argument >::range(), boost::assign_detail::generic_list< T >::range(), boost::assign_detail::static_generic_list< T, N >::range(), boost::geometry::adapt::bp::range_begin(), boost::range_detail::range_calculate_size(), boost::geometry::detail::centroid::range_ok(), boost::xpressive::regex_match(), boost::xpressive::detail::regex_match_impl(), boost::xpressive::regex_replace(), boost::xpressive::detail::regex_replace_impl(), boost::xpressive::regex_search(), boost::range::remove(), boost::range::remove_copy(), boost::remove_copy_if(), boost::remove_edge(), boost::range::remove_erase(), boost::range::remove_erase_if(), boost::range::remove_if(), boost::remove_vertex(), boost::rend(), boost::wave::util::flex_string< E, T, A, Storage >::rend(), boost::range::replace(), boost::wave::util::flex_string< E, T, A, Storage >::replace(), boost::range::replace_copy(), boost::range::replace_copy_if(), boost::geometry::detail::point_on_surface::replace_extremes_for_self_tangencies(), boost::range::replace_if(), boost::graph::distributed::cc_detail::request_parent_map_entries(), boost::ptr_circular_buffer< T, CloneAllocator, Allocator >::rerase(), boost::wave::util::AllocatorStringStorage< E, A >::reserve(), boost::ptr_circular_buffer< T, CloneAllocator, Allocator >::resize(), boost::ptr_sequence_adapter< T, boost::circular_buffer< void *, Allocator >, CloneAllocator >::resize(), boost::wave::util::AllocatorStringStorage< E, A >::resize(), boost::accumulators::impl::tail_quantile_impl< Sample, LeftRight >::result(), boost::accumulators::impl::weighted_tail_quantile_impl< Sample, Weight, LeftRight >::result(), boost::accumulators::impl::extended_p_square_quantile_impl< Sample, Impl1, Impl2 >::result(), boost::accumulators::impl::tail_variate_means_impl< Sample, Impl, LeftRight, VariateTag >::result(), boost::accumulators::impl::non_coherent_weighted_tail_mean_impl< Sample, Weight, LeftRight >::result(), boost::accumulators::impl::weighted_tail_variate_means_impl< Sample, Weight, Impl, LeftRight, VariateType >::result(), boost::accumulators::impl::non_coherent_tail_mean_impl< Sample, LeftRight >::result(), boost::accumulators::impl::weighted_peaks_over_threshold_prob_impl< Sample, Weight, LeftRight >::result(), boost::accumulators::impl::peaks_over_threshold_prob_impl< Sample, LeftRight >::result(), boost::range::reverse(), boost::range::reverse_copy(), boost::unit_test::basic_cstring< CharT >::rfind(), boost::wave::util::flex_string< E, T, A, Storage >::rfind(), boost::ptr_circular_buffer< T, CloneAllocator, Allocator >::rinsert(), boost::range::rotate(), boost::range::rotate_copy(), boost::ptr_circular_buffer< T, CloneAllocator, Allocator >::rresize(), boost::ptr_sequence_adapter< T, boost::circular_buffer< void *, Allocator >, CloneAllocator >::rresize(), boost::ptr_circular_buffer< T, CloneAllocator, Allocator >::rset_capacity(), boost::geometry::index::rtree< Value, Parameters, IndexableGetter, EqualTo, Allocator >::rtree(), boost::multi_index::multi_index_container< adjacency_list_traits< listS, listS, bidirectionalS, listS >::vertex_descriptor, multi_index::indexed_by< multi_index::hashed_unique< multi_index::tag< vertex_name_t >, extract_name_from_vertex > > >::save(), boost::range::search(), boost::range::search_n(), boost::uuids::detail::seed(), boost::ptr_circular_buffer< T, CloneAllocator, Allocator >::set_capacity(), boost::range::set_difference(), boost::range::set_intersection(), boost::range::set_symmetric_difference(), boost::range::set_union(), boost::wave::util::SimpleStringStorage< E, A >::SimpleStringStorage(), boost::wave::util::AllocatorStringStorage< E, A >::size(), boost::range::sort(), boost::ptr_sequence_adapter< T, boost::circular_buffer< void *, Allocator >, CloneAllocator >::sort(), boost::range::sort_heap(), boost::date_time::period< point_rep, duration_rep >::span(), boost::numeric::odeint::split_impl< SourceContainer, openmp_state< typename SourceContainer::value_type > >::split(), boost::algorithm::split_iterator< IteratorT >::split_iterator(), boost::range::stable_partition(), boost::range::stable_sort(), boost::algorithm::starts_with(), boost::iostreams::detail::chain_base< Self, Ch, Tr, Alloc, Mode >::strict_sync(), boost::range::swap_ranges(), boost::spirit::x3::symbols< Char, T, Lookup, Filter >::symbols(), boost::spirit::qi::symbols< Char, T, Lookup, Filter >::symbols(), boost::spirit::karma::symbols< Attribute, T, Lookup, CharEncoding, Tag >::symbols(), boost::spirit::karma::symbols< Attribute, unused_type, Lookup, CharEncoding, Tag >::symbols(), boost::locale::util::base_converter::to_unicode(), boost::locale::conv::to_utf(), boost::ptr_circular_buffer< T, CloneAllocator, Allocator >::transfer(), boost::ptr_sequence_adapter< T, boost::circular_buffer< void *, Allocator >, CloneAllocator >::transfer(), boost::ptr_set_adapter< Key, std::set< void *, void_ptr_indirect_fun< Compare, Key >, Allocator >, CloneAllocator, true >::transfer(), boost::ptr_map_adapter< T, boost::unordered_map< Key, void *, Hash, Pred, Allocator >, CloneAllocator, false >::transfer(), boost::ptr_multiset_adapter< Key, boost::unordered_multiset< void *, void_ptr_indirect_fun< Hash, Key >, void_ptr_indirect_fun< Pred, Key >, Allocator >, CloneAllocator, false >::transfer(), boost::ptr_multimap_adapter< T, boost::unordered_multimap< Key, void *, Hash, Pred, Allocator >, CloneAllocator, false >::transfer(), boost::range::transform(), boost::geometry::detail::transform::transform_range_out(), boost::transitive_closure(), boost::algorithm::trim_copy_if(), boost::unit_test::basic_cstring< CharT >::trim_left(), boost::algorithm::trim_left_copy_if(), boost::algorithm::trim_left_if(), boost::unit_test::basic_cstring< CharT >::trim_right(), boost::algorithm::trim_right_copy_if(), boost::algorithm::trim_right_if(), boost::detail::try_lock_impl(), boost::adaptors::type_erase(), boost::algorithm::unhex(), boost::range::unique(), boost::ptr_sequence_adapter< T, boost::circular_buffer< void *, Allocator >, CloneAllocator >::unique(), boost::range::unique_copy(), boost::numeric::odeint::unsplit_impl< mpi_state< InnerState >, Target, typename boost::enable_if< boost::has_range_iterator< Target > >::type >::unsplit(), boost::numeric::odeint::unsplit_impl< openmp_state< typename TargetContainer::value_type >, TargetContainer >::unsplit(), boost::lockfree::stack< T, A0, A1, A2 >::unsynchronized_push(), boost::range::upper_bound(), boost::locale::conv::utf_to_utf(), boost::xpressive::c_regex_traits< Char >::value(), and boost::wave::util::SimpleStringStorage< E, A >::~SimpleStringStorage().

SocketService Iterator Iterator ConnectCondition boost::asio::connect_condition
SocketService Iterator Iterator boost::asio::end

#include <boost_1_57_0/boost/asio/connect.hpp>

Referenced by boost::algorithm::all(), boost::asio::buffer_size(), boost::algorithm::FormatterConcept< FormatterT, FinderT, IteratorT >::constraints(), boost::algorithm::contains(), boost::container::set< Key, Compare, Allocator, SetOptions >::count(), boost::asio::ip::basic_resolver_iterator< InternetProtocol >::create(), boost::exception_detail::error_info_container_impl::diagnostic_information(), boost::spirit::lex::lexer< Lexer >::end(), boost::heap::d_ary_heap< T, A0, A1, A2, A3, A4, A5 >::end(), boost::wave::util::VectorStringStorage< E, A >::end(), boost::wave::util::flex_string< E, T, A, Storage >::end(), boost::algorithm::equals(), boost::algorithm::find_iterator< IteratorT >::find_iterator(), boost::algorithm::find_regex(), boost::range::iota(), boost::algorithm::iter_find(), boost::algorithm::iter_split(), boost::algorithm::join(), boost::algorithm::join_if(), boost::serialization::load(), boost::multi_index::multi_index_container< adjacency_list_traits< listS, listS, bidirectionalS, listS >::vertex_descriptor, multi_index::indexed_by< multi_index::hashed_unique< multi_index::tag< vertex_name_t >, extract_name_from_vertex > > >::load(), boost::serialization::load_construct_data(), boost::multi_index::multi_index_container< adjacency_list_traits< listS, listS, bidirectionalS, listS >::vertex_descriptor, multi_index::indexed_by< multi_index::hashed_unique< multi_index::tag< vertex_name_t >, extract_name_from_vertex > > >::multi_index_container(), boost::serialization::save(), boost::multi_index::multi_index_container< adjacency_list_traits< listS, listS, bidirectionalS, listS >::vertex_descriptor, multi_index::indexed_by< multi_index::hashed_unique< multi_index::tag< vertex_name_t >, extract_name_from_vertex > > >::save(), boost::re_detail::parser_buf< charT, traits >::seekoff(), boost::io::basic_altstringbuf< Ch, Tr, Alloc >::seekoff(), boost::interprocess::basic_bufferbuf< CharT, CharTraits >::seekoff(), boost::interprocess::basic_vectorbuf< CharVector, CharTraits >::seekoff(), boost::algorithm::split_iterator< IteratorT >::split_iterator(), boost::algorithm::starts_with(), and boost::wave::util::VectorStringStorage< E, A >::VectorStringStorage().

SocketService & boost::asio::s

#include <boost_1_57_0/boost/asio/connect.hpp>

Referenced by boost::math::acos(), boost::spirit::lex::lexertl::lexer< Token, Iterator, Functor >::add_action(), boost::re_detail::basic_char_set< charT, traits >::add_equivalent(), boost::re_detail::basic_char_set< charT, traits >::add_single(), boost::multiprecision::backends::add_unsigned(), boost::pool_allocator< T, UserAllocator, Mutex, NextSize, MaxSize >::address(), boost::fast_pool_allocator< T, UserAllocator, Mutex, NextSize, MaxSize >::address(), boost::filesystem::path::append(), boost::re_detail::basic_regex_creator< charT, traits >::append_set(), boost::geometry::strategy::side::side_by_triangle< CalculationType >::apply(), boost::geometry::detail::for_each::fe_range_per_segment_with_closure< Closure >::apply(), boost::geometry::strategy::area::huiller< PointOfSegment, CalculationType >::apply(), boost::geometry::detail::for_each::fe_range_per_segment_with_closure< open >::apply(), boost::geometry::detail::correct::correct_ring< Ring, std::less< default_area_result< Ring >::type > >::apply(), boost::geometry::strategy::distance::services::result_from_distance< projected_point< CalculationType, Strategy >, P, PS >::apply(), boost::geometry::strategy::distance::services::result_from_distance< comparable::haversine< RadiusType, CalculationType >, P1, P2 >::apply(), boost::geometry::strategy::distance::services::result_from_distance< detail::projected_point_ax< CalculationType, Strategy >, P, PS >::apply(), boost::math::asin(), boost::filesystem::path::assign(), boost::unit_test::assign_op(), boost::asio::basic_socket< Protocol, StreamSocketService >::available(), boost::planar_dfs_visitor< LowPointMap, DFSParentMap, DFSNumberMap, LeastAncestorMap, DFSParentEdgeMap, SizeType >::back_edge(), boost::re_detail::basic_regex_creator< charT, traits >::basic_regex_creator(), boost::container::basic_string< CharT, Traits, Allocator >::basic_string(), boost::graph::distributed::boman_et_al_graph_coloring(), boost::BOOST_concept(), boost::BOOST_JOIN(), BOOST_PHOENIX_DEFINE_EXPRESSION(), boost::random::shuffle_order_engine< UniformRandomNumberGenerator, k >::BOOST_RANDOM_DETAIL_ARITHMETIC_CONSTRUCTOR(), boost::random::discard_block_engine< UniformRandomNumberGenerator, p, r >::BOOST_RANDOM_DETAIL_ARITHMETIC_SEED(), boost::random::xor_combine_engine< URNG1, s1, URNG2, s2 >::BOOST_RANDOM_DETAIL_ISTREAM_OPERATOR(), boost::random::shuffle_order_engine< UniformRandomNumberGenerator, k >::BOOST_RANDOM_DETAIL_ISTREAM_OPERATOR(), boost::random::xor_combine_engine< URNG1, s1, URNG2, s2 >::BOOST_RANDOM_DETAIL_OSTREAM_OPERATOR(), boost::random::shuffle_order_engine< UniformRandomNumberGenerator, k >::BOOST_RANDOM_DETAIL_OSTREAM_OPERATOR(), boost::detail::graph::brandes_betweenness_centrality_impl(), boost::breadth_first_visit(), boost::numeric::odeint::rosenbrock4< Value, Coefficients, Resizer >::calc_state(), boost::asio::basic_waitable_timer< Clock, WaitTraits, WaitableTimerService >::cancel(), boost::asio::basic_waitable_timer< Clock, WaitTraits, WaitableTimerService >::cancel_one(), boost::spirit::lex::lexertl::lexer< Token, Iterator, Functor >::clear(), boost::filesystem::path::concat(), boost::RegexConcept< Regex >::constraints(), boost::BoostRegexConcept< Regex >::constraints(), boost::exception_detail::to_string_dispatcher< false >::convert(), boost::bimaps::relation::detail::copy_with_second_replaced(), boost::multiprecision::backends::cpp_dec_float< Digits10, ExponentType, Allocator >::cpp_dec_float(), boost::create_condensation_graph(), boost::cuthill_mckee_ordering(), boost::gregorian::date_from_iso_string(), boost::locale::ios_info::date_time_pattern(), boost::exception_detail::diagnostic_information_impl(), boost::filesystem::path_traits::dispatch(), boost::locale::dngettext(), boost::locale::dnpgettext(), boost::date_time::date_names_put< Config, charT, OutputIterator >::do_day_sep_char(), boost::multiprecision::backends::do_eval_add(), boost::multiprecision::backends::do_eval_subtract(), boost::re_detail::format_functor1< Base, Match >::do_format_string(), boost::date_time::date_names_put< Config, charT, OutputIterator >::do_month_sep_char(), boost::units::detail::do_print(), boost::date_time::date_names_put< Config, charT, OutputIterator >::do_put_special_value(), boost::serialization::cpp_int_detail::do_serialize(), boost::serialization::float128_detail::do_serialize(), boost::date_time::date_names_put< Config, charT, OutputIterator >::do_year_sep_char(), boost::property_tree::detail::dump_sequence(), boost::posix_time::duration_from_string(), boost::math::detail::ellint_e_imp(), boost::math::detail::ellint_f_imp(), boost::multi_index::detail::hashed_index< KeyFromValue, Hash, Pred, SuperMeta, TagList, Category >::erase(), boost::multi_index::detail::ordered_index< KeyFromValue, Compare, SuperMeta, TagList, Category >::erase(), boost::math::detail::erf_imp(), boost::escape_dot_string(), boost::multiprecision::backends::eval_divide(), boost::multiprecision::backends::eval_exp(), boost::multiprecision::backends::eval_gcd(), boost::multiprecision::backends::eval_pow(), boost::multiprecision::backends::eval_sqrt(), boost::math::detail::expint_as_series(), boost::math::detail::expint_i_as_series(), boost::asio::basic_waitable_timer< Clock, WaitTraits, WaitableTimerService >::expires_at(), boost::asio::basic_waitable_timer< Clock, WaitTraits, WaitableTimerService >::expires_from_now(), boost::math::detail::expm1_imp(), boost::graph::detail::face_handle< Graph, StoreOldHandlesPolicy, StoreEmbeddingPolicy >::face_handle(), boost::unit_test::ut_detail::bcs_char_traits_impl< CharT >::find(), boost::spirit::x3::tst_map< Char, T >::for_each(), boost::spirit::qi::tst_map< Char, T >::for_each(), boost::posix_time::from_iso_string(), boost::gregorian::from_simple_string(), boost::gregorian::from_string(), boost::gregorian::from_uk_string(), boost::gregorian::from_undelimited_string(), boost::gregorian::from_us_string(), boost::random::seed_seq::generate(), boost::environment_iterator::get(), boost::geometry::traits::indexed_access< std::pair< Point, Point >, 0, Dimension >::get(), boost::get(), boost::geometry::traits::indexed_access< std::pair< Point, Point >, 1, Dimension >::get(), boost::geometry::traits::indexed_access< model::pointing_segment< Point >, 0, Dimension >::get(), boost::chrono::time_point_get< CharT, InputIterator >::get(), boost::geometry::traits::indexed_access< model::segment< Point >, 0, Dimension >::get(), boost::geometry::traits::indexed_access< model::pointing_segment< Point >, 1, Dimension >::get(), boost::geometry::traits::indexed_access< model::segment< Point >, 1, Dimension >::get(), boost::geometry::traits::indexed_access< model::referring_segment< ConstOrNonConstPoint >, 0, Dimension >::get(), boost::chrono::duration_get< CharT, InputIterator >::get(), boost::geometry::traits::indexed_access< model::referring_segment< ConstOrNonConstPoint >, 1, Dimension >::get(), boost::date_time::time_input_facet< time_type, CharT, InItrT >::get(), boost::re_detail::basic_regex_parser< charT, traits >::get_next_set_literal(), boost::chrono::duration_get< CharT, InputIterator >::get_value(), boost::getSubset(), boost::math::detail::hankel_imp(), boost::math::detail::hypergeometric_2F2(), boost::math::detail::ibeta_series(), boost::multiprecision::backends::if(), boost::asio::ssl::old::stream< Stream, Service >::in_avail(), boost::multi_index::detail::random_access_index< SuperMeta, TagList >::insert(), boost::re_detail::basic_regex_creator< charT, traits >::insert_state(), boost::polygon::polygon_set_data< T >::insert_with_resize_dispatch(), boost::is_straight_line_drawing(), boost::iterative_bit_vector_dominator_tree(), boost::johnson_all_pairs_shortest_paths(), boost::king_ordering(), boost::spirit::x3::lit(), boost::serialization::load(), boost::multi_index::multi_index_container< adjacency_list_traits< listS, listS, bidirectionalS, listS >::vertex_descriptor, multi_index::indexed_by< multi_index::hashed_unique< multi_index::tag< vertex_name_t >, extract_name_from_vertex > > >::load(), boost::math::detail::log1p_imp(), boost::math::log1pmx(), boost::numeric::raw_converter< Traits >::low_level_convert(), boost::math::detail::lower_gamma_series(), boost::serialization::make_array(), boost::math::tools::make_big_value(), boost::detail::match(), boost::multi_index::detail::random_access_index< SuperMeta, TagList >::merge(), boost::date_time::month_str_to_ushort(), boost::match_results< BidirectionalIterator >::named_subexpression(), boost::match_results< BidirectionalIterator >::named_subexpression_index(), boost::locale::ngettext(), boost::math::detail::non_central_t_quantile(), boost::numeric::odeint::mpi_nested_algebra< InnerAlgebra >::norm_inf(), boost::locale::npgettext(), boost::wave::impl::pp_iterator_functor< ContextT >::on_include(), operator new(), operator new[](), boost::operator!=(), boost::numeric::ublas::basic_slice< size_type, difference_type >::operator!=(), boost::container::operator!=(), boost::phoenix::evaluator::impl< Expr, State, Data >::operator()(), boost::fusion::fused_procedure< Function >::operator()(), boost::fusion::fused_function_object< Function >::operator()(), boost::fusion::fused< Function >::operator()(), boost::proto::_state::impl< Expr, State, Data >::operator()(), boost::accumulators::impl::immediate_weighted_mean_impl< Sample, Weight, Tag >::operator()(), boost::detail::dominator_visitor< Graph, IndexMap, TimeMap, PredMap, DomTreePredMap >::operator()(), boost::random::linear_feedback_shift_engine< UIntType, w, k, q, s >::operator()(), boost::random::mersenne_twister_engine< UIntType, w, n, m, r, a, u, d, s, b, t, c, l, f >::operator()(), boost::proto::call< Fun(A0)>::impl2< Expr, State, Data, true >::operator()(), boost::phoenix::_context::impl< Expr, State, Data >::operator()(), boost::proto::call< Fun(A0, A1)>::impl2< Expr, State, Data, true >::operator()(), boost::phoenix::_env::impl< Expr, State, Data >::operator()(), boost::phoenix::_env::impl< Expr, State, proto::empty_env >::operator()(), boost::proto::call< Fun(A0, A1, A2)>::impl2< Expr, State, Data, true >::operator()(), boost::phoenix::_actions::impl< Expr, State, proto::empty_env >::operator()(), boost::chrono::operator*(), boost::math::tools::polynomial< T >::operator*=(), Eigen::operator+(), boost::polygon::anisotropic_scale_factor< scale_factor_type >::operator+(), boost::locale::operator+(), boost::container::operator+(), boost::filesystem::path::operator+=(), boost::locale::operator-(), boost::detail::multi_array::operator<(), boost::operator<(), boost::uuids::operator<<(), boost::operator<<(), boost::multiprecision::operator<<(), boost::math::operator<<(), boost::numeric::ublas::operator<<(), boost::detail::multi_array::operator<=(), boost::operator<=(), boost::container::operator<=(), boost::multiprecision::concepts::number_backend_float_architype::operator=(), boost::multiprecision::backends::debug_adaptor< Backend >::operator=(), boost::multiprecision::backends::logged_adaptor< Backend >::operator=(), boost::multiprecision::backends::rational_adaptor< IntBackend >::operator=(), boost::multiprecision::backends::detail::mpfi_float_imp< 0 >::operator=(), boost::multiprecision::backends::tommath_int::operator=(), boost::filesystem::path::operator=(), boost::multiprecision::backends::cpp_bin_float< Digits, DigitBase, Allocator, Exponent, MinExponent, MaxExponent >::operator=(), boost::operator==(), boost::container::operator==(), boost::operator>(), boost::container::operator>(), boost::operator>=(), boost::container::operator>=(), boost::numeric::ublas::operator>>(), boost::posix_time::operator>>(), boost::gregorian::operator>>(), boost::math::concepts::operator>>(), boost::multiprecision::operator>>(), boost::match_results< BidirectionalIterator >::operator[](), boost::math::detail::owens_t_T2_accelerated(), boost::spirit::functor_parser< FunctorT >::parse(), boost::date_time::parse_delimited_time_duration(), boost::filesystem::path::path(), boost::asio::ssl::old::stream< Stream, Service >::peek(), boost::spirit::qi::phrase_match(), boost::wave::util::flex_string_details::pod_copy(), boost::match_results< BidirectionalIterator >::position(), boost::numeric::ublas::project(), boost::chrono::duration_put< CharT, OutputIterator >::put(), boost::chrono::time_point_put< CharT, OutputIterator >::put(), boost::chrono::time_point_put< CharT, OutputIterator >::put_epoch(), boost::chrono::duration_put< CharT, OutputIterator >::put_unit(), boost::chrono::duration_put< CharT, OutputIterator >::put_value(), boost::math::quantile(), boost::detail::r_c_shortest_paths_dispatch(), boost::iostreams::symmetric_filter< detail::bzip2_decompressor_impl< Alloc >, Alloc >::read(), boost::iostreams::code_converter< Device, Codecvt, Alloc >::read(), boost::asio::ssl::old::stream< Stream, Service >::read_some(), boost::asio::basic_stream_socket< Protocol, StreamSocketService >::read_some(), boost::multi_index::detail::sequenced_index< SuperMeta, TagList >::rearrange(), boost::asio::basic_seq_packet_socket< Protocol, SeqPacketSocketService >::receive(), boost::asio::basic_stream_socket< Protocol, StreamSocketService >::receive(), boost::asio::basic_raw_socket< Protocol, RawSocketService >::receive(), boost::asio::basic_datagram_socket< Protocol, DatagramSocketService >::receive(), boost::asio::basic_raw_socket< Protocol, RawSocketService >::receive_from(), boost::asio::basic_datagram_socket< Protocol, DatagramSocketService >::receive_from(), boost::re_detail::repeater_count< iterator >::repeater_count(), boost::serialization::save(), boost::multi_index::multi_index_container< adjacency_list_traits< listS, listS, bidirectionalS, listS >::vertex_descriptor, multi_index::indexed_by< multi_index::hashed_unique< multi_index::tag< vertex_name_t >, extract_name_from_vertex > > >::save(), boost::archive::basic_text_oarchive< text_woarchive >::save_override(), boost::mpi::packed_oarchive::save_override(), boost::archive::basic_binary_oarchive< binary_woarchive >::save_override(), boost::asio::basic_raw_socket< Protocol, RawSocketService >::send(), boost::asio::basic_datagram_socket< Protocol, DatagramSocketService >::send(), boost::asio::basic_stream_socket< Protocol, StreamSocketService >::send(), boost::asio::basic_seq_packet_socket< Protocol, SeqPacketSocketService >::send(), boost::asio::basic_raw_socket< Protocol, RawSocketService >::send_to(), boost::asio::basic_datagram_socket< Protocol, DatagramSocketService >::send_to(), boost::numeric::ublas::map_array< I, T, ALLOC >::serialize(), boost::numeric::ublas::mapped_vector< T, A >::serialize(), boost::numeric::ublas::compressed_vector< T, IB, IA, TA >::serialize(), boost::numeric::ublas::zero_vector< T, ALLOC >::serialize(), boost::numeric::ublas::unit_vector< T, ALLOC >::serialize(), boost::numeric::ublas::coordinate_vector< T, IB, IA, TA >::serialize(), boost::numeric::ublas::scalar_vector< T, ALLOC >::serialize(), boost::numeric::ublas::c_vector< T, N >::serialize(), boost::gil::position_iterator< Deref, Dim >::set_step(), boost::sloan_ordering(), boost::sloan_start_end_vertices(), boost::math::detail::sph_bessel_j_small_z_series(), boost::multiprecision::sqrt(), boost::detail::multi_array::index_range< Index, SizeType >::start(), boost::multiprecision::concepts::number_backend_float_architype::str(), boost::multiprecision::backends::logged_adaptor< Backend >::str(), boost::match_results< BidirectionalIterator >::str(), boost::multiprecision::backends::tommath_int::str(), boost::multiprecision::backends::cpp_bin_float< Digits, DigitBase, Allocator, Exponent, MinExponent, MaxExponent >::str(), boost::multiprecision::backends::gmp_int::str(), boost::multiprecision::backends::str(), boost::iostreams::detail::chain_base< Self, Ch, Tr, Alloc, Mode >::strict_sync(), boost::detail::multi_array::index_range< Index, SizeType >::stride(), boost::spirit::x3::standard::string(), boost::date_time::string_parse_tree< CharT >::string_parse_tree(), boost::detail::strong_components_impl(), boost::multiprecision::backends::subtract_unsigned(), boost::geometry::svg_mapper< Point, SameScale >::text(), boost::math::detail::tgamma_small_upper_part(), boost::posix_time::time_from_string(), boost::gregorian::to_iso_string_type(), boost::detail::to_timespec(), boost::gregorian::to_tm(), boost::transitive_closure(), boost::planar_dfs_visitor< LowPointMap, DFSParentMap, DFSNumberMap, LeastAncestorMap, DFSParentEdgeMap, SizeType >::tree_edge(), boost::re_detail::basic_regex_parser< charT, traits >::unescape_character(), boost::date_time::var_string_to_int(), boost::vf2_graph_iso(), boost::detail::vf2_subgraph_morphism(), boost::re_detail::w32_regex_traits_implementation< charT >::w32_regex_traits_implementation(), boost::iostreams::back_insert_device< Container >::write(), boost::iostreams::aggregate_filter< Ch, Alloc >::write(), boost::iostreams::basic_line_filter< Ch, Alloc >::write(), boost::iostreams::non_blocking_sink::write(), boost::iostreams::symmetric_filter< detail::bzip2_decompressor_impl< Alloc >, Alloc >::write(), boost::iostreams::code_converter< Device, Codecvt, Alloc >::write(), boost::asio::ssl::old::stream< Stream, Service >::write_some(), boost::asio::basic_stream_socket< Protocol, StreamSocketService >::write_some(), boost::interprocess::rbtree_best_fit< MutexFamily, VoidPointer, MemAlignment >::zero_free_memory(), boost::math::detail::zeta_imp(), boost::math::detail::zeta_polynomial_series(), boost::math::constants::detail::khinchin_detail::zeta_polynomial_series(), boost::math::constants::detail::detail::zeta_series_2(), and boost::math::constants::detail::detail::zeta_series_derivative_2().