/**
* WP_oEmbed_Controller class, used to provide an oEmbed endpoint.
*
* @package WordPress
* @subpackage Embeds
* @since 4.4.0
*/
/**
* oEmbed API endpoint controller.
*
* Registers the REST API route and delivers the response data.
* The output format (XML or JSON) is handled by the REST API.
*
* @since 4.4.0
*/
#[AllowDynamicProperties]
final class WP_oEmbed_Controller {
/**
* Register the oEmbed REST API route.
*
* @since 4.4.0
*/
public function register_routes() {
/**
* Filters the maxwidth oEmbed parameter.
*
* @since 4.4.0
*
* @param int $maxwidth Maximum allowed width. Default 600.
*/
$maxwidth = apply_filters( 'oembed_default_width', 600 );
register_rest_route(
'oembed/1.0',
'/embed',
array(
array(
'methods' => WP_REST_Server::READABLE,
'callback' => array( $this, 'get_item' ),
'permission_callback' => '__return_true',
'args' => array(
'url' => array(
'description' => __( 'The URL of the resource for which to fetch oEmbed data.' ),
'required' => true,
'type' => 'string',
'format' => 'uri',
),
'format' => array(
'default' => 'json',
'sanitize_callback' => 'wp_oembed_ensure_format',
),
'maxwidth' => array(
'default' => $maxwidth,
'sanitize_callback' => 'absint',
),
),
),
)
);
register_rest_route(
'oembed/1.0',
'/proxy',
array(
array(
'methods' => WP_REST_Server::READABLE,
'callback' => array( $this, 'get_proxy_item' ),
'permission_callback' => array( $this, 'get_proxy_item_permissions_check' ),
'args' => array(
'url' => array(
'description' => __( 'The URL of the resource for which to fetch oEmbed data.' ),
'required' => true,
'type' => 'string',
'format' => 'uri',
),
'format' => array(
'description' => __( 'The oEmbed format to use.' ),
'type' => 'string',
'default' => 'json',
'enum' => array(
'json',
'xml',
),
),
'maxwidth' => array(
'description' => __( 'The maximum width of the embed frame in pixels.' ),
'type' => 'integer',
'default' => $maxwidth,
'sanitize_callback' => 'absint',
),
'maxheight' => array(
'description' => __( 'The maximum height of the embed frame in pixels.' ),
'type' => 'integer',
'sanitize_callback' => 'absint',
),
'discover' => array(
'description' => __( 'Whether to perform an oEmbed discovery request for unsanctioned providers.' ),
'type' => 'boolean',
'default' => true,
),
),
),
)
);
}
/**
* Callback for the embed API endpoint.
*
* Returns the JSON object for the post.
*
* @since 4.4.0
*
* @param WP_REST_Request $request Full data about the request.
* @return array|WP_Error oEmbed response data or WP_Error on failure.
*/
public function get_item( $request ) {
$post_id = url_to_postid( $request['url'] );
/**
* Filters the determined post ID.
*
* @since 4.4.0
*
* @param int $post_id The post ID.
* @param string $url The requested URL.
*/
$post_id = apply_filters( 'oembed_request_post_id', $post_id, $request['url'] );
$data = get_oembed_response_data( $post_id, $request['maxwidth'] );
if ( ! $data ) {
return new WP_Error( 'oembed_invalid_url', get_status_header_desc( 404 ), array( 'status' => 404 ) );
}
return $data;
}
/**
* Checks if current user can make a proxy oEmbed request.
*
* @since 4.8.0
*
* @return true|WP_Error True if the request has read access, WP_Error object otherwise.
*/
public function get_proxy_item_permissions_check() {
if ( ! current_user_can( 'edit_posts' ) ) {
return new WP_Error( 'rest_forbidden', __( 'Sorry, you are not allowed to make proxied oEmbed requests.' ), array( 'status' => rest_authorization_required_code() ) );
}
return true;
}
/**
* Callback for the proxy API endpoint.
*
* Returns the JSON object for the proxied item.
*
* @since 4.8.0
*
* @see WP_oEmbed::get_html()
* @global WP_Embed $wp_embed WordPress Embed object.
* @global WP_Scripts $wp_scripts
*
* @param WP_REST_Request $request Full data about the request.
* @return object|WP_Error oEmbed response data or WP_Error on failure.
*/
public function get_proxy_item( $request ) {
global $wp_embed, $wp_scripts;
$args = $request->get_params();
// Serve oEmbed data from cache if set.
unset( $args['_wpnonce'] );
$cache_key = 'oembed_' . md5( serialize( $args ) );
$data = get_transient( $cache_key );
if ( ! empty( $data ) ) {
return $data;
}
$url = $request['url'];
unset( $args['url'] );
// Copy maxwidth/maxheight to width/height since WP_oEmbed::fetch() uses these arg names.
if ( isset( $args['maxwidth'] ) ) {
$args['width'] = $args['maxwidth'];
}
if ( isset( $args['maxheight'] ) ) {
$args['height'] = $args['maxheight'];
}
// Short-circuit process for URLs belonging to the current site.
$data = get_oembed_response_data_for_url( $url, $args );
if ( $data ) {
return $data;
}
$data = _wp_oembed_get_object()->get_data( $url, $args );
if ( false === $data ) {
// Try using a classic embed, instead.
/* @var WP_Embed $wp_embed */
$html = $wp_embed->get_embed_handler_html( $args, $url );
if ( $html ) {
// Check if any scripts were enqueued by the shortcode, and include them in the response.
$enqueued_scripts = array();
foreach ( $wp_scripts->queue as $script ) {
$enqueued_scripts[] = $wp_scripts->registered[ $script ]->src;
}
return (object) array(
'provider_name' => __( 'Embed Handler' ),
'html' => $html,
'scripts' => $enqueued_scripts,
);
}
return new WP_Error( 'oembed_invalid_url', get_status_header_desc( 404 ), array( 'status' => 404 ) );
}
/** This filter is documented in wp-includes/class-wp-oembed.php */
$data->html = apply_filters( 'oembed_result', _wp_oembed_get_object()->data2html( (object) $data, $url ), $url, $args );
/**
* Filters the oEmbed TTL value (time to live).
*
* Similar to the {@see 'oembed_ttl'} filter, but for the REST API
* oEmbed proxy endpoint.
*
* @since 4.8.0
*
* @param int $time Time to live (in seconds).
* @param string $url The attempted embed URL.
* @param array $args An array of embed request arguments.
*/
$ttl = apply_filters( 'rest_oembed_ttl', DAY_IN_SECONDS, $url, $args );
set_transient( $cache_key, $data, $ttl );
return $data;
}
}
무료 카지노 게임: 궁극적인 비디오 게임 경험을 돈 한 푼 투자하지 않고 확보하세요 – tejas-apartment.teson.xyz
Skip to content
당신은 도박 기업 비디오 게임의 팬이지만 돈을 쓰고 싶지 않나요? 더 이상 찾지 마세요! 이 포스트에서는 무료 도박장 비디오 게임의 글로벌를 살펴볼 것입니다.은행을 망치지 않고 무분한 엔터테인먼트에 접근할 수 있도록.노련한 게이머이든 초보자이든, 이 비디오 게임은 이상적인 연습 가능성를 사용하여 스킬을 개발할 수 있도록, 신기한 기술를 탐험하며 폭발적인 시간을 보낼 수 있도록 합니다.잠수 시작해볼까요!
무료 도박 기업 게이밍의 장점
1.위험 없는 오락: 무료 도박장 비디오 게임은 경제적인 위험 없이 베팅의 흥미를 즐길 수 있게.당신은 얼마나 원하는 만큼 하고 싶을 만큼할 수 있으며 한 푼도 잃지 않고도 자유롭게 즐기세요.
2.스킬 발전: 새로운 카지노 사이트 비디오 게임에 초보자이든 경험이 많은 플레이어이든, 완전 무료 비디오 게임은 능력을 향상시킬 수 있는 탁월한 플랫폼를 제공합니다.다양한 방법을 테스트하고 새로운 기술을 탐험하며 더 나은 게이머가 될 수 있습니다.
3.범위의 게이밍: 무료 온라인 도박 기업는 블랙잭과 룰렛 같은 클래식 즐겨찾기에서부터 현대적인 비디오 클립 포트와 카지노 포커에 이르기까지 다양한 게임을 공급합니다.다양한 비디오 게임을 발견하며 규정을 발견하고 좋아하는 게임을 투자하지 않고도 발견할 수 있습니다.
블랙잭: 카드 세기 능력을 테스트하고 이 인기 있는 카지노의 고전에서 21을 목표로 하세요.
룰렛: 베팅을 하세요 이 스릴 넘치는 도박 게임에서 휠이 돌아가는 시청하세요.
슬롯: 회전하는 릴의 즐거움를 체험하고 다양한 테마가 있는 슬롯머신에서 승리하는 합을 맞추세요.
온라인 포커: 당신의 무표정을 자랑하고 텍사스 홀덤, 오마하 및 더 많은 다양한 플레이어와 경쟁하세요.
바카라: 이 우아한 카드 비디오 게임에서 운을 시험하면서 승리하는 손길을 예측할 수 있는지 확인하세요.
크랩스: 기회를 시험하며 이 빠르게 진행되는 게임에서 행운의 숫자를 을 적중하세요.
무료 카지노 게이밍을 할 수 있는 곳
1.온라인 카지노: 여러 신뢰할 수 있는 온라인 도박장는 무료 버전의 게임을 제공합니다.이러한 시스템은 프리미엄 그래픽과 오디오 효과로 합리적 도박장 경험을 제공합니다.단순히 그들의 인터넷 사이트를 방문, 계정을 생성하고 플레이를 시작하세요.
2.모바일 앱: 많은 모바일 앱이 무료 도박 기업 게임을 제공합니다.이 앱은 이동 중에 PC 게임을 즐기기에 최고이며 선택할 수 있는 다양한 비디오 게임을 공급합니다.
3.소셜 네트워크 운영체제: 선호하는 소셜 미디어 시스템 중 일부는 무료로 플레이 도박장 비디오 게임을 포함합니다.친구들과 연결하고, 이벤트에 참여하며 돈을 사용하지 않고도 베팅의 측면 측면을 즐겨보세요.
무료 도박 기업 게임을 플레이하는 팁
1.예산 설정: 무료 원 엑스 벳 코리아 온라인 카지노 비디오 게임은 실제 돈을 요구하지 않지만, 자신을 위해 예산을 설정하는 것이 중요합니다.이 방법은 책임감 있게 플레이하도록 보장하며 건강하지 않은 행동을 발전시키지 않도록 도와줍니다.
2.규칙을 읽어보기: 새로운 게임에 뛰어들기 전에, 지침을 읽고 잘 인식하세요.각 비디오 게임은 자신만의 규칙과 전략을 가지고 있으므로 최적화할 수 있도록 자신을 준비하세요.
3.회원 관리를 연습하세요: 자신의 디지털 돈을 실제 돈처럼 취급하세요.얼마나 사용할 수 있는지 정하고 그것들을 고수하세요.이 기술은 좋은 습관을 형성하는 데 도움이 됩니다.
마무리
무료 도박 기업 비디오 게임은 플레이어들에게 돈을 쓰지 않고도도 즐거운 도박장 게임을 즐길 수 있는 뛰어난 기회를 제공합니다.스킬을 연습하려는 경우든 새로운 게임을 탐험하려는 경우든, 단순히 즐기기 것이든, 이 비디오 게임은 무한한 즐거움을 공급합니다.책임감 있게 플레이하고 이 안전한 비디오 게임 경험을 극대화하세요! 행운을 빌어요!