Manual:フック
![]() |
開発 • タグ拡張機能 • パーサー関数 • フック • 特別ページ • 外装 • マジックワード • API • Content models |
---|
Contents
フックは特定のイベント(ページ保存や利用者ログインなど)が発生したとき、カスタム コードの実行を認めます。
たとえば下記のコード スニペットにより、フックのPageContentSaveComplete
が走る場面で必ず関数MyExtensionHooks::pageContentSaveComplete
を呼び出し、PageContentSaveComplete
に特有の関数引数を渡します。
Hooks can be registered by mapping the name of the hook to the callback in the extension's extension.json file:
"Hooks": { "PageContentSaveComplete": "MyExtensionHooks::onPageContentSaveComplete" }
MediaWikiはこのようなフックを用意し、MediaWiki ソフトウェアの機能を拡張しています。特定の関数(ユーザー処理つまりイベントハンドラー)をフックに定義すると、メインのMediaWikiコードにおいて適切なタイミングでその関数を呼び出し、その時点で開発者が有効と判断した追加のタスクをいくつでも実行します。フックに定義できるハンドラーは複数で、定義順に呼び出した定義が行った変更を、一連の後続の関数に渡していきます。
フックに機能を割り当てるにはLocalSettings.php の末尾もしくはファイルスコープの拡張機能($wgExtensionFunctions
関数あるいはParserFirstCallInit
フックではなく)で割り当てます。拡張機能の場合、LocalSettings.php の設定がフックの機能の挙動に条件を付けるなら、フックに機能を割り当て、条件が適合しないときは早めに関数を停止する必要があります。
ご利用の拡張機能で新しくフックを作成することもできます。作成したフックは拡張機能フックのレジストリに追加します。
背景
フックはHooks::run関数を呼び出すと作動します(説明は hooks.txt ファイルに、定義は GlobalFunctions.php のとおり)。Hooks::runの1番目の引数はフックの名前、2番目はそのフックの引数の配列です。$wgHooks
配列内で、実行すべきイベントハンドラーを検出します。call_user_func_array というPHP関数を呼び出し、その際、呼び出すべき関数とその引数を引数として渡します。
コアにあるフックの仕様も参照してください。
この使用事例は WikiPage.php の doEditContent
関数で、Hooks::run は doEditContent に呼び出されると PageContentSaveComplete
フックを実行、引数として $hookArgs
を当てます。
Hooks::run( 'PageContentSaveComplete', $hookArgs );
多数のフックを呼び出すのは コア ですが、拡張機能 からもフックを呼び出せます。
イベントハンドラーを書く
イベントハンドラーはフックに設定する関数で、 フックが代表するイベントが発生するたびに実行されます。構成要素は次のとおりです。
- 関数と、設定で有効にするデータを添えたもの。
- method変数と、設定で有効にするデータを添えたオブジェクト。
Register the event handler by adding it to the global $wgHooks
array for a given event.
Hooks can be added from any point in the execution before the hook is called, but are most commonly added in LocalSettings.php, its included files, or, for extensions, in the file extension.json.
All the following are valid ways to define a hook function for the event EventName that is passed two parameters, showing the code that will be executed when EventName happens:
書式 | 構文 | 結果として呼び出す関数 |
---|---|---|
Static function | $wgHooks['EventName'][] = 'MyExtensionHooks::onEventName';
|
MyExtensionHooks::onEventName( $param1, $param2 );
|
関数 データ無 | $wgHooks['EventName'][] = 'someFunction';
|
someFunction( $param1, $param2 );
|
関数、データ有 | $wgHooks['EventName'][] = [ 'someFunction', $someData ];
|
someFunction( $someData, $param1, $param2 );
|
Function, no data (weird syntax, but OK) |
$wgHooks['EventName'][] = [ 'someFunction' ];
|
someFunction( $param1, $param2 );
|
インラインの無名関数 |
$wgHooks['EventName'][] = function ( $param1, $param2 ) {
// ...function body
}
|
(the anonymous function is called with the hook's parameters) |
オブジェクトのみ | $wgHooks['EventName'][] = $object;
|
$object->onEventName( $param1, $param2 );
|
Object with method | $wgHooks['EventName'][] = [ $object, 'someMethod' ];
|
$object->someMethod( $param1, $param2 );
|
Object with method and data | $wgHooks['EventName'][] = [ $object, 'someMethod', $someData ];
|
$object->someMethod( $someData, $param1, $param2 );
|
Object only (weird syntax, but OK) |
$wgHooks['EventName'][] = [ $object ];
|
$object->onEventName( $param1, $param2 );
|
拡張機能の場合、構文はextension.json
ファイルと同様(前述の1番目と2番目の事例に対応):
{
"Hooks": {
"EventName": [
"MyExtensionHooks::onEventName",
"someFunction"
]
}
}
When an event occurs, the function (or object method) that you registered will be called, the event's parameters, along with any optional data you provided at registration. Note that when an object is the hook and you didn't specify a method, the method called is 'onEventName'. For other events this would be 'onArticleSave', 'onUserLogin', etc.
The optional data is useful if you want to use the same function or object for different purposes. For example:
$wgHooks['PageContentSaveComplete'][] = [ 'ircNotify', 'TimStarling' ];
$wgHooks['PageContentSaveComplete'][] = [ 'ircNotify', 'brion' ];
This code would result in ircNotify being run twice when a page is saved: once for 'TimStarling', and once for 'brion'.
Event handlers can return one of three possible values:
- no return value (or null): the hook handler has operated successfully. (Before MediaWiki 1.23, returning true was required.)
- "some string": an error occurred; processing should stop and the error should be shown to the user
- false: the hook handler has done all the work necessary, or replaced normal handling. This will prevent further handlers from being run, and in some cases tells the calling function to skip normal processing.
操作が完了した場合はfalseを返しても無意味であり、通常、callerに無視されます。
Hook behavior before MediaWiki 1.22 vs after
Extracted from: change 500542: for non-abortable hooks (most hooks) returning true has been redundant since MediaWiki 1.22 (in 2015). This was done to reduce chances of accidental failure because we had experienced several outages and broken features due to silent failures where e.g. one hook callback somewhere accidentally returned a non-bool or false instead of true/void and thus short-circuits the whole system.
(Returning non-true/non-void in a MediaWiki Hook is equivalent to e.preventDefault
and e.stopImmediatePropagation
in JavaScript events, it kills other listeners for the same event).
For example, if onBeforePageDisplay
hook were to return false in MobileFrontend, it would mean Popups stops because its callback would no longer run.
See differences below, assuming the hook onBeforePageDisplay
.
MediaWiki 1.22 以前
public static function onBeforePageDisplay( OutputPage $out, Skin $skin ) {
// some code
return true; // explicit
}
または
public static function onBeforePageDisplay( OutputPage $out, Skin $skin ) {
// some code
return; // explicit
}
MediaWiki 1.22+
public static function onBeforePageDisplay( OutputPage $out, Skin $skin ) {
// some code
// no need for a return true or return
}
説明文書
MediaWiki コアのフックは現状ではここMediaWiki.orgのほか docs/hooks.txt (ソースコード リポジトリ内) の2箇所に説明文書を置くことになっています。場合によってはどちらかで作業が未完了なことがあるため、フックの説明文書の確認は両方の場所を調べてください。
オンウィキでフックを開設するには{{MediaWikiHook}}を使います。
利用できるフック
関数ごとに分類したフック
ここに一覧したフックの中には、関数ごとにいくつかのグループに分類できます。
![]() | New hooks are added to MediaWiki fairly frequently, so this list is not always completely up to date. As with most documentation on this site, if you need complete up-to-the-minute information you are advised to consult the source code directly. As ever, you are encouraged to update this list to correct any errors or omissions. |
関数 | バージョン | フック | 説明 |
---|---|---|---|
記事の管理 | 1.4.0 | ArticleDelete | 記事の削除要求をソフトウェアが受けると毎回、発生する |
1.4.0 | ArticleDeleteComplete | 記事の削除要求が処理された後に発生する | |
1.9.1 | ArticleUndelete | 記事の更新が1件以上復元された時点 | |
1.12.0 | ArticleRevisionUndeleted | 記事の更新が復元された後に発生する | |
1.8.0 | ArticleFromTitle | Called to determine the class to handle the article rendering, based on title | |
1.4.0 | ArticleProtect | Occurs whenever the software receives a request to protect an article | |
1.4.0 | ArticleProtectComplete | Occurs after the protect article request has been processed | |
1.6.0 | ArticleInsertComplete | Occurs after a new article has been created | |
1.11.0 | RevisionInsertComplete | Called after a revision is inserted into the DB | |
1.4.0 | ArticleSave | (廃止予定) (PageContentSave を使用すること。)ソフトウェアが記事保存のリクエストを受けるたびに発生 | |
1.21.0 | PageContentSave | Occurs whenever the software receives a request to save an article | |
1.4.0 | ArticleSaveComplete | (廃止予定) (PageContentSaveComplete を使用すること。) 記事を保管するリクエストの処理後に発生 | |
1.21.0 | ConvertContent | Called when a conversion to another content model is requested. | |
1.21.0 | PageContentSaveComplete | Occurs after the save article request has been processed | |
1.11.0 | ArticleUpdateBeforeRedirect | Occurs after a page is updated (usually on save), before the user is redirected back to the page | |
1.5.7 | ArticleEditUpdateNewTalk | Allows an extension to prevent user notification when a new message is added to their talk page. | |
1.14.0 | ArticleEditUpdates | Called when edit updates (mainly link tracking) are made when an article has been changed. | |
1.6.0 | ArticleEditUpdatesDeleteFromRecentchanges | Occurs before saving to the database. If returning false old entries are not deleted from the recentchangeslist. | |
1.8.0 | RecentChange_save | Called after a "Recent Change" is committed to the DB | |
1.6.0 | SpecialMovepageAfterMove | Called after a page is moved. | |
1.22.0 | TitleMove | Occurs before a requested pagemove is performed | |
1.4.0 | TitleMoveComplete | Occurs whenever a request to move an article is completed | |
1.12.0 | AbortMove | Allows to abort moving page from one title to another | |
1.12.0 | ArticleRollbackComplete | Occurs after an article rollback is completed | |
1.12.0 | ArticleMergeComplete | after merging to article using Special:Mergehistory | |
1.6.0 | ArticlePurge | Allows an extension to cancel a purge. | |
1.13.0 | ArticleRevisionVisibilitySet | called when changing visibility of one or more revisions of an article | |
1.21.0 | ContentHandlerDefaultModelFor | called when deciding the default content model for a given title. | |
1.21.0 | ContentHandlerForModelID | called when a ContentHandler is requested for a given content model name, but no entry for that model exists in $wgContentHandlers . | |
1.23.0 | Article::MissingArticleConditions | called when showing a page. | |
1.20.0 | TitleIsAlwaysKnown | Allows overriding default behaviour for determining if a page exists. | |
ページの編集 | 1.6.0 | AlternateEdit | Used to replace the entire edit page, altogether. |
1.21.0 | AlternateEditPreview | Allows replacement of the edit preview | |
1.6.0 | EditFilter | Perform checks on an edit | |
1.12.0 | EditFilterMerged | Perform checks on an edit | |
1.21.0 | EditFilterMergedContent | Post-section-merge edit filter | |
1.7.0 | EditFormPreloadText | Called when edit page for a new article is shown. This lets you fill the text-box of a new page with initial wikitext. | |
1.8.3 | EditPage::attemptSave | Called before an article is saved, that is before insertNewArticle() is called | |
1.6.0 | EditPage::showEditForm:fields | Allows injection of form field into edit form. | |
1.6.0 | EditPage::showEditForm:initial | Allows injection of HTML into edit form | |
1.21.0 | EditPage::showStandardInputs:options | Allows injection of form fields into the editOptions area | |
1.13.0 | EditPageBeforeConflictDiff | Allows modifying the EditPage object and output when there's an edit conflict. | |
1.12.0 | EditPageBeforeEditButtons | Used to modify the edit buttons on the edit form | |
1.14.0 | EditPageBeforeEditChecks | Allows modifying the edit checks below the textarea in the edit form | |
ページの解析 | 1.27.0 | AfterBuildFeedLinks | Executed after all feed links are created. |
1.6.0 | ArticlePageDataBefore | Executes before data is loaded for the article requested. | |
1.6.0 | ArticlePageDataAfter | Executes after loading the data of an article from the database. | |
1.6.0 | ArticleViewHeader | Called after an articleheader is shown. | |
1.6.0 | PageRenderingHash | Alter the parser cache option hash key. | |
1.6.0 | ArticleAfterFetchContent | Used to process raw wiki code after most of the other parser processing is complete. | |
1.22.0 | GalleryGetModes | Allows extensions to add classes that can render different modes of a gallery. | |
1.6.0 | ParserClearState | Called at the end of Parser::clearState() | |
1.21.0 | ParserCloned | Called when the Parser object is cloned. | |
1.5.0 | ParserBeforeStrip | Used to process the raw wiki code before any internal processing is applied. | |
1.5.0 | ParserAfterStrip | (廃止予定) Before version 1.14.0, used to process raw wiki code after text surrounded by <nowiki> tags have been protected but before any other wiki text has been processed. In version 1.14.0 and later, runs immediately after ParserBeforeStrip.
| |
1.6.0 | ParserBeforeInternalParse | Replaces the normal processing of stripped wiki text with custom processing. Used primarily to support alternatives (rather than additions) to the core MediaWiki markup syntax. | |
1.6.0 | ParserGetVariableValueVarCache | Use this to change the value of the variable cache or return false to not use it. | |
1.6.0 | ParserGetVariableValueTs | Use this to change the value of the time for the {{LOCAL...}} magic word. | |
1.6.0 | ParserGetVariableValueSwitch | Assigns a value to a user defined variable. | |
1.10.0 | InternalParseBeforeLinks | Used to process the expanded wiki code after <nowiki>, HTML-comments, and templates have been treated. Suitable for syntax extensions that want to customize the treatment of internal link syntax, i.e. [[....]] .
| |
1.13.0 | LinkerMakeExternalLink | Called before the HTML for external links is returned. Used for modifying external link HTML. | |
1.13.0 | LinkerMakeExternalImage | Called before external image HTML is returned. Used for modifying external image HTML. | |
1.23.0 | LinkerMakeMediaLinkFile | Called before the HTML for media links is returned. Used for modifying media link HTML. | |
1.11.0 | EditSectionLink | (廃止予定) Override the return value of Linker::editSectionLink(). Called after creating [edit] link in header in Linker::editSectionLink but before HTML is displayed. | |
1.11.0 | EditSectionLinkForOther | (廃止予定) Override the return value of Linker::editSectionLinkForOther(). Called after creating [edit] link in header in Linker::editSectionLinkForOther but before HTML is displayed. | |
1.5.0 | ParserBeforeTidy | Used to process the nearly-rendered html code for the page (but before any html tidying occurs). | |
1.5.0 | ParserAfterTidy | Used to add some final processing to the fully-rendered page output. | |
1.24.0 | ContentGetParserOutput | Customize parser output for a given content object, called by AbstractContent::getParserOutput. May be used to override the normal model-specific rendering of page content. | |
1.8.0 | OutputPageParserOutput | Called after parse, before the HTML is added to the output. | |
1.6.0 | OutputPageBeforeHTML | Called every time wikitext is added to the OutputPage, after it is parsed but before it is added. Called after the page has been rendered, but before the HTML is displayed. | |
1.4.3 | CategoryPageView | Called before viewing a categorypage in CategoryPage::view | |
1.5.1 | ArticleViewRedirect | Allows an extension to prevent the display of a "Redirected From" link on a redirect page. | |
1.10.0 | IsFileCacheable | Allow an extension to disable file caching on pages. | |
1.10.1 | BeforeParserFetchTemplateAndtitle | Allows an extension to specify a version of a page to get for inclusion in a template. | |
1.18.0 | BeforeParserFetchFileAndTitle | Allows an extension to select a different version of an image to link to. | |
1.10.1 | BeforeParserrenderImageGallery | Allows an extension to modify an image gallery before it is rendered. | |
1.17.0 | ResourceLoaderRegisterModules | Allows registering modules with ResourceLoader | |
1.24.0 | SidebarBeforeOutput | Directly before the sidebar is output | |
ユーザーインターフェイス | 1.5.4 | AutoAuthenticate | Called to authenticate users on external/environmental means |
1.4.0 | UserLoginComplete | Occurs after a user has successfully logged in | |
1.18.0 | BeforeWelcomeCreation | Allows an extension to change the message displayed upon a successful login. | |
1.4.0 | UserLogout | Occurs when the software receives a request to log out | |
1.4.0 | UserLogoutComplete | Occurs after a user has successfully logged out | |
1.6.0 | userCan | To interrupt/advise the "user can do X to Y article" check | |
1.4.0 | WatchArticle | Occurs whenever the software receives a request to watch an article | |
1.4.0 | WatchArticleComplete | Occurs after the watch article request has been processed | |
1.4.0 | UnwatchArticle | Occurs whenever the software receives a request to unwatch an article | |
1.4.0 | UnwatchArticleComplete | Occurs after the unwatch article request has been processed | |
1.6.0 | MarkPatrolled | Called before an edit is marked patrolled | |
1.6.0 | MarkPatrolledComplete | Called after an edit is marked patrolled | |
1.4.0 | EmailUser | Occurs whenever the software receives a request to send an email from one user to another | |
1.4.0 | EmailUserComplete | Occurs after an email has been sent from one user to another | |
1.6.0 | SpecialMovepageAfterMove | Called after a page is moved. | |
1.19.0 | SpecialSearchCreateLink | Called when making the message to create a page or go to an existing page | |
1.17.0 | SpecialSearchGo | ||
1.6.0 | SpecialSearchNogomatch | ||
1.19.0 | SpecialSearchPowerBox | the equivalent of SpecialSearchProfileForm for the advanced form | |
1.5.7 | ArticleEditUpdateNewTalk | ||
1.5.7 | UserRetrieveNewTalks | ||
1.5.7 | UserClearNewTalkNotification | ||
1.6.0 | ArticlePurge | ||
ファイルの読み込み | 1.6.0 | UploadVerification | (廃止予定) (UploadVerifyFile を使用すること。) ファイルのアップロード時に呼び出し、ファイル検証の条件追加を可能にする |
1.17 | UploadVerifyFile | Called when a file is uploaded, to allow extra file verification to take place (preferred) | |
1.28 | UploadVerifyUpload | Called when a file is uploaded, to allow extra file verification to take place (preferred) | |
1.6.4 | UploadComplete | Called when a file upload has completed. | |
特別ページ | 1.6.0 | SpecialPageGetRedirect | |
1.24.0 | SpecialBlockModifyFormFields | Add or modify block fields of Special:Block | |
1.28.0 | SpecialContributions::formatRow::flags | Called before rendering a Special:Contributions row. | |
1.13.0 | SpecialListusersDefaultQuery | Called right before the end of UsersPager::getDefaultQuery() | |
1.13.0 | SpecialListusersFormatRow | Called right before the end of UsersPager::formatRow() | |
1.13.0 | SpecialListusersHeader | Called before closing the <fieldset> in UsersPager::getPageHeader()
| |
1.13.0 | SpecialListusersHeaderForm | Called before adding the submit button in UsersPager::getPageHeader() | |
1.13.0 | SpecialListusersQueryInfo | Called right before the end of UsersPager::getQueryInfo() | |
1.6.0 | SpecialPageExecuteBeforeHeader | ||
1.6.0 | SpecialPageExecuteBeforePage | ||
1.6.0 | SpecialPageExecuteAfterPage | ||
1.6.0 | SpecialVersionExtensionTypes | ||
SpecialPage_initList | Called after the Special Page list is populated | ||
1.9.0 | UploadForm:initial | Called just before the upload form is generated | |
1.9.0 | UploadForm:BeforeProcessing | Called just before the file data (for example description) are processed, so extensions have a chance to manipulate them. | |
1.14.0 | UserrightsChangeableGroups | Called after the list of groups that can be manipulated via Special:UserRights is populated, but before it is returned. | |
1.24.0 | WhatLinksHereProps | Allows extensions to annotate WhatLinksHere entries. | |
利用者管理 | 1.5.0 | AddNewAccount | Called after a user account is created (廃止予定) |
1.26.0 | LocalUserCreated | Called immediately after a local user has been created and saved to the database. | |
1.27.0 | SessionMetadata | Add metadata to a session being saved | |
1.27.0 | SessionCheckInfo | Validate session info as it's being loaded from storage | |
1.27.0 | SecuritySensitiveOperationStatus | Affect the return value from AuthManager::securitySensitiveOperationStatus() | |
1.27.0 | UserLoggedIn | Called after a user is logged in | |
1.4.0 | BlockIp | Occurs whenever the software receives a request to block (or change the block settings of) an IP address or user | |
1.4.0 | BlockIpComplete | Occurs after the request to block (or change block settings of) an IP or user has been processed | |
1.29.0 | UnblockUser | Occurs whenever the software receives a request to unblock an IP address or user | |
1.29.0 | UnblockUserComplete | Occurs after the request to unblock an IP or user has been processed | |
1.29.0 | ChangeUserGroups | Called before a user's group memberships are changed | |
1.6.0 | UserRights | (廃止予定) (use UserGroupsChanged) Called after a user's group memberships are changed | |
1.11.0 | UserGetRights | Called in User::getRights() to dynamically add rights | |
1.32.0 | UserGetRightsRemove | Called in User::getRights() to dynamically remove rights | |
1.6.0 | GetBlockedStatus | Fired after the user's getBlockStatus is set | |
ログ記録 | 1.6.0 | LogPageActionText | |
1.5.0 | LogPageLogHeader | ||
1.5.0 | LogPageLogName | ||
1.5.0 | LogPageValidTypes | ||
1.26.0 | LogException | ||
外装 / テンプレート | 1.7.0 | BeforePageDisplay | Allows last minute changes to the output page, e.g. adding of CSS or Javascript by extensions. |
1.6.0 | MonoBookTemplateToolboxEnd | Called by Monobook skin after toolbox links have been rendered (useful for adding more) | |
1.7.0 | PersonalUrls | (SkinTemplate.php) Called after the list of personal URLs (links at the top in Monobook) has been populated. | |
1.24.0 | PostLoginRedirect | (SpecialUserlogin.php) Modify the post login redirect behavior. | |
1.23.0 | BaseTemplateAfterPortlet | (SkinTemplate.php) After rendering of portlets. | |
1.11.0 | SkinAfterBottomScripts | (Skin.php) At the end of Skin::bottomScripts() | |
1.12.0 | SkinSubPageSubtitle | (Skin.php) Called before the list of subpage links on top of a subpage is generated | |
1.5.0 | SkinTemplateContentActions | Called after the default tab list is populated (list is context dependent i.e. "normal" article or "special page"). | |
1.16.0 | SkinTemplateNavigation | Called on content pages only after tabs have been added, but before variants have been added. See the other two SkinTemplateNavigation hooks for other points tabs can be modified at. | |
1.18.0 | SkinTemplateNavigation::Universal | Called on both content and special pages after variants have been added | |
1.18.0 | SkinTemplateNavigation::SpecialPage | Called on special pages after the special tab is added but before variants have been added | |
1.6.0 | SkinTemplatePreventOtherActiveTabs | Called to enable/disable the inclusion of additional tabs to the skin. | |
1.6.0 | SkinTemplateSetupPageCss | ||
1.6.0 | SkinTemplateBuildContentActionUrlsAfterSpecialPage | ||
1.6.0 | SkinTemplateBuildNavUrlsNav_urlsAfterPermalink | Called after the permalink has been entered in navigation URL array. | |
1.23.0 | SkinTemplateGetLanguageLink | Called after building the data for a language link from which the actual html is constructed. | |
1.27.0 | AuthChangeFormFields | Allows modification of AuthManager-based forms | |
1.25.0 | LoginFormValidErrorMessages | Allows to add additional error messages (SpecialUserLogin.php). | |
1.25.0 | MinervaDiscoveryTools | Allow other extensions to add or override discovery tools (SkinMinerva.php). | |
API | 1.23.0 | ApiBeforeMain | Called before ApiMain is executed |
1.13.0 | APIEditBeforeSave | Called right before saving an edit submitted through api.php?action=edit | |
1.13.0 | APIQueryInfoTokens | Use this hook to add custom tokens to prop=info | |
1.13.0 | APIQueryRevisionsTokens | Use this hook to add custom tokens to prop=revisions | |
1.14.0 | APIQueryRecentChangesTokens | Use this hook to add custom tokens to list=recentchanges | |
1.14.0 | APIGetAllowedParams | Use this hook to modify a module's parameters | |
1.14.0 | APIGetParamDescription | Use this hook to modify a module's parameter descriptions | |
1.14.0 | APIAfterExecute | Use this hook to extend core API modules | |
1.14.0 | APIQueryAfterExecute | Use this hook to extend core API query modules | |
1.14.0 | APIQueryGeneratorAfterExecute | Use this hook to extend core API query modules | |
1.23.0 | GetExtendedMetadata | Allows including additional file metadata information in the imageinfo API. | |
1.23.0 | AddNewAccountApiForm | Allows modifying the internal login form when creating an account via the API. | |
1.23.0 | AddNewAccountApiResult | Modifies the API output when an account is created via the API. | |
1.25.0 | ApiOpenSearchSuggest | Called when constructing the OpenSearch results. Hooks can alter or append to the array. | |
インポート/エクスポート | 1.17.0 | AfterImportPage | When a page import is completed |
1.17.0 | ImportHandleLogItemXMLTag | When parsing a XML tag in a log item | |
1.17.0 | ImportHandlePageXMLTag | When parsing a XML tag in a page | |
1.17.0 | ImportHandleRevisionXMLTag | When parsing a XML tag in a page revision | |
1.17.0 | ImportHandleToplevelXMLTag | When parsing a top level XML tag | |
1.17.0 | ImportHandleUploadXMLTag | When parsing a XML tag in a file upload | |
1.16.0 | ModifyExportQuery | Modify the query used by the exporter. | |
1.15.0 | WikiExporter::dumpStableQuery | Get the SELECT query for "stable" revisions dumps | |
1.16.0 | XmlDumpWriterOpenPage | Called at the end of XmlDumpWriter::openPage, to allow extra metadata to be added. | |
1.16.0 | XmlDumpWriterWriteRevision | Called at the end of a revision in an XML dump, to add extra metadata. | |
その他 | 1.19.0 | AlternateUserMailer | Called before mail is sent so that mail could be logged (or something else) instead of using PEAR or PHP's mail(). |
1.6.0 | ArticleEditUpdatesDeleteFromRecentchanges | ||
1.21.0 | CategoryAfterPageAdded | Called after a page is added to a category | |
1.21.0 | CategoryAfterPageRemoved | Called after a page is removed from a category | |
1.19.0 | Collation::factory | Allows extensions to register new collation names, to be used with $wgCategoryCollation | |
1.8.0 | DisplayOldSubtitle | ||
1.18.0 | GetDefaultSortkey | Allows to override what the default sortkey is, which is used to order pages in a category. | |
1.25.0 | GetDifferenceEngine | Allows custom difference engine extensions such as Special:MyLanguage/Extension:WikEdDiff. | |
1.21.0 | GetDoubleUnderscoreIDs | hook for modifying the list of magic words | |
1.6.0 | GetInternalURL | Used to modify fully-qualified URLs (useful for squid cache purging) | |
1.6.0 | GetLocalURL | Used to modify local URLs as output into page links | |
1.6.0 | GetFullURL | Used to modify fully-qualified URLs used in redirects/export/offsite data | |
1.16.0 | ImgAuthBeforeStream | Executed before file is streamed to user, but only when using img_auth | |
1.22.0 | LanguageLinks | Manipulate a page's language links. | |
1.14.0 | LinkBegin | Used when generating internal and interwiki links in Linker::link() | |
1.14.0 | LinkEnd | Used when generating internal and interwiki links in Linker::link(), just before the function returns a value. | |
1.8.0 | LoadAllMessages | ||
1.6.0 | MagicWordMagicWords | ||
1.6.0 | MagicWordwgVariableIDs | ||
1.12.0 | MediaWikiPerformAction | Override MediaWiki::performAction() | |
1.27.0 | MediaWikiServices | Called when a global MediaWikiServices instance is initialised. | |
1.5.7 | MessagesPreLoad | Occurs when loading a message from the database | |
1.6.0 | ParserTestParser | ||
1.8.0 | RecentChange_save | Called after a "Recent Change" is committed to the DB | |
1.5.0 | SpecialContributionsBeforeMainOutput | ||
1.22.0 | TitleSquidURLs | To modify/provide alternate URLs to send HTTP PURGE requests. | |
1.17.0 | UnitTestsList | Add tests that should be run as part of the unit test suite. | |
1.30.0 | UnitTestsAfterDatabaseSetup | Called right after MediaWiki's test infrastructure has finished creating/duplicating core tables for unit tests. | |
1.30.0 | UnitTestsBeforeDatabaseTeardown | Called right before MediaWiki's test infrastructure begins tearing down tables for unit tests. | |
1.4.0 | UnknownAction | (廃止予定) MediaWiki 1.19以前、新規クエリを追加する操作にしよう。 | |
1.24.0 | UserMailerChangeReturnPath | Called to generate a VERP return address when UserMailer sends an email, with a bounce handling extension. | |
1.8.0 | UserToggles | (廃止予定) 個人設定名を実行する前に呼び出し。代わりに GetPreferences フックを使用すること。 | |
1.6.0 | wgQueryPages |
Alphabetical list of hooks
フックの完全な一覧は、カテゴリ を参照してください。こちらはさらに最新に近い状態に維持されています。
関連項目
$wgHooks
- カテゴリ:フック拡張機能
- Manual:タグ拡張機能
- Manual:パーサー関数
- hooks.txt — documentation of the hooks in MediaWiki core
- Extension:Example — contains examples of hooks
- mw.hook — the JavaScript/front-end system of hooks