当前位置: 首页>>代码示例>>PHP>>正文


PHP SS_HTTPRequest::isAjax方法代码示例

本文整理汇总了PHP中SS_HTTPRequest::isAjax方法的典型用法代码示例。如果您正苦于以下问题:PHP SS_HTTPRequest::isAjax方法的具体用法?PHP SS_HTTPRequest::isAjax怎么用?PHP SS_HTTPRequest::isAjax使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在SS_HTTPRequest的用法示例。


在下文中一共展示了SS_HTTPRequest::isAjax方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的PHP代码示例。

示例1: respond

 /**
  * Out of the box, the handler "CurrentForm" value, which will return the rendered form.  
  * Non-Ajax calls will redirect back.
  * 
  * @param SS_HTTPRequest $request 
  * @param array $extraCallbacks List of anonymous functions or callables returning either a string
  * or SS_HTTPResponse, keyed by their fragment identifier. The 'default' key can
  * be used as a fallback for non-ajax responses.
  * @param array $fragmentOverride Change the response fragments.
  * @return SS_HTTPResponse
  */
 public function respond(SS_HTTPRequest $request, $extraCallbacks = array())
 {
     // Prepare the default options and combine with the others
     $callbacks = array_merge($this->callbacks, $extraCallbacks);
     $response = $this->getResponse();
     $responseParts = array();
     if (isset($this->fragmentOverride)) {
         $fragments = $this->fragmentOverride;
     } elseif ($fragmentStr = $request->getHeader('X-Pjax')) {
         $fragments = explode(',', $fragmentStr);
     } else {
         if ($request->isAjax()) {
             throw new SS_HTTPResponse_Exception("Ajax requests to this URL require an X-Pjax header.", 400);
         }
         $response->setBody(call_user_func($callbacks['default']));
         return $response;
     }
     // Execute the fragment callbacks and build the response.
     foreach ($fragments as $fragment) {
         if (isset($callbacks[$fragment])) {
             $res = call_user_func($callbacks[$fragment]);
             $responseParts[$fragment] = $res ? (string) $res : $res;
         } else {
             throw new SS_HTTPResponse_Exception("X-Pjax = '{$fragment}' not supported for this URL.", 400);
         }
     }
     $response->setBody(Convert::raw2json($responseParts));
     $response->addHeader('Content-Type', 'text/json');
     return $response;
 }
开发者ID:jakedaleweb,项目名称:AtomCodeChallenge,代码行数:41,代码来源:PjaxResponseNegotiator.php

示例2: testIsAjax

 public function testIsAjax()
 {
     $req = new SS_HTTPRequest('GET', '/', array('ajax' => 0));
     $this->assertFalse($req->isAjax());
     $req = new SS_HTTPRequest('GET', '/', array('ajax' => 1));
     $this->assertTrue($req->isAjax());
     $req = new SS_HTTPRequest('GET', '/');
     $req->addHeader('X-Requested-With', 'XMLHttpRequest');
     $this->assertTrue($req->isAjax());
 }
开发者ID:jacobbuck,项目名称:silverstripe-framework,代码行数:10,代码来源:HTTPRequestTest.php

示例3: updateErrorResponse

 /**
  * @param SS_HTTPRequest $request
  * @param AjaxHTTPResponse $response
  * @param GroupedProduct $groupedProduct
  * @param array $data
  * @param GroupedCartForm $form [optional]
  */
 public function updateErrorResponse(&$request, &$response, $groupedProduct, $data, $form)
 {
     if ($request->isAjax() && $this->owner->getController()->hasExtension('AjaxControllerExtension')) {
         if (!$response) {
             $response = $this->owner->getController()->getAjaxResponse();
         }
         $response->triggerEvent('statusmessage', array('content' => $form->Message(), 'type' => $form->MessageType()));
         $form->clearMessage();
     }
 }
开发者ID:markguinn,项目名称:silverstripe-shop-groupedproducts,代码行数:17,代码来源:GroupedCartFormAjax.php

示例4: index

 /**
  * Return a ArrayList of all blog children of this page.
  *
  * @param SS_HTTPRequest $request
  * @return array|HTMLText
  * @throws Exception
  */
 public function index(SS_HTTPRequest $request)
 {
     /** @var PaginatedList $pagination */
     $pagination = PaginatedList::create($this->liveChildren(true), Controller::curr()->request);
     $items = $this->Items > 0 ? $this->Items : 10;
     $pagination->setPageLength($items);
     $data = array('PaginatedPages' => $pagination);
     if ($request->isAjax()) {
         return $this->customise($data)->renderWith('PortfolioHolder_Item');
     }
     return $data;
 }
开发者ID:helpfulrobot,项目名称:ryanpotter-silverstripe-boilerplate,代码行数:19,代码来源:PortfolioHolder.php

示例5: updateSearchResultsResponse

 /**
  * @param SS_HTTPRequest $request
  * @param SS_HTTPResponse $response
  * @param ArrayData $results
  * @param array $data
  */
 public function updateSearchResultsResponse(&$request, &$response, $results, $data)
 {
     if ($request->isAjax() && $this->owner->hasExtension('AjaxControllerExtension')) {
         if (!$response) {
             $response = $this->owner->getAjaxResponse();
         }
         $response->addRenderContext('RESULTS', $results);
         $response->pushRegion('SearchResults', $results);
         $response->pushRegion('SearchHeader', $results);
         $response->triggerEvent('searchresults');
     }
 }
开发者ID:helpfulrobot,项目名称:markguinn-silverstripe-shop-search,代码行数:18,代码来源:ShopSearchAjax.php

示例6: index

 /**
  * @param SS_HTTPRequest $request
  * @return array|HTMLText
  */
 public function index(SS_HTTPRequest $request)
 {
     /**
      * Return a ArrayList of all BlogPage children of this page.
      *
      * @return PaginatedList
      */
     $pagination = PaginatedList::create($this->liveChildren(true), Controller::curr()->request);
     $items = $this->Items > 0 ? $this->Items : 10;
     /** @var PaginatedList $pagination */
     $pagination->setPageLength($items);
     $data = array('PaginatedPages' => $pagination);
     /** If the request is AJAX */
     if ($request->isAjax()) {
         return $this->customise($data)->renderWith('BlogHolder_Item');
     }
     return $data;
 }
开发者ID:helpfulrobot,项目名称:ryanpotter-silverstripe-boilerplate,代码行数:22,代码来源:BlogHolder.php

示例7: postRequest

 /**
  * Filter executed AFTER a request
  *
  * @param SS_HTTPRequest $request Request container object
  * @param SS_HTTPResponse $response Response output object
  * @param DataModel $model Current DataModel
  * @return boolean Whether to continue processing other filters. Null or true will continue processing (optional)
  */
 public function postRequest(SS_HTTPRequest $request, SS_HTTPResponse $response, DataModel $model)
 {
     $code = $response->getStatusCode();
     $error_page_path = Director::baseFolder() . "/errors_pages/ui/{$code}/index.html";
     if (!$request->isAjax() && file_exists($error_page_path)) {
         //clean buffer
         ob_clean();
         $page_file = fopen($error_page_path, "r") or die("Unable to open file!");
         $body = fread($page_file, filesize($error_page_path));
         fclose($page_file);
         // set content type
         $response->addHeader('Content-Type', 'text/html');
         $response->setBody($body);
         $response->setStatusCode(200);
         return true;
     }
     return true;
 }
开发者ID:OpenStackweb,项目名称:openstack-org,代码行数:26,代码来源:HttpErrorRequestFilter.php

示例8: respond

	/**
	 * Out of the box, the handler "CurrentForm" value, which will return the rendered form.  
	 * Non-Ajax calls will redirect back.
	 * 
	 * @param SS_HTTPRequest $request 
	 * @param array $extraCallbacks List of anonymous functions or callables returning either a string
	 * or SS_HTTPResponse, keyed by their fragment identifier. The 'default' key can
	 * be used as a fallback for non-ajax responses.
	 * @return SS_HTTPResponse
	 */
	public function respond(SS_HTTPRequest $request, $extraCallbacks = array()) {
		// Prepare the default options and combine with the others
		$callbacks = array_merge(
			array_change_key_case($this->callbacks, CASE_LOWER),
			array_change_key_case($extraCallbacks, CASE_LOWER)
		);
		
		if($fragment = $request->getHeader('X-Pjax')) {
			$fragment = strtolower($fragment);
			if(isset($callbacks[$fragment])) {
				return call_user_func($callbacks[$fragment]);
			} else {
				throw new SS_HTTPResponse_Exception("X-Pjax = '$fragment' not supported for this URL.", 400);
			}
		} else {
			if($request->isAjax()) throw new SS_HTTPResponse_Exception("Ajax requests to this URL require an X-Pjax header.", 400);
			return call_user_func($callbacks['default']);
		}
		
	}
开发者ID:redema,项目名称:sapphire,代码行数:30,代码来源:PjaxResponseNegotiator.php

示例9: handleBatchAction

 /**
  * Invoke a batch action
  *
  * @param SS_HTTPRequest $request
  * @return SS_HTTPResponse
  */
 public function handleBatchAction($request)
 {
     // This method can't be called without ajax.
     if (!$request->isAjax()) {
         return $this->parentController->redirectBack();
     }
     // Protect against CSRF on destructive action
     if (!SecurityToken::inst()->checkRequest($request)) {
         return $this->httpError(400);
     }
     // Find the action handler
     $action = $request->param('BatchAction');
     $actionHandler = $this->actionByName($action);
     // Sanitise ID list and query the database for apges
     $csvIDs = $request->requestVar('csvIDs');
     $ids = $this->cleanIDs($csvIDs);
     // Filter ids by those which are applicable to this action
     // Enforces front end filter in LeftAndMain.BatchActions.js:refreshSelected
     $ids = $actionHandler->applicablePages($ids);
     // Query ids and pass to action to process
     $pages = $this->getPages($ids);
     return $actionHandler->run($pages);
 }
开发者ID:XDdesigners,项目名称:silverstripe-framework,代码行数:29,代码来源:CMSBatchActionHandler.php

示例10: updateSetCurrentListResponse

 /**
  * @param SS_HTTPRequest $request
  * @param AjaxHttpResponse $response
  * @param WishList $list
  */
 public function updateSetCurrentListResponse($request, &$response, $list)
 {
     if ($request->isAjax() && $this->owner->hasExtension('AjaxControllerExtension')) {
         if (!$response) {
             $response = $this->owner->getAjaxResponse();
         }
         $response->pushRegion('WishListPageHeader', $this->owner);
         $response->pushRegion('WishListItems', $this->owner);
         $response->pushRegion('WishListPageActions', $this->owner);
         $response->pushRegion('OtherWishLists', $this->owner);
         $response->triggerEvent('wishlistchanged');
     }
 }
开发者ID:markguinn,项目名称:silverstripe-wishlist,代码行数:18,代码来源:WishListAjax.php

示例11: ghost

 public function ghost(SS_HTTPRequest $r)
 {
     if (!$r->param('ID')) {
         return $this->httpError(400);
     }
     if (!$this->canModerate()) {
         return $this->httpError(403);
     }
     $member = Member::get()->byID($r->param('ID'));
     if (!$member || !$member->exists()) {
         return $this->httpError(404);
     }
     $member->ForumStatus = 'Ghost';
     $member->write();
     // Log event
     $currentUser = Member::currentUser();
     SS_Log::log(sprintf('Ghosted member %s (#%d), by moderator %s (#%d)', $member->Email, $member->ID, $currentUser->Email, $currentUser->ID), SS_Log::NOTICE);
     return $r->isAjax() ? true : $this->redirectBack();
 }
开发者ID:helpfulrobot,项目名称:silverstripe-forum,代码行数:19,代码来源:Forum.php

示例12: getBackURL

 /**
  * Get's the previous URL that lead up to the current request.
  *
  * NOTE: Honestly, this should be built into SS_HTTPRequest, but we can't depend on that right now... so instead,
  * this is being copied verbatim from Controller (in the framework).
  *
  * @param SS_HTTPRequest $request
  * @return string
  */
 protected function getBackURL(SS_HTTPRequest $request)
 {
     // Initialize a sane default (basically redirects to root admin URL).
     $controller = $this->getToplevelController();
     $url = method_exists($this->requestHandler, "Link") ? $this->requestHandler->Link() : $controller->Link();
     // Try to parse out a back URL using standard framework technique.
     if ($request->requestVar('BackURL')) {
         $url = $request->requestVar('BackURL');
     } else {
         if ($request->isAjax() && $request->getHeader('X-Backurl')) {
             $url = $request->getHeader('X-Backurl');
         } else {
             if ($request->getHeader('Referer')) {
                 $url = $request->getHeader('Referer');
             }
         }
     }
     return $url;
 }
开发者ID:burnbright,项目名称:silverstripe-importexport,代码行数:28,代码来源:GridFieldImporter_Request.php

示例13: index

 /**
  * @param SS_HTTPRequest $request
  * @return $this|HTMLText
  */
 public function index(SS_HTTPRequest $request)
 {
     if ($request->isAjax()) {
         $data = $this->data();
         return $this->customise($data)->renderWith('BlogPage_Item');
     }
     return array();
 }
开发者ID:helpfulrobot,项目名称:ryanpotter-silverstripe-boilerplate,代码行数:12,代码来源:BlogPage.php

示例14: toggleprojectstar

 /**
  * This action will star / unstar a project for the current member
  *
  * @param \SS_HTTPRequest $request
  *
  * @return SS_HTTPResponse
  */
 public function toggleprojectstar(\SS_HTTPRequest $request)
 {
     $project = $this->getCurrentProject();
     if (!$project) {
         return $this->project404Response();
     }
     $member = Member::currentUser();
     if ($member === null) {
         return $this->project404Response();
     }
     $favProject = $member->StarredProjects()->filter('DNProjectID', $project->ID)->first();
     if ($favProject) {
         $member->StarredProjects()->remove($favProject);
     } else {
         $member->StarredProjects()->add($project);
     }
     if (!$request->isAjax()) {
         return $this->redirectBack();
     }
 }
开发者ID:silverstripe,项目名称:deploynaut,代码行数:27,代码来源:DNRoot.php

示例15: updateAddProductFormResponse

 /**
  * Add one of an item to a cart (Product Page)
  *
  * @see the addtocart function within AddProductForm class
  * @param SS_HTTPRequest $request
  * @param AjaxHTTPResponse $response
  * @param Buyable $buyable [optional]
  * @param int $quantity [optional]
  * @param AddProductForm $form [optional]
  */
 public function updateAddProductFormResponse(&$request, &$response, $buyable, $quantity, $form)
 {
     if ($request->isAjax()) {
         if (!$response) {
             $response = $this->owner->getController()->getResponse();
         }
         $response->removeHeader('Content-Type');
         $response->addHeader('Content-Type', 'application/json; charset=utf-8');
         $shoppingcart = ShoppingCart::curr();
         $shoppingcart->calculate();
         // recalculate the shopping cart
         $data = array('id' => (string) $buyable->ID, 'internalItemID' => $buyable->InternalItemID, 'title' => $buyable->Title, 'url' => $buyable->URLSegment, 'categories' => $buyable->getCategories()->column('Title'), 'addLink' => $buyable->addLink(), 'removeLink' => $buyable->removeLink(), 'removeallLink' => $buyable->removeallLink(), 'setquantityLink' => $buyable->Item()->setquantityLink(), 'message' => array('content' => $form->Message(), 'type' => $form->MessageType()));
         $form->clearMessage();
         // include totals if required
         if ($shoppingcart) {
             $data['subTotal'] = $shoppingcart->SubTotal();
             $data['grandTotal'] = $shoppingcart->GrandTotal();
         }
         $this->owner->extend('updateAddProductFormResponseShopJsonResponse', $data, $request, $response, $buyable, $quantity, $form);
         $response->setBody(json_encode($data));
     }
 }
开发者ID:antonythorpe,项目名称:silvershop-jsonresponse,代码行数:32,代码来源:SilvershopJsonResponse.php


注:本文中的SS_HTTPRequest::isAjax方法示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。