/** * 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; } } To be estimatedの意味・使い方・読み方 Weblio英和辞書 – tejas-apartment.teson.xyz

To be estimatedの意味・使い方・読み方 Weblio英和辞書

This directly impacts the company’s reported assets, liabilities, equity, and net income. When reviewing financial statements, it’s easy to confuse contingent liabilities and provisions. A warranty is another common contingent liability because the number of products returned under a warranty is unknown. Assume, for example, that a bike manufacturer offers a three-year warranty on bicycle seats, which cost $50 each.

For example, if a company sells \$100,000 worth of laptops with a two-year warranty, it recognizes the revenue immediately. However, to adhere to the matching principle, the company must also estimate the warranty expense. Understanding the varying methodologies used by the states to estimate unclaimed property liabilities along with some suggested best practices will serve to guide holders to take the necessary steps to minimize such exposure.

A potential obligation that may arise based on the outcome of future events, which is recorded only if it is probable and can be reasonably estimated. Companies segregate their liabilities by their time horizon for when they’re due. Current liabilities are due within a year and are often paid using current assets. Non-current liabilities are due in more than one year and most often include debt repayments and deferred payments. Any liability that’s not near-term falls under non-current liabilities that are expected to be paid in 12 months or more. Long-term debt is also known as bonds payable and it’s usually the largest liability and at the top of the list.

  • For a contingent liability to become an actual liability a future event must occur.
  • Different methodologies can be applied depending on the nature of the liability, the availability of information, and the context in which the estimation is being made.
  • An extension of the normal credit period for paying amounts owed often requires that a company sign a note, resulting in a transfer of the liability from accounts payable to notes payable.
  • Warranties are often offered by companies to assure customers that their products will function properly for a specified period.
  • Using actuaries, management can reasonably determine an estimate of the outstanding liability and fund the pension plan accordingly.
  • Because the error rate is calculated from liability to all states, the gross estimation usually leads to an estimated liability seemingly out of proportion to property actually deemed reportable to Delaware in the base period.

Which is the best description of an estimated liability?

A liability is something that a person or company owes, usually a sum of money. Liabilities are settled over time through the transfer of economic benefits including money, goods, or services. When customers exercise their warranties, the company does not record a new expense. For instance, if a customer uses \$6,000 worth of warranty services, the company debits the estimated warranty payable by \$6,000 and credits cash or accounts payable by \$6,000. This reflects the actual cost incurred and reduces the liability, ensuring that the expense was matched with the revenue in the period the product was sold. In the following month, if customers exercise warranties costing \$6,000, the company does not record a new expense since the warranty expense was already recognized at the time of sale.

Estimated costとは 意味・読み方・使い方

From an accountant’s perspective, the focus is on adhering to the Generally accepted Accounting principles (GAAP) or International financial Reporting standards (IFRS), which provide guidelines for making such estimates. Actuaries, on the other hand, might use statistical models and probability theories to predict future liabilities, especially in the insurance sector. Legal experts may weigh in an estimated liability on the likelihood of a lawsuit’s outcome or the potential for regulatory fines, influencing the estimation process. Another contingent liability is the warranty that automakers provide on new cars.

There, Delaware stated that the use of estimation based on all states liability is premised on the logic that if records do not exist, then the address is unknown and therefore due to Delaware as the state of incorporation. According to the Court, however, the state’s “logic stretches the definition of address unknown property to troubling lengths. Various states have enacted laws providing for the use of the net method of extrapolation calculation over the years, including Florida, Ohio, and Texas, with Illinois the most recent.

  • The estimated amount bidding side can not know the lowest price, so the estimated amount can be reduced.例文帳に追加
  • These are obligations that are probable and can be reasonably estimated, yet they lack the precision of standard liabilities due to the absence of definitive documentation or the complexity of the underlying events.
  • Proper classification is important since provisions directly impact the financial statements, while contingent liabilities represent off-balance sheet risks.
  • Instead, it will reduce the estimated warranty liability by debiting it for the amount spent on repairs, say \$5,000, and crediting cash for the same amount.
  • For example, if a company has a one-year warranty program, it may estimate and record a provision for future warranty claims.
  • A contingent liability represents a potential obligation that may arise out of an event or decision.

Products

The other part of the journal entry is to debit Warranty Expense and report it on the income statement. ElectroGadgets would record this amount on their balance sheet at the end of the year as an accrued expense, reflecting the anticipated future cash outflow related to warranty claims. Throughout the next year, as warranty claims come in and are addressed, they would decrease this liability and record the corresponding expense. Contingent liabilities adversely impact a company’s assets and net profitability. They’re recorded in the short-term liabilities section of the balance sheet. “Estimated liability” refers to a potential financial obligation or debt that a company expects to owe in the future, but the exact amount is not yet known.

BAR CPA Practice Questions: The MD&A and Notes for Government Financial Statements

An estimated liability is a liability that is absolutely owed because the services or goods have been received. However, the vendors’ invoices have not yet been received and the exact amount is not yet known. The company is required to estimate the amount since the estimated amount is far better than implying that no liability is owed and that no expense was incurred. Many of the accrual adjusting entries require estimated amounts. The effect estimator 16 estimates the amount of demand at non-introduction, based on the first estimated amount of demand and the second estimated amount of demand.例文帳に追加 Where insufficient data exist to establish the value of a given variable accurately, attempts may be made to estimate 1 this value.

Weblio英和対訳辞書での「Estimated cost」の意味

However, as the case progresses, new developments such as legal precedents or changes in the claimants’ strategy could significantly alter the potential liability. Regular reviews and updates, along with a documented rationale for changes in the estimate, are essential in such a dynamic situation. A contingent liability is a potential liability (and a potential loss or potential expense). For a contingent liability to become an actual liability a future event must occur. A server device 5 which acquires the estimated amount sets order.例文帳に追加 Further, fuel pressure is estimated from the estimated injection amount and a command injection period corresponding to the injection amount (Step S20).例文帳に追加

A fuel adhesion amount and a fuel evaporation amount are determined on the basis of the estimated temperature.例文帳に追加 Before the catalyst is activated, the amount of OSC before activation is estimated by using the estimated equation for the amount of OSC.例文帳に追加 The estimated amount bidding side can not know the lowest price, so the estimated amount can be reduced.例文帳に追加 It is estimated that stock prices will firm up pretty soon.例文帳に追加 Liquidation value is usually estimated for the purpose of bankruptcy.例文帳に追加

Estimatesの学習レベル

This is particularly challenging for businesses that may have incomplete records or are facing contingent events that could potentially lead to financial obligations. The goal is to arrive at the most accurate estimation possible to reflect the true financial position of the company. Different methodologies can be applied depending on the nature of the liability, the availability of information, and the context in which the estimation is being made. The liability may be disclosed in a footnote on the financial statements unless both conditions are not met. Perhaps the exact cost is not yet known, the event triggering the liability has not yet occurred, or the amount varies based on future events. Despite the uncertainty, businesses need to account for these future liabilities to maintain accurate and transparent financial records.

The impact of estimated liabilities on a company’s financial health cannot be overstated. These liabilities, often based on educated guesses or actuarial estimates, represent an obligation that a company expects to pay in the future. While they are not as definitive as known debts, their influence on financial statements and decision-making processes is profound. On the other hand, investors might view large estimated liabilities as a red flag, signaling potential cash flow problems or financial instability.

Leave a Comment

Your email address will not be published. Required fields are marked *